vega-util-1.17.2",[],(function $module_vega_util_1_17_2(global,require,requireDynamic,requireLazy,module,exports){ /** This file contains third-party code that is licensed as follows: Copyright (c) 2015-2023, University of Washington Interactive Data Lab All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. **/ (function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports) : typeof define === 'function' && define.amd ? define(['exports'], factory) : (global = typeof globalThis !== 'undefined' ? globalThis : global || self, factory(global.vega = {})); })(this, (function (exports) { 'use strict'; function accessor (fn, fields, name) { fn.fields = fields || []; fn.fname = name; return fn; } function accessorName(fn) { return fn == null ? null : fn.fname; } function accessorFields(fn) { return fn == null ? null : fn.fields; } function getter (path) { return path.length === 1 ? get1(path[0]) : getN(path); } const get1 = field => function (obj) { return obj[field]; }; const getN = path => { const len = path.length; return function (obj) { for (let i = 0; i < len; ++i) { obj = obj[path[i]]; } return obj; }; }; function error (message) { throw Error(message); } function splitAccessPath (p) { const path = [], n = p.length; let q = null, b = 0, s = '', i, j, c; p = p + ''; function push() { path.push(s + p.substring(i, j)); s = ''; i = j + 1; } for (i = j = 0; j < n; ++j) { c = p[j]; if (c === '\\') { s += p.substring(i, j++); i = j; } else if (c === q) { push(); q = null; b = -1; } else if (q) { continue; } else if (i === b && c === '"') { i = j + 1; q = c; } else if (i === b && c === "'") { i = j + 1; q = c; } else if (c === '.' && !b) { if (j > i) { push(); } else { i = j + 1; } } else if (c === '[') { if (j > i) push(); b = i = j + 1; } else if (c === ']') { if (!b) error('Access path missing open bracket: ' + p); if (b > 0) push(); b = 0; i = j + 1; } } if (b) error('Access path missing closing bracket: ' + p); if (q) error('Access path missing closing quote: ' + p); if (j > i) { j++; push(); } return path; } function field (field, name, opt) { const path = splitAccessPath(field); field = path.length === 1 ? path[0] : field; return accessor((opt && opt.get || getter)(path), [field], name || field); } const id = field('id'); const identity = accessor(_ => _, [], 'identity'); const zero = accessor(() => 0, [], 'zero'); const one = accessor(() => 1, [], 'one'); const truthy = accessor(() => true, [], 'true'); const falsy = accessor(() => false, [], 'false'); function log$1(method, level, input) { const args = [level].concat([].slice.call(input)); console[method].apply(console, args); // eslint-disable-line no-console } const None = 0; const Error$1 = 1; const Warn = 2; const Info = 3; const Debug = 4; function logger (_, method, handler = log$1) { let level = _ || None; return { level(_) { if (arguments.length) { level = +_; return this; } else { return level; } }, error() { if (level >= Error$1) handler(method || 'error', 'ERROR', arguments); return this; }, warn() { if (level >= Warn) handler(method || 'warn', 'WARN', arguments); return this; }, info() { if (level >= Info) handler(method || 'log', 'INFO', arguments); return this; }, debug() { if (level >= Debug) handler(method || 'log', 'DEBUG', arguments); return this; } }; } var isArray = Array.isArray; function isObject (_) { return _ === Object(_); } const isLegalKey = key => key !== '__proto__'; function mergeConfig(...configs) { return configs.reduce((out, source) => { for (const key in source) { if (key === 'signals') { // for signals, we merge the signals arrays // source signals take precedence over // existing signals with the same name out.signals = mergeNamed(out.signals, source.signals); } else { // otherwise, merge objects subject to recursion constraints // for legend block, recurse for the layout entry only // for style block, recurse for all properties // otherwise, no recursion: objects overwrite, no merging const r = key === 'legend' ? { layout: 1 } : key === 'style' ? true : null; writeConfig(out, key, source[key], r); } } return out; }, {}); } function writeConfig(output, key, value, recurse) { if (!isLegalKey(key)) return; let k, o; if (isObject(value) && !isArray(value)) { o = isObject(output[key]) ? output[key] : output[key] = {}; for (k in value) { if (recurse && (recurse === true || recurse[k])) { writeConfig(o, k, value[k]); } else if (isLegalKey(k)) { o[k] = value[k]; } } } else { output[key] = value; } } function mergeNamed(a, b) { if (a == null) return b; const map = {}, out = []; function add(_) { if (!map[_.name]) { map[_.name] = 1; out.push(_); } } b.forEach(add); a.forEach(add); return out; } function peek (array) { return array[array.length - 1]; } function toNumber (_) { return _ == null || _ === '' ? null : +_; } const exp = sign => x => sign * Math.exp(x); const log = sign => x => Math.log(sign * x); const symlog = c => x => Math.sign(x) * Math.log1p(Math.abs(x / c)); const symexp = c => x => Math.sign(x) * Math.expm1(Math.abs(x)) * c; const pow = exponent => x => x < 0 ? -Math.pow(-x, exponent) : Math.pow(x, exponent); function pan(domain, delta, lift, ground) { const d0 = lift(domain[0]), d1 = lift(peek(domain)), dd = (d1 - d0) * delta; return [ground(d0 - dd), ground(d1 - dd)]; } function panLinear(domain, delta) { return pan(domain, delta, toNumber, identity); } function panLog(domain, delta) { var sign = Math.sign(domain[0]); return pan(domain, delta, log(sign), exp(sign)); } function panPow(domain, delta, exponent) { return pan(domain, delta, pow(exponent), pow(1 / exponent)); } function panSymlog(domain, delta, constant) { return pan(domain, delta, symlog(constant), symexp(constant)); } function zoom(domain, anchor, scale, lift, ground) { const d0 = lift(domain[0]), d1 = lift(peek(domain)), da = anchor != null ? lift(anchor) : (d0 + d1) / 2; return [ground(da + (d0 - da) * scale), ground(da + (d1 - da) * scale)]; } function zoomLinear(domain, anchor, scale) { return zoom(domain, anchor, scale, toNumber, identity); } function zoomLog(domain, anchor, scale) { const sign = Math.sign(domain[0]); return zoom(domain, anchor, scale, log(sign), exp(sign)); } function zoomPow(domain, anchor, scale, exponent) { return zoom(domain, anchor, scale, pow(exponent), pow(1 / exponent)); } function zoomSymlog(domain, anchor, scale, constant) { return zoom(domain, anchor, scale, symlog(constant), symexp(constant)); } function quarter(date) { return 1 + ~~(new Date(date).getMonth() / 3); } function utcquarter(date) { return 1 + ~~(new Date(date).getUTCMonth() / 3); } function array (_) { return _ != null ? isArray(_) ? _ : [_] : []; } /** * Span-preserving range clamp. If the span of the input range is less * than (max - min) and an endpoint exceeds either the min or max value, * the range is translated such that the span is preserved and one * endpoint touches the boundary of the min/max range. * If the span exceeds (max - min), the range [min, max] is returned. */ function clampRange (range, min, max) { let lo = range[0], hi = range[1], span; if (hi < lo) { span = hi; hi = lo; lo = span; } span = hi - lo; return span >= max - min ? [min, max] : [lo = Math.min(Math.max(lo, min), max - span), lo + span]; } function isFunction (_) { return typeof _ === 'function'; } const DESCENDING = 'descending'; function compare (fields, orders, opt) { opt = opt || {}; orders = array(orders) || []; const ord = [], get = [], fmap = {}, gen = opt.comparator || comparator; array(fields).forEach((f, i) => { if (f == null) return; ord.push(orders[i] === DESCENDING ? -1 : 1); get.push(f = isFunction(f) ? f : field(f, null, opt)); (accessorFields(f) || []).forEach(_ => fmap[_] = 1); }); return get.length === 0 ? null : accessor(gen(get, ord), Object.keys(fmap)); } const ascending = (u, v) => (u < v || u == null) && v != null ? -1 : (u > v || v == null) && u != null ? 1 : (v = v instanceof Date ? +v : v, u = u instanceof Date ? +u : u) !== u && v === v ? -1 : v !== v && u === u ? 1 : 0; const comparator = (fields, orders) => fields.length === 1 ? compare1(fields[0], orders[0]) : compareN(fields, orders, fields.length); const compare1 = (field, order) => function (a, b) { return ascending(field(a), field(b)) * order; }; const compareN = (fields, orders, n) => { orders.push(0); // pad zero for convenient lookup return function (a, b) { let f, c = 0, i = -1; while (c === 0 && ++i < n) { f = fields[i]; c = ascending(f(a), f(b)); } return c * orders[i]; }; }; function constant (_) { return isFunction(_) ? _ : () => _; } function debounce (delay, handler) { let tid; return e => { if (tid) clearTimeout(tid); tid = setTimeout(() => (handler(e), tid = null), delay); }; } function extend (_) { for (let x, k, i = 1, len = arguments.length; i < len; ++i) { x = arguments[i]; for (k in x) { _[k] = x[k]; } } return _; } /** * Return an array with minimum and maximum values, in the * form [min, max]. Ignores null, undefined, and NaN values. */ function extent (array, f) { let i = 0, n, v, min, max; if (array && (n = array.length)) { if (f == null) { // find first valid value for (v = array[i]; i < n && (v == null || v !== v); v = array[++i]); min = max = v; // visit all other values for (; i < n; ++i) { v = array[i]; // skip null/undefined; NaN will fail all comparisons if (v != null) { if (v < min) min = v; if (v > max) max = v; } } } else { // find first valid value for (v = f(array[i]); i < n && (v == null || v !== v); v = f(array[++i])); min = max = v; // visit all other values for (; i < n; ++i) { v = f(array[i]); // skip null/undefined; NaN will fail all comparisons if (v != null) { if (v < min) min = v; if (v > max) max = v; } } } } return [min, max]; } function extentIndex (array, f) { const n = array.length; let i = -1, a, b, c, u, v; if (f == null) { while (++i < n) { b = array[i]; if (b != null && b >= b) { a = c = b; break; } } if (i === n) return [-1, -1]; u = v = i; while (++i < n) { b = array[i]; if (b != null) { if (a > b) { a = b; u = i; } if (c < b) { c = b; v = i; } } } } else { while (++i < n) { b = f(array[i], i, array); if (b != null && b >= b) { a = c = b; break; } } if (i === n) return [-1, -1]; u = v = i; while (++i < n) { b = f(array[i], i, array); if (b != null) { if (a > b) { a = b; u = i; } if (c < b) { c = b; v = i; } } } } return [u, v]; } const hop = Object.prototype.hasOwnProperty; function has (object, property) { return hop.call(object, property); } const NULL = {}; function fastmap (input) { let obj = {}, test; function has$1(key) { return has(obj, key) && obj[key] !== NULL; } const map = { size: 0, empty: 0, object: obj, has: has$1, get(key) { return has$1(key) ? obj[key] : undefined; }, set(key, value) { if (!has$1(key)) { ++map.size; if (obj[key] === NULL) --map.empty; } obj[key] = value; return this; }, delete(key) { if (has$1(key)) { --map.size; ++map.empty; obj[key] = NULL; } return this; }, clear() { map.size = map.empty = 0; map.object = obj = {}; }, test(_) { if (arguments.length) { test = _; return map; } else { return test; } }, clean() { const next = {}; let size = 0; for (const key in obj) { const value = obj[key]; if (value !== NULL && (!test || !test(value))) { next[key] = value; ++size; } } map.size = size; map.empty = 0; map.object = obj = next; } }; if (input) Object.keys(input).forEach(key => { map.set(key, input[key]); }); return map; } function flush (range, value, threshold, left, right, center) { if (!threshold && threshold !== 0) return center; const t = +threshold; let a = range[0], b = peek(range), l; // swap endpoints if range is reversed if (b < a) { l = a; a = b; b = l; } // compare value to endpoints l = Math.abs(value - a); const r = Math.abs(b - value); // adjust if value is within threshold distance of endpoint return l < r && l <= t ? left : r <= t ? right : center; } function inherits (child, parent, members) { const proto = child.prototype = Object.create(parent.prototype); Object.defineProperty(proto, 'constructor', { value: child, writable: true, enumerable: true, configurable: true }); return extend(proto, members); } /** * Predicate that returns true if the value lies within the span * of the given range. The left and right flags control the use * of inclusive (true) or exclusive (false) comparisons. */ function inrange (value, range, left, right) { let r0 = range[0], r1 = range[range.length - 1], t; if (r0 > r1) { t = r0; r0 = r1; r1 = t; } left = left === undefined || left; right = right === undefined || right; return (left ? r0 <= value : r0 < value) && (right ? value <= r1 : value < r1); } function isBoolean (_) { return typeof _ === 'boolean'; } function isDate (_) { return Object.prototype.toString.call(_) === '[object Date]'; } function isIterable (_) { return _ && isFunction(_[Symbol.iterator]); } function isNumber (_) { return typeof _ === 'number'; } function isRegExp (_) { return Object.prototype.toString.call(_) === '[object RegExp]'; } function isString (_) { return typeof _ === 'string'; } function key (fields, flat, opt) { if (fields) { fields = flat ? array(fields).map(f => f.replace(/\\(.)/g, '$1')) : array(fields); } const len = fields && fields.length, gen = opt && opt.get || getter, map = f => gen(flat ? [f] : splitAccessPath(f)); let fn; if (!len) { fn = function () { return ''; }; } else if (len === 1) { const get = map(fields[0]); fn = function (_) { return '' + get(_); }; } else { const get = fields.map(map); fn = function (_) { let s = '' + get[0](_), i = 0; while (++i < len) s += '|' + get[i](_); return s; }; } return accessor(fn, fields, 'key'); } function lerp (array, frac) { const lo = array[0], hi = peek(array), f = +frac; return !f ? lo : f === 1 ? hi : lo + f * (hi - lo); } const DEFAULT_MAX_SIZE = 10000; // adapted from https://github.com/dominictarr/hashlru/ (MIT License) function lruCache (maxsize) { maxsize = +maxsize || DEFAULT_MAX_SIZE; let curr, prev, size; const clear = () => { curr = {}; prev = {}; size = 0; }; const update = (key, value) => { if (++size > maxsize) { prev = curr; curr = {}; size = 1; } return curr[key] = value; }; clear(); return { clear, has: key => has(curr, key) || has(prev, key), get: key => has(curr, key) ? curr[key] : has(prev, key) ? update(key, prev[key]) : undefined, set: (key, value) => has(curr, key) ? curr[key] = value : update(key, value) }; } function merge (compare, array0, array1, output) { const n0 = array0.length, n1 = array1.length; if (!n1) return array0; if (!n0) return array1; const merged = output || new array0.constructor(n0 + n1); let i0 = 0, i1 = 0, i = 0; for (; i0 < n0 && i1 < n1; ++i) { merged[i] = compare(array0[i0], array1[i1]) > 0 ? array1[i1++] : array0[i0++]; } for (; i0 < n0; ++i0, ++i) { merged[i] = array0[i0]; } for (; i1 < n1; ++i1, ++i) { merged[i] = array1[i1]; } return merged; } function repeat (str, reps) { let s = ''; while (--reps >= 0) s += str; return s; } function pad (str, length, padchar, align) { const c = padchar || ' ', s = str + '', n = length - s.length; return n <= 0 ? s : align === 'left' ? repeat(c, n) + s : align === 'center' ? repeat(c, ~~(n / 2)) + s + repeat(c, Math.ceil(n / 2)) : s + repeat(c, n); } /** * Return the numerical span of an array: the difference between * the last and first values. */ function span (array) { return array && peek(array) - array[0] || 0; } function $(x) { return isArray(x) ? '[' + x.map($) + ']' : isObject(x) || isString(x) ? // Output valid JSON and JS source strings. // See http://timelessrepo.com/json-isnt-a-javascript-subset JSON.stringify(x).replace('\u2028', '\\u2028').replace('\u2029', '\\u2029') : x; } function toBoolean (_) { return _ == null || _ === '' ? null : !_ || _ === 'false' || _ === '0' ? false : !!_; } const defaultParser = _ => isNumber(_) ? _ : isDate(_) ? _ : Date.parse(_); function toDate (_, parser) { parser = parser || defaultParser; return _ == null || _ === '' ? null : parser(_); } function toString (_) { return _ == null || _ === '' ? null : _ + ''; } function toSet (_) { const s = {}, n = _.length; for (let i = 0; i < n; ++i) s[_[i]] = true; return s; } function truncate (str, length, align, ellipsis) { const e = ellipsis != null ? ellipsis : '\u2026', s = str + '', n = s.length, l = Math.max(0, length - e.length); return n <= length ? s : align === 'left' ? e + s.slice(n - l) : align === 'center' ? s.slice(0, Math.ceil(l / 2)) + e + s.slice(n - ~~(l / 2)) : s.slice(0, l) + e; } function visitArray (array, filter, visitor) { if (array) { if (filter) { const n = array.length; for (let i = 0; i < n; ++i) { const t = filter(array[i]); if (t) visitor(t, i, array); } } else { array.forEach(visitor); } } } exports.Debug = Debug; exports.Error = Error$1; exports.Info = Info; exports.None = None; exports.Warn = Warn; exports.accessor = accessor; exports.accessorFields = accessorFields; exports.accessorName = accessorName; exports.array = array; exports.ascending = ascending; exports.clampRange = clampRange; exports.compare = compare; exports.constant = constant; exports.debounce = debounce; exports.error = error; exports.extend = extend; exports.extent = extent; exports.extentIndex = extentIndex; exports.falsy = falsy; exports.fastmap = fastmap; exports.field = field; exports.flush = flush; exports.hasOwnProperty = has; exports.id = id; exports.identity = identity; exports.inherits = inherits; exports.inrange = inrange; exports.isArray = isArray; exports.isBoolean = isBoolean; exports.isDate = isDate; exports.isFunction = isFunction; exports.isIterable = isIterable; exports.isNumber = isNumber; exports.isObject = isObject; exports.isRegExp = isRegExp; exports.isString = isString; exports.key = key; exports.lerp = lerp; exports.logger = logger; exports.lruCache = lruCache; exports.merge = merge; exports.mergeConfig = mergeConfig; exports.one = one; exports.pad = pad; exports.panLinear = panLinear; exports.panLog = panLog; exports.panPow = panPow; exports.panSymlog = panSymlog; exports.peek = peek; exports.quarter = quarter; exports.repeat = repeat; exports.span = span; exports.splitAccessPath = splitAccessPath; exports.stringValue = $; exports.toBoolean = toBoolean; exports.toDate = toDate; exports.toNumber = toNumber; exports.toSet = toSet; exports.toString = toString; exports.truncate = truncate; exports.truthy = truthy; exports.utcquarter = utcquarter; exports.visitArray = visitArray; exports.writeConfig = writeConfig; exports.zero = zero; exports.zoomLinear = zoomLinear; exports.zoomLog = zoomLog; exports.zoomPow = zoomPow; exports.zoomSymlog = zoomSymlog; })); /* */}),null);
-----
WitHelpers",["Random","ReactDOM_DEPRECATED","ReactRouter-2.0.0","WitHelpersShared","WitLog","WitModal.react","WitUnderscore","immutable","intersperse","jquery","react"],(function(a,b,c,d,e,f){var g;a=b("WitHelpersShared").debounce;c=b("WitHelpersShared").str;var h=g||(g=b("react")),i=b("immutable").List,j=b("immutable").Set,k=b("immutable").Iterable,l=b("ReactRouter-2.0.0").Link,m=b("WitModal.react").ConfirmModal;d=function(a){"use strict";babelHelpers.inheritsLoose(b,a);function b(){return a.apply(this,arguments)||this}var c=b.prototype;c.render=function(){var a=this.props,b=a.children;a=babelHelpers.objectWithoutPropertiesLoose(a,["children"]);return h.jsx(l,babelHelpers["extends"]({activeClassName:"active"},a,{children:b}))};return b}(h.Component);var n=["webkit","ms","moz","Moz","o","O"];f=function(a,b){b=b.charAt(0).toUpperCase()+b.slice(1);for(var c=0;c Received message",e);if(a.origin&&e.origin!==a.origin){b("WitLog")("> Different origin",e.origin);return}window.removeEventListener("message",d,!1);return a.cb(e.data,c)};b("WitLog")("> Listening for message");window.addEventListener("message",g,!1);c=window.open(a.url,a.title,e);a.under&&c.opener.window.focus();return c},blank:function(a){return!a||!b("WitUnderscore")(a).size()},pretty_date:function(a){if(!a)return;a=new Date(a);return a.toLocaleDateString()+" "+a.toLocaleTimeString()},human_date:function(a){if(!a)return;var b=new Date();b=b.getTime()-a.getTime();b=Math.round(b/1e3);if(b<60)return"a few seconds ago";b=Math.round(b/60);if(b<60)return b+" minutes ago";b=Math.round(b/60);if(b<24)return b+" hours ago";b=Math.round(b/24);if(b<31)return b+" days ago";b=Math.round(b/31);if(b<12)return b+" months ago";b=Math.round(b/12);return b+" years ago"},browser:function(){var a=navigator.userAgent.toLowerCase();a=/(chrome)[ /]([w.]+)/.exec(a)||/(webkit)[ /]([w.]+)/.exec(a)||/(opera)(?:.*version|)[ /]([w.]+)/.exec(a)||/(msie) ([w.]+)/.exec(a)||a.indexOf("compatible")<0&&/(mozilla)(?:.*? rv:([w.]+)|)/.exec(a)||[];var b=a[1]||"";a=a[2]||"0";var c={};b&&(c[b]=!0,c.version=a);c.chrome?c.webkit=!0:c.webkit&&(c.safari=!0);c.supported=c.webkit||c.mozilla;return c},confirm:function(a,c,d){var e=b("jquery")("
")[0];b("jquery")("body").append(e);a={msg:a,onOk:c,onCancel:d,onHide:function(){b("ReactDOM_DEPRECATED").unmountComponentAtNode_DEPRECATED(e);return b("jquery")(e).remove()}};return b("ReactDOM_DEPRECATED").render_DEPRECATED(h.jsx(m,babelHelpers["extends"]({},a)),e)},regex_escape:function(a){return a.trim().replace(/([.?*+^$[]\(){}|-])/g,"\$1")},is_valid_email:function(a){return/[^@]+@[^.]+..+/.test(a)},easy_plural:function(a,b){Array.isArray(b)&&(b=b.length);if(b>1||b===0)return a+"s";else return a},intersperse:b("intersperse"),filterFalsy:function(a,b){var c=j(b);return a.filterNot(function(a,b){return c.has(b)&&!a})},safeCall:function(a){if(a){for(var b=arguments.length,c=new Array(b>1?b-1:0),d=1;d1?c-1:0),e=1;e3?e-3:0),g=3;g1?b-1:0),d=1;d-----
PubXPerf.react",["LoadingMarkerArea.react","PubXComponentPerformance","immutable","react"],(function(a,b,c,d,e,f,g){"use strict";var h,i=h||d("react");a=function(a){babelHelpers.inheritsLoose(b,a);function b(){return a.apply(this,arguments)||this}var e=b.prototype;e.componentWillUnmount=function(){this.$1&&d("PubXComponentPerformance").componentLoadCancel(this,this.props.name)};e.render=function(){var a=Array.isArray(this.props.state)?this.props.state.every(j):j(this.props.state);a?this.$1&&(this.$1=!1,this.$2=!0,d("PubXComponentPerformance").componentLoaded(this,this.props.name)):!this.$2&&!this.$1&&(this.$1=!0,d("PubXComponentPerformance").componentLoading(this,this.props.name));return i.jsx(c("LoadingMarkerArea.react"),{name:this.props.name,owner:"publisher_experience",children:this.props.children})};return b}(i.Component);var j=function a(b){if(b===null)return!0;if(k(b)){var d=b;return!d.isDone()?!1:d.hasValue()?a(d.getValueEnforcing()):!0}if(Array.isArray(b)){if(b.length===0)return!0;d=b;return k(b[0])?d.every(function(a){return a.isDone()}):d.every(a)}if(c("immutable").Iterable.isIterable(b)){d=b.valueSeq();var e=d.first();return k(e)?d.every(function(a){return a.isDone()}):d.every(a)}return Object.values(b).every(function(a){return k(a)?a.isDone():!0})},k=function(a){return a!=null&&a.internalHasValue!=null};b=d("PubXComponentPerformance").createComponent(a);g["default"]=b}),98);
-----
CubitorThreeXR",["CubitorSkyDomeMaterial","CubitorUtils","CubitorXRConstants","CubitorXRGizmoManager","CubitorXRGrabAction","CubitorXRManager","CubitorXRMeshHighLighter","CubitorXRSlideLocomotion","GLTFLoader.three.r137","OrbitControls.three.r137","VRButton.three.r137","asyncToGeneratorRuntime","three-obj-loader","three.r137"],(function(a,b,c,d,e,f,g){"use strict";function h(a){return a*.0174533}a=function(){function a(a){this.$7=new(c("three.r137").Group)(),this.$13=new(c("three.r137").Raycaster)(),this.$1=a.mapCenter,this.$5=a.canvasId,this.$6=a.meshes,this.$2=a.viewport,this.$4=new Map(),this.$19=a.showTerrain}var e=a.prototype;e.setPositioning=function(a,b){var e=this.$2.project([b.getLocation()[0],b.getLocation()[1],this.$2.zoom]),f=b.getScale();a.position.set(e[0]-d("CubitorXRConstants").WIDTH/2,b.getElevation(),e[1]-d("CubitorXRConstants").HEIGHT/2);a.scale.set(f,f,f);f=new((e=c("three.r137")).Quaternion)();a.setRotationFromQuaternion(f);a.rotateOnWorldAxis(new e.Vector3(1,0,0),h(b.getPitch()-90));a.rotateOnWorldAxis(new e.Vector3(0,1,0),h(b.getYaw()));a.rotateOnWorldAxis(new e.Vector3(0,0,1),h(360-b.getRoll()))};e.loadGlb=function(a){var b=this,d=new(c("GLTFLoader.three.r137"))();d.load(a.getGlbUrl(),function(c){b.$8.add(c.scene),b.setPositioning(c.scene,a)})};e.applyTextureToObj=function(a,b){if(a.getTextureUrl()&&a.getTextureUrl().length>0){var d=new(c("three.r137").TextureLoader)().load(a.getTextureUrl());b.traverse(function(a){a instanceof c("three.r137").Mesh&&(a.material.map=d)})}else{var e=new(c("three.r137").MeshPhongMaterial)({color:a.getColor(),side:c("three.r137").DoubleSide,shading:c("three.r137").SmoothShading,shininess:30});b.traverse(function(a){a instanceof c("three.r137").Mesh&&(a.material=e)})}};e.setTextureAndPosition=function(a,b){this.applyTextureToObj(a,b),this.$8.add(b),this.setPositioning(b,a)};e.loadObj=function(a){var b=this,d=new(c("three.r137").OBJLoader)(),e;a.getObjUrl()===""?(e=d.parse(a.getData()),this.setTextureAndPosition(a,e)):d.load(a.getObjUrl(),function(c){b.setTextureAndPosition(a,c)})};e.createSkyBox=function(){var a=c("CubitorSkyDomeMaterial")();a.props.diskLongitude=d("CubitorXRConstants").SUN_LON;a.props.diskLatitude=d("CubitorXRConstants").SUN_LAT;a.props.update();a=new(c("three.r137").Mesh)(new(c("three.r137").SphereGeometry)(1e3,32,16),a);a.name="skyBox";this.$8.add(a)};e.addLighting=function(){var a=new(c("three.r137").AmbientLight)(d("CubitorXRConstants").SOFT_LIGHT,2);this.$8.add(a);a=d("CubitorUtils").vec3_fromPolar(d("CubitorXRConstants").SUN_LON,d("CubitorXRConstants").SUN_LAT);var b=new(c("three.r137").DirectionalLight)(16777215,1);b.position.fromArray(a);b.castShadow=!0;this.$8.add(b)};e.init=function(){var a=this,b,e=document.getElementById(this.$5);c("three-obj-loader")(b=c("three.r137"));this.$8=new b.Scene();this.$6.forEach(function(b){return b.getGlbUrl().length>0?a.loadGlb(b):a.loadObj(b)});this.$8.add(this.$7);this.createSkyBox();this.addLighting();this.$3=new b.PerspectiveCamera(45,window.innerWidth/window.innerHeight,.1,2e3);this.$12=new b.Clock();this.$9=new b.Group();this.$9.position.set(0,0,0);this.$9.add(this.$3);this.$8.add(this.$9);this.$3.position.x=d("CubitorXRConstants").CAMERA_POSITION[0];this.$3.position.y=d("CubitorXRConstants").CAMERA_POSITION[1];this.$3.position.z=d("CubitorXRConstants").CAMERA_POSITION[2];this.$11=new b.WebGLRenderer({canvas:e,context:e.getContext("webgl2"),antialias:!0,alpha:!0});this.$10=new(d("OrbitControls.three.r137").OrbitControls)(this.$3,this.$11.domElement);this.$11.setPixelRatio(window.devicePixelRatio);this.$11.xr.enabled=!0;this.$11.xr.setFramebufferScaleFactor(2);this.$11.xr.setReferenceSpaceType("local");(b=document.body)==null?void 0:b.appendChild(c("VRButton.three.r137").createButton(this.$11));window.addEventListener("resize",function(b){return a.onResize()});this.onResize();this.$14=new(d("CubitorXRManager").XRManager)(this.$11,this.$8,this.$3);this.$14.setRoomContainer(this.$9);this.$14.onXRStart=function(){a.$9.position.y=2};this.$15=new(c("CubitorXRSlideLocomotion"))();this.$15.setTargetObject(this.$9);this.$16=new(c("CubitorXRMeshHighLighter"))();this.$16.startMouseHandling(this.$11,this.$3,this.$7.children);this.$17=new(c("CubitorXRGizmoManager"))(this.$8,this.$11,this.$3,this.$10);this.$11.domElement.addEventListener("pointerdown",function(b){a.checkIfSelectingObject(a.getPointerRayCaster(b))})};e.animate=function(){var a=this;this.$12.start();this.$11.setAnimationLoop(function(b,e){if(a.$14.update(e)){b=a.$14.getController("right");e=a.$7.children;var f=a.$12.getDelta();a.$15.update(f,a.$14);if(a.$19){var g=a.$9.position.x,h=a.$9.position.z;g=a.$18.getHeightAt(g,h)+d("CubitorXRConstants").XR_MIN_HEIGHT;a.$15.updateUp(f,g)}a.$14.updatesFromCamera();a.$17.isInUse()||a.$16.update(a.$14,e);if(b){h=b.getRayCaster();f=b.isButtonUpThisFrame("trigger");g=b.isButtonDownThisFrame("trigger");c("CubitorXRGrabAction").update(b,e);a.$17.isVisible()&&(a.$17.isInUse()?a.$17.casterMove(h):a.$17.casterHover(h));if(g){b=!1;a.$17.isVisible()&&(b=a.$17.casterDown(h));b||a.checkIfSelectingObject(h)}else f&&(a.$17.isInUse()&&a.$17.casterUp())}}a.$11.render(a.$8,a.$3)})};e.getScene=function(){return this.$8};e.getSelectedableGroup=function(){return this.$7};e.isIterable=function(a){return a==null?!1:typeof a[typeof Symbol==="function"?Symbol.iterator:"@@iterator"]==="function"};e.getPointerRayCaster=function(a,b){var d=this.$11.domElement.getBoundingClientRect(),e=a.clientX-d.left;a=a.clientY-d.top;e=new(c("three.r137").Vector2)(e/d.width*2-1,-(a/d.height)*2+1);a=b||this.$13;a.setFromCamera(e,this.$3);return a};e.checkIfSelectingObject=function(a){a=a.intersectObjects(this.$7.children,!0);if(a.length>0){this.$17.attach(a[0].object);return a[0].object}else this.$17.isVisible()&&!this.$17.isInUse()&&this.$17.detach();return null};e.onResize=function(){var a=this.$11.domElement.parentNode;a=a.getBoundingClientRect();this.$11.setSize(a.width,a.height);this.$3.aspect=a.width/a.height;this.$3.updateProjectionMatrix()};e.setTileManager=function(a){this.$18=a};e.updatePositionsFromHeightMap=function(){var a=b("asyncToGeneratorRuntime").asyncToGenerator(function*(){var a=d("CubitorXRConstants").TERRAIN_TO_CAMERA_MIN_HEIGHT+this.$18.getHeightAt(0,0);this.$10.target.y+=a;this.$3.position.y+=a;var b=this.$8.getObjectByName("skyBox");b&&(b.position.y+=a)});function c(){return a.apply(this,arguments)}return c}();return a}();g["default"]=a}),98);
-----
loaders-gl-core-1.3.5",["babel-runtime-7.4.3"],(function(a,b,c,d,e,f){"use strict";function c(a){return a&&typeof a==="object"&&"default"in a?a["default"]:a}var g=c(b("babel-runtime-7.4.3")),h={},i={exports:h};function j(){Object.defineProperty(h,"__esModule",{value:!0});h["default"]=a;function a(a,b){if(!a)throw new Error(b||"loader assertion failed.")}}var k=!1;function l(){k||(k=!0,j());return i.exports}var m={},n={exports:m};function o(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(m,"__esModule",{value:!0});m.isLoaderObject=f;m.normalizeLoader=h;var b=a(g("/helpers/defineProperty")),c=a(l());function d(a,b){var c=Object.keys(a);if(Object.getOwnPropertySymbols){var d=Object.getOwnPropertySymbols(a);b&&(d=d.filter(function(b){return Object.getOwnPropertyDescriptor(a,b).enumerable}));c.push.apply(c,d)}return c}function e(a){for(var c=1;c0&&a.extensions[0]);a.parseTextSync&&(a.text=!0);a.text||(a.binary=!0);return a}}var p=!1;function q(){p||(p=!0,o());return n.exports}var r={},s={exports:r};function t(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(r,"__esModule",{value:!0});r["default"]=void 0;var b=a(g("/helpers/classCallCheck")),c=a(g("/helpers/createClass"));a=function(){function a(){b["default"](this,a)}c["default"](a,[{key:"log",value:function(){}},{key:"info",value:function(){}},{key:"warn",value:function(){}},{key:"error",value:function(){}}]);return a}();r["default"]=a}var u=!1;function v(){u||(u=!0,t());return s.exports}var w={},aa={exports:w};function x(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(w,"__esModule",{value:!0});w.mergeLoaderAndUserOptions=c;var b=a(v());function c(a,c){a=Object.assign({},c&&c.DEFAULT_OPTIONS,c&&c.defaultOptions,c&&c.options,a,{dataType:"arraybuffer"});a.log===null&&(a.log=new b["default"]());"log"in a||(a.log=console);return a}}var y=!1;function z(){y||(y=!0,x());return aa.exports}var A={},ba={exports:A};function ca(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(A,"__esModule",{value:!0});A.isWritableStream=A.isReadableStream=A.isReadableNodeStream=A.isWritableNodeStream=A.isReadableDOMStream=A.isWritableDOMStream=A.isFileReadable=A.isBlob=A.isFile=A.isFetchResponse=A.isIterator=A.isAsyncIterable=A.isIterable=A.isPromise=void 0;var b=a(g("/helpers/typeof")),c=function(a){return typeof a==="boolean"},d=function(a){return typeof a==="function"},e=function(a){return a!==null&&b["default"](a)==="object"};a=function(a){return e(a)&&d(a.then)};A.isPromise=a;a=function(a){return a&&typeof a[Symbol.iterator]==="function"};A.isIterable=a;a=function(a){return a&&typeof a[Symbol.asyncIterator]==="function"};A.isAsyncIterable=a;a=function(a){return a&&d(a.next)};A.isIterator=a;a=function(a){return typeof Response!=="undefined"&&a instanceof Response||a.arrayBuffer&&a.text&&a.json};A.isFetchResponse=a;var f=function(a){return typeof File!=="undefined"&&a instanceof File};A.isFile=f;var h=function(a){return typeof Blob!=="undefined"&&a instanceof Blob};A.isBlob=h;a=function(a){return f(a)||h(a)};A.isFileReadable=a;var i=function(a){return e(a)&&d(a.abort)&&d(a.getWriter)};A.isWritableDOMStream=i;var j=function(a){return e(a)&&d(a.tee)&&d(a.cancel)&&d(a.pipeTo)&&d(a.getReader)};A.isReadableDOMStream=j;var k=function(a){return e(a)&&d(a.end)&&d(a.write)&&c(a.writable)};A.isWritableNodeStream=k;var l=function(a){return e(a)&&d(a.read)&&d(a.pipe)&&c(a.readable)};A.isReadableNodeStream=l;a=function(a){return j(a)||l(a)};A.isReadableStream=a;a=function(a){return i(a)||k(a)};A.isWritableStream=a}var B=!1;function C(){B||(B=!0,ca());return ba.exports}var D={},E={exports:D};function F(){var b=g("/helpers/interopRequireDefault");Object.defineProperty(D,"__esModule",{value:!0});D.nodeVersion=D.document=D.global=D.window=D.self=D.isBrowser=void 0;b=b(g("/helpers/typeof"));b=(typeof process==="undefined"?"undefined":b["default"](process))!=="object"||String(process)!=="[object process]"||process.browser;D.isBrowser=b;b={self:typeof self!=="undefined"&&self,window:typeof window!=="undefined"&&window,global:typeof a!=="undefined"&&a,document:typeof document!=="undefined"&&document};var c=b.self||b.window||b.global;D.self=c;c=b.window||b.self||b.global;D.window=c;c=b.global||b.self||b.window;D.global=c;c=b.document||{};D.document=c;b=typeof process!=="undefined"&&process.version&&process.version.match(/v([0-9]*)/);c=b&&parseFloat(b[1])||0;D.nodeVersion=c}var G=!1;function H(){G||(G=!0,F());return E.exports}var I={},da={exports:I};function ea(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(I,"__esModule",{value:!0});I.getStreamIterator=h;var b=a(g("/helpers/asyncToGenerator")),c=a(g("/regenerator")),d=a(g("/helpers/awaitAsyncGenerator")),e=a(g("/helpers/wrapAsyncGenerator")),f=H();function h(a){if(f.isBrowser||f.nodeVersion>=10){if(typeof a[Symbol.asyncIterator]==="function")return a;if(typeof a.getIterator==="function")return a.getIterator()}return f.isBrowser?i(a):k(a)}function i(a){return j.apply(this,arguments)}function j(){j=e["default"](c["default"].mark(function a(b){var e,f,g,h;return c["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:e=b.getReader(),a.prev=1;case 2:a.next=5;return d["default"](e.read());case 5:f=a.sent;g=f.done;h=f.value;if(!g){a.next=10;break}return a.abrupt("return");case 10:a.next=12;return h;case 12:a.next=2;break;case 14:a.next=19;break;case 16:a.prev=16,a.t0=a["catch"](1),e.releaseLock();case 19:case"end":return a.stop()}},a,null,[[1,16]])}));return j.apply(this,arguments)}function k(a){return l.apply(this,arguments)}function l(){l=e["default"](c["default"].mark(function a(b){var e;return c["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:a.next=2;return d["default"](b);case 2:b=a.sent;case 3:e=b.read();if(!(e!==null)){a.next=9;break}a.next=8;return e;case 8:return a.abrupt("continue",3);case 9:if(!b._readableState.ended){a.next=11;break}return a.abrupt("return");case 11:a.next=13;return d["default"](m(b));case 13:a.next=3;break;case 15:case"end":return a.stop()}},a)}));return l.apply(this,arguments)}function m(a){return n.apply(this,arguments)}function n(){n=b["default"](c["default"].mark(function a(b){return c["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:return a.abrupt("return",new Promise(function(a){b.once("readable",a)}));case 1:case"end":return a.stop()}},a)}));return n.apply(this,arguments)}}var fa=!1;function ga(){fa||(fa=!0,ea());return da.exports}var ha={},ia={exports:ha};function ja(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(ha,"__esModule",{value:!0});ha["default"]=i;var b=a(g("/regenerator")),c=a(g("/helpers/asyncToGenerator")),d=a(g("/helpers/classCallCheck")),e=a(g("/helpers/createClass")),f=a(l()),h=function(){function a(b){d["default"](this,a),this._fileOrBlob=b,this.bodyUsed=!1}e["default"](a,[{key:"url",value:function(){return this._fileOrBlob.name||""}},{key:"arrayBuffer",value:function(){var a=c["default"](b["default"].mark(function a(){var c,d,e;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:c=this._getFileReader(),d=c.reader,e=c.promise;d.readAsArrayBuffer(this._fileOrBlob);return a.abrupt("return",e);case 3:case"end":return a.stop()}},a,this)}));function d(){return a.apply(this,arguments)}return d}()},{key:"text",value:function(){var a=c["default"](b["default"].mark(function a(){var c,d,e;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:c=this._getFileReader(),d=c.reader,e=c.promise;d.readAsText(this._fileOrBlob);return a.abrupt("return",e);case 3:case"end":return a.stop()}},a,this)}));function d(){return a.apply(this,arguments)}return d}()},{key:"json",value:function(){var a=c["default"](b["default"].mark(function a(){var c;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:a.next=2;return this.text();case 2:c=a.sent;return a.abrupt("return",JSON.parse(c));case 4:case"end":return a.stop()}},a,this)}));function d(){return a.apply(this,arguments)}return d}()},{key:"_getFileReader",value:function(){f["default"](!this.bodyUsed);this.bodyUsed=!0;var a,b=new Promise(function(b,c){try{a=new FileReader(),a.onerror=function(a){return c(new Error(a))},a.onabort=function(){return c(new Error("Read aborted."))},a.onload=function(){return b(a.result)}}catch(a){c(a)}});return{reader:a,promise:b}}},{key:"headers",get:function(){return new Headers({"Content-Length":this._fileOrBlob.size,"Content-Type":this._fileOrBlob.type})}},{key:"ok",get:function(){return!0}},{key:"status",get:function(){return 200}}]);return a}();function i(a,b){return Promise.resolve(new h(a,b))}}var ka=!1;function la(){ka||(ka=!0,ja());return ia.exports}var J={},ma={exports:J};function na(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(J,"__esModule",{value:!0});J.checkFetchResponseStatus=d;J.checkFetchResponseStatusSync=f;var b=a(g("/regenerator")),c=a(g("/helpers/asyncToGenerator"));function d(a){return e.apply(this,arguments)}function e(){e=c["default"](b["default"].mark(function a(c){var d,e;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:if(c.ok){a.next=12;break}d="fetch failed ".concat(c.status," ");a.prev=2;a.next=5;return c.text();case 5:e=a.sent;d+=e;a.next=11;break;case 9:a.prev=9,a.t0=a["catch"](2);case 11:throw new Error(d);case 12:case"end":return a.stop()}},a,null,[[2,9]])}));return e.apply(this,arguments)}function f(a){if(!a.ok)throw new Error("fetch failed ".concat(a.status))}}var oa=!1;function pa(){oa||(oa=!0,na());return ma.exports}var K={},qa={exports:K};function ra(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(K,"__esModule",{value:!0});K.getUrlFromData=j;K.getArrayBufferOrStringFromDataSync=k;K.getArrayBufferOrStringFromData=l;K.getAsyncIteratorFromData=n;K.getIteratorFromData=o;var b=a(g("/regenerator")),c=a(g("/helpers/asyncToGenerator")),d=C(),e=ga(),f=a(la()),h=pa(),i="Cannot convert supplied data type";function j(a,b){d.isFetchResponse(a)?b=b||a.url:d.isFileReadable(b)&&(b=b.name);return typeof b==="string"?b.replace(/?.*/,""):b}function k(a,b){if(b.text&&typeof a==="string")return a;if(a instanceof ArrayBuffer||ArrayBuffer.isView(a)){a=a.buffer||a;if(b.text&&!b.binary){b=new TextDecoder("utf8");return b.decode(a)}return a}throw new Error(i)}function l(a,b){return m.apply(this,arguments)}function m(){m=c["default"](b["default"].mark(function a(c,e){var g;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:a.next=2;return c;case 2:c=a.sent;g=c instanceof ArrayBuffer||ArrayBuffer.isView(c);if(!(typeof c==="string"||g)){a.next=6;break}return a.abrupt("return",k(c,e));case 6:if(!d.isFileReadable(c)){a.next=10;break}a.next=9;return f["default"](c);case 9:c=a.sent;case 10:if(!d.isFetchResponse(c)){a.next=23;break}a.next=13;return h.checkFetchResponseStatus(c);case 13:if(!e.binary){a.next=19;break}a.next=16;return c.arrayBuffer();case 16:a.t0=a.sent;a.next=22;break;case 19:a.next=21;return c.text();case 21:a.t0=a.sent;case 22:return a.abrupt("return",a.t0);case 23:throw new Error(i);case 24:case"end":return a.stop()}},a)}));return m.apply(this,arguments)}function n(a){if(d.isIterator(a))return a;if(d.isFetchResponse(a)&&a.body){h.checkFetchResponseStatusSync(a);return e.getStreamIterator(a.body)}if(d.isReadableStream(a))return e.getStreamIterator(a);return d.isAsyncIterable(a)?a[Symbol.asyncIterator]():o(a)}function o(a){if(a instanceof ArrayBuffer||ArrayBuffer.isView(a))return b["default"].mark(function c(){return b["default"].wrap(function(b){while(1)switch(b.prev=b.next){case 0:b.next=2;return a.buffer||a;case 2:case"end":return b.stop()}},c)})();if(d.isIterator(a))return a;if(d.isIterable(a))return a[Symbol.iterator]();throw new Error(i)}}var sa=!1;function L(){sa||(sa=!0,ra());return qa.exports}var ta={},ua={exports:ta};function va(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(ta,"__esModule",{value:!0});ta.getLoaderContext=e;var b=a(g("/helpers/defineProperty"));function c(a,b){var c=Object.keys(a);if(Object.getOwnPropertySymbols){var d=Object.getOwnPropertySymbols(a);b&&(d=d.filter(function(b){return Object.getOwnPropertyDescriptor(a,b).enumerable}));c.push.apply(c,d)}return c}function d(a){for(var d=1;d1&&arguments[1]!==void 0?arguments[1]:!0,e=arguments.length>2&&arguments[2]!==void 0?arguments[2]:[];if(!!a)if(a instanceof ArrayBuffer)e.push(a);else if(a.buffer&&a.buffer instanceof ArrayBuffer)e.push(a.buffer);else if(c&&b["default"](a)==="object")for(var f in a)d(a[f],c,e);return e}var e=new Map();function f(a){c["default"](typeof a==="string","worker source");if(a.startsWith("url(")&&a.endsWith(")"))return a.match(/^url((.*))$/)[1];var b=e.get(a);if(!b){var d=new Blob([a],{type:"application/javascript"});b=URL.createObjectURL(d);e.set(a,b)}return b}}var Ja=!1;function Ka(){Ja||(Ja=!0,Ia());return Ha.exports}var O={},La={exports:O};function Ma(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(O,"__esModule",{value:!0});O["default"]=void 0;var b=a(g("/regenerator")),c=a(g("/helpers/asyncToGenerator")),d=a(g("/helpers/classCallCheck")),e=a(g("/helpers/createClass")),f=Ka(),h=0;function i(a){var b=a.data;a=a.resolve;a(b)}a=function(){function a(b){var c=b.source,e=b.name;e=e===void 0?"web-worker-".concat(h++):e;b=b.onMessage;d["default"](this,a);c=f.getWorkerURL(c);this.worker=new Worker(c,{name:e});this.name=e;this.onMessage=b||i}e["default"](a,[{key:"process",value:function(){var a=c["default"](b["default"].mark(function a(c){var d=this;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:return a.abrupt("return",new Promise(function(a,b){d.worker.onmessage=function(c){return d.onMessage({worker:d.worker,data:c.data,resolve:a,reject:b})};d.worker.onerror=function(a){return b(a)};var e=f.getTransferList(c);d.worker.postMessage(c,e)}));case 1:case"end":return a.stop()}},a)}));function d(b){return a.apply(this,arguments)}return d}()},{key:"destroy",value:function(){this.worker.terminate(),this.worker=null}}]);return a}();O["default"]=a}var Na=!1;function Oa(){Na||(Na=!0,Ma());return La.exports}var P={},Pa={exports:P};function Qa(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(P,"__esModule",{value:!0});P["default"]=void 0;var b=a(g("/regenerator")),c=a(g("/helpers/asyncToGenerator")),d=a(g("/helpers/classCallCheck")),e=a(g("/helpers/createClass")),f=a(Oa());a=function(){function a(b){var c=b.source,e=b.name;e=e===void 0?"unnamed":e;var f=b.maxConcurrency;f=f===void 0?1:f;var g=b.onMessage;b=b.onDebug;b=b===void 0?function(){}:b;d["default"](this,a);this.source=c;this.name=e;this.maxConcurrency=f;this.onMessage=g;this.onDebug=b;this.jobQueue=[];this.idleQueue=[];this.count=0;this.isDestroyed=!1}e["default"](a,[{key:"destroy",value:function(){this.idleQueue.forEach(function(a){return a.destroy()}),this.isDestroyed=!0}},{key:"process",value:function(){var a=c["default"](b["default"].mark(function a(c,d){var e=this;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:return a.abrupt("return",new Promise(function(a,b){e.jobQueue.push({data:c,jobName:d,resolve:a,reject:b}),e._startQueuedJob()}));case 1:case"end":return a.stop()}},a)}));function d(b,c){return a.apply(this,arguments)}return d}()},{key:"_startQueuedJob",value:function(){var a=this;if(!this.jobQueue.length)return;var b=this._getAvailableWorker();if(!b)return;var c=this.jobQueue.shift();this.onDebug({message:"processing",worker:b.name,job:c.jobName,backlog:this.jobQueue.length});b.process(c.data).then(function(a){return c.resolve(a)})["catch"](function(a){return c.reject(a)}).then(function(){return a._onWorkerDone(b)})}},{key:"_onWorkerDone",value:function(a){this.isDestroyed?a.destroy():(this.idleQueue.push(a),this._startQueuedJob())}},{key:"_getAvailableWorker",value:function(){if(this.idleQueue.length>0)return this.idleQueue.shift();if(this.count0&&arguments[0]!==void 0?arguments[0]:{},b={};a.maxConcurrency&&(b.maxConcurrency=a.maxConcurrency);a.onDebug&&(b.onDebug=a.onDebug);i||(i=new e["default"]({onMessage:k}));i.setProps(b);return i}function k(a){return l.apply(this,arguments)}function l(){l=c["default"](b["default"].mark(function a(c){var d,e,g,i,j;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:d=c.worker,e=c.data,g=c.resolve,i=c.reject;a.t0=e.type;a.next=a.t0==="done"?4:a.t0==="process"?6:a.t0==="error"?17:19;break;case 4:g(e.result);return a.abrupt("break",19);case 6:a.prev=6;a.next=9;return f.parse(e.arraybuffer,e.options,e.url);case 9:j=a.sent;d.postMessage({type:"process-done",id:e.id,result:j},h.getTransferList(j));a.next=16;break;case 13:a.prev=13,a.t1=a["catch"](6),d.postMessage({type:"process-error",id:e.id,message:a.t1.message});case 16:return a.abrupt("break",19);case 17:i(e.message);return a.abrupt("break",19);case 19:case"end":return a.stop()}},a,null,[[6,13]])}));return l.apply(this,arguments)}function m(a,b,c){var e=arguments.length>3&&arguments[3]!==void 0?arguments[3]:{},f=j(e);e=JSON.parse(JSON.stringify(e));return f.process(a,"loaders.gl-".concat(b),{arraybuffer:d.toArrayBuffer(c),options:e,source:"loaders.gl",type:"process"})}}var $a=!1;function ab(){$a||($a=!0,Za());return Ya.exports}var R={},bb={exports:R};function cb(){Object.defineProperty(R,"__esModule",{value:!0});R.registerLoaders=c;R.getRegisteredLoaders=d;R._unregisterLoaders=e;var a=q(),b=[];function c(c){c=Array.isArray(c)?c:[c];var d=!0,e=!1,f=void 0;try{var g=function(){var c=i.value,d=a.normalizeLoader(c);b.find(function(a){return d===a})||b.unshift(d)};for(var h=c[Symbol.iterator](),i;!(d=(i=h.next()).done);d=!0)g()}catch(a){e=!0,f=a}finally{try{!d&&h["return"]!=null&&h["return"]()}finally{if(e)throw f}}}function d(){return b}function e(){b=[]}}var db=!1;function eb(){db||(db=!0,cb());return bb.exports}var fb={},gb={exports:fb};function hb(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(fb,"__esModule",{value:!0});fb.selectLoader=h;var b=a(g("/helpers/typeof")),c=eb(),d=q(),e=/.([^.]+)$/,f=/^data:(.*?)(;|,)/;function h(a){var b=arguments.length>1&&arguments[1]!==void 0?arguments[1]:"",e=arguments.length>2&&arguments[2]!==void 0?arguments[2]:null,f=arguments.length>3&&arguments[3]!==void 0?arguments[3]:{},g=f.nothrow,h=g===void 0?!1:g;b=b||"";if(a&&!Array.isArray(a)){var k=a;d.normalizeLoader(k);return k}a=a||c.getRegisteredLoaders();i(a);b=b.replace(/?.*/,"");var l=null;l=l||j(a,b);l=l||m(a,e);if(!l){if(h)return null;throw new Error("No valid loader found for ".concat(b))}return l}function i(a){var b=!0,c=!1,e=void 0;try{for(var f=a[Symbol.iterator](),a;!(b=(a=f.next()).done);b=!0){a=a.value;d.normalizeLoader(a)}}catch(a){c=!0,e=a}finally{try{!b&&f["return"]!=null&&f["return"]()}finally{if(c)throw e}}}function j(a,b){var c=b.match(f),d=c&&c[1];if(d)return k(a,d);c=b.match(e);d=c&&c[1];b=d&&l(a,d);return b}function k(a,b){var c=!0,d=!1,e=void 0;try{for(var f=a[Symbol.iterator](),a;!(c=(a=f.next()).done);c=!0){a=a.value;if(a.mimeTypes&&a.mimeTypes.includes(b))return a}}catch(a){d=!0,e=a}finally{try{!c&&f["return"]!=null&&f["return"]()}finally{if(d)throw e}}return null}function l(a,b){b=b.toLowerCase();var c=!0,d=!1,e=void 0;try{for(var f=a[Symbol.iterator](),a;!(c=(a=f.next()).done);c=!0){a=a.value;var g=!0,h=!1,i=void 0;try{for(var j=a.extensions[Symbol.iterator](),k;!(g=(k=j.next()).done);g=!0){k=k.value;if(k.toLowerCase()===b)return a}}catch(a){h=!0,i=a}finally{try{!g&&j["return"]!=null&&j["return"]()}finally{if(h)throw i}}}}catch(a){d=!0,e=a}finally{try{!c&&f["return"]!=null&&f["return"]()}finally{if(d)throw e}}return null}function m(a,b){if(!b)return null;var c=!0,d=!1,e=void 0;try{for(var f=a[Symbol.iterator](),a;!(c=(a=f.next()).done);c=!0){a=a.value;if(typeof b==="string"){if(n(b,a))return a}else if(ArrayBuffer.isView(b)){if(o(b.buffer,b.byteOffset,a))return a}else if(b instanceof ArrayBuffer){var g=0;if(o(b,g,a))return a}}}catch(a){d=!0,e=a}finally{try{!c&&f["return"]!=null&&f["return"]()}finally{if(d)throw e}}return null}function n(a,b){return b.testText&&b.testText(a)}function o(a,c,d){var e=Array.isArray(d.test)?"array":b["default"](d.test);switch(e){case"function":return d.test(a,d);case"string":case"array":e=Array.isArray(d.test)?d.test:[d.test];return e.some(function(b){var d=p(a,c,b.length);return b===d});default:return!1}}function p(a,b,c){if(a.byteLength<=b+c)return"";a=new DataView(a);var d="";for(var e=0;e=0?a.substr(0,b):""}}var Nb=!1;function Ob(){Nb||(Nb=!0,Mb());return Lb.exports}var Pb={},Qb={exports:Pb};function Rb(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(Pb,"__esModule",{value:!0});Pb.readFileSync=i;var b=a(g("/helpers/defineProperty")),c=a({}),d=Ba();function e(a,b){var c=Object.keys(a);if(Object.getOwnPropertySymbols){var d=Object.getOwnPropertySymbols(a);b&&(d=d.filter(function(b){return Object.getOwnPropertyDescriptor(a,b).enumerable}));c.push.apply(c,d)}return c}function f(a){for(var c=1;c1&&arguments[1]!==void 0?arguments[1]:{};b=j(b);if(!c["default"]||!c["default"].readFileSync)return null;var e=c["default"].readFileSync(a,b,function(){});return e instanceof Buffer?d.toArrayBuffer(e):e}function j(){var a=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};a=f({},h,{},a);(a.responseType==="text"||a.dataType==="text")&&(a.encoding=a.encoding||"utf8");return a}}var Sb=!1;function Tb(){Sb||(Sb=!0,Rb());return Qb.exports}var Ub={},Vb={exports:Ub};function Wb(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(Ub,"__esModule",{value:!0});Ub.readFileSyncBrowser=e;var b=a(l()),c={dataType:"arraybuffer",nothrow:!0},d=function(a){return a.startsWith("data:")};function e(a,c){c=f(c);d(a);c.nothrow||b["default"](!1);return null}function f(){var a=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};a=Object.assign({},c,a);a.responseType=a.responseType||a.dataType;return a}}var Xb=!1;function Yb(){Xb||(Xb=!0,Wb());return Vb.exports}var Zb={},$b={exports:Zb};function ac(){var a=g("/helpers/interopRequireWildcard");Object.defineProperty(Zb,"__esModule",{value:!0});Zb.readFileSync=f;var b=H(),c=a(Tb()),d=U(),e=Yb();function f(a){var f=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};a=d.resolvePath(a);return!b.isBrowser&&c.readFileSync?c.readFileSync(a,f):e.readFileSyncBrowser(a,f)}}var bc=!1;function cc(){bc||(bc=!0,ac());return $b.exports}var dc={},ec={exports:dc};function fc(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(dc,"__esModule",{value:!0});dc["default"]=c;var b=a(l());function c(a){ArrayBuffer.isView(a)&&(a=a.buffer);if(typeof Buffer!=="undefined"&&a instanceof ArrayBuffer){var c=new Buffer(a.byteLength);a=new Uint8Array(a);for(var d=0;d=0)){a.next=23;break}o=e.slice(0,n+1);e=e.slice(n+1);a.next=21;return o;case 21:a.next=16;break;case 23:g=!0;a.next=5;break;case 26:a.next=32;break;case 28:a.prev=28,a.t0=a["catch"](3),h=!0,i=a.t0;case 32:a.prev=32;a.prev=33;if(!(!g&&j["return"]!=null)){a.next=37;break}a.next=37;return d["default"](j["return"]());case 37:a.prev=37;if(!h){a.next=40;break}throw i;case 40:return a.finish(37);case 41:return a.finish(32);case 42:if(!(e.length>0)){a.next=45;break}a.next=45;return e;case 45:case"end":return a.stop()}},a,null,[[3,28,32,42],[33,,37,41]])}));return r.apply(this,arguments)}function s(a){return t.apply(this,arguments)}function t(){t=e["default"](b["default"].mark(function a(c){var e,g,h,i,j,k,l,m;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:e=1,g=!0,h=!1,a.prev=3,j=f["default"](c);case 5:a.next=7;return d["default"](j.next());case 7:k=a.sent;g=k.done;a.next=11;return d["default"](k.value);case 11:l=a.sent;if(g){a.next=20;break}m=l;a.next=16;return{counter:e,line:m};case 16:e++;case 17:g=!0;a.next=5;break;case 20:a.next=26;break;case 22:a.prev=22,a.t0=a["catch"](3),h=!0,i=a.t0;case 26:a.prev=26;a.prev=27;if(!(!g&&j["return"]!=null)){a.next=31;break}a.next=31;return d["default"](j["return"]());case 31:a.prev=31;if(!h){a.next=34;break}throw i;case 34:return a.finish(31);case 35:return a.finish(26);case 36:case"end":return a.stop()}},a,null,[[3,22,26,36],[27,,31,35]])}));return t.apply(this,arguments)}}var Qc=!1;function Rc(){Qc||(Qc=!0,Pc());return Oc.exports}var Sc={},Tc={exports:Sc};function Uc(){var a=g("/helpers/interopRequireDefault");Object.defineProperty(Sc,"__esModule",{value:!0});Sc["default"]=d;var b=a(g("/regenerator")),c=a(g("/helpers/asyncToGenerator"));function d(a,b){return e.apply(this,arguments)}function e(){e=c["default"](b["default"].mark(function a(c,d){var e,g,h,i,j,k=arguments;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:e=k.length>2&&k[2]!==void 0?k[2]:function(){};g=k.length>3&&k[3]!==void 0?k[3]:function(){};a.next=4;return c;case 4:c=a.sent;if(c.ok){a.next=7;break}return a.abrupt("return",c);case 7:if(c.body){a.next=9;break}return a.abrupt("return",c);case 9:h=c.headers.get("content-length");i=h&&parseInt(h,10);if(h>0){a.next=13;break}return a.abrupt("return",c);case 13:if(!(typeof ReadableStream==="undefined")){a.next=15;break}return a.abrupt("return",c);case 15:j=new ReadableStream({start:function(a){var b=c.body.getReader();f(a,b,0,i,d,e,g)}});return a.abrupt("return",new Response(j));case 17:case"end":return a.stop()}},a)}));return e.apply(this,arguments)}function f(a,b,c,d,e,f,g){return h.apply(this,arguments)}function h(){h=c["default"](b["default"].mark(function a(c,d,e,g,h,i,j){var k,l,m,n;return b["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:a.prev=0;a.next=3;return d.read();case 3:k=a.sent;l=k.done;m=k.value;if(!l){a.next=10;break}i();c.close();return a.abrupt("return");case 10:e+=m.byteLength;n=Math.round(e/g*100);h(n,{loadedBytes:e,totalBytes:g});c.enqueue(m);a.next=16;return f(c,d,e,g,h,i,j);case 16:a.next=22;break;case 18:a.prev=18,a.t0=a["catch"](0),c.error(a.t0),j(a.t0);case 22:case"end":return a.stop()}},a,null,[[0,18]])}));return h.apply(this,arguments)}}var Vc=!1;function Wc(){Vc||(Vc=!0,Uc());return Tc.exports}var $={},Xc={exports:$};function Yc(){var a=g("/helpers/interopRequireWildcard"),b=g("/helpers/interopRequireDefault");Object.defineProperty($,"__esModule",{value:!0});$.createReadStream=D;$.parseFile=F;$.parseFileSync=G;$.loadFile=I;Object.defineProperty($,"parse",{enumerable:!0,get:function(){return e.parse}});Object.defineProperty($,"parseSync",{enumerable:!0,get:function(){return f.parseSync}});Object.defineProperty($,"fetchFile",{enumerable:!0,get:function(){return h.fetchFile}});Object.defineProperty($,"load",{enumerable:!0,get:function(){return i.load}});Object.defineProperty($,"loadInBatches",{enumerable:!0,get:function(){return i.loadInBatches}});Object.defineProperty($,"isBrowser",{enumerable:!0,get:function(){return k.isBrowser}});Object.defineProperty($,"self",{enumerable:!0,get:function(){return k.self}});Object.defineProperty($,"window",{enumerable:!0,get:function(){return k.window}});Object.defineProperty($,"global",{enumerable:!0,get:function(){return k.global}});Object.defineProperty($,"document",{enumerable:!0,get:function(){return k.document}});Object.defineProperty($,"setPathPrefix",{enumerable:!0,get:function(){return m.setPathPrefix}});Object.defineProperty($,"getPathPrefix",{enumerable:!0,get:function(){return m.getPathPrefix}});Object.defineProperty($,"resolvePath",{enumerable:!0,get:function(){return m.resolvePath}});Object.defineProperty($,"readFileSync",{enumerable:!0,get:function(){return n.readFileSync}});Object.defineProperty($,"writeFile",{enumerable:!0,get:function(){return o.writeFile}});Object.defineProperty($,"writeFileSync",{enumerable:!0,get:function(){return o.writeFileSync}});Object.defineProperty($,"_getErrorMessageFromResponseSync",{enumerable:!0,get:function(){return p.getErrorMessageFromResponseSync}});Object.defineProperty($,"_getErrorMessageFromResponse",{enumerable:!0,get:function(){return p.getErrorMessageFromResponse}});Object.defineProperty($,"registerLoaders",{enumerable:!0,get:function(){return q.registerLoaders}});Object.defineProperty($,"_unregisterLoaders",{enumerable:!0,get:function(){return q._unregisterLoaders}});Object.defineProperty($,"parseInBatches",{enumerable:!0,get:function(){return r.parseInBatches}});Object.defineProperty($,"parseInBatchesSync",{enumerable:!0,get:function(){return s.parseInBatchesSync}});Object.defineProperty($,"encode",{enumerable:!0,get:function(){return t.encode}});Object.defineProperty($,"encodeSync",{enumerable:!0,get:function(){return t.encodeSync}});Object.defineProperty($,"encodeInBatches",{enumerable:!0,get:function(){return t.encodeInBatches}});Object.defineProperty($,"save",{enumerable:!0,get:function(){return u.save}});Object.defineProperty($,"saveSync",{enumerable:!0,get:function(){return u.saveSync}});Object.defineProperty($,"isPromise",{enumerable:!0,get:function(){return v.isPromise}});Object.defineProperty($,"isIterable",{enumerable:!0,get:function(){return v.isIterable}});Object.defineProperty($,"isAsyncIterable",{enumerable:!0,get:function(){return v.isAsyncIterable}});Object.defineProperty($,"isIterator",{enumerable:!0,get:function(){return v.isIterator}});Object.defineProperty($,"isFetchResponse",{enumerable:!0,get:function(){return v.isFetchResponse}});Object.defineProperty($,"isReadableStream",{enumerable:!0,get:function(){return v.isReadableStream}});Object.defineProperty($,"isWritableStream",{enumerable:!0,get:function(){return v.isWritableStream}});Object.defineProperty($,"toArrayBuffer",{enumerable:!0,get:function(){return w.toArrayBuffer}});Object.defineProperty($,"getStreamIterator",{enumerable:!0,get:function(){return aa.getStreamIterator}});Object.defineProperty($,"forEach",{enumerable:!0,get:function(){return x.forEach}});Object.defineProperty($,"concatenateAsyncIterator",{enumerable:!0,get:function(){return x.concatenateAsyncIterator}});Object.defineProperty($,"lineAsyncIterator",{enumerable:!0,get:function(){return x.lineAsyncIterator}});Object.defineProperty($,"textDecoderAsyncIterator",{enumerable:!0,get:function(){return x.textDecoderAsyncIterator}});Object.defineProperty($,"numberedLineAsyncIterator",{enumerable:!0,get:function(){return x.numberedLineAsyncIterator}});Object.defineProperty($,"assert",{enumerable:!0,get:function(){return y["default"]}});Object.defineProperty($,"_selectLoader",{enumerable:!0,get:function(){return z.selectLoader}});Object.defineProperty($,"_WorkerThread",{enumerable:!0,get:function(){return A["default"]}});Object.defineProperty($,"_WorkerFarm",{enumerable:!0,get:function(){return ba["default"]}});Object.defineProperty($,"_WorkerPool",{enumerable:!0,get:function(){return ca["default"]}});Object.defineProperty($,"_fetchProgress",{enumerable:!0,get:function(){return B["default"]}});$.path=$.TextDecoder=$.TextEncoder=void 0;var c=b(g("/regenerator")),d=b(g("/helpers/asyncToGenerator")),e=nb(),f=sb(),h=Ab(),i=Jb(),j=U(),k=H();D=a(Ob());$.path=D;var m=U(),n=cc(),o=pc(),p=uc(),q=eb(),r=Fb(),s=zc(),t=Dc(),u=Ic(),v=C(),w=Ga(),aa=ga(),x=Rc(),y=b(l()),z=S(),A=b(Oa()),ba=b(Wa()),ca=b(Sa()),B=b(Wc());F=k.global.TextEncoder;$.TextEncoder=F;G=k.global.TextDecoder;$.TextDecoder=G;function D(a,b){return E.apply(this,arguments)}function E(){E=d["default"](c["default"].mark(function a(b,d){var e;return c["default"].wrap(function(a){while(1)switch(a.prev=a.next){case 0:b=j.resolvePath(b);a.next=4;return h.fetchFile(b,d);case 4:e=a.sent;return a.abrupt("return",e.body);case 6:case"end":return a.stop()}},a)}));return E.apply(this,arguments)}function F(){return e.parse.apply(void 0,arguments)}function G(){return f.parseSync.apply(void 0,arguments)}function I(){return i.load.apply(void 0,arguments)}}var Zc=!1;function $c(){Zc||(Zc=!0,Yc());return Xc.exports}function d(a){switch(a){case void 0:return $c()}}e.exports=d}),null);
-----
mapillary",[],(function $module_mapillary(global,require,requireDynamic,requireLazy,module,exports){ (function (global, factory) { typeof exports === "object" && typeof module !== "undefined" ? factory(exports) : typeof define === "function" && define.amd ? define(["exports"], factory) : (global = typeof globalThis !== "undefined" ? globalThis : global || self, factory(global.mapillary = {})); })(this, (function (exports) { "use strict"; /*! ***************************************************************************** Copyright (c) Microsoft Corporation. Permission to use, copy, modify, and/or distribute this software for any purpose with or without fee is hereby granted. THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. ***************************************************************************** */ /* global Reflect, Promise */ 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); }; 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 __awaiter(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()); }); } 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 (_) 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 __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: error }; } finally { try { if (r && !r.done && (m = i["return"])) m.call(i); } finally { if (e) throw e.error; } } return ar; } 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"), i[Symbol.asyncIterator] = function () { return this; }, i; function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; } 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 __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 (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); } } function isFunction(value) { return typeof value === "function"; } function createErrorClass(createImpl) { var _super = function (instance) { Error.call(instance); instance.stack = new Error().stack; }; var ctorFunc = createImpl(_super); ctorFunc.prototype = Object.create(Error.prototype); ctorFunc.prototype.constructor = ctorFunc; return ctorFunc; } var UnsubscriptionError = createErrorClass(function (_super) { return function UnsubscriptionErrorImpl(errors) { _super(this); this.message = errors ? errors.length + " errors occurred during unsubscription: " + errors.map(function (err, i) { return i + 1 + ") " + err.toString(); }).join(" ") : ""; this.name = "UnsubscriptionError"; this.errors = errors; }; }); function arrRemove(arr, item) { if (arr) { var index = arr.indexOf(item); 0 <= index && arr.splice(index, 1); } } var Subscription = (function () { function Subscription(initialTeardown) { this.initialTeardown = initialTeardown; this.closed = false; this._parentage = null; this._finalizers = null; } Subscription.prototype.unsubscribe = function () { var e_1, _a, e_2, _b; var errors; if (!this.closed) { this.closed = true; var _parentage = this._parentage; if (_parentage) { this._parentage = null; if (Array.isArray(_parentage)) { try { for (var _parentage_1 = __values(_parentage), _parentage_1_1 = _parentage_1.next(); !_parentage_1_1.done; _parentage_1_1 = _parentage_1.next()) { var parent_1 = _parentage_1_1.value; parent_1.remove(this); } } catch (e_1_1) { e_1 = { error: e_1_1 }; } finally { try { if (_parentage_1_1 && !_parentage_1_1.done && (_a = _parentage_1.return)) _a.call(_parentage_1); } finally { if (e_1) throw e_1.error; } } } else { _parentage.remove(this); } } var initialFinalizer = this.initialTeardown; if (isFunction(initialFinalizer)) { try { initialFinalizer(); } catch (e) { errors = e instanceof UnsubscriptionError ? e.errors : [e]; } } var _finalizers = this._finalizers; if (_finalizers) { this._finalizers = null; try { for (var _finalizers_1 = __values(_finalizers), _finalizers_1_1 = _finalizers_1.next(); !_finalizers_1_1.done; _finalizers_1_1 = _finalizers_1.next()) { var finalizer = _finalizers_1_1.value; try { execFinalizer(finalizer); } catch (err) { errors = errors !== null && errors !== void 0 ? errors : []; if (err instanceof UnsubscriptionError) { errors = __spreadArray(__spreadArray([], __read(errors)), __read(err.errors)); } else { errors.push(err); } } } } catch (e_2_1) { e_2 = { error: e_2_1 }; } finally { try { if (_finalizers_1_1 && !_finalizers_1_1.done && (_b = _finalizers_1.return)) _b.call(_finalizers_1); } finally { if (e_2) throw e_2.error; } } } if (errors) { throw new UnsubscriptionError(errors); } } }; Subscription.prototype.add = function (teardown) { var _a; if (teardown && teardown !== this) { if (this.closed) { execFinalizer(teardown); } else { if (teardown instanceof Subscription) { if (teardown.closed || teardown._hasParent(this)) { return; } teardown._addParent(this); } (this._finalizers = (_a = this._finalizers) !== null && _a !== void 0 ? _a : []).push(teardown); } } }; Subscription.prototype._hasParent = function (parent) { var _parentage = this._parentage; return _parentage === parent || (Array.isArray(_parentage) && _parentage.includes(parent)); }; Subscription.prototype._addParent = function (parent) { var _parentage = this._parentage; this._parentage = Array.isArray(_parentage) ? (_parentage.push(parent), _parentage) : _parentage ? [_parentage, parent] : parent; }; Subscription.prototype._removeParent = function (parent) { var _parentage = this._parentage; if (_parentage === parent) { this._parentage = null; } else if (Array.isArray(_parentage)) { arrRemove(_parentage, parent); } }; Subscription.prototype.remove = function (teardown) { var _finalizers = this._finalizers; _finalizers && arrRemove(_finalizers, teardown); if (teardown instanceof Subscription) { teardown._removeParent(this); } }; Subscription.EMPTY = (function () { var empty = new Subscription(); empty.closed = true; return empty; })(); return Subscription; }()); var EMPTY_SUBSCRIPTION = Subscription.EMPTY; function isSubscription(value) { return (value instanceof Subscription || (value && "closed" in value && isFunction(value.remove) && isFunction(value.add) && isFunction(value.unsubscribe))); } function execFinalizer(finalizer) { if (isFunction(finalizer)) { finalizer(); } else { finalizer.unsubscribe(); } } var config = { onUnhandledError: null, onStoppedNotification: null, Promise: undefined, useDeprecatedSynchronousErrorHandling: false, useDeprecatedNextContext: false, }; var timeoutProvider = { setTimeout: function (handler, timeout) { var args = []; for (var _i = 2; _i < arguments.length; _i++) { args[_i - 2] = arguments[_i]; } var delegate = timeoutProvider.delegate; if (delegate === null || delegate === void 0 ? void 0 : delegate.setTimeout) { return delegate.setTimeout.apply(delegate, __spreadArray([handler, timeout], __read(args))); } return setTimeout.apply(void 0, __spreadArray([handler, timeout], __read(args))); }, clearTimeout: function (handle) { var delegate = timeoutProvider.delegate; return ((delegate === null || delegate === void 0 ? void 0 : delegate.clearTimeout) || clearTimeout)(handle); }, delegate: undefined, }; function reportUnhandledError(err) { timeoutProvider.setTimeout(function () { { throw err; } }); } function noop() { } function errorContext(cb) { { cb(); } } var Subscriber = (function (_super) { __extends(Subscriber, _super); function Subscriber(destination) { var _this = _super.call(this) || this; _this.isStopped = false; if (destination) { _this.destination = destination; if (isSubscription(destination)) { destination.add(_this); } } else { _this.destination = EMPTY_OBSERVER; } return _this; } Subscriber.create = function (next, error, complete) { return new SafeSubscriber(next, error, complete); }; Subscriber.prototype.next = function (value) { if (this.isStopped) ; else { this._next(value); } }; Subscriber.prototype.error = function (err) { if (this.isStopped) ; else { this.isStopped = true; this._error(err); } }; Subscriber.prototype.complete = function () { if (this.isStopped) ; else { this.isStopped = true; this._complete(); } }; Subscriber.prototype.unsubscribe = function () { if (!this.closed) { this.isStopped = true; _super.prototype.unsubscribe.call(this); this.destination = null; } }; Subscriber.prototype._next = function (value) { this.destination.next(value); }; Subscriber.prototype._error = function (err) { try { this.destination.error(err); } finally { this.unsubscribe(); } }; Subscriber.prototype._complete = function () { try { this.destination.complete(); } finally { this.unsubscribe(); } }; return Subscriber; }(Subscription)); var _bind = Function.prototype.bind; function bind(fn, thisArg) { return _bind.call(fn, thisArg); } var ConsumerObserver = (function () { function ConsumerObserver(partialObserver) { this.partialObserver = partialObserver; } ConsumerObserver.prototype.next = function (value) { var partialObserver = this.partialObserver; if (partialObserver.next) { try { partialObserver.next(value); } catch (error) { handleUnhandledError(error); } } }; ConsumerObserver.prototype.error = function (err) { var partialObserver = this.partialObserver; if (partialObserver.error) { try { partialObserver.error(err); } catch (error) { handleUnhandledError(error); } } else { handleUnhandledError(err); } }; ConsumerObserver.prototype.complete = function () { var partialObserver = this.partialObserver; if (partialObserver.complete) { try { partialObserver.complete(); } catch (error) { handleUnhandledError(error); } } }; return ConsumerObserver; }()); var SafeSubscriber = (function (_super) { __extends(SafeSubscriber, _super); function SafeSubscriber(observerOrNext, error, complete) { var _this = _super.call(this) || this; var partialObserver; if (isFunction(observerOrNext) || !observerOrNext) { partialObserver = { next: (observerOrNext !== null && observerOrNext !== void 0 ? observerOrNext : undefined), error: error !== null && error !== void 0 ? error : undefined, complete: complete !== null && complete !== void 0 ? complete : undefined, }; } else { var context_1; if (_this && config.useDeprecatedNextContext) { context_1 = Object.create(observerOrNext); context_1.unsubscribe = function () { return _this.unsubscribe(); }; partialObserver = { next: observerOrNext.next && bind(observerOrNext.next, context_1), error: observerOrNext.error && bind(observerOrNext.error, context_1), complete: observerOrNext.complete && bind(observerOrNext.complete, context_1), }; } else { partialObserver = observerOrNext; } } _this.destination = new ConsumerObserver(partialObserver); return _this; } return SafeSubscriber; }(Subscriber)); function handleUnhandledError(error) { { reportUnhandledError(error); } } function defaultErrorHandler(err) { throw err; } var EMPTY_OBSERVER = { closed: true, next: noop, error: defaultErrorHandler, complete: noop, }; var observable = (function () { return (typeof Symbol === "function" && Symbol.observable) || "@@observable"; })(); function identity(x) { return x; } function pipeFromArray(fns) { if (fns.length === 0) { return identity; } if (fns.length === 1) { return fns[0]; } return function piped(input) { return fns.reduce(function (prev, fn) { return fn(prev); }, input); }; } var Observable = (function () { function Observable(subscribe) { if (subscribe) { this._subscribe = subscribe; } } Observable.prototype.lift = function (operator) { var observable = new Observable(); observable.source = this; observable.operator = operator; return observable; }; Observable.prototype.subscribe = function (observerOrNext, error, complete) { var _this = this; var subscriber = isSubscriber(observerOrNext) ? observerOrNext : new SafeSubscriber(observerOrNext, error, complete); errorContext(function () { var _a = _this, operator = _a.operator, source = _a.source; subscriber.add(operator ? operator.call(subscriber, source) : source ? _this._subscribe(subscriber) : _this._trySubscribe(subscriber)); }); return subscriber; }; Observable.prototype._trySubscribe = function (sink) { try { return this._subscribe(sink); } catch (err) { sink.error(err); } }; Observable.prototype.forEach = function (next, promiseCtor) { var _this = this; promiseCtor = getPromiseCtor(promiseCtor); return new promiseCtor(function (resolve, reject) { var subscriber = new SafeSubscriber({ next: function (value) { try { next(value); } catch (err) { reject(err); subscriber.unsubscribe(); } }, error: reject, complete: resolve, }); _this.subscribe(subscriber); }); }; Observable.prototype._subscribe = function (subscriber) { var _a; return (_a = this.source) === null || _a === void 0 ? void 0 : _a.subscribe(subscriber); }; Observable.prototype[observable] = function () { return this; }; Observable.prototype.pipe = function () { var operations = []; for (var _i = 0; _i < arguments.length; _i++) { operations[_i] = arguments[_i]; } return pipeFromArray(operations)(this); }; Observable.prototype.toPromise = function (promiseCtor) { var _this = this; promiseCtor = getPromiseCtor(promiseCtor); return new promiseCtor(function (resolve, reject) { var value; _this.subscribe(function (x) { return (value = x); }, function (err) { return reject(err); }, function () { return resolve(value); }); }); }; Observable.create = function (subscribe) { return new Observable(subscribe); }; return Observable; }()); function getPromiseCtor(promiseCtor) { var _a; return (_a = promiseCtor !== null && promiseCtor !== void 0 ? promiseCtor : config.Promise) !== null && _a !== void 0 ? _a : Promise; } function isObserver(value) { return value && isFunction(value.next) && isFunction(value.error) && isFunction(value.complete); } function isSubscriber(value) { return (value && value instanceof Subscriber) || (isObserver(value) && isSubscription(value)); } function hasLift(source) { return isFunction(source === null || source === void 0 ? void 0 : source.lift); } function operate(init) { return function (source) { if (hasLift(source)) { return source.lift(function (liftedSource) { try { return init(liftedSource, this); } catch (err) { this.error(err); } }); } throw new TypeError("Unable to lift unknown Observable type"); }; } function createOperatorSubscriber(destination, onNext, onComplete, onError, onFinalize) { return new OperatorSubscriber(destination, onNext, onComplete, onError, onFinalize); } var OperatorSubscriber = (function (_super) { __extends(OperatorSubscriber, _super); function OperatorSubscriber(destination, onNext, onComplete, onError, onFinalize, shouldUnsubscribe) { var _this = _super.call(this, destination) || this; _this.onFinalize = onFinalize; _this.shouldUnsubscribe = shouldUnsubscribe; _this._next = onNext ? function (value) { try { onNext(value); } catch (err) { destination.error(err); } } : _super.prototype._next; _this._error = onError ? function (err) { try { onError(err); } catch (err) { destination.error(err); } finally { this.unsubscribe(); } } : _super.prototype._error; _this._complete = onComplete ? function () { try { onComplete(); } catch (err) { destination.error(err); } finally { this.unsubscribe(); } } : _super.prototype._complete; return _this; } OperatorSubscriber.prototype.unsubscribe = function () { var _a; if (!this.shouldUnsubscribe || this.shouldUnsubscribe()) { var closed_1 = this.closed; _super.prototype.unsubscribe.call(this); !closed_1 && ((_a = this.onFinalize) === null || _a === void 0 ? void 0 : _a.call(this)); } }; return OperatorSubscriber; }(Subscriber)); function refCount() { return operate(function (source, subscriber) { var connection = null; source._refCount++; var refCounter = createOperatorSubscriber(subscriber, undefined, undefined, undefined, function () { if (!source || source._refCount <= 0 || 0 < --source._refCount) { connection = null; return; } var sharedConnection = source._connection; var conn = connection; connection = null; if (sharedConnection && (!conn || sharedConnection === conn)) { sharedConnection.unsubscribe(); } subscriber.unsubscribe(); }); source.subscribe(refCounter); if (!refCounter.closed) { connection = source.connect(); } }); } var ConnectableObservable = (function (_super) { __extends(ConnectableObservable, _super); function ConnectableObservable(source, subjectFactory) { var _this = _super.call(this) || this; _this.source = source; _this.subjectFactory = subjectFactory; _this._subject = null; _this._refCount = 0; _this._connection = null; if (hasLift(source)) { _this.lift = source.lift; } return _this; } ConnectableObservable.prototype._subscribe = function (subscriber) { return this.getSubject().subscribe(subscriber); }; ConnectableObservable.prototype.getSubject = function () { var subject = this._subject; if (!subject || subject.isStopped) { this._subject = this.subjectFactory(); } return this._subject; }; ConnectableObservable.prototype._teardown = function () { this._refCount = 0; var _connection = this._connection; this._subject = this._connection = null; _connection === null || _connection === void 0 ? void 0 : _connection.unsubscribe(); }; ConnectableObservable.prototype.connect = function () { var _this = this; var connection = this._connection; if (!connection) { connection = this._connection = new Subscription(); var subject_1 = this.getSubject(); connection.add(this.source.subscribe(createOperatorSubscriber(subject_1, undefined, function () { _this._teardown(); subject_1.complete(); }, function (err) { _this._teardown(); subject_1.error(err); }, function () { return _this._teardown(); }))); if (connection.closed) { this._connection = null; connection = Subscription.EMPTY; } } return connection; }; ConnectableObservable.prototype.refCount = function () { return refCount()(this); }; return ConnectableObservable; }(Observable)); var ObjectUnsubscribedError = createErrorClass(function (_super) { return function ObjectUnsubscribedErrorImpl() { _super(this); this.name = "ObjectUnsubscribedError"; this.message = "object unsubscribed"; }; }); var Subject = (function (_super) { __extends(Subject, _super); function Subject() { var _this = _super.call(this) || this; _this.closed = false; _this.currentObservers = null; _this.observers = []; _this.isStopped = false; _this.hasError = false; _this.thrownError = null; return _this; } Subject.prototype.lift = function (operator) { var subject = new AnonymousSubject(this, this); subject.operator = operator; return subject; }; Subject.prototype._throwIfClosed = function () { if (this.closed) { throw new ObjectUnsubscribedError(); } }; Subject.prototype.next = function (value) { var _this = this; errorContext(function () { var e_1, _a; _this._throwIfClosed(); if (!_this.isStopped) { if (!_this.currentObservers) { _this.currentObservers = Array.from(_this.observers); } try { for (var _b = __values(_this.currentObservers), _c = _b.next(); !_c.done; _c = _b.next()) { var observer = _c.value; observer.next(value); } } catch (e_1_1) { e_1 = { error: e_1_1 }; } finally { try { if (_c && !_c.done && (_a = _b.return)) _a.call(_b); } finally { if (e_1) throw e_1.error; } } } }); }; Subject.prototype.error = function (err) { var _this = this; errorContext(function () { _this._throwIfClosed(); if (!_this.isStopped) { _this.hasError = _this.isStopped = true; _this.thrownError = err; var observers = _this.observers; while (observers.length) { observers.shift().error(err); } } }); }; Subject.prototype.complete = function () { var _this = this; errorContext(function () { _this._throwIfClosed(); if (!_this.isStopped) { _this.isStopped = true; var observers = _this.observers; while (observers.length) { observers.shift().complete(); } } }); }; Subject.prototype.unsubscribe = function () { this.isStopped = this.closed = true; this.observers = this.currentObservers = null; }; Object.defineProperty(Subject.prototype, "observed", { get: function () { var _a; return ((_a = this.observers) === null || _a === void 0 ? void 0 : _a.length) > 0; }, enumerable: false, configurable: true }); Subject.prototype._trySubscribe = function (subscriber) { this._throwIfClosed(); return _super.prototype._trySubscribe.call(this, subscriber); }; Subject.prototype._subscribe = function (subscriber) { this._throwIfClosed(); this._checkFinalizedStatuses(subscriber); return this._innerSubscribe(subscriber); }; Subject.prototype._innerSubscribe = function (subscriber) { var _this = this; var _a = this, hasError = _a.hasError, isStopped = _a.isStopped, observers = _a.observers; if (hasError || isStopped) { return EMPTY_SUBSCRIPTION; } this.currentObservers = null; observers.push(subscriber); return new Subscription(function () { _this.currentObservers = null; arrRemove(observers, subscriber); }); }; Subject.prototype._checkFinalizedStatuses = function (subscriber) { var _a = this, hasError = _a.hasError, thrownError = _a.thrownError, isStopped = _a.isStopped; if (hasError) { subscriber.error(thrownError); } else if (isStopped) { subscriber.complete(); } }; Subject.prototype.asObservable = function () { var observable = new Observable(); observable.source = this; return observable; }; Subject.create = function (destination, source) { return new AnonymousSubject(destination, source); }; return Subject; }(Observable)); var AnonymousSubject = (function (_super) { __extends(AnonymousSubject, _super); function AnonymousSubject(destination, source) { var _this = _super.call(this) || this; _this.destination = destination; _this.source = source; return _this; } AnonymousSubject.prototype.next = function (value) { var _a, _b; (_b = (_a = this.destination) === null || _a === void 0 ? void 0 : _a.next) === null || _b === void 0 ? void 0 : _b.call(_a, value); }; AnonymousSubject.prototype.error = function (err) { var _a, _b; (_b = (_a = this.destination) === null || _a === void 0 ? void 0 : _a.error) === null || _b === void 0 ? void 0 : _b.call(_a, err); }; AnonymousSubject.prototype.complete = function () { var _a, _b; (_b = (_a = this.destination) === null || _a === void 0 ? void 0 : _a.complete) === null || _b === void 0 ? void 0 : _b.call(_a); }; AnonymousSubject.prototype._subscribe = function (subscriber) { var _a, _b; return (_b = (_a = this.source) === null || _a === void 0 ? void 0 : _a.subscribe(subscriber)) !== null && _b !== void 0 ? _b : EMPTY_SUBSCRIPTION; }; return AnonymousSubject; }(Subject)); var BehaviorSubject = (function (_super) { __extends(BehaviorSubject, _super); function BehaviorSubject(_value) { var _this = _super.call(this) || this; _this._value = _value; return _this; } Object.defineProperty(BehaviorSubject.prototype, "value", { get: function () { return this.getValue(); }, enumerable: false, configurable: true }); BehaviorSubject.prototype._subscribe = function (subscriber) { var subscription = _super.prototype._subscribe.call(this, subscriber); !subscription.closed && subscriber.next(this._value); return subscription; }; BehaviorSubject.prototype.getValue = function () { var _a = this, hasError = _a.hasError, thrownError = _a.thrownError, _value = _a._value; if (hasError) { throw thrownError; } this._throwIfClosed(); return _value; }; BehaviorSubject.prototype.next = function (value) { _super.prototype.next.call(this, (this._value = value)); }; return BehaviorSubject; }(Subject)); var dateTimestampProvider = { now: function () { return (dateTimestampProvider.delegate || Date).now(); }, delegate: undefined, }; var ReplaySubject = (function (_super) { __extends(ReplaySubject, _super); function ReplaySubject(_bufferSize, _windowTime, _timestampProvider) { if (_bufferSize === void 0) { _bufferSize = Infinity; } if (_windowTime === void 0) { _windowTime = Infinity; } if (_timestampProvider === void 0) { _timestampProvider = dateTimestampProvider; } var _this = _super.call(this) || this; _this._bufferSize = _bufferSize; _this._windowTime = _windowTime; _this._timestampProvider = _timestampProvider; _this._buffer = []; _this._infiniteTimeWindow = true; _this._infiniteTimeWindow = _windowTime === Infinity; _this._bufferSize = Math.max(1, _bufferSize); _this._windowTime = Math.max(1, _windowTime); return _this; } ReplaySubject.prototype.next = function (value) { var _a = this, isStopped = _a.isStopped, _buffer = _a._buffer, _infiniteTimeWindow = _a._infiniteTimeWindow, _timestampProvider = _a._timestampProvider, _windowTime = _a._windowTime; if (!isStopped) { _buffer.push(value); !_infiniteTimeWindow && _buffer.push(_timestampProvider.now() + _windowTime); } this._trimBuffer(); _super.prototype.next.call(this, value); }; ReplaySubject.prototype._subscribe = function (subscriber) { this._throwIfClosed(); this._trimBuffer(); var subscription = this._innerSubscribe(subscriber); var _a = this, _infiniteTimeWindow = _a._infiniteTimeWindow, _buffer = _a._buffer; var copy = _buffer.slice(); for (var i = 0; i < copy.length && !subscriber.closed; i += _infiniteTimeWindow ? 1 : 2) { subscriber.next(copy[i]); } this._checkFinalizedStatuses(subscriber); return subscription; }; ReplaySubject.prototype._trimBuffer = function () { var _a = this, _bufferSize = _a._bufferSize, _timestampProvider = _a._timestampProvider, _buffer = _a._buffer, _infiniteTimeWindow = _a._infiniteTimeWindow; var adjustedBufferSize = (_infiniteTimeWindow ? 1 : 2) * _bufferSize; _bufferSize < Infinity && adjustedBufferSize < _buffer.length && _buffer.splice(0, _buffer.length - adjustedBufferSize); if (!_infiniteTimeWindow) { var now = _timestampProvider.now(); var last = 0; for (var i = 1; i < _buffer.length && _buffer[i] <= now; i += 2) { last = i; } last && _buffer.splice(0, last + 1); } }; return ReplaySubject; }(Subject)); var Action = (function (_super) { __extends(Action, _super); function Action(scheduler, work) { return _super.call(this) || this; } Action.prototype.schedule = function (state, delay) { return this; }; return Action; }(Subscription)); var intervalProvider = { setInterval: function (handler, timeout) { var args = []; for (var _i = 2; _i < arguments.length; _i++) { args[_i - 2] = arguments[_i]; } var delegate = intervalProvider.delegate; if (delegate === null || delegate === void 0 ? void 0 : delegate.setInterval) { return delegate.setInterval.apply(delegate, __spreadArray([handler, timeout], __read(args))); } return setInterval.apply(void 0, __spreadArray([handler, timeout], __read(args))); }, clearInterval: function (handle) { var delegate = intervalProvider.delegate; return ((delegate === null || delegate === void 0 ? void 0 : delegate.clearInterval) || clearInterval)(handle); }, delegate: undefined, }; var AsyncAction = (function (_super) { __extends(AsyncAction, _super); function AsyncAction(scheduler, work) { var _this = _super.call(this, scheduler, work) || this; _this.scheduler = scheduler; _this.work = work; _this.pending = false; return _this; } AsyncAction.prototype.schedule = function (state, delay) { var _a; if (delay === void 0) { delay = 0; } if (this.closed) { return this; } this.state = state; var id = this.id; var scheduler = this.scheduler; if (id != null) { this.id = this.recycleAsyncId(scheduler, id, delay); } this.pending = true; this.delay = delay; this.id = (_a = this.id) !== null && _a !== void 0 ? _a : this.requestAsyncId(scheduler, this.id, delay); return this; }; AsyncAction.prototype.requestAsyncId = function (scheduler, _id, delay) { if (delay === void 0) { delay = 0; } return intervalProvider.setInterval(scheduler.flush.bind(scheduler, this), delay); }; AsyncAction.prototype.recycleAsyncId = function (_scheduler, id, delay) { if (delay === void 0) { delay = 0; } if (delay != null && this.delay === delay && this.pending === false) { return id; } if (id != null) { intervalProvider.clearInterval(id); } return undefined; }; AsyncAction.prototype.execute = function (state, delay) { if (this.closed) { return new Error("executing a cancelled action"); } this.pending = false; var error = this._execute(state, delay); if (error) { return error; } else if (this.pending === false && this.id != null) { this.id = this.recycleAsyncId(this.scheduler, this.id, null); } }; AsyncAction.prototype._execute = function (state, _delay) { var errored = false; var errorValue; try { this.work(state); } catch (e) { errored = true; errorValue = e ? e : new Error("Scheduled action threw falsy error"); } if (errored) { this.unsubscribe(); return errorValue; } }; AsyncAction.prototype.unsubscribe = function () { if (!this.closed) { var _a = this, id = _a.id, scheduler = _a.scheduler; var actions = scheduler.actions; this.work = this.state = this.scheduler = null; this.pending = false; arrRemove(actions, this); if (id != null) { this.id = this.recycleAsyncId(scheduler, id, null); } this.delay = null; _super.prototype.unsubscribe.call(this); } }; return AsyncAction; }(Action)); var Scheduler = (function () { function Scheduler(schedulerActionCtor, now) { if (now === void 0) { now = Scheduler.now; } this.schedulerActionCtor = schedulerActionCtor; this.now = now; } Scheduler.prototype.schedule = function (work, delay, state) { if (delay === void 0) { delay = 0; } return new this.schedulerActionCtor(this, work).schedule(state, delay); }; Scheduler.now = dateTimestampProvider.now; return Scheduler; }()); var AsyncScheduler = (function (_super) { __extends(AsyncScheduler, _super); function AsyncScheduler(SchedulerAction, now) { if (now === void 0) { now = Scheduler.now; } var _this = _super.call(this, SchedulerAction, now) || this; _this.actions = []; _this._active = false; return _this; } AsyncScheduler.prototype.flush = function (action) { var actions = this.actions; if (this._active) { actions.push(action); return; } var error; this._active = true; do { if ((error = action.execute(action.state, action.delay))) { break; } } while ((action = actions.shift())); this._active = false; if (error) { while ((action = actions.shift())) { action.unsubscribe(); } throw error; } }; return AsyncScheduler; }(Scheduler)); var asyncScheduler = new AsyncScheduler(AsyncAction); var async = asyncScheduler; var EMPTY$1 = new Observable(function (subscriber) { return subscriber.complete(); }); function empty(scheduler) { return scheduler ? emptyScheduled(scheduler) : EMPTY$1; } function emptyScheduled(scheduler) { return new Observable(function (subscriber) { return scheduler.schedule(function () { return subscriber.complete(); }); }); } function isScheduler(value) { return value && isFunction(value.schedule); } function last$1(arr) { return arr[arr.length - 1]; } function popResultSelector(args) { return isFunction(last$1(args)) ? args.pop() : undefined; } function popScheduler(args) { return isScheduler(last$1(args)) ? args.pop() : undefined; } function popNumber(args, defaultValue) { return typeof last$1(args) === "number" ? args.pop() : defaultValue; } var isArrayLike = (function (x) { return x && typeof x.length === "number" && typeof x !== "function"; }); function isPromise(value) { return isFunction(value === null || value === void 0 ? void 0 : value.then); } function isInteropObservable(input) { return isFunction(input[observable]); } function isAsyncIterable(obj) { return Symbol.asyncIterator && isFunction(obj === null || obj === void 0 ? void 0 : obj[Symbol.asyncIterator]); } function createInvalidObservableTypeError(input) { return new TypeError("You provided " + (input !== null && typeof input === "object" ? "an invalid object" : """ + input + """) + " where a stream was expected. You can provide an Observable, Promise, ReadableStream, Array, AsyncIterable, or Iterable."); } function getSymbolIterator() { if (typeof Symbol !== "function" || !Symbol.iterator) { return "@@iterator"; } return Symbol.iterator; } var iterator = getSymbolIterator(); function isIterable(input) { return isFunction(input === null || input === void 0 ? void 0 : input[iterator]); } function readableStreamLikeToAsyncGenerator(readableStream) { return __asyncGenerator(this, arguments, function readableStreamLikeToAsyncGenerator_1() { var reader, _a, value, done; return __generator(this, function (_b) { switch (_b.label) { case 0: reader = readableStream.getReader(); _b.label = 1; case 1: _b.trys.push([1, , 9, 10]); _b.label = 2; case 2: return [4, __await(reader.read())]; case 3: _a = _b.sent(), value = _a.value, done = _a.done; if (!done) return [3, 5]; return [4, __await(void 0)]; case 4: return [2, _b.sent()]; case 5: return [4, __await(value)]; case 6: return [4, _b.sent()]; case 7: _b.sent(); return [3, 2]; case 8: return [3, 10]; case 9: reader.releaseLock(); return [7]; case 10: return [2]; } }); }); } function isReadableStreamLike(obj) { return isFunction(obj === null || obj === void 0 ? void 0 : obj.getReader); } function innerFrom(input) { if (input instanceof Observable) { return input; } if (input != null) { if (isInteropObservable(input)) { return fromInteropObservable(input); } if (isArrayLike(input)) { return fromArrayLike(input); } if (isPromise(input)) { return fromPromise(input); } if (isAsyncIterable(input)) { return fromAsyncIterable(input); } if (isIterable(input)) { return fromIterable(input); } if (isReadableStreamLike(input)) { return fromReadableStreamLike(input); } } throw createInvalidObservableTypeError(input); } function fromInteropObservable(obj) { return new Observable(function (subscriber) { var obs = obj[observable](); if (isFunction(obs.subscribe)) { return obs.subscribe(subscriber); } throw new TypeError("Provided object does not correctly implement Symbol.observable"); }); } function fromArrayLike(array) { return new Observable(function (subscriber) { for (var i = 0; i < array.length && !subscriber.closed; i++) { subscriber.next(array[i]); } subscriber.complete(); }); } function fromPromise(promise) { return new Observable(function (subscriber) { promise .then(function (value) { if (!subscriber.closed) { subscriber.next(value); subscriber.complete(); } }, function (err) { return subscriber.error(err); }) .then(null, reportUnhandledError); }); } function fromIterable(iterable) { return new Observable(function (subscriber) { var e_1, _a; try { for (var iterable_1 = __values(iterable), iterable_1_1 = iterable_1.next(); !iterable_1_1.done; iterable_1_1 = iterable_1.next()) { var value = iterable_1_1.value; subscriber.next(value); if (subscriber.closed) { return; } } } catch (e_1_1) { e_1 = { error: e_1_1 }; } finally { try { if (iterable_1_1 && !iterable_1_1.done && (_a = iterable_1.return)) _a.call(iterable_1); } finally { if (e_1) throw e_1.error; } } subscriber.complete(); }); } function fromAsyncIterable(asyncIterable) { return new Observable(function (subscriber) { process(asyncIterable, subscriber).catch(function (err) { return subscriber.error(err); }); }); } function fromReadableStreamLike(readableStream) { return fromAsyncIterable(readableStreamLikeToAsyncGenerator(readableStream)); } function process(asyncIterable, subscriber) { var asyncIterable_1, asyncIterable_1_1; var e_2, _a; return __awaiter(this, void 0, void 0, function () { var value, e_2_1; return __generator(this, function (_b) { switch (_b.label) { case 0: _b.trys.push([0, 5, 6, 11]); asyncIterable_1 = __asyncValues(asyncIterable); _b.label = 1; case 1: return [4, asyncIterable_1.next()]; case 2: if (!(asyncIterable_1_1 = _b.sent(), !asyncIterable_1_1.done)) return [3, 4]; value = asyncIterable_1_1.value; subscriber.next(value); if (subscriber.closed) { return [2]; } _b.label = 3; case 3: return [3, 1]; case 4: return [3, 11]; case 5: e_2_1 = _b.sent(); e_2 = { error: e_2_1 }; return [3, 11]; case 6: _b.trys.push([6, , 9, 10]); if (!(asyncIterable_1_1 && !asyncIterable_1_1.done && (_a = asyncIterable_1.return))) return [3, 8]; return [4, _a.call(asyncIterable_1)]; case 7: _b.sent(); _b.label = 8; case 8: return [3, 10]; case 9: if (e_2) throw e_2.error; return [7]; case 10: return [7]; case 11: subscriber.complete(); return [2]; } }); }); } function executeSchedule(parentSubscription, scheduler, work, delay, repeat) { if (delay === void 0) { delay = 0; } if (repeat === void 0) { repeat = false; } var scheduleSubscription = scheduler.schedule(function () { work(); if (repeat) { parentSubscription.add(this.schedule(null, delay)); } else { this.unsubscribe(); } }, delay); parentSubscription.add(scheduleSubscription); if (!repeat) { return scheduleSubscription; } } function observeOn(scheduler, delay) { if (delay === void 0) { delay = 0; } return operate(function (source, subscriber) { source.subscribe(createOperatorSubscriber(subscriber, function (value) { return executeSchedule(subscriber, scheduler, function () { return subscriber.next(value); }, delay); }, function () { return executeSchedule(subscriber, scheduler, function () { return subscriber.complete(); }, delay); }, function (err) { return executeSchedule(subscriber, scheduler, function () { return subscriber.error(err); }, delay); })); }); } function subscribeOn(scheduler, delay) { if (delay === void 0) { delay = 0; } return operate(function (source, subscriber) { subscriber.add(scheduler.schedule(function () { return source.subscribe(subscriber); }, delay)); }); } function scheduleObservable(input, scheduler) { return innerFrom(input).pipe(subscribeOn(scheduler), observeOn(scheduler)); } function schedulePromise(input, scheduler) { return innerFrom(input).pipe(subscribeOn(scheduler), observeOn(scheduler)); } function scheduleArray(input, scheduler) { return new Observable(function (subscriber) { var i = 0; return scheduler.schedule(function () { if (i === input.length) { subscriber.complete(); } else { subscriber.next(input[i++]); if (!subscriber.closed) { this.schedule(); } } }); }); } function scheduleIterable(input, scheduler) { return new Observable(function (subscriber) { var iterator$1; executeSchedule(subscriber, scheduler, function () { iterator$1 = input[iterator](); executeSchedule(subscriber, scheduler, function () { var _a; var value; var done; try { (_a = iterator$1.next(), value = _a.value, done = _a.done); } catch (err) { subscriber.error(err); return; } if (done) { subscriber.complete(); } else { subscriber.next(value); } }, 0, true); }); return function () { return isFunction(iterator$1 === null || iterator$1 === void 0 ? void 0 : iterator$1.return) && iterator$1.return(); }; }); } function scheduleAsyncIterable(input, scheduler) { if (!input) { throw new Error("Iterable cannot be null"); } return new Observable(function (subscriber) { executeSchedule(subscriber, scheduler, function () { var iterator = input[Symbol.asyncIterator](); executeSchedule(subscriber, scheduler, function () { iterator.next().then(function (result) { if (result.done) { subscriber.complete(); } else { subscriber.next(result.value); } }); }, 0, true); }); }); } function scheduleReadableStreamLike(input, scheduler) { return scheduleAsyncIterable(readableStreamLikeToAsyncGenerator(input), scheduler); } function scheduled(input, scheduler) { if (input != null) { if (isInteropObservable(input)) { return scheduleObservable(input, scheduler); } if (isArrayLike(input)) { return scheduleArray(input, scheduler); } if (isPromise(input)) { return schedulePromise(input, scheduler); } if (isAsyncIterable(input)) { return scheduleAsyncIterable(input, scheduler); } if (isIterable(input)) { return scheduleIterable(input, scheduler); } if (isReadableStreamLike(input)) { return scheduleReadableStreamLike(input, scheduler); } } throw createInvalidObservableTypeError(input); } function from(input, scheduler) { return scheduler ? scheduled(input, scheduler) : innerFrom(input); } function of() { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } var scheduler = popScheduler(args); return from(args, scheduler); } function throwError(errorOrErrorFactory, scheduler) { var errorFactory = isFunction(errorOrErrorFactory) ? errorOrErrorFactory : function () { return errorOrErrorFactory; }; var init = function (subscriber) { return subscriber.error(errorFactory()); }; return new Observable(scheduler ? function (subscriber) { return scheduler.schedule(init, 0, subscriber); } : init); } var EmptyError = createErrorClass(function (_super) { return function EmptyErrorImpl() { _super(this); this.name = "EmptyError"; this.message = "no elements in sequence"; }; }); function isValidDate(value) { return value instanceof Date && !isNaN(value); } var TimeoutError = createErrorClass(function (_super) { return function TimeoutErrorImpl(info) { if (info === void 0) { info = null; } _super(this); this.message = "Timeout has occurred"; this.name = "TimeoutError"; this.info = info; }; }); function timeout(config, schedulerArg) { var _a = (isValidDate(config) ? { first: config } : typeof config === "number" ? { each: config } : config), first = _a.first, each = _a.each, _b = _a.with, _with = _b === void 0 ? timeoutErrorFactory : _b, _c = _a.scheduler, scheduler = _c === void 0 ? schedulerArg !== null && schedulerArg !== void 0 ? schedulerArg : asyncScheduler : _c, _d = _a.meta, meta = _d === void 0 ? null : _d; if (first == null && each == null) { throw new TypeError("No timeout provided."); } return operate(function (source, subscriber) { var originalSourceSubscription; var timerSubscription; var lastValue = null; var seen = 0; var startTimer = function (delay) { timerSubscription = executeSchedule(subscriber, scheduler, function () { try { originalSourceSubscription.unsubscribe(); innerFrom(_with({ meta: meta, lastValue: lastValue, seen: seen, })).subscribe(subscriber); } catch (err) { subscriber.error(err); } }, delay); }; originalSourceSubscription = source.subscribe(createOperatorSubscriber(subscriber, function (value) { timerSubscription === null || timerSubscription === void 0 ? void 0 : timerSubscription.unsubscribe(); seen++; subscriber.next((lastValue = value)); each > 0 && startTimer(each); }, undefined, undefined, function () { if (!(timerSubscription === null || timerSubscription === void 0 ? void 0 : timerSubscription.closed)) { timerSubscription === null || timerSubscription === void 0 ? void 0 : timerSubscription.unsubscribe(); } lastValue = null; })); !seen && startTimer(first != null ? (typeof first === "number" ? first : +first - scheduler.now()) : each); }); } function timeoutErrorFactory(info) { throw new TimeoutError(info); } function map(project, thisArg) { return operate(function (source, subscriber) { var index = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { subscriber.next(project.call(thisArg, value, index++)); })); }); } var isArray$6 = Array.isArray; function callOrApply(fn, args) { return isArray$6(args) ? fn.apply(void 0, __spreadArray([], __read(args))) : fn(args); } function mapOneOrManyArgs(fn) { return map(function (args) { return callOrApply(fn, args); }); } var isArray$5 = Array.isArray; var getPrototypeOf = Object.getPrototypeOf, objectProto = Object.prototype, getKeys = Object.keys; function argsArgArrayOrObject(args) { if (args.length === 1) { var first_1 = args[0]; if (isArray$5(first_1)) { return { args: first_1, keys: null }; } if (isPOJO(first_1)) { var keys = getKeys(first_1); return { args: keys.map(function (key) { return first_1[key]; }), keys: keys, }; } } return { args: args, keys: null }; } function isPOJO(obj) { return obj && typeof obj === "object" && getPrototypeOf(obj) === objectProto; } function createObject(keys, values) { return keys.reduce(function (result, key, i) { return ((result[key] = values[i]), result); }, {}); } function combineLatest() { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } var scheduler = popScheduler(args); var resultSelector = popResultSelector(args); var _a = argsArgArrayOrObject(args), observables = _a.args, keys = _a.keys; if (observables.length === 0) { return from([], scheduler); } var result = new Observable(combineLatestInit(observables, scheduler, keys ? function (values) { return createObject(keys, values); } : identity)); return resultSelector ? result.pipe(mapOneOrManyArgs(resultSelector)) : result; } function combineLatestInit(observables, scheduler, valueTransform) { if (valueTransform === void 0) { valueTransform = identity; } return function (subscriber) { maybeSchedule(scheduler, function () { var length = observables.length; var values = new Array(length); var active = length; var remainingFirstValues = length; var _loop_1 = function (i) { maybeSchedule(scheduler, function () { var source = from(observables[i], scheduler); var hasFirstValue = false; source.subscribe(createOperatorSubscriber(subscriber, function (value) { values[i] = value; if (!hasFirstValue) { hasFirstValue = true; remainingFirstValues--; } if (!remainingFirstValues) { subscriber.next(valueTransform(values.slice())); } }, function () { if (!--active) { subscriber.complete(); } })); }, subscriber); }; for (var i = 0; i < length; i++) { _loop_1(i); } }, subscriber); }; } function maybeSchedule(scheduler, execute, subscription) { if (scheduler) { executeSchedule(subscription, scheduler, execute); } else { execute(); } } function mergeInternals(source, subscriber, project, concurrent, onBeforeNext, expand, innerSubScheduler, additionalFinalizer) { var buffer = []; var active = 0; var index = 0; var isComplete = false; var checkComplete = function () { if (isComplete && !buffer.length && !active) { subscriber.complete(); } }; var outerNext = function (value) { return (active < concurrent ? doInnerSub(value) : buffer.push(value)); }; var doInnerSub = function (value) { expand && subscriber.next(value); active++; var innerComplete = false; innerFrom(project(value, index++)).subscribe(createOperatorSubscriber(subscriber, function (innerValue) { onBeforeNext === null || onBeforeNext === void 0 ? void 0 : onBeforeNext(innerValue); if (expand) { outerNext(innerValue); } else { subscriber.next(innerValue); } }, function () { innerComplete = true; }, undefined, function () { if (innerComplete) { try { active--; var _loop_1 = function () { var bufferedValue = buffer.shift(); if (innerSubScheduler) { executeSchedule(subscriber, innerSubScheduler, function () { return doInnerSub(bufferedValue); }); } else { doInnerSub(bufferedValue); } }; while (buffer.length && active < concurrent) { _loop_1(); } checkComplete(); } catch (err) { subscriber.error(err); } } })); }; source.subscribe(createOperatorSubscriber(subscriber, outerNext, function () { isComplete = true; checkComplete(); })); return function () { additionalFinalizer === null || additionalFinalizer === void 0 ? void 0 : additionalFinalizer(); }; } function mergeMap(project, resultSelector, concurrent) { if (concurrent === void 0) { concurrent = Infinity; } if (isFunction(resultSelector)) { return mergeMap(function (a, i) { return map(function (b, ii) { return resultSelector(a, b, i, ii); })(innerFrom(project(a, i))); }, concurrent); } else if (typeof resultSelector === "number") { concurrent = resultSelector; } return operate(function (source, subscriber) { return mergeInternals(source, subscriber, project, concurrent); }); } function mergeAll(concurrent) { if (concurrent === void 0) { concurrent = Infinity; } return mergeMap(identity, concurrent); } function concatAll() { return mergeAll(1); } function concat() { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } return concatAll()(from(args, popScheduler(args))); } var nodeEventEmitterMethods = ["addListener", "removeListener"]; var eventTargetMethods = ["addEventListener", "removeEventListener"]; var jqueryMethods = ["on", "off"]; function fromEvent(target, eventName, options, resultSelector) { if (isFunction(options)) { resultSelector = options; options = undefined; } if (resultSelector) { return fromEvent(target, eventName, options).pipe(mapOneOrManyArgs(resultSelector)); } var _a = __read(isEventTarget(target) ? eventTargetMethods.map(function (methodName) { return function (handler) { return target[methodName](eventName, handler, options); }; }) : isNodeStyleEventEmitter(target) ? nodeEventEmitterMethods.map(toCommonHandlerRegistry(target, eventName)) : isJQueryStyleEventEmitter(target) ? jqueryMethods.map(toCommonHandlerRegistry(target, eventName)) : [], 2), add = _a[0], remove = _a[1]; if (!add) { if (isArrayLike(target)) { return mergeMap(function (subTarget) { return fromEvent(subTarget, eventName, options); })(innerFrom(target)); } } if (!add) { throw new TypeError("Invalid event target"); } return new Observable(function (subscriber) { var handler = function () { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } return subscriber.next(1 < args.length ? args : args[0]); }; add(handler); return function () { return remove(handler); }; }); } function toCommonHandlerRegistry(target, eventName) { return function (methodName) { return function (handler) { return target[methodName](eventName, handler); }; }; } function isNodeStyleEventEmitter(target) { return isFunction(target.addListener) && isFunction(target.removeListener); } function isJQueryStyleEventEmitter(target) { return isFunction(target.on) && isFunction(target.off); } function isEventTarget(target) { return isFunction(target.addEventListener) && isFunction(target.removeEventListener); } function timer(dueTime, intervalOrScheduler, scheduler) { if (dueTime === void 0) { dueTime = 0; } if (scheduler === void 0) { scheduler = async; } var intervalDuration = -1; if (intervalOrScheduler != null) { if (isScheduler(intervalOrScheduler)) { scheduler = intervalOrScheduler; } else { intervalDuration = intervalOrScheduler; } } return new Observable(function (subscriber) { var due = isValidDate(dueTime) ? +dueTime - scheduler.now() : dueTime; if (due < 0) { due = 0; } var n = 0; return scheduler.schedule(function () { if (!subscriber.closed) { subscriber.next(n++); if (0 <= intervalDuration) { this.schedule(undefined, intervalDuration); } else { subscriber.complete(); } } }, due); }); } function merge() { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } var scheduler = popScheduler(args); var concurrent = popNumber(args, Infinity); var sources = args; return !sources.length ? EMPTY$1 : sources.length === 1 ? innerFrom(sources[0]) : mergeAll(concurrent)(from(sources, scheduler)); } var isArray$4 = Array.isArray; function argsOrArgArray(args) { return args.length === 1 && isArray$4(args[0]) ? args[0] : args; } function filter(predicate, thisArg) { return operate(function (source, subscriber) { var index = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { return predicate.call(thisArg, value, index++) && subscriber.next(value); })); }); } function zip() { var args = []; for (var _i = 0; _i < arguments.length; _i++) { args[_i] = arguments[_i]; } var resultSelector = popResultSelector(args); var sources = argsOrArgArray(args); return sources.length ? new Observable(function (subscriber) { var buffers = sources.map(function () { return []; }); var completed = sources.map(function () { return false; }); subscriber.add(function () { buffers = completed = null; }); var _loop_1 = function (sourceIndex) { innerFrom(sources[sourceIndex]).subscribe(createOperatorSubscriber(subscriber, function (value) { buffers[sourceIndex].push(value); if (buffers.every(function (buffer) { return buffer.length; })) { var result = buffers.map(function (buffer) { return buffer.shift(); }); subscriber.next(resultSelector ? resultSelector.apply(void 0, __spreadArray([], __read(result))) : result); if (buffers.some(function (buffer, i) { return !buffer.length && completed[i]; })) { subscriber.complete(); } } }, function () { completed[sourceIndex] = true; !buffers[sourceIndex].length && subscriber.complete(); })); }; for (var sourceIndex = 0; !subscriber.closed && sourceIndex < sources.length; sourceIndex++) { _loop_1(sourceIndex); } return function () { buffers = completed = null; }; }) : EMPTY$1; } function audit(durationSelector) { return operate(function (source, subscriber) { var hasValue = false; var lastValue = null; var durationSubscriber = null; var isComplete = false; var endDuration = function () { durationSubscriber === null || durationSubscriber === void 0 ? void 0 : durationSubscriber.unsubscribe(); durationSubscriber = null; if (hasValue) { hasValue = false; var value = lastValue; lastValue = null; subscriber.next(value); } isComplete && subscriber.complete(); }; var cleanupDuration = function () { durationSubscriber = null; isComplete && subscriber.complete(); }; source.subscribe(createOperatorSubscriber(subscriber, function (value) { hasValue = true; lastValue = value; if (!durationSubscriber) { innerFrom(durationSelector(value)).subscribe((durationSubscriber = createOperatorSubscriber(subscriber, endDuration, cleanupDuration))); } }, function () { isComplete = true; (!hasValue || !durationSubscriber || durationSubscriber.closed) && subscriber.complete(); })); }); } function auditTime(duration, scheduler) { if (scheduler === void 0) { scheduler = asyncScheduler; } return audit(function () { return timer(duration, scheduler); }); } function bufferCount(bufferSize, startBufferEvery) { if (startBufferEvery === void 0) { startBufferEvery = null; } startBufferEvery = startBufferEvery !== null && startBufferEvery !== void 0 ? startBufferEvery : bufferSize; return operate(function (source, subscriber) { var buffers = []; var count = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { var e_1, _a, e_2, _b; var toEmit = null; if (count++ % startBufferEvery === 0) { buffers.push([]); } try { for (var buffers_1 = __values(buffers), buffers_1_1 = buffers_1.next(); !buffers_1_1.done; buffers_1_1 = buffers_1.next()) { var buffer = buffers_1_1.value; buffer.push(value); if (bufferSize <= buffer.length) { toEmit = toEmit !== null && toEmit !== void 0 ? toEmit : []; toEmit.push(buffer); } } } catch (e_1_1) { e_1 = { error: e_1_1 }; } finally { try { if (buffers_1_1 && !buffers_1_1.done && (_a = buffers_1.return)) _a.call(buffers_1); } finally { if (e_1) throw e_1.error; } } if (toEmit) { try { for (var toEmit_1 = __values(toEmit), toEmit_1_1 = toEmit_1.next(); !toEmit_1_1.done; toEmit_1_1 = toEmit_1.next()) { var buffer = toEmit_1_1.value; arrRemove(buffers, buffer); subscriber.next(buffer); } } catch (e_2_1) { e_2 = { error: e_2_1 }; } finally { try { if (toEmit_1_1 && !toEmit_1_1.done && (_b = toEmit_1.return)) _b.call(toEmit_1); } finally { if (e_2) throw e_2.error; } } } }, function () { var e_3, _a; try { for (var buffers_2 = __values(buffers), buffers_2_1 = buffers_2.next(); !buffers_2_1.done; buffers_2_1 = buffers_2.next()) { var buffer = buffers_2_1.value; subscriber.next(buffer); } } catch (e_3_1) { e_3 = { error: e_3_1 }; } finally { try { if (buffers_2_1 && !buffers_2_1.done && (_a = buffers_2.return)) _a.call(buffers_2); } finally { if (e_3) throw e_3.error; } } subscriber.complete(); }, undefined, function () { buffers = null; })); }); } function bufferWhen(closingSelector) { return operate(function (source, subscriber) { var buffer = null; var closingSubscriber = null; var openBuffer = function () { closingSubscriber === null || closingSubscriber === void 0 ? void 0 : closingSubscriber.unsubscribe(); var b = buffer; buffer = []; b && subscriber.next(b); innerFrom(closingSelector()).subscribe((closingSubscriber = createOperatorSubscriber(subscriber, openBuffer, noop))); }; openBuffer(); source.subscribe(createOperatorSubscriber(subscriber, function (value) { return buffer === null || buffer === void 0 ? void 0 : buffer.push(value); }, function () { buffer && subscriber.next(buffer); subscriber.complete(); }, undefined, function () { return (buffer = closingSubscriber = null); })); }); } function catchError(selector) { return operate(function (source, subscriber) { var innerSub = null; var syncUnsub = false; var handledResult; innerSub = source.subscribe(createOperatorSubscriber(subscriber, undefined, undefined, function (err) { handledResult = innerFrom(selector(err, catchError(selector)(source))); if (innerSub) { innerSub.unsubscribe(); innerSub = null; handledResult.subscribe(subscriber); } else { syncUnsub = true; } })); if (syncUnsub) { innerSub.unsubscribe(); innerSub = null; handledResult.subscribe(subscriber); } }); } function scanInternals(accumulator, seed, hasSeed, emitOnNext, emitBeforeComplete) { return function (source, subscriber) { var hasState = hasSeed; var state = seed; var index = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { var i = index++; state = hasState ? accumulator(state, value, i) : ((hasState = true), value); emitOnNext && subscriber.next(state); }, emitBeforeComplete && (function () { hasState && subscriber.next(state); subscriber.complete(); }))); }; } function reduce(accumulator, seed) { return operate(scanInternals(accumulator, seed, arguments.length >= 2, false, true)); } function concatMap(project, resultSelector) { return isFunction(resultSelector) ? mergeMap(project, resultSelector, 1) : mergeMap(project, 1); } function fromSubscribable(subscribable) { return new Observable(function (subscriber) { return subscribable.subscribe(subscriber); }); } var DEFAULT_CONFIG = { connector: function () { return new Subject(); }, }; function connect(selector, config) { if (config === void 0) { config = DEFAULT_CONFIG; } var connector = config.connector; return operate(function (source, subscriber) { var subject = connector(); innerFrom(selector(fromSubscribable(subject))).subscribe(subscriber); subscriber.add(source.subscribe(subject)); }); } function debounceTime(dueTime, scheduler) { if (scheduler === void 0) { scheduler = asyncScheduler; } return operate(function (source, subscriber) { var activeTask = null; var lastValue = null; var lastTime = null; var emit = function () { if (activeTask) { activeTask.unsubscribe(); activeTask = null; var value = lastValue; lastValue = null; subscriber.next(value); } }; function emitWhenIdle() { var targetTime = lastTime + dueTime; var now = scheduler.now(); if (now < targetTime) { activeTask = this.schedule(undefined, targetTime - now); subscriber.add(activeTask); return; } emit(); } source.subscribe(createOperatorSubscriber(subscriber, function (value) { lastValue = value; lastTime = scheduler.now(); if (!activeTask) { activeTask = scheduler.schedule(emitWhenIdle, dueTime); subscriber.add(activeTask); } }, function () { emit(); subscriber.complete(); }, undefined, function () { lastValue = activeTask = null; })); }); } function defaultIfEmpty(defaultValue) { return operate(function (source, subscriber) { var hasValue = false; source.subscribe(createOperatorSubscriber(subscriber, function (value) { hasValue = true; subscriber.next(value); }, function () { if (!hasValue) { subscriber.next(defaultValue); } subscriber.complete(); })); }); } function take(count) { return count <= 0 ? function () { return EMPTY$1; } : operate(function (source, subscriber) { var seen = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { if (++seen <= count) { subscriber.next(value); if (count <= seen) { subscriber.complete(); } } })); }); } function distinctUntilChanged(comparator, keySelector) { if (keySelector === void 0) { keySelector = identity; } comparator = comparator !== null && comparator !== void 0 ? comparator : defaultCompare$3; return operate(function (source, subscriber) { var previousKey; var first = true; source.subscribe(createOperatorSubscriber(subscriber, function (value) { var currentKey = keySelector(value); if (first || !comparator(previousKey, currentKey)) { first = false; previousKey = currentKey; subscriber.next(value); } })); }); } function defaultCompare$3(a, b) { return a === b; } function throwIfEmpty(errorFactory) { if (errorFactory === void 0) { errorFactory = defaultErrorFactory; } return operate(function (source, subscriber) { var hasValue = false; source.subscribe(createOperatorSubscriber(subscriber, function (value) { hasValue = true; subscriber.next(value); }, function () { return (hasValue ? subscriber.complete() : subscriber.error(errorFactory())); })); }); } function defaultErrorFactory() { return new EmptyError(); } function expand(project, concurrent, scheduler) { if (concurrent === void 0) { concurrent = Infinity; } concurrent = (concurrent || 0) < 1 ? Infinity : concurrent; return operate(function (source, subscriber) { return mergeInternals(source, subscriber, project, concurrent, undefined, true, scheduler); }); } function finalize(callback) { return operate(function (source, subscriber) { try { source.subscribe(subscriber); } finally { subscriber.add(callback); } }); } function first(predicate, defaultValue) { var hasDefaultValue = arguments.length >= 2; return function (source) { return source.pipe(predicate ? filter(function (v, i) { return predicate(v, i, source); }) : identity, take(1), hasDefaultValue ? defaultIfEmpty(defaultValue) : throwIfEmpty(function () { return new EmptyError(); })); }; } function takeLast(count) { return count <= 0 ? function () { return EMPTY$1; } : operate(function (source, subscriber) { var buffer = []; source.subscribe(createOperatorSubscriber(subscriber, function (value) { buffer.push(value); count < buffer.length && buffer.shift(); }, function () { var e_1, _a; try { for (var buffer_1 = __values(buffer), buffer_1_1 = buffer_1.next(); !buffer_1_1.done; buffer_1_1 = buffer_1.next()) { var value = buffer_1_1.value; subscriber.next(value); } } catch (e_1_1) { e_1 = { error: e_1_1 }; } finally { try { if (buffer_1_1 && !buffer_1_1.done && (_a = buffer_1.return)) _a.call(buffer_1); } finally { if (e_1) throw e_1.error; } } subscriber.complete(); }, undefined, function () { buffer = null; })); }); } function last(predicate, defaultValue) { var hasDefaultValue = arguments.length >= 2; return function (source) { return source.pipe(predicate ? filter(function (v, i) { return predicate(v, i, source); }) : identity, takeLast(1), hasDefaultValue ? defaultIfEmpty(defaultValue) : throwIfEmpty(function () { return new EmptyError(); })); }; } function multicast(subjectOrSubjectFactory, selector) { var subjectFactory = isFunction(subjectOrSubjectFactory) ? subjectOrSubjectFactory : function () { return subjectOrSubjectFactory; }; if (isFunction(selector)) { return connect(selector, { connector: subjectFactory, }); } return function (source) { return new ConnectableObservable(source, subjectFactory); }; } function pairwise() { return operate(function (source, subscriber) { var prev; var hasPrev = false; source.subscribe(createOperatorSubscriber(subscriber, function (value) { var p = prev; prev = value; hasPrev && subscriber.next([p, value]); hasPrev = true; })); }); } function pluck() { var properties = []; for (var _i = 0; _i < arguments.length; _i++) { properties[_i] = arguments[_i]; } var length = properties.length; if (length === 0) { throw new Error("list of properties cannot be empty."); } return map(function (x) { var currentProp = x; for (var i = 0; i < length; i++) { var p = currentProp === null || currentProp === void 0 ? void 0 : currentProp[properties[i]]; if (typeof p !== "undefined") { currentProp = p; } else { return undefined; } } return currentProp; }); } function publish(selector) { return selector ? function (source) { return connect(selector)(source); } : function (source) { return multicast(new Subject())(source); }; } function publishReplay(bufferSize, windowTime, selectorOrScheduler, timestampProvider) { if (selectorOrScheduler && !isFunction(selectorOrScheduler)) { timestampProvider = selectorOrScheduler; } var selector = isFunction(selectorOrScheduler) ? selectorOrScheduler : undefined; return function (source) { return multicast(new ReplaySubject(bufferSize, windowTime, timestampProvider), selector)(source); }; } function retry(configOrCount) { if (configOrCount === void 0) { configOrCount = Infinity; } var config; if (configOrCount && typeof configOrCount === "object") { config = configOrCount; } else { config = { count: configOrCount, }; } var _a = config.count, count = _a === void 0 ? Infinity : _a, delay = config.delay, _b = config.resetOnSuccess, resetOnSuccess = _b === void 0 ? false : _b; return count <= 0 ? identity : operate(function (source, subscriber) { var soFar = 0; var innerSub; var subscribeForRetry = function () { var syncUnsub = false; innerSub = source.subscribe(createOperatorSubscriber(subscriber, function (value) { if (resetOnSuccess) { soFar = 0; } subscriber.next(value); }, undefined, function (err) { if (soFar++ < count) { var resub_1 = function () { if (innerSub) { innerSub.unsubscribe(); innerSub = null; subscribeForRetry(); } else { syncUnsub = true; } }; if (delay != null) { var notifier = typeof delay === "number" ? timer(delay) : innerFrom(delay(err, soFar)); var notifierSubscriber_1 = createOperatorSubscriber(subscriber, function () { notifierSubscriber_1.unsubscribe(); resub_1(); }, function () { subscriber.complete(); }); notifier.subscribe(notifierSubscriber_1); } else { resub_1(); } } else { subscriber.error(err); } })); if (syncUnsub) { innerSub.unsubscribe(); innerSub = null; subscribeForRetry(); } }; subscribeForRetry(); }); } function sample(notifier) { return operate(function (source, subscriber) { var hasValue = false; var lastValue = null; source.subscribe(createOperatorSubscriber(subscriber, function (value) { hasValue = true; lastValue = value; })); innerFrom(notifier).subscribe(createOperatorSubscriber(subscriber, function () { if (hasValue) { hasValue = false; var value = lastValue; lastValue = null; subscriber.next(value); } }, noop)); }); } function scan(accumulator, seed) { return operate(scanInternals(accumulator, seed, arguments.length >= 2, true)); } function share(options) { if (options === void 0) { options = {}; } var _a = options.connector, connector = _a === void 0 ? function () { return new Subject(); } : _a, _b = options.resetOnError, resetOnError = _b === void 0 ? true : _b, _c = options.resetOnComplete, resetOnComplete = _c === void 0 ? true : _c, _d = options.resetOnRefCountZero, resetOnRefCountZero = _d === void 0 ? true : _d; return function (wrapperSource) { var connection; var resetConnection; var subject; var refCount = 0; var hasCompleted = false; var hasErrored = false; var cancelReset = function () { resetConnection === null || resetConnection === void 0 ? void 0 : resetConnection.unsubscribe(); resetConnection = undefined; }; var reset = function () { cancelReset(); connection = subject = undefined; hasCompleted = hasErrored = false; }; var resetAndUnsubscribe = function () { var conn = connection; reset(); conn === null || conn === void 0 ? void 0 : conn.unsubscribe(); }; return operate(function (source, subscriber) { refCount++; if (!hasErrored && !hasCompleted) { cancelReset(); } var dest = (subject = subject !== null && subject !== void 0 ? subject : connector()); subscriber.add(function () { refCount--; if (refCount === 0 && !hasErrored && !hasCompleted) { resetConnection = handleReset(resetAndUnsubscribe, resetOnRefCountZero); } }); dest.subscribe(subscriber); if (!connection && refCount > 0) { connection = new SafeSubscriber({ next: function (value) { return dest.next(value); }, error: function (err) { hasErrored = true; cancelReset(); resetConnection = handleReset(reset, resetOnError, err); dest.error(err); }, complete: function () { hasCompleted = true; cancelReset(); resetConnection = handleReset(reset, resetOnComplete); dest.complete(); }, }); innerFrom(source).subscribe(connection); } })(wrapperSource); }; } function handleReset(reset, on) { var args = []; for (var _i = 2; _i < arguments.length; _i++) { args[_i - 2] = arguments[_i]; } if (on === true) { reset(); return; } if (on === false) { return; } var onSubscriber = new SafeSubscriber({ next: function () { onSubscriber.unsubscribe(); reset(); }, }); return innerFrom(on.apply(void 0, __spreadArray([], __read(args)))).subscribe(onSubscriber); } function skip(count) { return filter(function (_, index) { return count <= index; }); } function skipWhile(predicate) { return operate(function (source, subscriber) { var taking = false; var index = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { return (taking || (taking = !predicate(value, index++))) && subscriber.next(value); })); }); } function startWith() { var values = []; for (var _i = 0; _i < arguments.length; _i++) { values[_i] = arguments[_i]; } var scheduler = popScheduler(values); return operate(function (source, subscriber) { (scheduler ? concat(values, source, scheduler) : concat(values, source)).subscribe(subscriber); }); } function switchMap(project, resultSelector) { return operate(function (source, subscriber) { var innerSubscriber = null; var index = 0; var isComplete = false; var checkComplete = function () { return isComplete && !innerSubscriber && subscriber.complete(); }; source.subscribe(createOperatorSubscriber(subscriber, function (value) { innerSubscriber === null || innerSubscriber === void 0 ? void 0 : innerSubscriber.unsubscribe(); var innerIndex = 0; var outerIndex = index++; innerFrom(project(value, outerIndex)).subscribe((innerSubscriber = createOperatorSubscriber(subscriber, function (innerValue) { return subscriber.next(resultSelector ? resultSelector(value, innerValue, outerIndex, innerIndex++) : innerValue); }, function () { innerSubscriber = null; checkComplete(); }))); }, function () { isComplete = true; checkComplete(); })); }); } function takeUntil(notifier) { return operate(function (source, subscriber) { innerFrom(notifier).subscribe(createOperatorSubscriber(subscriber, function () { return subscriber.complete(); }, noop)); !subscriber.closed && source.subscribe(subscriber); }); } function takeWhile(predicate, inclusive) { if (inclusive === void 0) { inclusive = false; } return operate(function (source, subscriber) { var index = 0; source.subscribe(createOperatorSubscriber(subscriber, function (value) { var result = predicate(value, index++); (result || inclusive) && subscriber.next(value); !result && subscriber.complete(); })); }); } function tap(observerOrNext, error, complete) { var tapObserver = isFunction(observerOrNext) || error || complete ? { next: observerOrNext, error: error, complete: complete } : observerOrNext; return tapObserver ? operate(function (source, subscriber) { var _a; (_a = tapObserver.subscribe) === null || _a === void 0 ? void 0 : _a.call(tapObserver); var isUnsub = true; source.subscribe(createOperatorSubscriber(subscriber, function (value) { var _a; (_a = tapObserver.next) === null || _a === void 0 ? void 0 : _a.call(tapObserver, value); subscriber.next(value); }, function () { var _a; isUnsub = false; (_a = tapObserver.complete) === null || _a === void 0 ? void 0 : _a.call(tapObserver); subscriber.complete(); }, function (err) { var _a; isUnsub = false; (_a = tapObserver.error) === null || _a === void 0 ? void 0 : _a.call(tapObserver, err); subscriber.error(err); }, function () { var _a, _b; if (isUnsub) { (_a = tapObserver.unsubscribe) === null || _a === void 0 ? void 0 : _a.call(tapObserver); } (_b = tapObserver.finalize) === null || _b === void 0 ? void 0 : _b.call(tapObserver); })); }) : identity; } function withLatestFrom() { var inputs = []; for (var _i = 0; _i < arguments.length; _i++) { inputs[_i] = arguments[_i]; } var project = popResultSelector(inputs); return operate(function (source, subscriber) { var len = inputs.length; var otherValues = new Array(len); var hasValue = inputs.map(function () { return false; }); var ready = false; var _loop_1 = function (i) { innerFrom(inputs[i]).subscribe(createOperatorSubscriber(subscriber, function (value) { otherValues[i] = value; if (!ready && !hasValue[i]) { hasValue[i] = true; (ready = hasValue.every(identity)) && (hasValue = null); } }, noop)); }; for (var i = 0; i < len; i++) { _loop_1(i); } source.subscribe(createOperatorSubscriber(subscriber, function (value) { if (ready) { var values = __spreadArray([value], __read(otherValues)); subscriber.next(project ? project.apply(void 0, __spreadArray([], __read(values))) : values); } })); }); } /** * @class Filter * * @classdesc Represents a class for creating image filters. Implementation and * definitions based on https://github.com/mapbox/feature-filter. */ class FilterCreator { /** * Create a filter from a filter expression. * * @description The following filters are supported: * * Comparison * `==` * `!=` * `<` * `<=` * `>` * `>=` * * Set membership * `in` * `!in` * * Combining * `all` * * @param {FilterExpression} filter - Comparison, set membership or combinding filter * expression. * @returns {FilterFunction} Function taking a image and returning a boolean that * indicates whether the image passed the test or not. */ createFilter(filter) { return new Function("node", "return " + this._compile(filter) + ";"); } _compile(filter) { if (filter == null || filter.length <= 1) { return "true"; } const operator = filter[0]; const operation = operator === "==" ? this._compileComparisonOp("===", filter[1], filter[2], false) : operator === "!=" ? this._compileComparisonOp("!==", filter[1], filter[2], false) : operator === ">" || operator === ">=" || operator === "<" || operator === "<=" ? this._compileComparisonOp(operator, filter[1], filter[2], true) : operator === "in" ? this._compileInOp(filter[1], filter.slice(2)) : operator === "!in" ? this._compileNegation(this._compileInOp(filter[1], filter.slice(2))) : operator === "all" ? this._compileLogicalOp(filter.slice(1), "&&") : "true"; return "(" + operation + ")"; } _compare(a, b) { return a < b ? -1 : a > b ? 1 : 0; } _compileComparisonOp(operator, property, value, checkType) { const left = this._compilePropertyReference(property); const right = JSON.stringify(value); return (checkType ? "typeof " + left + "===typeof " + right + "&&" : "") + left + operator + right; } _compileInOp(property, values) { const compare = this._compare; const left = JSON.stringify(values.sort(compare)); const right = this._compilePropertyReference(property); return left + ".indexOf(" + right + ")!==-1"; } _compileLogicalOp(filters, operator) { const compile = this._compile.bind(this); return filters.map(compile).join(operator); } _compileNegation(expression) { return "!(" + expression + ")"; } _compilePropertyReference(property) { return "node[" + JSON.stringify(property) + "]"; } } /** * @license * Copyright 2010-2023 Three.js Authors * SPDX-License-Identifier: MIT */ const REVISION = "152"; const CullFaceNone = 0; const CullFaceBack = 1; const CullFaceFront = 2; const PCFShadowMap = 1; const PCFSoftShadowMap = 2; const VSMShadowMap = 3; const FrontSide = 0; const BackSide = 1; const DoubleSide = 2; const NoBlending = 0; const NormalBlending = 1; const AdditiveBlending = 2; const SubtractiveBlending = 3; const MultiplyBlending = 4; const CustomBlending = 5; const AddEquation = 100; const SubtractEquation = 101; const ReverseSubtractEquation = 102; const MinEquation = 103; const MaxEquation = 104; const ZeroFactor = 200; const OneFactor = 201; const SrcColorFactor = 202; const OneMinusSrcColorFactor = 203; const SrcAlphaFactor = 204; const OneMinusSrcAlphaFactor = 205; const DstAlphaFactor = 206; const OneMinusDstAlphaFactor = 207; const DstColorFactor = 208; const OneMinusDstColorFactor = 209; const SrcAlphaSaturateFactor = 210; const NeverDepth = 0; const AlwaysDepth = 1; const LessDepth = 2; const LessEqualDepth = 3; const EqualDepth = 4; const GreaterEqualDepth = 5; const GreaterDepth = 6; const NotEqualDepth = 7; const MultiplyOperation = 0; const MixOperation = 1; const AddOperation = 2; const NoToneMapping = 0; const LinearToneMapping = 1; const ReinhardToneMapping = 2; const CineonToneMapping = 3; const ACESFilmicToneMapping = 4; const CustomToneMapping = 5; const UVMapping = 300; const CubeReflectionMapping = 301; const CubeRefractionMapping = 302; const EquirectangularReflectionMapping = 303; const EquirectangularRefractionMapping = 304; const CubeUVReflectionMapping = 306; const RepeatWrapping = 1000; const ClampToEdgeWrapping = 1001; const MirroredRepeatWrapping = 1002; const NearestFilter = 1003; const NearestMipmapNearestFilter = 1004; const NearestMipmapLinearFilter = 1005; const LinearFilter = 1006; const LinearMipmapNearestFilter = 1007; const LinearMipmapLinearFilter = 1008; const UnsignedByteType = 1009; const ByteType = 1010; const ShortType = 1011; const UnsignedShortType = 1012; const IntType = 1013; const UnsignedIntType = 1014; const FloatType = 1015; const HalfFloatType = 1016; const UnsignedShort4444Type = 1017; const UnsignedShort5551Type = 1018; const UnsignedInt248Type = 1020; const AlphaFormat = 1021; const RGBAFormat = 1023; const LuminanceFormat = 1024; const LuminanceAlphaFormat = 1025; const DepthFormat = 1026; const DepthStencilFormat = 1027; const RedFormat = 1028; const RedIntegerFormat = 1029; const RGFormat = 1030; const RGIntegerFormat = 1031; const RGBAIntegerFormat = 1033; const RGB_S3TC_DXT1_Format = 33776; const RGBA_S3TC_DXT1_Format = 33777; const RGBA_S3TC_DXT3_Format = 33778; const RGBA_S3TC_DXT5_Format = 33779; const RGB_PVRTC_4BPPV1_Format = 35840; const RGB_PVRTC_2BPPV1_Format = 35841; const RGBA_PVRTC_4BPPV1_Format = 35842; const RGBA_PVRTC_2BPPV1_Format = 35843; const RGB_ETC1_Format = 36196; const RGB_ETC2_Format = 37492; const RGBA_ETC2_EAC_Format = 37496; const RGBA_ASTC_4x4_Format = 37808; const RGBA_ASTC_5x4_Format = 37809; const RGBA_ASTC_5x5_Format = 37810; const RGBA_ASTC_6x5_Format = 37811; const RGBA_ASTC_6x6_Format = 37812; const RGBA_ASTC_8x5_Format = 37813; const RGBA_ASTC_8x6_Format = 37814; const RGBA_ASTC_8x8_Format = 37815; const RGBA_ASTC_10x5_Format = 37816; const RGBA_ASTC_10x6_Format = 37817; const RGBA_ASTC_10x8_Format = 37818; const RGBA_ASTC_10x10_Format = 37819; const RGBA_ASTC_12x10_Format = 37820; const RGBA_ASTC_12x12_Format = 37821; const RGBA_BPTC_Format = 36492; const RED_RGTC1_Format = 36283; const SIGNED_RED_RGTC1_Format = 36284; const RED_GREEN_RGTC2_Format = 36285; const SIGNED_RED_GREEN_RGTC2_Format = 36286; /** @deprecated Use LinearSRGBColorSpace or NoColorSpace in three.js r152+. */ const LinearEncoding = 3000; /** @deprecated Use SRGBColorSpace in three.js r152+. */ const sRGBEncoding = 3001; const BasicDepthPacking = 3200; const RGBADepthPacking = 3201; const TangentSpaceNormalMap = 0; const ObjectSpaceNormalMap = 1; // Color space string identifiers, matching CSS Color Module Level 4 and WebGPU names where available. const NoColorSpace = ""; const SRGBColorSpace = "srgb"; const LinearSRGBColorSpace = "srgb-linear"; const DisplayP3ColorSpace = "display-p3"; const KeepStencilOp = 7680; const AlwaysStencilFunc = 519; const StaticDrawUsage = 35044; const GLSL3 = "300 es"; const _SRGBAFormat = 1035; // fallback for WebGL 1 /** * https://github.com/mrdoob/eventdispatcher.js/ */ class EventDispatcher { addEventListener( type, listener ) { if ( this._listeners === undefined ) this._listeners = {}; const listeners = this._listeners; if ( listeners[ type ] === undefined ) { listeners[ type ] = []; } if ( listeners[ type ].indexOf( listener ) === - 1 ) { listeners[ type ].push( listener ); } } hasEventListener( type, listener ) { if ( this._listeners === undefined ) return false; const listeners = this._listeners; return listeners[ type ] !== undefined && listeners[ type ].indexOf( listener ) !== - 1; } removeEventListener( type, listener ) { if ( this._listeners === undefined ) return; const listeners = this._listeners; const listenerArray = listeners[ type ]; if ( listenerArray !== undefined ) { const index = listenerArray.indexOf( listener ); if ( index !== - 1 ) { listenerArray.splice( index, 1 ); } } } dispatchEvent( event ) { if ( this._listeners === undefined ) return; const listeners = this._listeners; const listenerArray = listeners[ event.type ]; if ( listenerArray !== undefined ) { event.target = this; // Make a copy, in case listeners are removed while iterating. const array = listenerArray.slice( 0 ); for ( let i = 0, l = array.length; i < l; i ++ ) { array[ i ].call( this, event ); } event.target = null; } } } const _lut = [ "00", "01", "02", "03", "04", "05", "06", "07", "08", "09", "0a", "0b", "0c", "0d", "0e", "0f", "10", "11", "12", "13", "14", "15", "16", "17", "18", "19", "1a", "1b", "1c", "1d", "1e", "1f", "20", "21", "22", "23", "24", "25", "26", "27", "28", "29", "2a", "2b", "2c", "2d", "2e", "2f", "30", "31", "32", "33", "34", "35", "36", "37", "38", "39", "3a", "3b", "3c", "3d", "3e", "3f", "40", "41", "42", "43", "44", "45", "46", "47", "48", "49", "4a", "4b", "4c", "4d", "4e", "4f", "50", "51", "52", "53", "54", "55", "56", "57", "58", "59", "5a", "5b", "5c", "5d", "5e", "5f", "60", "61", "62", "63", "64", "65", "66", "67", "68", "69", "6a", "6b", "6c", "6d", "6e", "6f", "70", "71", "72", "73", "74", "75", "76", "77", "78", "79", "7a", "7b", "7c", "7d", "7e", "7f", "80", "81", "82", "83", "84", "85", "86", "87", "88", "89", "8a", "8b", "8c", "8d", "8e", "8f", "90", "91", "92", "93", "94", "95", "96", "97", "98", "99", "9a", "9b", "9c", "9d", "9e", "9f", "a0", "a1", "a2", "a3", "a4", "a5", "a6", "a7", "a8", "a9", "aa", "ab", "ac", "ad", "ae", "af", "b0", "b1", "b2", "b3", "b4", "b5", "b6", "b7", "b8", "b9", "ba", "bb", "bc", "bd", "be", "bf", "c0", "c1", "c2", "c3", "c4", "c5", "c6", "c7", "c8", "c9", "ca", "cb", "cc", "cd", "ce", "cf", "d0", "d1", "d2", "d3", "d4", "d5", "d6", "d7", "d8", "d9", "da", "db", "dc", "dd", "de", "df", "e0", "e1", "e2", "e3", "e4", "e5", "e6", "e7", "e8", "e9", "ea", "eb", "ec", "ed", "ee", "ef", "f0", "f1", "f2", "f3", "f4", "f5", "f6", "f7", "f8", "f9", "fa", "fb", "fc", "fd", "fe", "ff" ]; let _seed = 1234567; const DEG2RAD$1 = Math.PI / 180; const RAD2DEG$1 = 180 / Math.PI; // http://stackoverflow.com/questions/105034/how-to-create-a-guid-uuid-in-javascript/21963136#21963136 function generateUUID() { const d0 = Math.random() * 0xffffffff | 0; const d1 = Math.random() * 0xffffffff | 0; const d2 = Math.random() * 0xffffffff | 0; const d3 = Math.random() * 0xffffffff | 0; const uuid = _lut[ d0 & 0xff ] + _lut[ d0 >> 8 & 0xff ] + _lut[ d0 >> 16 & 0xff ] + _lut[ d0 >> 24 & 0xff ] + "-" + _lut[ d1 & 0xff ] + _lut[ d1 >> 8 & 0xff ] + "-" + _lut[ d1 >> 16 & 0x0f | 0x40 ] + _lut[ d1 >> 24 & 0xff ] + "-" + _lut[ d2 & 0x3f | 0x80 ] + _lut[ d2 >> 8 & 0xff ] + "-" + _lut[ d2 >> 16 & 0xff ] + _lut[ d2 >> 24 & 0xff ] + _lut[ d3 & 0xff ] + _lut[ d3 >> 8 & 0xff ] + _lut[ d3 >> 16 & 0xff ] + _lut[ d3 >> 24 & 0xff ]; // .toLowerCase() here flattens concatenated strings to save heap memory space. return uuid.toLowerCase(); } function clamp$1( value, min, max ) { return Math.max( min, Math.min( max, value ) ); } // compute euclidean modulo of m % n // https://en.wikipedia.org/wiki/Modulo_operation function euclideanModulo( n, m ) { return ( ( n % m ) + m ) % m; } // Linear mapping from range to range function mapLinear( x, a1, a2, b1, b2 ) { return b1 + ( x - a1 ) * ( b2 - b1 ) / ( a2 - a1 ); } // https://www.gamedev.net/tutorials/programming/general-and-gameplay-programming/inverse-lerp-a-super-useful-yet-often-overlooked-function-r5230/ function inverseLerp( x, y, value ) { if ( x !== y ) { return ( value - x ) / ( y - x ); } else { return 0; } } // https://en.wikipedia.org/wiki/Linear_interpolation function lerp( x, y, t ) { return ( 1 - t ) * x + t * y; } // http://www.rorydriscoll.com/2016/03/07/frame-rate-independent-damping-using-lerp/ function damp( x, y, lambda, dt ) { return lerp( x, y, 1 - Math.exp( - lambda * dt ) ); } // https://www.desmos.com/calculator/vcsjnyz7x4 function pingpong( x, length = 1 ) { return length - Math.abs( euclideanModulo( x, length * 2 ) - length ); } // http://en.wikipedia.org/wiki/Smoothstep function smoothstep( x, min, max ) { if ( x <= min ) return 0; if ( x >= max ) return 1; x = ( x - min ) / ( max - min ); return x * x * ( 3 - 2 * x ); } function smootherstep( x, min, max ) { if ( x <= min ) return 0; if ( x >= max ) return 1; x = ( x - min ) / ( max - min ); return x * x * x * ( x * ( x * 6 - 15 ) + 10 ); } // Random integer from interval function randInt( low, high ) { return low + Math.floor( Math.random() * ( high - low + 1 ) ); } // Random float from interval function randFloat( low, high ) { return low + Math.random() * ( high - low ); } // Random float from <-range/2, range/2> interval function randFloatSpread( range ) { return range * ( 0.5 - Math.random() ); } // Deterministic pseudo-random float in the interval [ 0, 1 ] function seededRandom( s ) { if ( s !== undefined ) _seed = s; // Mulberry32 generator let t = _seed += 0x6D2B79F5; t = Math.imul( t ^ t >>> 15, t | 1 ); t ^= t + Math.imul( t ^ t >>> 7, t | 61 ); return ( ( t ^ t >>> 14 ) >>> 0 ) / 4294967296; } function degToRad( degrees ) { return degrees * DEG2RAD$1; } function radToDeg( radians ) { return radians * RAD2DEG$1; } function isPowerOfTwo( value ) { return ( value & ( value - 1 ) ) === 0 && value !== 0; } function ceilPowerOfTwo( value ) { return Math.pow( 2, Math.ceil( Math.log( value ) / Math.LN2 ) ); } function floorPowerOfTwo( value ) { return Math.pow( 2, Math.floor( Math.log( value ) / Math.LN2 ) ); } function setQuaternionFromProperEuler( q, a, b, c, order ) { // Intrinsic Proper Euler Angles - see https://en.wikipedia.org/wiki/Euler_angles // rotations are applied to the axes in the order specified by "order" // rotation by angle "a" is applied first, then by angle "b", then by angle "c" // angles are in radians const cos = Math.cos; const sin = Math.sin; const c2 = cos( b / 2 ); const s2 = sin( b / 2 ); const c13 = cos( ( a + c ) / 2 ); const s13 = sin( ( a + c ) / 2 ); const c1_3 = cos( ( a - c ) / 2 ); const s1_3 = sin( ( a - c ) / 2 ); const c3_1 = cos( ( c - a ) / 2 ); const s3_1 = sin( ( c - a ) / 2 ); switch ( order ) { case "XYX": q.set( c2 * s13, s2 * c1_3, s2 * s1_3, c2 * c13 ); break; case "YZY": q.set( s2 * s1_3, c2 * s13, s2 * c1_3, c2 * c13 ); break; case "ZXZ": q.set( s2 * c1_3, s2 * s1_3, c2 * s13, c2 * c13 ); break; case "XZX": q.set( c2 * s13, s2 * s3_1, s2 * c3_1, c2 * c13 ); break; case "YXY": q.set( s2 * c3_1, c2 * s13, s2 * s3_1, c2 * c13 ); break; case "ZYZ": q.set( s2 * s3_1, s2 * c3_1, c2 * s13, c2 * c13 ); break; default: console.warn( "THREE.MathUtils: .setQuaternionFromProperEuler() encountered an unknown order: " + order ); } } function denormalize( value, array ) { switch ( array.constructor ) { case Float32Array: return value; case Uint16Array: return value / 65535.0; case Uint8Array: return value / 255.0; case Int16Array: return Math.max( value / 32767.0, - 1.0 ); case Int8Array: return Math.max( value / 127.0, - 1.0 ); default: throw new Error( "Invalid component type." ); } } function normalize( value, array ) { switch ( array.constructor ) { case Float32Array: return value; case Uint16Array: return Math.round( value * 65535.0 ); case Uint8Array: return Math.round( value * 255.0 ); case Int16Array: return Math.round( value * 32767.0 ); case Int8Array: return Math.round( value * 127.0 ); default: throw new Error( "Invalid component type." ); } } const MathUtils = { DEG2RAD: DEG2RAD$1, RAD2DEG: RAD2DEG$1, generateUUID: generateUUID, clamp: clamp$1, euclideanModulo: euclideanModulo, mapLinear: mapLinear, inverseLerp: inverseLerp, lerp: lerp, damp: damp, pingpong: pingpong, smoothstep: smoothstep, smootherstep: smootherstep, randInt: randInt, randFloat: randFloat, randFloatSpread: randFloatSpread, seededRandom: seededRandom, degToRad: degToRad, radToDeg: radToDeg, isPowerOfTwo: isPowerOfTwo, ceilPowerOfTwo: ceilPowerOfTwo, floorPowerOfTwo: floorPowerOfTwo, setQuaternionFromProperEuler: setQuaternionFromProperEuler, normalize: normalize, denormalize: denormalize }; class Vector2 { constructor( x = 0, y = 0 ) { Vector2.prototype.isVector2 = true; this.x = x; this.y = y; } get width() { return this.x; } set width( value ) { this.x = value; } get height() { return this.y; } set height( value ) { this.y = value; } set( x, y ) { this.x = x; this.y = y; return this; } setScalar( scalar ) { this.x = scalar; this.y = scalar; return this; } setX( x ) { this.x = x; return this; } setY( y ) { this.y = y; return this; } setComponent( index, value ) { switch ( index ) { case 0: this.x = value; break; case 1: this.y = value; break; default: throw new Error( "index is out of range: " + index ); } return this; } getComponent( index ) { switch ( index ) { case 0: return this.x; case 1: return this.y; default: throw new Error( "index is out of range: " + index ); } } clone() { return new this.constructor( this.x, this.y ); } copy( v ) { this.x = v.x; this.y = v.y; return this; } add( v ) { this.x += v.x; this.y += v.y; return this; } addScalar( s ) { this.x += s; this.y += s; return this; } addVectors( a, b ) { this.x = a.x + b.x; this.y = a.y + b.y; return this; } addScaledVector( v, s ) { this.x += v.x * s; this.y += v.y * s; return this; } sub( v ) { this.x -= v.x; this.y -= v.y; return this; } subScalar( s ) { this.x -= s; this.y -= s; return this; } subVectors( a, b ) { this.x = a.x - b.x; this.y = a.y - b.y; return this; } multiply( v ) { this.x *= v.x; this.y *= v.y; return this; } multiplyScalar( scalar ) { this.x *= scalar; this.y *= scalar; return this; } divide( v ) { this.x /= v.x; this.y /= v.y; return this; } divideScalar( scalar ) { return this.multiplyScalar( 1 / scalar ); } applyMatrix3( m ) { const x = this.x, y = this.y; const e = m.elements; this.x = e[ 0 ] * x + e[ 3 ] * y + e[ 6 ]; this.y = e[ 1 ] * x + e[ 4 ] * y + e[ 7 ]; return this; } min( v ) { this.x = Math.min( this.x, v.x ); this.y = Math.min( this.y, v.y ); return this; } max( v ) { this.x = Math.max( this.x, v.x ); this.y = Math.max( this.y, v.y ); return this; } clamp( min, max ) { // assumes min < max, componentwise this.x = Math.max( min.x, Math.min( max.x, this.x ) ); this.y = Math.max( min.y, Math.min( max.y, this.y ) ); return this; } clampScalar( minVal, maxVal ) { this.x = Math.max( minVal, Math.min( maxVal, this.x ) ); this.y = Math.max( minVal, Math.min( maxVal, this.y ) ); return this; } clampLength( min, max ) { const length = this.length(); return this.divideScalar( length || 1 ).multiplyScalar( Math.max( min, Math.min( max, length ) ) ); } floor() { this.x = Math.floor( this.x ); this.y = Math.floor( this.y ); return this; } ceil() { this.x = Math.ceil( this.x ); this.y = Math.ceil( this.y ); return this; } round() { this.x = Math.round( this.x ); this.y = Math.round( this.y ); return this; } roundToZero() { this.x = ( this.x < 0 ) ? Math.ceil( this.x ) : Math.floor( this.x ); this.y = ( this.y < 0 ) ? Math.ceil( this.y ) : Math.floor( this.y ); return this; } negate() { this.x = - this.x; this.y = - this.y; return this; } dot( v ) { return this.x * v.x + this.y * v.y; } cross( v ) { return this.x * v.y - this.y * v.x; } lengthSq() { return this.x * this.x + this.y * this.y; } length() { return Math.sqrt( this.x * this.x + this.y * this.y ); } manhattanLength() { return Math.abs( this.x ) + Math.abs( this.y ); } normalize() { return this.divideScalar( this.length() || 1 ); } angle() { // computes the angle in radians with respect to the positive x-axis const angle = Math.atan2( - this.y, - this.x ) + Math.PI; return angle; } angleTo( v ) { const denominator = Math.sqrt( this.lengthSq() * v.lengthSq() ); if ( denominator === 0 ) return Math.PI / 2; const theta = this.dot( v ) / denominator; // clamp, to handle numerical problems return Math.acos( clamp$1( theta, - 1, 1 ) ); } distanceTo( v ) { return Math.sqrt( this.distanceToSquared( v ) ); } distanceToSquared( v ) { const dx = this.x - v.x, dy = this.y - v.y; return dx * dx + dy * dy; } manhattanDistanceTo( v ) { return Math.abs( this.x - v.x ) + Math.abs( this.y - v.y ); } setLength( length ) { return this.normalize().multiplyScalar( length ); } lerp( v, alpha ) { this.x += ( v.x - this.x ) * alpha; this.y += ( v.y - this.y ) * alpha; return this; } lerpVectors( v1, v2, alpha ) { this.x = v1.x + ( v2.x - v1.x ) * alpha; this.y = v1.y + ( v2.y - v1.y ) * alpha; return this; } equals( v ) { return ( ( v.x === this.x ) && ( v.y === this.y ) ); } fromArray( array, offset = 0 ) { this.x = array[ offset ]; this.y = array[ offset + 1 ]; return this; } toArray( array = [], offset = 0 ) { array[ offset ] = this.x; array[ offset + 1 ] = this.y; return array; } fromBufferAttribute( attribute, index ) { this.x = attribute.getX( index ); this.y = attribute.getY( index ); return this; } rotateAround( center, angle ) { const c = Math.cos( angle ), s = Math.sin( angle ); const x = this.x - center.x; const y = this.y - center.y; this.x = x * c - y * s + center.x; this.y = x * s + y * c + center.y; return this; } random() { this.x = Math.random(); this.y = Math.random(); return this; } *[ Symbol.iterator ]() { yield this.x; yield this.y; } } class Matrix3 { constructor() { Matrix3.prototype.isMatrix3 = true; this.elements = [ 1, 0, 0, 0, 1, 0, 0, 0, 1 ]; } set( n11, n12, n13, n21, n22, n23, n31, n32, n33 ) { const te = this.elements; te[ 0 ] = n11; te[ 1 ] = n21; te[ 2 ] = n31; te[ 3 ] = n12; te[ 4 ] = n22; te[ 5 ] = n32; te[ 6 ] = n13; te[ 7 ] = n23; te[ 8 ] = n33; return this; } identity() { this.set( 1, 0, 0, 0, 1, 0, 0, 0, 1 ); return this; } copy( m ) { const te = this.elements; const me = m.elements; te[ 0 ] = me[ 0 ]; te[ 1 ] = me[ 1 ]; te[ 2 ] = me[ 2 ]; te[ 3 ] = me[ 3 ]; te[ 4 ] = me[ 4 ]; te[ 5 ] = me[ 5 ]; te[ 6 ] = me[ 6 ]; te[ 7 ] = me[ 7 ]; te[ 8 ] = me[ 8 ]; return this; } extractBasis( xAxis, yAxis, zAxis ) { xAxis.setFromMatrix3Column( this, 0 ); yAxis.setFromMatrix3Column( this, 1 ); zAxis.setFromMatrix3Column( this, 2 ); return this; } setFromMatrix4( m ) { const me = m.elements; this.set( me[ 0 ], me[ 4 ], me[ 8 ], me[ 1 ], me[ 5 ], me[ 9 ], me[ 2 ], me[ 6 ], me[ 10 ] ); return this; } multiply( m ) { return this.multiplyMatrices( this, m ); } premultiply( m ) { return this.multiplyMatrices( m, this ); } multiplyMatrices( a, b ) { const ae = a.elements; const be = b.elements; const te = this.elements; const a11 = ae[ 0 ], a12 = ae[ 3 ], a13 = ae[ 6 ]; const a21 = ae[ 1 ], a22 = ae[ 4 ], a23 = ae[ 7 ]; const a31 = ae[ 2 ], a32 = ae[ 5 ], a33 = ae[ 8 ]; const b11 = be[ 0 ], b12 = be[ 3 ], b13 = be[ 6 ]; const b21 = be[ 1 ], b22 = be[ 4 ], b23 = be[ 7 ]; const b31 = be[ 2 ], b32 = be[ 5 ], b33 = be[ 8 ]; te[ 0 ] = a11 * b11 + a12 * b21 + a13 * b31; te[ 3 ] = a11 * b12 + a12 * b22 + a13 * b32; te[ 6 ] = a11 * b13 + a12 * b23 + a13 * b33; te[ 1 ] = a21 * b11 + a22 * b21 + a23 * b31; te[ 4 ] = a21 * b12 + a22 * b22 + a23 * b32; te[ 7 ] = a21 * b13 + a22 * b23 + a23 * b33; te[ 2 ] = a31 * b11 + a32 * b21 + a33 * b31; te[ 5 ] = a31 * b12 + a32 * b22 + a33 * b32; te[ 8 ] = a31 * b13 + a32 * b23 + a33 * b33; return this; } multiplyScalar( s ) { const te = this.elements; te[ 0 ] *= s; te[ 3 ] *= s; te[ 6 ] *= s; te[ 1 ] *= s; te[ 4 ] *= s; te[ 7 ] *= s; te[ 2 ] *= s; te[ 5 ] *= s; te[ 8 ] *= s; return this; } determinant() { const te = this.elements; const a = te[ 0 ], b = te[ 1 ], c = te[ 2 ], d = te[ 3 ], e = te[ 4 ], f = te[ 5 ], g = te[ 6 ], h = te[ 7 ], i = te[ 8 ]; return a * e * i - a * f * h - b * d * i + b * f * g + c * d * h - c * e * g; } invert() { const te = this.elements, n11 = te[ 0 ], n21 = te[ 1 ], n31 = te[ 2 ], n12 = te[ 3 ], n22 = te[ 4 ], n32 = te[ 5 ], n13 = te[ 6 ], n23 = te[ 7 ], n33 = te[ 8 ], t11 = n33 * n22 - n32 * n23, t12 = n32 * n13 - n33 * n12, t13 = n23 * n12 - n22 * n13, det = n11 * t11 + n21 * t12 + n31 * t13; if ( det === 0 ) return this.set( 0, 0, 0, 0, 0, 0, 0, 0, 0 ); const detInv = 1 / det; te[ 0 ] = t11 * detInv; te[ 1 ] = ( n31 * n23 - n33 * n21 ) * detInv; te[ 2 ] = ( n32 * n21 - n31 * n22 ) * detInv; te[ 3 ] = t12 * detInv; te[ 4 ] = ( n33 * n11 - n31 * n13 ) * detInv; te[ 5 ] = ( n31 * n12 - n32 * n11 ) * detInv; te[ 6 ] = t13 * detInv; te[ 7 ] = ( n21 * n13 - n23 * n11 ) * detInv; te[ 8 ] = ( n22 * n11 - n21 * n12 ) * detInv; return this; } transpose() { let tmp; const m = this.elements; tmp = m[ 1 ]; m[ 1 ] = m[ 3 ]; m[ 3 ] = tmp; tmp = m[ 2 ]; m[ 2 ] = m[ 6 ]; m[ 6 ] = tmp; tmp = m[ 5 ]; m[ 5 ] = m[ 7 ]; m[ 7 ] = tmp; return this; } getNormalMatrix( matrix4 ) { return this.setFromMatrix4( matrix4 ).invert().transpose(); } transposeIntoArray( r ) { const m = this.elements; r[ 0 ] = m[ 0 ]; r[ 1 ] = m[ 3 ]; r[ 2 ] = m[ 6 ]; r[ 3 ] = m[ 1 ]; r[ 4 ] = m[ 4 ]; r[ 5 ] = m[ 7 ]; r[ 6 ] = m[ 2 ]; r[ 7 ] = m[ 5 ]; r[ 8 ] = m[ 8 ]; return this; } setUvTransform( tx, ty, sx, sy, rotation, cx, cy ) { const c = Math.cos( rotation ); const s = Math.sin( rotation ); this.set( sx * c, sx * s, - sx * ( c * cx + s * cy ) + cx + tx, - sy * s, sy * c, - sy * ( - s * cx + c * cy ) + cy + ty, 0, 0, 1 ); return this; } // scale( sx, sy ) { this.premultiply( _m3.makeScale( sx, sy ) ); return this; } rotate( theta ) { this.premultiply( _m3.makeRotation( - theta ) ); return this; } translate( tx, ty ) { this.premultiply( _m3.makeTranslation( tx, ty ) ); return this; } // for 2D Transforms makeTranslation( x, y ) { this.set( 1, 0, x, 0, 1, y, 0, 0, 1 ); return this; } makeRotation( theta ) { // counterclockwise const c = Math.cos( theta ); const s = Math.sin( theta ); this.set( c, - s, 0, s, c, 0, 0, 0, 1 ); return this; } makeScale( x, y ) { this.set( x, 0, 0, 0, y, 0, 0, 0, 1 ); return this; } // equals( matrix ) { const te = this.elements; const me = matrix.elements; for ( let i = 0; i < 9; i ++ ) { if ( te[ i ] !== me[ i ] ) return false; } return true; } fromArray( array, offset = 0 ) { for ( let i = 0; i < 9; i ++ ) { this.elements[ i ] = array[ i + offset ]; } return this; } toArray( array = [], offset = 0 ) { const te = this.elements; array[ offset ] = te[ 0 ]; array[ offset + 1 ] = te[ 1 ]; array[ offset + 2 ] = te[ 2 ]; array[ offset + 3 ] = te[ 3 ]; array[ offset + 4 ] = te[ 4 ]; array[ offset + 5 ] = te[ 5 ]; array[ offset + 6 ] = te[ 6 ]; array[ offset + 7 ] = te[ 7 ]; array[ offset + 8 ] = te[ 8 ]; return array; } clone() { return new this.constructor().fromArray( this.elements ); } } const _m3 = /*@__PURE__*/ new Matrix3(); function arrayNeedsUint32( array ) { // assumes larger values usually on last for ( let i = array.length - 1; i >= 0; -- i ) { if ( array[ i ] >= 65535 ) return true; // account for PRIMITIVE_RESTART_FIXED_INDEX, #24565 } return false; } function createElementNS( name ) { return document.createElementNS( "http://www.w3.org/1999/xhtml", name ); } const _cache = {}; function warnOnce( message ) { if ( message in _cache ) return; _cache[ message ] = true; console.warn( message ); } function SRGBToLinear( c ) { return ( c < 0.04045 ) ? c * 0.0773993808 : Math.pow( c * 0.9478672986 + 0.0521327014, 2.4 ); } function LinearToSRGB( c ) { return ( c < 0.0031308 ) ? c * 12.92 : 1.055 * ( Math.pow( c, 0.41666 ) ) - 0.055; } /** * Matrices converting P3 <-> Rec. 709 primaries, without gamut mapping * or clipping. Based on W3C specifications for sRGB and Display P3, * and ICC specifications for the D50 connection space. Values in/out * are _linear_ sRGB and _linear_ Display P3. * * Note that both sRGB and Display P3 use the sRGB transfer functions. * * Reference: * - http://www.russellcottrell.com/photo/matrixCalculator.htm */ const LINEAR_SRGB_TO_LINEAR_DISPLAY_P3 = /*@__PURE__*/ new Matrix3().fromArray( [ 0.8224621, 0.0331941, 0.0170827, 0.1775380, 0.9668058, 0.0723974, - 0.0000001, 0.0000001, 0.9105199 ] ); const LINEAR_DISPLAY_P3_TO_LINEAR_SRGB = /*@__PURE__*/ new Matrix3().fromArray( [ 1.2249401, - 0.0420569, - 0.0196376, - 0.2249404, 1.0420571, - 0.0786361, 0.0000001, 0.0000000, 1.0982735 ] ); function DisplayP3ToLinearSRGB( color ) { // Display P3 uses the sRGB transfer functions return color.convertSRGBToLinear().applyMatrix3( LINEAR_DISPLAY_P3_TO_LINEAR_SRGB ); } function LinearSRGBToDisplayP3( color ) { // Display P3 uses the sRGB transfer functions return color.applyMatrix3( LINEAR_SRGB_TO_LINEAR_DISPLAY_P3 ).convertLinearToSRGB(); } // Conversions from to Linear-sRGB reference space. const TO_LINEAR = { [ LinearSRGBColorSpace ]: ( color ) => color, [ SRGBColorSpace ]: ( color ) => color.convertSRGBToLinear(), [ DisplayP3ColorSpace ]: DisplayP3ToLinearSRGB, }; // Conversions to from Linear-sRGB reference space. const FROM_LINEAR = { [ LinearSRGBColorSpace ]: ( color ) => color, [ SRGBColorSpace ]: ( color ) => color.convertLinearToSRGB(), [ DisplayP3ColorSpace ]: LinearSRGBToDisplayP3, }; const ColorManagement = { enabled: true, get legacyMode() { console.warn( "THREE.ColorManagement: .legacyMode=false renamed to .enabled=true in r150." ); return ! this.enabled; }, set legacyMode( legacyMode ) { console.warn( "THREE.ColorManagement: .legacyMode=false renamed to .enabled=true in r150." ); this.enabled = ! legacyMode; }, get workingColorSpace() { return LinearSRGBColorSpace; }, set workingColorSpace( colorSpace ) { console.warn( "THREE.ColorManagement: .workingColorSpace is readonly." ); }, convert: function ( color, sourceColorSpace, targetColorSpace ) { if ( this.enabled === false || sourceColorSpace === targetColorSpace || ! sourceColorSpace || ! targetColorSpace ) { return color; } const sourceToLinear = TO_LINEAR[ sourceColorSpace ]; const targetFromLinear = FROM_LINEAR[ targetColorSpace ]; if ( sourceToLinear === undefined || targetFromLinear === undefined ) { throw new Error( `Unsupported color space conversion, "${ sourceColorSpace }" to "${ targetColorSpace }".` ); } return targetFromLinear( sourceToLinear( color ) ); }, fromWorkingColorSpace: function ( color, targetColorSpace ) { return this.convert( color, this.workingColorSpace, targetColorSpace ); }, toWorkingColorSpace: function ( color, sourceColorSpace ) { return this.convert( color, sourceColorSpace, this.workingColorSpace ); }, }; let _canvas; class ImageUtils { static getDataURL( image ) { if ( /^data:/i.test( image.src ) ) { return image.src; } if ( typeof HTMLCanvasElement === "undefined" ) { return image.src; } let canvas; if ( image instanceof HTMLCanvasElement ) { canvas = image; } else { if ( _canvas === undefined ) _canvas = createElementNS( "canvas" ); _canvas.width = image.width; _canvas.height = image.height; const context = _canvas.getContext( "2d" ); if ( image instanceof ImageData ) { context.putImageData( image, 0, 0 ); } else { context.drawImage( image, 0, 0, image.width, image.height ); } canvas = _canvas; } if ( canvas.width > 2048 || canvas.height > 2048 ) { console.warn( "THREE.ImageUtils.getDataURL: Image converted to jpg for performance reasons", image ); return canvas.toDataURL( "image/jpeg", 0.6 ); } else { return canvas.toDataURL( "image/png" ); } } static sRGBToLinear( image ) { if ( ( typeof HTMLImageElement !== "undefined" && image instanceof HTMLImageElement ) || ( typeof HTMLCanvasElement !== "undefined" && image instanceof HTMLCanvasElement ) || ( typeof ImageBitmap !== "undefined" && image instanceof ImageBitmap ) ) { const canvas = createElementNS( "canvas" ); canvas.width = image.width; canvas.height = image.height; const context = canvas.getContext( "2d" ); context.drawImage( image, 0, 0, image.width, image.height ); const imageData = context.getImageData( 0, 0, image.width, image.height ); const data = imageData.data; for ( let i = 0; i < data.length; i ++ ) { data[ i ] = SRGBToLinear( data[ i ] / 255 ) * 255; } context.putImageData( imageData, 0, 0 ); return canvas; } else if ( image.data ) { const data = image.data.slice( 0 ); for ( let i = 0; i < data.length; i ++ ) { if ( data instanceof Uint8Array || data instanceof Uint8ClampedArray ) { data[ i ] = Math.floor( SRGBToLinear( data[ i ] / 255 ) * 255 ); } else { // assuming float data[ i ] = SRGBToLinear( data[ i ] ); } } return { data: data, width: image.width, height: image.height }; } else { console.warn( "THREE.ImageUtils.sRGBToLinear(): Unsupported image type. No color space conversion applied." ); return image; } } } class Source { constructor( data = null ) { this.isSource = true; this.uuid = generateUUID(); this.data = data; this.version = 0; } set needsUpdate( value ) { if ( value === true ) this.version ++; } toJSON( meta ) { const isRootObject = ( meta === undefined || typeof meta === "string" ); if ( ! isRootObject && meta.images[ this.uuid ] !== undefined ) { return meta.images[ this.uuid ]; } const output = { uuid: this.uuid, url: "" }; const data = this.data; if ( data !== null ) { let url; if ( Array.isArray( data ) ) { // cube texture url = []; for ( let i = 0, l = data.length; i < l; i ++ ) { if ( data[ i ].isDataTexture ) { url.push( serializeImage( data[ i ].image ) ); } else { url.push( serializeImage( data[ i ] ) ); } } } else { // texture url = serializeImage( data ); } output.url = url; } if ( ! isRootObject ) { meta.images[ this.uuid ] = output; } return output; } } function serializeImage( image ) { if ( ( typeof HTMLImageElement !== "undefined" && image instanceof HTMLImageElement ) || ( typeof HTMLCanvasElement !== "undefined" && image instanceof HTMLCanvasElement ) || ( typeof ImageBitmap !== "undefined" && image instanceof ImageBitmap ) ) { // default images return ImageUtils.getDataURL( image ); } else { if ( image.data ) { // images of DataTexture return { data: Array.from( image.data ), width: image.width, height: image.height, type: image.data.constructor.name }; } else { console.warn( "THREE.Texture: Unable to serialize Texture." ); return {}; } } } let textureId = 0; class Texture extends EventDispatcher { constructor( image = Texture.DEFAULT_IMAGE, mapping = Texture.DEFAULT_MAPPING, wrapS = ClampToEdgeWrapping, wrapT = ClampToEdgeWrapping, magFilter = LinearFilter, minFilter = LinearMipmapLinearFilter, format = RGBAFormat, type = UnsignedByteType, anisotropy = Texture.DEFAULT_ANISOTROPY, colorSpace = NoColorSpace ) { super(); this.isTexture = true; Object.defineProperty( this, "id", { value: textureId ++ } ); this.uuid = generateUUID(); this.name = ""; this.source = new Source( image ); this.mipmaps = []; this.mapping = mapping; this.channel = 0; this.wrapS = wrapS; this.wrapT = wrapT; this.magFilter = magFilter; this.minFilter = minFilter; this.anisotropy = anisotropy; this.format = format; this.internalFormat = null; this.type = type; this.offset = new Vector2( 0, 0 ); this.repeat = new Vector2( 1, 1 ); this.center = new Vector2( 0, 0 ); this.rotation = 0; this.matrixAutoUpdate = true; this.matrix = new Matrix3(); this.generateMipmaps = true; this.premultiplyAlpha = false; this.flipY = true; this.unpackAlignment = 4; // valid values: 1, 2, 4, 8 (see http://www.khronos.org/opengles/sdk/docs/man/xhtml/glPixelStorei.xml) if ( typeof colorSpace === "string" ) { this.colorSpace = colorSpace; } else { // @deprecated, r152 warnOnce( "THREE.Texture: Property .encoding has been replaced by .colorSpace." ); this.colorSpace = colorSpace === sRGBEncoding ? SRGBColorSpace : NoColorSpace; } this.userData = {}; this.version = 0; this.onUpdate = null; this.isRenderTargetTexture = false; // indicates whether a texture belongs to a render target or not this.needsPMREMUpdate = false; // indicates whether this texture should be processed by PMREMGenerator or not (only relevant for render target textures) } get image() { return this.source.data; } set image( value = null ) { this.source.data = value; } updateMatrix() { this.matrix.setUvTransform( this.offset.x, this.offset.y, this.repeat.x, this.repeat.y, this.rotation, this.center.x, this.center.y ); } clone() { return new this.constructor().copy( this ); } copy( source ) { this.name = source.name; this.source = source.source; this.mipmaps = source.mipmaps.slice( 0 ); this.mapping = source.mapping; this.channel = source.channel; this.wrapS = source.wrapS; this.wrapT = source.wrapT; this.magFilter = source.magFilter; this.minFilter = source.minFilter; this.anisotropy = source.anisotropy; this.format = source.format; this.internalFormat = source.internalFormat; this.type = source.type; this.offset.copy( source.offset ); this.repeat.copy( source.repeat ); this.center.copy( source.center ); this.rotation = source.rotation; this.matrixAutoUpdate = source.matrixAutoUpdate; this.matrix.copy( source.matrix ); this.generateMipmaps = source.generateMipmaps; this.premultiplyAlpha = source.premultiplyAlpha; this.flipY = source.flipY; this.unpackAlignment = source.unpackAlignment; this.colorSpace = source.colorSpace; this.userData = JSON.parse( JSON.stringify( source.userData ) ); this.needsUpdate = true; return this; } toJSON( meta ) { const isRootObject = ( meta === undefined || typeof meta === "string" ); if ( ! isRootObject && meta.textures[ this.uuid ] !== undefined ) { return meta.textures[ this.uuid ]; } const output = { metadata: { version: 4.5, type: "Texture", generator: "Texture.toJSON" }, uuid: this.uuid, name: this.name, image: this.source.toJSON( meta ).uuid, mapping: this.mapping, channel: this.channel, repeat: [ this.repeat.x, this.repeat.y ], offset: [ this.offset.x, this.offset.y ], center: [ this.center.x, this.center.y ], rotation: this.rotation, wrap: [ this.wrapS, this.wrapT ], format: this.format, internalFormat: this.internalFormat, type: this.type, colorSpace: this.colorSpace, minFilter: this.minFilter, magFilter: this.magFilter, anisotropy: this.anisotropy, flipY: this.flipY, generateMipmaps: this.generateMipmaps, premultiplyAlpha: this.premultiplyAlpha, unpackAlignment: this.unpackAlignment }; if ( Object.keys( this.userData ).length > 0 ) output.userData = this.userData; if ( ! isRootObject ) { meta.textures[ this.uuid ] = output; } return output; } dispose() { this.dispatchEvent( { type: "dispose" } ); } transformUv( uv ) { if ( this.mapping !== UVMapping ) return uv; uv.applyMatrix3( this.matrix ); if ( uv.x < 0 || uv.x > 1 ) { switch ( this.wrapS ) { case RepeatWrapping: uv.x = uv.x - Math.floor( uv.x ); break; case ClampToEdgeWrapping: uv.x = uv.x < 0 ? 0 : 1; break; case MirroredRepeatWrapping: if ( Math.abs( Math.floor( uv.x ) % 2 ) === 1 ) { uv.x = Math.ceil( uv.x ) - uv.x; } else { uv.x = uv.x - Math.floor( uv.x ); } break; } } if ( uv.y < 0 || uv.y > 1 ) { switch ( this.wrapT ) { case RepeatWrapping: uv.y = uv.y - Math.floor( uv.y ); break; case ClampToEdgeWrapping: uv.y = uv.y < 0 ? 0 : 1; break; case MirroredRepeatWrapping: if ( Math.abs( Math.floor( uv.y ) % 2 ) === 1 ) { uv.y = Math.ceil( uv.y ) - uv.y; } else { uv.y = uv.y - Math.floor( uv.y ); } break; } } if ( this.flipY ) { uv.y = 1 - uv.y; } return uv; } set needsUpdate( value ) { if ( value === true ) { this.version ++; this.source.needsUpdate = true; } } get encoding() { // @deprecated, r152 warnOnce( "THREE.Texture: Property .encoding has been replaced by .colorSpace." ); return this.colorSpace === SRGBColorSpace ? sRGBEncoding : LinearEncoding; } set encoding( encoding ) { // @deprecated, r152 warnOnce( "THREE.Texture: Property .encoding has been replaced by .colorSpace." ); this.colorSpace = encoding === sRGBEncoding ? SRGBColorSpace : NoColorSpace; } } Texture.DEFAULT_IMAGE = null; Texture.DEFAULT_MAPPING = UVMapping; Texture.DEFAULT_ANISOTROPY = 1; class Vector4 { constructor( x = 0, y = 0, z = 0, w = 1 ) { Vector4.prototype.isVector4 = true; this.x = x; this.y = y; this.z = z; this.w = w; } get width() { return this.z; } set width( value ) { this.z = value; } get height() { return this.w; } set height( value ) { this.w = value; } set( x, y, z, w ) { this.x = x; this.y = y; this.z = z; this.w = w; return this; } setScalar( scalar ) { this.x = scalar; this.y = scalar; this.z = scalar; this.w = scalar; return this; } setX( x ) { this.x = x; return this; } setY( y ) { this.y = y; return this; } setZ( z ) { this.z = z; return this; } setW( w ) { this.w = w; return this; } setComponent( index, value ) { switch ( index ) { case 0: this.x = value; break; case 1: this.y = value; break; case 2: this.z = value; break; case 3: this.w = value; break; default: throw new Error( "index is out of range: " + index ); } return this; } getComponent( index ) { switch ( index ) { case 0: return this.x; case 1: return this.y; case 2: return this.z; case 3: return this.w; default: throw new Error( "index is out of range: " + index ); } } clone() { return new this.constructor( this.x, this.y, this.z, this.w ); } copy( v ) { this.x = v.x; this.y = v.y; this.z = v.z; this.w = ( v.w !== undefined ) ? v.w : 1; return this; } add( v ) { this.x += v.x; this.y += v.y; this.z += v.z; this.w += v.w; return this; } addScalar( s ) { this.x += s; this.y += s; this.z += s; this.w += s; return this; } addVectors( a, b ) { this.x = a.x + b.x; this.y = a.y + b.y; this.z = a.z + b.z; this.w = a.w + b.w; return this; } addScaledVector( v, s ) { this.x += v.x * s; this.y += v.y * s; this.z += v.z * s; this.w += v.w * s; return this; } sub( v ) { this.x -= v.x; this.y -= v.y; this.z -= v.z; this.w -= v.w; return this; } subScalar( s ) { this.x -= s; this.y -= s; this.z -= s; this.w -= s; return this; } subVectors( a, b ) { this.x = a.x - b.x; this.y = a.y - b.y; this.z = a.z - b.z; this.w = a.w - b.w; return this; } multiply( v ) { this.x *= v.x; this.y *= v.y; this.z *= v.z; this.w *= v.w; return this; } multiplyScalar( scalar ) { this.x *= scalar; this.y *= scalar; this.z *= scalar; this.w *= scalar; return this; } applyMatrix4( m ) { const x = this.x, y = this.y, z = this.z, w = this.w; const e = m.elements; this.x = e[ 0 ] * x + e[ 4 ] * y + e[ 8 ] * z + e[ 12 ] * w; this.y = e[ 1 ] * x + e[ 5 ] * y + e[ 9 ] * z + e[ 13 ] * w; this.z = e[ 2 ] * x + e[ 6 ] * y + e[ 10 ] * z + e[ 14 ] * w; this.w = e[ 3 ] * x + e[ 7 ] * y + e[ 11 ] * z + e[ 15 ] * w; return this; } divideScalar( scalar ) { return this.multiplyScalar( 1 / scalar ); } setAxisAngleFromQuaternion( q ) { // http://www.euclideanspace.com/maths/geometry/rotations/conversions/quaternionToAngle/index.htm // q is assumed to be normalized this.w = 2 * Math.acos( q.w ); const s = Math.sqrt( 1 - q.w * q.w ); if ( s < 0.0001 ) { this.x = 1; this.y = 0; this.z = 0; } else { this.x = q.x / s; this.y = q.y / s; this.z = q.z / s; } return this; } setAxisAngleFromRotationMatrix( m ) { // http://www.euclideanspace.com/maths/geometry/rotations/conversions/matrixToAngle/index.htm // assumes the upper 3x3 of m is a pure rotation matrix (i.e, unscaled) let angle, x, y, z; // variables for result const epsilon = 0.01, // margin to allow for rounding errors epsilon2 = 0.1, // margin to distinguish between 0 and 180 degrees te = m.elements, m11 = te[ 0 ], m12 = te[ 4 ], m13 = te[ 8 ], m21 = te[ 1 ], m22 = te[ 5 ], m23 = te[ 9 ], m31 = te[ 2 ], m32 = te[ 6 ], m33 = te[ 10 ]; if ( ( Math.abs( m12 - m21 ) < epsilon ) && ( Math.abs( m13 - m31 ) < epsilon ) && ( Math.abs( m23 - m32 ) < epsilon ) ) { // singularity found // first check for identity matrix which must have +1 for all terms // in leading diagonal and zero in other terms if ( ( Math.abs( m12 + m21 ) < epsilon2 ) && ( Math.abs( m13 + m31 ) < epsilon2 ) && ( Math.abs( m23 + m32 ) < epsilon2 ) && ( Math.abs( m11 + m22 + m33 - 3 ) < epsilon2 ) ) { // this singularity is identity matrix so angle = 0 this.set( 1, 0, 0, 0 ); return this; // zero angle, arbitrary axis } // otherwise this singularity is angle = 180 angle = Math.PI; const xx = ( m11 + 1 ) / 2; const yy = ( m22 + 1 ) / 2; const zz = ( m33 + 1 ) / 2; const xy = ( m12 + m21 ) / 4; const xz = ( m13 + m31 ) / 4; const yz = ( m23 + m32 ) / 4; if ( ( xx > yy ) && ( xx > zz ) ) { // m11 is the largest diagonal term if ( xx < epsilon ) { x = 0; y = 0.707106781; z = 0.707106781; } else { x = Math.sqrt( xx ); y = xy / x; z = xz / x; } } else if ( yy > zz ) { // m22 is the largest diagonal term if ( yy < epsilon ) { x = 0.707106781; y = 0; z = 0.707106781; } else { y = Math.sqrt( yy ); x = xy / y; z = yz / y; } } else { // m33 is the largest diagonal term so base result on this if ( zz < epsilon ) { x = 0.707106781; y = 0.707106781; z = 0; } else { z = Math.sqrt( zz ); x = xz / z; y = yz / z; } } this.set( x, y, z, angle ); return this; // return 180 deg rotation } // as we have reached here there are no singularities so we can handle normally let s = Math.sqrt( ( m32 - m23 ) * ( m32 - m23 ) + ( m13 - m31 ) * ( m13 - m31 ) + ( m21 - m12 ) * ( m21 - m12 ) ); // used to normalize if ( Math.abs( s ) < 0.001 ) s = 1; // prevent divide by zero, should not happen if matrix is orthogonal and should be // caught by singularity test above, but I"ve left it in just in case this.x = ( m32 - m23 ) / s; this.y = ( m13 - m31 ) / s; this.z = ( m21 - m12 ) / s; this.w = Math.acos( ( m11 + m22 + m33 - 1 ) / 2 ); return this; } min( v ) { this.x = Math.min( this.x, v.x ); this.y = Math.min( this.y, v.y ); this.z = Math.min( this.z, v.z ); this.w = Math.min( this.w, v.w ); return this; } max( v ) { this.x = Math.max( this.x, v.x ); this.y = Math.max( this.y, v.y ); this.z = Math.max( this.z, v.z ); this.w = Math.max( this.w, v.w ); return this; } clamp( min, max ) { // assumes min < max, componentwise this.x = Math.max( min.x, Math.min( max.x, this.x ) ); this.y = Math.max( min.y, Math.min( max.y, this.y ) ); this.z = Math.max( min.z, Math.min( max.z, this.z ) ); this.w = Math.max( min.w, Math.min( max.w, this.w ) ); return this; } clampScalar( minVal, maxVal ) { this.x = Math.max( minVal, Math.min( maxVal, this.x ) ); this.y = Math.max( minVal, Math.min( maxVal, this.y ) ); this.z = Math.max( minVal, Math.min( maxVal, this.z ) ); this.w = Math.max( minVal, Math.min( maxVal, this.w ) ); return this; } clampLength( min, max ) { const length = this.length(); return this.divideScalar( length || 1 ).multiplyScalar( Math.max( min, Math.min( max, length ) ) ); } floor() { this.x = Math.floor( this.x ); this.y = Math.floor( this.y ); this.z = Math.floor( this.z ); this.w = Math.floor( this.w ); return this; } ceil() { this.x = Math.ceil( this.x ); this.y = Math.ceil( this.y ); this.z = Math.ceil( this.z ); this.w = Math.ceil( this.w ); return this; } round() { this.x = Math.round( this.x ); this.y = Math.round( this.y ); this.z = Math.round( this.z ); this.w = Math.round( this.w ); return this; } roundToZero() { this.x = ( this.x < 0 ) ? Math.ceil( this.x ) : Math.floor( this.x ); this.y = ( this.y < 0 ) ? Math.ceil( this.y ) : Math.floor( this.y ); this.z = ( this.z < 0 ) ? Math.ceil( this.z ) : Math.floor( this.z ); this.w = ( this.w < 0 ) ? Math.ceil( this.w ) : Math.floor( this.w ); return this; } negate() { this.x = - this.x; this.y = - this.y; this.z = - this.z; this.w = - this.w; return this; } dot( v ) { return this.x * v.x + this.y * v.y + this.z * v.z + this.w * v.w; } lengthSq() { return this.x * this.x + this.y * this.y + this.z * this.z + this.w * this.w; } length() { return Math.sqrt( this.x * this.x + this.y * this.y + this.z * this.z + this.w * this.w ); } manhattanLength() { return Math.abs( this.x ) + Math.abs( this.y ) + Math.abs( this.z ) + Math.abs( this.w ); } normalize() { return this.divideScalar( this.length() || 1 ); } setLength( length ) { return this.normalize().multiplyScalar( length ); } lerp( v, alpha ) { this.x += ( v.x - this.x ) * alpha; this.y += ( v.y - this.y ) * alpha; this.z += ( v.z - this.z ) * alpha; this.w += ( v.w - this.w ) * alpha; return this; } lerpVectors( v1, v2, alpha ) { this.x = v1.x + ( v2.x - v1.x ) * alpha; this.y = v1.y + ( v2.y - v1.y ) * alpha; this.z = v1.z + ( v2.z - v1.z ) * alpha; this.w = v1.w + ( v2.w - v1.w ) * alpha; return this; } equals( v ) { return ( ( v.x === this.x ) && ( v.y === this.y ) && ( v.z === this.z ) && ( v.w === this.w ) ); } fromArray( array, offset = 0 ) { this.x = array[ offset ]; this.y = array[ offset + 1 ]; this.z = array[ offset + 2 ]; this.w = array[ offset + 3 ]; return this; } toArray( array = [], offset = 0 ) { array[ offset ] = this.x; array[ offset + 1 ] = this.y; array[ offset + 2 ] = this.z; array[ offset + 3 ] = this.w; return array; } fromBufferAttribute( attribute, index ) { this.x = attribute.getX( index ); this.y = attribute.getY( index ); this.z = attribute.getZ( index ); this.w = attribute.getW( index ); return this; } random() { this.x = Math.random(); this.y = Math.random(); this.z = Math.random(); this.w = Math.random(); return this; } *[ Symbol.iterator ]() { yield this.x; yield this.y; yield this.z; yield this.w; } } /* In options, we can specify: * Texture parameters for an auto-generated target texture * depthBuffer/stencilBuffer: Booleans to indicate if we should generate these buffers */ class WebGLRenderTarget extends EventDispatcher { constructor( width = 1, height = 1, options = {} ) { super(); this.isWebGLRenderTarget = true; this.width = width; this.height = height; this.depth = 1; this.scissor = new Vector4( 0, 0, width, height ); this.scissorTest = false; this.viewport = new Vector4( 0, 0, width, height ); const image = { width: width, height: height, depth: 1 }; if ( options.encoding !== undefined ) { // @deprecated, r152 warnOnce( "THREE.WebGLRenderTarget: option.encoding has been replaced by option.colorSpace." ); options.colorSpace = options.encoding === sRGBEncoding ? SRGBColorSpace : NoColorSpace; } this.texture = new Texture( image, options.mapping, options.wrapS, options.wrapT, options.magFilter, options.minFilter, options.format, options.type, options.anisotropy, options.colorSpace ); this.texture.isRenderTargetTexture = true; this.texture.flipY = false; this.texture.generateMipmaps = options.generateMipmaps !== undefined ? options.generateMipmaps : false; this.texture.internalFormat = options.internalFormat !== undefined ? options.internalFormat : null; this.texture.minFilter = options.minFilter !== undefined ? options.minFilter : LinearFilter; this.depthBuffer = options.depthBuffer !== undefined ? options.depthBuffer : true; this.stencilBuffer = options.stencilBuffer !== undefined ? options.stencilBuffer : false; this.depthTexture = options.depthTexture !== undefined ? options.depthTexture : null; this.samples = options.samples !== undefined ? options.samples : 0; } setSize( width, height, depth = 1 ) { if ( this.width !== width || this.height !== height || this.depth !== depth ) { this.width = width; this.height = height; this.depth = depth; this.texture.image.width = width; this.texture.image.height = height; this.texture.image.depth = depth; this.dispose(); } this.viewport.set( 0, 0, width, height ); this.scissor.set( 0, 0, width, height ); } clone() { return new this.constructor().copy( this ); } copy( source ) { this.width = source.width; this.height = source.height; this.depth = source.depth; this.scissor.copy( source.scissor ); this.scissorTest = source.scissorTest; this.viewport.copy( source.viewport ); this.texture = source.texture.clone(); this.texture.isRenderTargetTexture = true; // ensure image object is not shared, see #20328 const image = Object.assign( {}, source.texture.image ); this.texture.source = new Source( image ); this.depthBuffer = source.depthBuffer; this.stencilBuffer = source.stencilBuffer; if ( source.depthTexture !== null ) this.depthTexture = source.depthTexture.clone(); this.samples = source.samples; return this; } dispose() { this.dispatchEvent( { type: "dispose" } ); } } class DataArrayTexture extends Texture { constructor( data = null, width = 1, height = 1, depth = 1 ) { super( null ); this.isDataArrayTexture = true; this.image = { data, width, height, depth }; this.magFilter = NearestFilter; this.minFilter = NearestFilter; this.wrapR = ClampToEdgeWrapping; this.generateMipmaps = false; this.flipY = false; this.unpackAlignment = 1; } } class Data3DTexture extends Texture { constructor( data = null, width = 1, height = 1, depth = 1 ) { // We"re going to add .setXXX() methods for setting properties later. // Users can still set in DataTexture3D directly. // // const texture = new THREE.DataTexture3D( data, width, height, depth ); // texture.anisotropy = 16; // // See #14839 super( null ); this.isData3DTexture = true; this.image = { data, width, height, depth }; this.magFilter = NearestFilter; this.minFilter = NearestFilter; this.wrapR = ClampToEdgeWrapping; this.generateMipmaps = false; this.flipY = false; this.unpackAlignment = 1; } } class Quaternion { constructor( x = 0, y = 0, z = 0, w = 1 ) { this.isQuaternion = true; this._x = x; this._y = y; this._z = z; this._w = w; } static slerpFlat( dst, dstOffset, src0, srcOffset0, src1, srcOffset1, t ) { // fuzz-free, array-based Quaternion SLERP operation let x0 = src0[ srcOffset0 + 0 ], y0 = src0[ srcOffset0 + 1 ], z0 = src0[ srcOffset0 + 2 ], w0 = src0[ srcOffset0 + 3 ]; const x1 = src1[ srcOffset1 + 0 ], y1 = src1[ srcOffset1 + 1 ], z1 = src1[ srcOffset1 + 2 ], w1 = src1[ srcOffset1 + 3 ]; if ( t === 0 ) { dst[ dstOffset + 0 ] = x0; dst[ dstOffset + 1 ] = y0; dst[ dstOffset + 2 ] = z0; dst[ dstOffset + 3 ] = w0; return; } if ( t === 1 ) { dst[ dstOffset + 0 ] = x1; dst[ dstOffset + 1 ] = y1; dst[ dstOffset + 2 ] = z1; dst[ dstOffset + 3 ] = w1; return; } if ( w0 !== w1 || x0 !== x1 || y0 !== y1 || z0 !== z1 ) { let s = 1 - t; const cos = x0 * x1 + y0 * y1 + z0 * z1 + w0 * w1, dir = ( cos >= 0 ? 1 : - 1 ), sqrSin = 1 - cos * cos; // Skip the Slerp for tiny steps to avoid numeric problems: if ( sqrSin > Number.EPSILON ) { const sin = Math.sqrt( sqrSin ), len = Math.atan2( sin, cos * dir ); s = Math.sin( s * len ) / sin; t = Math.sin( t * len ) / sin; } const tDir = t * dir; x0 = x0 * s + x1 * tDir; y0 = y0 * s + y1 * tDir; z0 = z0 * s + z1 * tDir; w0 = w0 * s + w1 * tDir; // Normalize in case we just did a lerp: if ( s === 1 - t ) { const f = 1 / Math.sqrt( x0 * x0 + y0 * y0 + z0 * z0 + w0 * w0 ); x0 *= f; y0 *= f; z0 *= f; w0 *= f; } } dst[ dstOffset ] = x0; dst[ dstOffset + 1 ] = y0; dst[ dstOffset + 2 ] = z0; dst[ dstOffset + 3 ] = w0; } static multiplyQuaternionsFlat( dst, dstOffset, src0, srcOffset0, src1, srcOffset1 ) { const x0 = src0[ srcOffset0 ]; const y0 = src0[ srcOffset0 + 1 ]; const z0 = src0[ srcOffset0 + 2 ]; const w0 = src0[ srcOffset0 + 3 ]; const x1 = src1[ srcOffset1 ]; const y1 = src1[ srcOffset1 + 1 ]; const z1 = src1[ srcOffset1 + 2 ]; const w1 = src1[ srcOffset1 + 3 ]; dst[ dstOffset ] = x0 * w1 + w0 * x1 + y0 * z1 - z0 * y1; dst[ dstOffset + 1 ] = y0 * w1 + w0 * y1 + z0 * x1 - x0 * z1; dst[ dstOffset + 2 ] = z0 * w1 + w0 * z1 + x0 * y1 - y0 * x1; dst[ dstOffset + 3 ] = w0 * w1 - x0 * x1 - y0 * y1 - z0 * z1; return dst; } get x() { return this._x; } set x( value ) { this._x = value; this._onChangeCallback(); } get y() { return this._y; } set y( value ) { this._y = value; this._onChangeCallback(); } get z() { return this._z; } set z( value ) { this._z = value; this._onChangeCallback(); } get w() { return this._w; } set w( value ) { this._w = value; this._onChangeCallback(); } set( x, y, z, w ) { this._x = x; this._y = y; this._z = z; this._w = w; this._onChangeCallback(); return this; } clone() { return new this.constructor( this._x, this._y, this._z, this._w ); } copy( quaternion ) { this._x = quaternion.x; this._y = quaternion.y; this._z = quaternion.z; this._w = quaternion.w; this._onChangeCallback(); return this; } setFromEuler( euler, update ) { const x = euler._x, y = euler._y, z = euler._z, order = euler._order; // http://www.mathworks.com/matlabcentral/fileexchange/ // 20696-function-to-convert-between-dcm-euler-angles-quaternions-and-euler-vectors/ // content/SpinCalc.m const cos = Math.cos; const sin = Math.sin; const c1 = cos( x / 2 ); const c2 = cos( y / 2 ); const c3 = cos( z / 2 ); const s1 = sin( x / 2 ); const s2 = sin( y / 2 ); const s3 = sin( z / 2 ); switch ( order ) { case "XYZ": this._x = s1 * c2 * c3 + c1 * s2 * s3; this._y = c1 * s2 * c3 - s1 * c2 * s3; this._z = c1 * c2 * s3 + s1 * s2 * c3; this._w = c1 * c2 * c3 - s1 * s2 * s3; break; case "YXZ": this._x = s1 * c2 * c3 + c1 * s2 * s3; this._y = c1 * s2 * c3 - s1 * c2 * s3; this._z = c1 * c2 * s3 - s1 * s2 * c3; this._w = c1 * c2 * c3 + s1 * s2 * s3; break; case "ZXY": this._x = s1 * c2 * c3 - c1 * s2 * s3; this._y = c1 * s2 * c3 + s1 * c2 * s3; this._z = c1 * c2 * s3 + s1 * s2 * c3; this._w = c1 * c2 * c3 - s1 * s2 * s3; break; case "ZYX": this._x = s1 * c2 * c3 - c1 * s2 * s3; this._y = c1 * s2 * c3 + s1 * c2 * s3; this._z = c1 * c2 * s3 - s1 * s2 * c3; this._w = c1 * c2 * c3 + s1 * s2 * s3; break; case "YZX": this._x = s1 * c2 * c3 + c1 * s2 * s3; this._y = c1 * s2 * c3 + s1 * c2 * s3; this._z = c1 * c2 * s3 - s1 * s2 * c3; this._w = c1 * c2 * c3 - s1 * s2 * s3; break; case "XZY": this._x = s1 * c2 * c3 - c1 * s2 * s3; this._y = c1 * s2 * c3 - s1 * c2 * s3; this._z = c1 * c2 * s3 + s1 * s2 * c3; this._w = c1 * c2 * c3 + s1 * s2 * s3; break; default: console.warn( "THREE.Quaternion: .setFromEuler() encountered an unknown order: " + order ); } if ( update !== false ) this._onChangeCallback(); return this; } setFromAxisAngle( axis, angle ) { // http://www.euclideanspace.com/maths/geometry/rotations/conversions/angleToQuaternion/index.htm // assumes axis is normalized const halfAngle = angle / 2, s = Math.sin( halfAngle ); this._x = axis.x * s; this._y = axis.y * s; this._z = axis.z * s; this._w = Math.cos( halfAngle ); this._onChangeCallback(); return this; } setFromRotationMatrix( m ) { // http://www.euclideanspace.com/maths/geometry/rotations/conversions/matrixToQuaternion/index.htm // assumes the upper 3x3 of m is a pure rotation matrix (i.e, unscaled) const te = m.elements, m11 = te[ 0 ], m12 = te[ 4 ], m13 = te[ 8 ], m21 = te[ 1 ], m22 = te[ 5 ], m23 = te[ 9 ], m31 = te[ 2 ], m32 = te[ 6 ], m33 = te[ 10 ], trace = m11 + m22 + m33; if ( trace > 0 ) { const s = 0.5 / Math.sqrt( trace + 1.0 ); this._w = 0.25 / s; this._x = ( m32 - m23 ) * s; this._y = ( m13 - m31 ) * s; this._z = ( m21 - m12 ) * s; } else if ( m11 > m22 && m11 > m33 ) { const s = 2.0 * Math.sqrt( 1.0 + m11 - m22 - m33 ); this._w = ( m32 - m23 ) / s; this._x = 0.25 * s; this._y = ( m12 + m21 ) / s; this._z = ( m13 + m31 ) / s; } else if ( m22 > m33 ) { const s = 2.0 * Math.sqrt( 1.0 + m22 - m11 - m33 ); this._w = ( m13 - m31 ) / s; this._x = ( m12 + m21 ) / s; this._y = 0.25 * s; this._z = ( m23 + m32 ) / s; } else { const s = 2.0 * Math.sqrt( 1.0 + m33 - m11 - m22 ); this._w = ( m21 - m12 ) / s; this._x = ( m13 + m31 ) / s; this._y = ( m23 + m32 ) / s; this._z = 0.25 * s; } this._onChangeCallback(); return this; } setFromUnitVectors( vFrom, vTo ) { // assumes direction vectors vFrom and vTo are normalized let r = vFrom.dot( vTo ) + 1; if ( r < Number.EPSILON ) { // vFrom and vTo point in opposite directions r = 0; if ( Math.abs( vFrom.x ) > Math.abs( vFrom.z ) ) { this._x = - vFrom.y; this._y = vFrom.x; this._z = 0; this._w = r; } else { this._x = 0; this._y = - vFrom.z; this._z = vFrom.y; this._w = r; } } else { // crossVectors( vFrom, vTo ); // inlined to avoid cyclic dependency on Vector3 this._x = vFrom.y * vTo.z - vFrom.z * vTo.y; this._y = vFrom.z * vTo.x - vFrom.x * vTo.z; this._z = vFrom.x * vTo.y - vFrom.y * vTo.x; this._w = r; } return this.normalize(); } angleTo( q ) { return 2 * Math.acos( Math.abs( clamp$1( this.dot( q ), - 1, 1 ) ) ); } rotateTowards( q, step ) { const angle = this.angleTo( q ); if ( angle === 0 ) return this; const t = Math.min( 1, step / angle ); this.slerp( q, t ); return this; } identity() { return this.set( 0, 0, 0, 1 ); } invert() { // quaternion is assumed to have unit length return this.conjugate(); } conjugate() { this._x *= - 1; this._y *= - 1; this._z *= - 1; this._onChangeCallback(); return this; } dot( v ) { return this._x * v._x + this._y * v._y + this._z * v._z + this._w * v._w; } lengthSq() { return this._x * this._x + this._y * this._y + this._z * this._z + this._w * this._w; } length() { return Math.sqrt( this._x * this._x + this._y * this._y + this._z * this._z + this._w * this._w ); } normalize() { let l = this.length(); if ( l === 0 ) { this._x = 0; this._y = 0; this._z = 0; this._w = 1; } else { l = 1 / l; this._x = this._x * l; this._y = this._y * l; this._z = this._z * l; this._w = this._w * l; } this._onChangeCallback(); return this; } multiply( q ) { return this.multiplyQuaternions( this, q ); } premultiply( q ) { return this.multiplyQuaternions( q, this ); } multiplyQuaternions( a, b ) { // from http://www.euclideanspace.com/maths/algebra/realNormedAlgebra/quaternions/code/index.htm const qax = a._x, qay = a._y, qaz = a._z, qaw = a._w; const qbx = b._x, qby = b._y, qbz = b._z, qbw = b._w; this._x = qax * qbw + qaw * qbx + qay * qbz - qaz * qby; this._y = qay * qbw + qaw * qby + qaz * qbx - qax * qbz; this._z = qaz * qbw + qaw * qbz + qax * qby - qay * qbx; this._w = qaw * qbw - qax * qbx - qay * qby - qaz * qbz; this._onChangeCallback(); return this; } slerp( qb, t ) { if ( t === 0 ) return this; if ( t === 1 ) return this.copy( qb ); const x = this._x, y = this._y, z = this._z, w = this._w; // http://www.euclideanspace.com/maths/algebra/realNormedAlgebra/quaternions/slerp/ let cosHalfTheta = w * qb._w + x * qb._x + y * qb._y + z * qb._z; if ( cosHalfTheta < 0 ) { this._w = - qb._w; this._x = - qb._x; this._y = - qb._y; this._z = - qb._z; cosHalfTheta = - cosHalfTheta; } else { this.copy( qb ); } if ( cosHalfTheta >= 1.0 ) { this._w = w; this._x = x; this._y = y; this._z = z; return this; } const sqrSinHalfTheta = 1.0 - cosHalfTheta * cosHalfTheta; if ( sqrSinHalfTheta <= Number.EPSILON ) { const s = 1 - t; this._w = s * w + t * this._w; this._x = s * x + t * this._x; this._y = s * y + t * this._y; this._z = s * z + t * this._z; this.normalize(); this._onChangeCallback(); return this; } const sinHalfTheta = Math.sqrt( sqrSinHalfTheta ); const halfTheta = Math.atan2( sinHalfTheta, cosHalfTheta ); const ratioA = Math.sin( ( 1 - t ) * halfTheta ) / sinHalfTheta, ratioB = Math.sin( t * halfTheta ) / sinHalfTheta; this._w = ( w * ratioA + this._w * ratioB ); this._x = ( x * ratioA + this._x * ratioB ); this._y = ( y * ratioA + this._y * ratioB ); this._z = ( z * ratioA + this._z * ratioB ); this._onChangeCallback(); return this; } slerpQuaternions( qa, qb, t ) { return this.copy( qa ).slerp( qb, t ); } random() { // Derived from http://planning.cs.uiuc.edu/node198.html // Note, this source uses w, x, y, z ordering, // so we swap the order below. const u1 = Math.random(); const sqrt1u1 = Math.sqrt( 1 - u1 ); const sqrtu1 = Math.sqrt( u1 ); const u2 = 2 * Math.PI * Math.random(); const u3 = 2 * Math.PI * Math.random(); return this.set( sqrt1u1 * Math.cos( u2 ), sqrtu1 * Math.sin( u3 ), sqrtu1 * Math.cos( u3 ), sqrt1u1 * Math.sin( u2 ), ); } equals( quaternion ) { return ( quaternion._x === this._x ) && ( quaternion._y === this._y ) && ( quaternion._z === this._z ) && ( quaternion._w === this._w ); } fromArray( array, offset = 0 ) { this._x = array[ offset ]; this._y = array[ offset + 1 ]; this._z = array[ offset + 2 ]; this._w = array[ offset + 3 ]; this._onChangeCallback(); return this; } toArray( array = [], offset = 0 ) { array[ offset ] = this._x; array[ offset + 1 ] = this._y; array[ offset + 2 ] = this._z; array[ offset + 3 ] = this._w; return array; } fromBufferAttribute( attribute, index ) { this._x = attribute.getX( index ); this._y = attribute.getY( index ); this._z = attribute.getZ( index ); this._w = attribute.getW( index ); return this; } toJSON() { return this.toArray(); } _onChange( callback ) { this._onChangeCallback = callback; return this; } _onChangeCallback() {} *[ Symbol.iterator ]() { yield this._x; yield this._y; yield this._z; yield this._w; } } class Vector3 { constructor( x = 0, y = 0, z = 0 ) { Vector3.prototype.isVector3 = true; this.x = x; this.y = y; this.z = z; } set( x, y, z ) { if ( z === undefined ) z = this.z; // sprite.scale.set(x,y) this.x = x; this.y = y; this.z = z; return this; } setScalar( scalar ) { this.x = scalar; this.y = scalar; this.z = scalar; return this; } setX( x ) { this.x = x; return this; } setY( y ) { this.y = y; return this; } setZ( z ) { this.z = z; return this; } setComponent( index, value ) { switch ( index ) { case 0: this.x = value; break; case 1: this.y = value; break; case 2: this.z = value; break; default: throw new Error( "index is out of range: " + index ); } return this; } getComponent( index ) { switch ( index ) { case 0: return this.x; case 1: return this.y; case 2: return this.z; default: throw new Error( "index is out of range: " + index ); } } clone() { return new this.constructor( this.x, this.y, this.z ); } copy( v ) { this.x = v.x; this.y = v.y; this.z = v.z; return this; } add( v ) { this.x += v.x; this.y += v.y; this.z += v.z; return this; } addScalar( s ) { this.x += s; this.y += s; this.z += s; return this; } addVectors( a, b ) { this.x = a.x + b.x; this.y = a.y + b.y; this.z = a.z + b.z; return this; } addScaledVector( v, s ) { this.x += v.x * s; this.y += v.y * s; this.z += v.z * s; return this; } sub( v ) { this.x -= v.x; this.y -= v.y; this.z -= v.z; return this; } subScalar( s ) { this.x -= s; this.y -= s; this.z -= s; return this; } subVectors( a, b ) { this.x = a.x - b.x; this.y = a.y - b.y; this.z = a.z - b.z; return this; } multiply( v ) { this.x *= v.x; this.y *= v.y; this.z *= v.z; return this; } multiplyScalar( scalar ) { this.x *= scalar; this.y *= scalar; this.z *= scalar; return this; } multiplyVectors( a, b ) { this.x = a.x * b.x; this.y = a.y * b.y; this.z = a.z * b.z; return this; } applyEuler( euler ) { return this.applyQuaternion( _quaternion$4.setFromEuler( euler ) ); } applyAxisAngle( axis, angle ) { return this.applyQuaternion( _quaternion$4.setFromAxisAngle( axis, angle ) ); } applyMatrix3( m ) { const x = this.x, y = this.y, z = this.z; const e = m.elements; this.x = e[ 0 ] * x + e[ 3 ] * y + e[ 6 ] * z; this.y = e[ 1 ] * x + e[ 4 ] * y + e[ 7 ] * z; this.z = e[ 2 ] * x + e[ 5 ] * y + e[ 8 ] * z; return this; } applyNormalMatrix( m ) { return this.applyMatrix3( m ).normalize(); } applyMatrix4( m ) { const x = this.x, y = this.y, z = this.z; const e = m.elements; const w = 1 / ( e[ 3 ] * x + e[ 7 ] * y + e[ 11 ] * z + e[ 15 ] ); this.x = ( e[ 0 ] * x + e[ 4 ] * y + e[ 8 ] * z + e[ 12 ] ) * w; this.y = ( e[ 1 ] * x + e[ 5 ] * y + e[ 9 ] * z + e[ 13 ] ) * w; this.z = ( e[ 2 ] * x + e[ 6 ] * y + e[ 10 ] * z + e[ 14 ] ) * w; return this; } applyQuaternion( q ) { const x = this.x, y = this.y, z = this.z; const qx = q.x, qy = q.y, qz = q.z, qw = q.w; // calculate quat * vector const ix = qw * x + qy * z - qz * y; const iy = qw * y + qz * x - qx * z; const iz = qw * z + qx * y - qy * x; const iw = - qx * x - qy * y - qz * z; // calculate result * inverse quat this.x = ix * qw + iw * - qx + iy * - qz - iz * - qy; this.y = iy * qw + iw * - qy + iz * - qx - ix * - qz; this.z = iz * qw + iw * - qz + ix * - qy - iy * - qx; return this; } project( camera ) { return this.applyMatrix4( camera.matrixWorldInverse ).applyMatrix4( camera.projectionMatrix ); } unproject( camera ) { return this.applyMatrix4( camera.projectionMatrixInverse ).applyMatrix4( camera.matrixWorld ); } transformDirection( m ) { // input: THREE.Matrix4 affine matrix // vector interpreted as a direction const x = this.x, y = this.y, z = this.z; const e = m.elements; this.x = e[ 0 ] * x + e[ 4 ] * y + e[ 8 ] * z; this.y = e[ 1 ] * x + e[ 5 ] * y + e[ 9 ] * z; this.z = e[ 2 ] * x + e[ 6 ] * y + e[ 10 ] * z; return this.normalize(); } divide( v ) { this.x /= v.x; this.y /= v.y; this.z /= v.z; return this; } divideScalar( scalar ) { return this.multiplyScalar( 1 / scalar ); } min( v ) { this.x = Math.min( this.x, v.x ); this.y = Math.min( this.y, v.y ); this.z = Math.min( this.z, v.z ); return this; } max( v ) { this.x = Math.max( this.x, v.x ); this.y = Math.max( this.y, v.y ); this.z = Math.max( this.z, v.z ); return this; } clamp( min, max ) { // assumes min < max, componentwise this.x = Math.max( min.x, Math.min( max.x, this.x ) ); this.y = Math.max( min.y, Math.min( max.y, this.y ) ); this.z = Math.max( min.z, Math.min( max.z, this.z ) ); return this; } clampScalar( minVal, maxVal ) { this.x = Math.max( minVal, Math.min( maxVal, this.x ) ); this.y = Math.max( minVal, Math.min( maxVal, this.y ) ); this.z = Math.max( minVal, Math.min( maxVal, this.z ) ); return this; } clampLength( min, max ) { const length = this.length(); return this.divideScalar( length || 1 ).multiplyScalar( Math.max( min, Math.min( max, length ) ) ); } floor() { this.x = Math.floor( this.x ); this.y = Math.floor( this.y ); this.z = Math.floor( this.z ); return this; } ceil() { this.x = Math.ceil( this.x ); this.y = Math.ceil( this.y ); this.z = Math.ceil( this.z ); return this; } round() { this.x = Math.round( this.x ); this.y = Math.round( this.y ); this.z = Math.round( this.z ); return this; } roundToZero() { this.x = ( this.x < 0 ) ? Math.ceil( this.x ) : Math.floor( this.x ); this.y = ( this.y < 0 ) ? Math.ceil( this.y ) : Math.floor( this.y ); this.z = ( this.z < 0 ) ? Math.ceil( this.z ) : Math.floor( this.z ); return this; } negate() { this.x = - this.x; this.y = - this.y; this.z = - this.z; return this; } dot( v ) { return this.x * v.x + this.y * v.y + this.z * v.z; } // TODO lengthSquared? lengthSq() { return this.x * this.x + this.y * this.y + this.z * this.z; } length() { return Math.sqrt( this.x * this.x + this.y * this.y + this.z * this.z ); } manhattanLength() { return Math.abs( this.x ) + Math.abs( this.y ) + Math.abs( this.z ); } normalize() { return this.divideScalar( this.length() || 1 ); } setLength( length ) { return this.normalize().multiplyScalar( length ); } lerp( v, alpha ) { this.x += ( v.x - this.x ) * alpha; this.y += ( v.y - this.y ) * alpha; this.z += ( v.z - this.z ) * alpha; return this; } lerpVectors( v1, v2, alpha ) { this.x = v1.x + ( v2.x - v1.x ) * alpha; this.y = v1.y + ( v2.y - v1.y ) * alpha; this.z = v1.z + ( v2.z - v1.z ) * alpha; return this; } cross( v ) { return this.crossVectors( this, v ); } crossVectors( a, b ) { const ax = a.x, ay = a.y, az = a.z; const bx = b.x, by = b.y, bz = b.z; this.x = ay * bz - az * by; this.y = az * bx - ax * bz; this.z = ax * by - ay * bx; return this; } projectOnVector( v ) { const denominator = v.lengthSq(); if ( denominator === 0 ) return this.set( 0, 0, 0 ); const scalar = v.dot( this ) / denominator; return this.copy( v ).multiplyScalar( scalar ); } projectOnPlane( planeNormal ) { _vector$b.copy( this ).projectOnVector( planeNormal ); return this.sub( _vector$b ); } reflect( normal ) { // reflect incident vector off plane orthogonal to normal // normal is assumed to have unit length return this.sub( _vector$b.copy( normal ).multiplyScalar( 2 * this.dot( normal ) ) ); } angleTo( v ) { const denominator = Math.sqrt( this.lengthSq() * v.lengthSq() ); if ( denominator === 0 ) return Math.PI / 2; const theta = this.dot( v ) / denominator; // clamp, to handle numerical problems return Math.acos( clamp$1( theta, - 1, 1 ) ); } distanceTo( v ) { return Math.sqrt( this.distanceToSquared( v ) ); } distanceToSquared( v ) { const dx = this.x - v.x, dy = this.y - v.y, dz = this.z - v.z; return dx * dx + dy * dy + dz * dz; } manhattanDistanceTo( v ) { return Math.abs( this.x - v.x ) + Math.abs( this.y - v.y ) + Math.abs( this.z - v.z ); } setFromSpherical( s ) { return this.setFromSphericalCoords( s.radius, s.phi, s.theta ); } setFromSphericalCoords( radius, phi, theta ) { const sinPhiRadius = Math.sin( phi ) * radius; this.x = sinPhiRadius * Math.sin( theta ); this.y = Math.cos( phi ) * radius; this.z = sinPhiRadius * Math.cos( theta ); return this; } setFromCylindrical( c ) { return this.setFromCylindricalCoords( c.radius, c.theta, c.y ); } setFromCylindricalCoords( radius, theta, y ) { this.x = radius * Math.sin( theta ); this.y = y; this.z = radius * Math.cos( theta ); return this; } setFromMatrixPosition( m ) { const e = m.elements; this.x = e[ 12 ]; this.y = e[ 13 ]; this.z = e[ 14 ]; return this; } setFromMatrixScale( m ) { const sx = this.setFromMatrixColumn( m, 0 ).length(); const sy = this.setFromMatrixColumn( m, 1 ).length(); const sz = this.setFromMatrixColumn( m, 2 ).length(); this.x = sx; this.y = sy; this.z = sz; return this; } setFromMatrixColumn( m, index ) { return this.fromArray( m.elements, index * 4 ); } setFromMatrix3Column( m, index ) { return this.fromArray( m.elements, index * 3 ); } setFromEuler( e ) { this.x = e._x; this.y = e._y; this.z = e._z; return this; } setFromColor( c ) { this.x = c.r; this.y = c.g; this.z = c.b; return this; } equals( v ) { return ( ( v.x === this.x ) && ( v.y === this.y ) && ( v.z === this.z ) ); } fromArray( array, offset = 0 ) { this.x = array[ offset ]; this.y = array[ offset + 1 ]; this.z = array[ offset + 2 ]; return this; } toArray( array = [], offset = 0 ) { array[ offset ] = this.x; array[ offset + 1 ] = this.y; array[ offset + 2 ] = this.z; return array; } fromBufferAttribute( attribute, index ) { this.x = attribute.getX( index ); this.y = attribute.getY( index ); this.z = attribute.getZ( index ); return this; } random() { this.x = Math.random(); this.y = Math.random(); this.z = Math.random(); return this; } randomDirection() { // Derived from https://mathworld.wolfram.com/SpherePointPicking.html const u = ( Math.random() - 0.5 ) * 2; const t = Math.random() * Math.PI * 2; const f = Math.sqrt( 1 - u ** 2 ); this.x = f * Math.cos( t ); this.y = f * Math.sin( t ); this.z = u; return this; } *[ Symbol.iterator ]() { yield this.x; yield this.y; yield this.z; } } const _vector$b = /*@__PURE__*/ new Vector3(); const _quaternion$4 = /*@__PURE__*/ new Quaternion(); class Box3 { constructor( min = new Vector3( + Infinity, + Infinity, + Infinity ), max = new Vector3( - Infinity, - Infinity, - Infinity ) ) { this.isBox3 = true; this.min = min; this.max = max; } set( min, max ) { this.min.copy( min ); this.max.copy( max ); return this; } setFromArray( array ) { this.makeEmpty(); for ( let i = 0, il = array.length; i < il; i += 3 ) { this.expandByPoint( _vector$a.fromArray( array, i ) ); } return this; } setFromBufferAttribute( attribute ) { this.makeEmpty(); for ( let i = 0, il = attribute.count; i < il; i ++ ) { this.expandByPoint( _vector$a.fromBufferAttribute( attribute, i ) ); } return this; } setFromPoints( points ) { this.makeEmpty(); for ( let i = 0, il = points.length; i < il; i ++ ) { this.expandByPoint( points[ i ] ); } return this; } setFromCenterAndSize( center, size ) { const halfSize = _vector$a.copy( size ).multiplyScalar( 0.5 ); this.min.copy( center ).sub( halfSize ); this.max.copy( center ).add( halfSize ); return this; } setFromObject( object, precise = false ) { this.makeEmpty(); return this.expandByObject( object, precise ); } clone() { return new this.constructor().copy( this ); } copy( box ) { this.min.copy( box.min ); this.max.copy( box.max ); return this; } makeEmpty() { this.min.x = this.min.y = this.min.z = + Infinity; this.max.x = this.max.y = this.max.z = - Infinity; return this; } isEmpty() { // this is a more robust check for empty than ( volume <= 0 ) because volume can get positive with two negative axes return ( this.max.x < this.min.x ) || ( this.max.y < this.min.y ) || ( this.max.z < this.min.z ); } getCenter( target ) { return this.isEmpty() ? target.set( 0, 0, 0 ) : target.addVectors( this.min, this.max ).multiplyScalar( 0.5 ); } getSize( target ) { return this.isEmpty() ? target.set( 0, 0, 0 ) : target.subVectors( this.max, this.min ); } expandByPoint( point ) { this.min.min( point ); this.max.max( point ); return this; } expandByVector( vector ) { this.min.sub( vector ); this.max.add( vector ); return this; } expandByScalar( scalar ) { this.min.addScalar( - scalar ); this.max.addScalar( scalar ); return this; } expandByObject( object, precise = false ) { // Computes the world-axis-aligned bounding box of an object (including its children), // accounting for both the object"s, and children"s, world transforms object.updateWorldMatrix( false, false ); if ( object.boundingBox !== undefined ) { if ( object.boundingBox === null ) { object.computeBoundingBox(); } _box$3.copy( object.boundingBox ); _box$3.applyMatrix4( object.matrixWorld ); this.union( _box$3 ); } else { const geometry = object.geometry; if ( geometry !== undefined ) { if ( precise && geometry.attributes !== undefined && geometry.attributes.position !== undefined ) { const position = geometry.attributes.position; for ( let i = 0, l = position.count; i < l; i ++ ) { _vector$a.fromBufferAttribute( position, i ).applyMatrix4( object.matrixWorld ); this.expandByPoint( _vector$a ); } } else { if ( geometry.boundingBox === null ) { geometry.computeBoundingBox(); } _box$3.copy( geometry.boundingBox ); _box$3.applyMatrix4( object.matrixWorld ); this.union( _box$3 ); } } } const children = object.children; for ( let i = 0, l = children.length; i < l; i ++ ) { this.expandByObject( children[ i ], precise ); } return this; } containsPoint( point ) { return point.x < this.min.x || point.x > this.max.x || point.y < this.min.y || point.y > this.max.y || point.z < this.min.z || point.z > this.max.z ? false : true; } containsBox( box ) { return this.min.x <= box.min.x && box.max.x <= this.max.x && this.min.y <= box.min.y && box.max.y <= this.max.y && this.min.z <= box.min.z && box.max.z <= this.max.z; } getParameter( point, target ) { // This can potentially have a divide by zero if the box // has a size dimension of 0. return target.set( ( point.x - this.min.x ) / ( this.max.x - this.min.x ), ( point.y - this.min.y ) / ( this.max.y - this.min.y ), ( point.z - this.min.z ) / ( this.max.z - this.min.z ) ); } intersectsBox( box ) { // using 6 splitting planes to rule out intersections. return box.max.x < this.min.x || box.min.x > this.max.x || box.max.y < this.min.y || box.min.y > this.max.y || box.max.z < this.min.z || box.min.z > this.max.z ? false : true; } intersectsSphere( sphere ) { // Find the point on the AABB closest to the sphere center. this.clampPoint( sphere.center, _vector$a ); // If that point is inside the sphere, the AABB and sphere intersect. return _vector$a.distanceToSquared( sphere.center ) <= ( sphere.radius * sphere.radius ); } intersectsPlane( plane ) { // We compute the minimum and maximum dot product values. If those values // are on the same side (back or front) of the plane, then there is no intersection. let min, max; if ( plane.normal.x > 0 ) { min = plane.normal.x * this.min.x; max = plane.normal.x * this.max.x; } else { min = plane.normal.x * this.max.x; max = plane.normal.x * this.min.x; } if ( plane.normal.y > 0 ) { min += plane.normal.y * this.min.y; max += plane.normal.y * this.max.y; } else { min += plane.normal.y * this.max.y; max += plane.normal.y * this.min.y; } if ( plane.normal.z > 0 ) { min += plane.normal.z * this.min.z; max += plane.normal.z * this.max.z; } else { min += plane.normal.z * this.max.z; max += plane.normal.z * this.min.z; } return ( min <= - plane.constant && max >= - plane.constant ); } intersectsTriangle( triangle ) { if ( this.isEmpty() ) { return false; } // compute box center and extents this.getCenter( _center ); _extents.subVectors( this.max, _center ); // translate triangle to aabb origin _v0$2.subVectors( triangle.a, _center ); _v1$7.subVectors( triangle.b, _center ); _v2$4.subVectors( triangle.c, _center ); // compute edge vectors for triangle _f0.subVectors( _v1$7, _v0$2 ); _f1.subVectors( _v2$4, _v1$7 ); _f2.subVectors( _v0$2, _v2$4 ); // test against axes that are given by cross product combinations of the edges of the triangle and the edges of the aabb // make an axis testing of each of the 3 sides of the aabb against each of the 3 sides of the triangle = 9 axis of separation // axis_ij = u_i x f_j (u0, u1, u2 = face normals of aabb = x,y,z axes vectors since aabb is axis aligned) let axes = [ 0, - _f0.z, _f0.y, 0, - _f1.z, _f1.y, 0, - _f2.z, _f2.y, _f0.z, 0, - _f0.x, _f1.z, 0, - _f1.x, _f2.z, 0, - _f2.x, - _f0.y, _f0.x, 0, - _f1.y, _f1.x, 0, - _f2.y, _f2.x, 0 ]; if ( ! satForAxes( axes, _v0$2, _v1$7, _v2$4, _extents ) ) { return false; } // test 3 face normals from the aabb axes = [ 1, 0, 0, 0, 1, 0, 0, 0, 1 ]; if ( ! satForAxes( axes, _v0$2, _v1$7, _v2$4, _extents ) ) { return false; } // finally testing the face normal of the triangle // use already existing triangle edge vectors here _triangleNormal.crossVectors( _f0, _f1 ); axes = [ _triangleNormal.x, _triangleNormal.y, _triangleNormal.z ]; return satForAxes( axes, _v0$2, _v1$7, _v2$4, _extents ); } clampPoint( point, target ) { return target.copy( point ).clamp( this.min, this.max ); } distanceToPoint( point ) { return this.clampPoint( point, _vector$a ).distanceTo( point ); } getBoundingSphere( target ) { if ( this.isEmpty() ) { target.makeEmpty(); } else { this.getCenter( target.center ); target.radius = this.getSize( _vector$a ).length() * 0.5; } return target; } intersect( box ) { this.min.max( box.min ); this.max.min( box.max ); // ensure that if there is no overlap, the result is fully empty, not slightly empty with non-inf/+inf values that will cause subsequence intersects to erroneously return valid values. if ( this.isEmpty() ) this.makeEmpty(); return this; } union( box ) { this.min.min( box.min ); this.max.max( box.max ); return this; } applyMatrix4( matrix ) { // transform of empty box is an empty box. if ( this.isEmpty() ) return this; // NOTE: I am using a binary pattern to specify all 2^3 combinations below _points[ 0 ].set( this.min.x, this.min.y, this.min.z ).applyMatrix4( matrix ); // 000 _points[ 1 ].set( this.min.x, this.min.y, this.max.z ).applyMatrix4( matrix ); // 001 _points[ 2 ].set( this.min.x, this.max.y, this.min.z ).applyMatrix4( matrix ); // 010 _points[ 3 ].set( this.min.x, this.max.y, this.max.z ).applyMatrix4( matrix ); // 011 _points[ 4 ].set( this.max.x, this.min.y, this.min.z ).applyMatrix4( matrix ); // 100 _points[ 5 ].set( this.max.x, this.min.y, this.max.z ).applyMatrix4( matrix ); // 101 _points[ 6 ].set( this.max.x, this.max.y, this.min.z ).applyMatrix4( matrix ); // 110 _points[ 7 ].set( this.max.x, this.max.y, this.max.z ).applyMatrix4( matrix ); // 111 this.setFromPoints( _points ); return this; } translate( offset ) { this.min.add( offset ); this.max.add( offset ); return this; } equals( box ) { return box.min.equals( this.min ) && box.max.equals( this.max ); } } const _points = [ /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3(), /*@__PURE__*/ new Vector3() ]; const _vector$a = /*@__PURE__*/ new Vector3(); const _box$3 = /*@__PURE__*/ new Box3(); // triangle centered vertices const _v0$2 = /*@__PURE__*/ new Vector3(); const _v1$7 = /*@__PURE__*/ new Vector3(); const _v2$4 = /*@__PURE__*/ new Vector3(); // triangle edge vectors const _f0 = /*@__PURE__*/ new Vector3(); const _f1 = /*@__PURE__*/ new Vector3(); const _f2 = /*@__PURE__*/ new Vector3(); const _center = /*@__PURE__*/ new Vector3(); const _extents = /*@__PURE__*/ new Vector3(); const _triangleNormal = /*@__PURE__*/ new Vector3(); const _testAxis = /*@__PURE__*/ new Vector3(); function satForAxes( axes, v0, v1, v2, extents ) { for ( let i = 0, j = axes.length - 3; i <= j; i += 3 ) { _testAxis.fromArray( axes, i ); // project the aabb onto the separating axis const r = extents.x * Math.abs( _testAxis.x ) + extents.y * Math.abs( _testAxis.y ) + extents.z * Math.abs( _testAxis.z ); // project all 3 vertices of the triangle onto the separating axis const p0 = v0.dot( _testAxis ); const p1 = v1.dot( _testAxis ); const p2 = v2.dot( _testAxis ); // actual test, basically see if either of the most extreme of the triangle points intersects r if ( Math.max( - Math.max( p0, p1, p2 ), Math.min( p0, p1, p2 ) ) > r ) { // points of the projected triangle are outside the projected half-length of the aabb // the axis is separating and we can exit return false; } } return true; } const _box$2 = /*@__PURE__*/ new Box3(); const _v1$6 = /*@__PURE__*/ new Vector3(); const _v2$3 = /*@__PURE__*/ new Vector3(); class Sphere { constructor( center = new Vector3(), radius = - 1 ) { this.center = center; this.radius = radius; } set( center, radius ) { this.center.copy( center ); this.radius = radius; return this; } setFromPoints( points, optionalCenter ) { const center = this.center; if ( optionalCenter !== undefined ) { center.copy( optionalCenter ); } else { _box$2.setFromPoints( points ).getCenter( center ); } let maxRadiusSq = 0; for ( let i = 0, il = points.length; i < il; i ++ ) { maxRadiusSq = Math.max( maxRadiusSq, center.distanceToSquared( points[ i ] ) ); } this.radius = Math.sqrt( maxRadiusSq ); return this; } copy( sphere ) { this.center.copy( sphere.center ); this.radius = sphere.radius; return this; } isEmpty() { return ( this.radius < 0 ); } makeEmpty() { this.center.set( 0, 0, 0 ); this.radius = - 1; return this; } containsPoint( point ) { return ( point.distanceToSquared( this.center ) <= ( this.radius * this.radius ) ); } distanceToPoint( point ) { return ( point.distanceTo( this.center ) - this.radius ); } intersectsSphere( sphere ) { const radiusSum = this.radius + sphere.radius; return sphere.center.distanceToSquared( this.center ) <= ( radiusSum * radiusSum ); } intersectsBox( box ) { return box.intersectsSphere( this ); } intersectsPlane( plane ) { return Math.abs( plane.distanceToPoint( this.center ) ) <= this.radius; } clampPoint( point, target ) { const deltaLengthSq = this.center.distanceToSquared( point ); target.copy( point ); if ( deltaLengthSq > ( this.radius * this.radius ) ) { target.sub( this.center ).normalize(); target.multiplyScalar( this.radius ).add( this.center ); } return target; } getBoundingBox( target ) { if ( this.isEmpty() ) { // Empty sphere produces empty bounding box target.makeEmpty(); return target; } target.set( this.center, this.center ); target.expandByScalar( this.radius ); return target; } applyMatrix4( matrix ) { this.center.applyMatrix4( matrix ); this.radius = this.radius * matrix.getMaxScaleOnAxis(); return this; } translate( offset ) { this.center.add( offset ); return this; } expandByPoint( point ) { if ( this.isEmpty() ) { this.center.copy( point ); this.radius = 0; return this; } _v1$6.subVectors( point, this.center ); const lengthSq = _v1$6.lengthSq(); if ( lengthSq > ( this.radius * this.radius ) ) { // calculate the minimal sphere const length = Math.sqrt( lengthSq ); const delta = ( length - this.radius ) * 0.5; this.center.addScaledVector( _v1$6, delta / length ); this.radius += delta; } return this; } union( sphere ) { if ( sphere.isEmpty() ) { return this; } if ( this.isEmpty() ) { this.copy( sphere ); return this; } if ( this.center.equals( sphere.center ) === true ) { this.radius = Math.max( this.radius, sphere.radius ); } else { _v2$3.subVectors( sphere.center, this.center ).setLength( sphere.radius ); this.expandByPoint( _v1$6.copy( sphere.center ).add( _v2$3 ) ); this.expandByPoint( _v1$6.copy( sphere.center ).sub( _v2$3 ) ); } return this; } equals( sphere ) { return sphere.center.equals( this.center ) && ( sphere.radius === this.radius ); } clone() { return new this.constructor().copy( this ); } } const _vector$9 = /*@__PURE__*/ new Vector3(); const _segCenter = /*@__PURE__*/ new Vector3(); const _segDir = /*@__PURE__*/ new Vector3(); const _diff = /*@__PURE__*/ new Vector3(); const _edge1 = /*@__PURE__*/ new Vector3(); const _edge2 = /*@__PURE__*/ new Vector3(); const _normal$1 = /*@__PURE__*/ new Vector3(); class Ray { constructor( origin = new Vector3(), direction = new Vector3( 0, 0, - 1 ) ) { this.origin = origin; this.direction = direction; } set( origin, direction ) { this.origin.copy( origin ); this.direction.copy( direction ); return this; } copy( ray ) { this.origin.copy( ray.origin ); this.direction.copy( ray.direction ); return this; } at( t, target ) { return target.copy( this.origin ).addScaledVector( this.direction, t ); } lookAt( v ) { this.direction.copy( v ).sub( this.origin ).normalize(); return this; } recast( t ) { this.origin.copy( this.at( t, _vector$9 ) ); return this; } closestPointToPoint( point, target ) { target.subVectors( point, this.origin ); const directionDistance = target.dot( this.direction ); if ( directionDistance < 0 ) { return target.copy( this.origin ); } return target.copy( this.origin ).addScaledVector( this.direction, directionDistance ); } distanceToPoint( point ) { return Math.sqrt( this.distanceSqToPoint( point ) ); } distanceSqToPoint( point ) { const directionDistance = _vector$9.subVectors( point, this.origin ).dot( this.direction ); // point behind the ray if ( directionDistance < 0 ) { return this.origin.distanceToSquared( point ); } _vector$9.copy( this.origin ).addScaledVector( this.direction, directionDistance ); return _vector$9.distanceToSquared( point ); } distanceSqToSegment( v0, v1, optionalPointOnRay, optionalPointOnSegment ) { // from https://github.com/pmjoniak/GeometricTools/blob/master/GTEngine/Include/Mathematics/GteDistRaySegment.h // It returns the min distance between the ray and the segment // defined by v0 and v1 // It can also set two optional targets : // - The closest point on the ray // - The closest point on the segment _segCenter.copy( v0 ).add( v1 ).multiplyScalar( 0.5 ); _segDir.copy( v1 ).sub( v0 ).normalize(); _diff.copy( this.origin ).sub( _segCenter ); const segExtent = v0.distanceTo( v1 ) * 0.5; const a01 = - this.direction.dot( _segDir ); const b0 = _diff.dot( this.direction ); const b1 = - _diff.dot( _segDir ); const c = _diff.lengthSq(); const det = Math.abs( 1 - a01 * a01 ); let s0, s1, sqrDist, extDet; if ( det > 0 ) { // The ray and segment are not parallel. s0 = a01 * b1 - b0; s1 = a01 * b0 - b1; extDet = segExtent * det; if ( s0 >= 0 ) { if ( s1 >= - extDet ) { if ( s1 <= extDet ) { // region 0 // Minimum at interior points of ray and segment. const invDet = 1 / det; s0 *= invDet; s1 *= invDet; sqrDist = s0 * ( s0 + a01 * s1 + 2 * b0 ) + s1 * ( a01 * s0 + s1 + 2 * b1 ) + c; } else { // region 1 s1 = segExtent; s0 = Math.max( 0, - ( a01 * s1 + b0 ) ); sqrDist = - s0 * s0 + s1 * ( s1 + 2 * b1 ) + c; } } else { // region 5 s1 = - segExtent; s0 = Math.max( 0, - ( a01 * s1 + b0 ) ); sqrDist = - s0 * s0 + s1 * ( s1 + 2 * b1 ) + c; } } else { if ( s1 <= - extDet ) { // region 4 s0 = Math.max( 0, - ( - a01 * segExtent + b0 ) ); s1 = ( s0 > 0 ) ? - segExtent : Math.min( Math.max( - segExtent, - b1 ), segExtent ); sqrDist = - s0 * s0 + s1 * ( s1 + 2 * b1 ) + c; } else if ( s1 <= extDet ) { // region 3 s0 = 0; s1 = Math.min( Math.max( - segExtent, - b1 ), segExtent ); sqrDist = s1 * ( s1 + 2 * b1 ) + c; } else { // region 2 s0 = Math.max( 0, - ( a01 * segExtent + b0 ) ); s1 = ( s0 > 0 ) ? segExtent : Math.min( Math.max( - segExtent, - b1 ), segExtent ); sqrDist = - s0 * s0 + s1 * ( s1 + 2 * b1 ) + c; } } } else { // Ray and segment are parallel. s1 = ( a01 > 0 ) ? - segExtent : segExtent; s0 = Math.max( 0, - ( a01 * s1 + b0 ) ); sqrDist = - s0 * s0 + s1 * ( s1 + 2 * b1 ) + c; } if ( optionalPointOnRay ) { optionalPointOnRay.copy( this.origin ).addScaledVector( this.direction, s0 ); } if ( optionalPointOnSegment ) { optionalPointOnSegment.copy( _segCenter ).addScaledVector( _segDir, s1 ); } return sqrDist; } intersectSphere( sphere, target ) { _vector$9.subVectors( sphere.center, this.origin ); const tca = _vector$9.dot( this.direction ); const d2 = _vector$9.dot( _vector$9 ) - tca * tca; const radius2 = sphere.radius * sphere.radius; if ( d2 > radius2 ) return null; const thc = Math.sqrt( radius2 - d2 ); // t0 = first intersect point - entrance on front of sphere const t0 = tca - thc; // t1 = second intersect point - exit point on back of sphere const t1 = tca + thc; // test to see if t1 is behind the ray - if so, return null if ( t1 < 0 ) return null; // test to see if t0 is behind the ray: // if it is, the ray is inside the sphere, so return the second exit point scaled by t1, // in order to always return an intersect point that is in front of the ray. if ( t0 < 0 ) return this.at( t1, target ); // else t0 is in front of the ray, so return the first collision point scaled by t0 return this.at( t0, target ); } intersectsSphere( sphere ) { return this.distanceSqToPoint( sphere.center ) <= ( sphere.radius * sphere.radius ); } distanceToPlane( plane ) { const denominator = plane.normal.dot( this.direction ); if ( denominator === 0 ) { // line is coplanar, return origin if ( plane.distanceToPoint( this.origin ) === 0 ) { return 0; } // Null is preferable to undefined since undefined means.... it is undefined return null; } const t = - ( this.origin.dot( plane.normal ) + plane.constant ) / denominator; // Return if the ray never intersects the plane return t >= 0 ? t : null; } intersectPlane( plane, target ) { const t = this.distanceToPlane( plane ); if ( t === null ) { return null; } return this.at( t, target ); } intersectsPlane( plane ) { // check if the ray lies on the plane first const distToPoint = plane.distanceToPoint( this.origin ); if ( distToPoint === 0 ) { return true; } const denominator = plane.normal.dot( this.direction ); if ( denominator * distToPoint < 0 ) { return true; } // ray origin is behind the plane (and is pointing behind it) return false; } intersectBox( box, target ) { let tmin, tmax, tymin, tymax, tzmin, tzmax; const invdirx = 1 / this.direction.x, invdiry = 1 / this.direction.y, invdirz = 1 / this.direction.z; const origin = this.origin; if ( invdirx >= 0 ) { tmin = ( box.min.x - origin.x ) * invdirx; tmax = ( box.max.x - origin.x ) * invdirx; } else { tmin = ( box.max.x - origin.x ) * invdirx; tmax = ( box.min.x - origin.x ) * invdirx; } if ( invdiry >= 0 ) { tymin = ( box.min.y - origin.y ) * invdiry; tymax = ( box.max.y - origin.y ) * invdiry; } else { tymin = ( box.max.y - origin.y ) * invdiry; tymax = ( box.min.y - origin.y ) * invdiry; } if ( ( tmin > tymax ) || ( tymin > tmax ) ) return null; if ( tymin > tmin || isNaN( tmin ) ) tmin = tymin; if ( tymax < tmax || isNaN( tmax ) ) tmax = tymax; if ( invdirz >= 0 ) { tzmin = ( box.min.z - origin.z ) * invdirz; tzmax = ( box.max.z - origin.z ) * invdirz; } else { tzmin = ( box.max.z - origin.z ) * invdirz; tzmax = ( box.min.z - origin.z ) * invdirz; } if ( ( tmin > tzmax ) || ( tzmin > tmax ) ) return null; if ( tzmin > tmin || tmin !== tmin ) tmin = tzmin; if ( tzmax < tmax || tmax !== tmax ) tmax = tzmax; //return point closest to the ray (positive side) if ( tmax < 0 ) return null; return this.at( tmin >= 0 ? tmin : tmax, target ); } intersectsBox( box ) { return this.intersectBox( box, _vector$9 ) !== null; } intersectTriangle( a, b, c, backfaceCulling, target ) { // Compute the offset origin, edges, and normal. // from https://github.com/pmjoniak/GeometricTools/blob/master/GTEngine/Include/Mathematics/GteIntrRay3Triangle3.h _edge1.subVectors( b, a ); _edge2.subVectors( c, a ); _normal$1.crossVectors( _edge1, _edge2 ); // Solve Q + t*D = b1*E1 + b2*E2 (Q = kDiff, D = ray direction, // E1 = kEdge1, E2 = kEdge2, N = Cross(E1,E2)) by // |Dot(D,N)|*b1 = sign(Dot(D,N))*Dot(D,Cross(Q,E2)) // |Dot(D,N)|*b2 = sign(Dot(D,N))*Dot(D,Cross(E1,Q)) // |Dot(D,N)|*t = -sign(Dot(D,N))*Dot(Q,N) let DdN = this.direction.dot( _normal$1 ); let sign; if ( DdN > 0 ) { if ( backfaceCulling ) return null; sign = 1; } else if ( DdN < 0 ) { sign = - 1; DdN = - DdN; } else { return null; } _diff.subVectors( this.origin, a ); const DdQxE2 = sign * this.direction.dot( _edge2.crossVectors( _diff, _edge2 ) ); // b1 < 0, no intersection if ( DdQxE2 < 0 ) { return null; } const DdE1xQ = sign * this.direction.dot( _edge1.cross( _diff ) ); // b2 < 0, no intersection if ( DdE1xQ < 0 ) { return null; } // b1+b2 > 1, no intersection if ( DdQxE2 + DdE1xQ > DdN ) { return null; } // Line intersects triangle, check if ray does. const QdN = - sign * _diff.dot( _normal$1 ); // t < 0, no intersection if ( QdN < 0 ) { return null; } // Ray intersects triangle. return this.at( QdN / DdN, target ); } applyMatrix4( matrix4 ) { this.origin.applyMatrix4( matrix4 ); this.direction.transformDirection( matrix4 ); return this; } equals( ray ) { return ray.origin.equals( this.origin ) && ray.direction.equals( this.direction ); } clone() { return new this.constructor().copy( this ); } } class Matrix4 { constructor() { Matrix4.prototype.isMatrix4 = true; this.elements = [ 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 1 ]; } set( n11, n12, n13, n14, n21, n22, n23, n24, n31, n32, n33, n34, n41, n42, n43, n44 ) { const te = this.elements; te[ 0 ] = n11; te[ 4 ] = n12; te[ 8 ] = n13; te[ 12 ] = n14; te[ 1 ] = n21; te[ 5 ] = n22; te[ 9 ] = n23; te[ 13 ] = n24; te[ 2 ] = n31; te[ 6 ] = n32; te[ 10 ] = n33; te[ 14 ] = n34; te[ 3 ] = n41; te[ 7 ] = n42; te[ 11 ] = n43; te[ 15 ] = n44; return this; } identity() { this.set( 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 1, 0, 0, 0, 0, 1 ); return this; } clone() { return new Matrix4().fromArray( this.elements ); } copy( m ) { const te = this.elements; const me = m.elements; te[ 0 ] = me[ 0 ]; te[ 1 ] = me[ 1 ]; te[ 2 ] = me[ 2 ]; te[ 3 ] = me[ 3 ]; te[ 4 ] = me[ 4 ]; te[ 5 ] = me[ 5 ]; te[ 6 ] = me[ 6 ]; te[ 7 ] = me[ 7 ]; te[ 8 ] = me[ 8 ]; te[ 9 ] = me[ 9 ]; te[ 10 ] = me[ 10 ]; te[ 11 ] = me[ 11 ]; te[ 12 ] = me[ 12 ]; te[ 13 ] = me[ 13 ]; te[ 14 ] = me[ 14 ]; te[ 15 ] = me[ 15 ]; return this; } copyPosition( m ) { const te = this.elements, me = m.elements; te[ 12 ] = me[ 12 ]; te[ 13 ] = me[ 13 ]; te[ 14 ] = me[ 14 ]; return this; } setFromMatrix3( m ) { const me = m.elements; this.set( me[ 0 ], me[ 3 ], me[ 6 ], 0, me[ 1 ], me[ 4 ], me[ 7 ], 0, me[ 2 ], me[ 5 ], me[ 8 ], 0, 0, 0, 0, 1 ); return this; } extractBasis( xAxis, yAxis, zAxis ) { xAxis.setFromMatrixColumn( this, 0 ); yAxis.setFromMatrixColumn( this, 1 ); zAxis.setFromMatrixColumn( this, 2 ); return this; } makeBasis( xAxis, yAxis, zAxis ) { this.set( xAxis.x, yAxis.x, zAxis.x, 0, xAxis.y, yAxis.y, zAxis.y, 0, xAxis.z, yAxis.z, zAxis.z, 0, 0, 0, 0, 1 ); return this; } extractRotation( m ) { // this method does not support reflection matrices const te = this.elements; const me = m.elements; const scaleX = 1 / _v1$5.setFromMatrixColumn( m, 0 ).length(); const scaleY = 1 / _v1$5.setFromMatrixColumn( m, 1 ).length(); const scaleZ = 1 / _v1$5.setFromMatrixColumn( m, 2 ).length(); te[ 0 ] = me[ 0 ] * scaleX; te[ 1 ] = me[ 1 ] * scaleX; te[ 2 ] = me[ 2 ] * scaleX; te[ 3 ] = 0; te[ 4 ] = me[ 4 ] * scaleY; te[ 5 ] = me[ 5 ] * scaleY; te[ 6 ] = me[ 6 ] * scaleY; te[ 7 ] = 0; te[ 8 ] = me[ 8 ] * scaleZ; te[ 9 ] = me[ 9 ] * scaleZ; te[ 10 ] = me[ 10 ] * scaleZ; te[ 11 ] = 0; te[ 12 ] = 0; te[ 13 ] = 0; te[ 14 ] = 0; te[ 15 ] = 1; return this; } makeRotationFromEuler( euler ) { const te = this.elements; const x = euler.x, y = euler.y, z = euler.z; const a = Math.cos( x ), b = Math.sin( x ); const c = Math.cos( y ), d = Math.sin( y ); const e = Math.cos( z ), f = Math.sin( z ); if ( euler.order === "XYZ" ) { const ae = a * e, af = a * f, be = b * e, bf = b * f; te[ 0 ] = c * e; te[ 4 ] = - c * f; te[ 8 ] = d; te[ 1 ] = af + be * d; te[ 5 ] = ae - bf * d; te[ 9 ] = - b * c; te[ 2 ] = bf - ae * d; te[ 6 ] = be + af * d; te[ 10 ] = a * c; } else if ( euler.order === "YXZ" ) { const ce = c * e, cf = c * f, de = d * e, df = d * f; te[ 0 ] = ce + df * b; te[ 4 ] = de * b - cf; te[ 8 ] = a * d; te[ 1 ] = a * f; te[ 5 ] = a * e; te[ 9 ] = - b; te[ 2 ] = cf * b - de; te[ 6 ] = df + ce * b; te[ 10 ] = a * c; } else if ( euler.order === "ZXY" ) { const ce = c * e, cf = c * f, de = d * e, df = d * f; te[ 0 ] = ce - df * b; te[ 4 ] = - a * f; te[ 8 ] = de + cf * b; te[ 1 ] = cf + de * b; te[ 5 ] = a * e; te[ 9 ] = df - ce * b; te[ 2 ] = - a * d; te[ 6 ] = b; te[ 10 ] = a * c; } else if ( euler.order === "ZYX" ) { const ae = a * e, af = a * f, be = b * e, bf = b * f; te[ 0 ] = c * e; te[ 4 ] = be * d - af; te[ 8 ] = ae * d + bf; te[ 1 ] = c * f; te[ 5 ] = bf * d + ae; te[ 9 ] = af * d - be; te[ 2 ] = - d; te[ 6 ] = b * c; te[ 10 ] = a * c; } else if ( euler.order === "YZX" ) { const ac = a * c, ad = a * d, bc = b * c, bd = b * d; te[ 0 ] = c * e; te[ 4 ] = bd - ac * f; te[ 8 ] = bc * f + ad; te[ 1 ] = f; te[ 5 ] = a * e; te[ 9 ] = - b * e; te[ 2 ] = - d * e; te[ 6 ] = ad * f + bc; te[ 10 ] = ac - bd * f; } else if ( euler.order === "XZY" ) { const ac = a * c, ad = a * d, bc = b * c, bd = b * d; te[ 0 ] = c * e; te[ 4 ] = - f; te[ 8 ] = d * e; te[ 1 ] = ac * f + bd; te[ 5 ] = a * e; te[ 9 ] = ad * f - bc; te[ 2 ] = bc * f - ad; te[ 6 ] = b * e; te[ 10 ] = bd * f + ac; } // bottom row te[ 3 ] = 0; te[ 7 ] = 0; te[ 11 ] = 0; // last column te[ 12 ] = 0; te[ 13 ] = 0; te[ 14 ] = 0; te[ 15 ] = 1; return this; } makeRotationFromQuaternion( q ) { return this.compose( _zero, q, _one ); } lookAt( eye, target, up ) { const te = this.elements; _z.subVectors( eye, target ); if ( _z.lengthSq() === 0 ) { // eye and target are in the same position _z.z = 1; } _z.normalize(); _x.crossVectors( up, _z ); if ( _x.lengthSq() === 0 ) { // up and z are parallel if ( Math.abs( up.z ) === 1 ) { _z.x += 0.0001; } else { _z.z += 0.0001; } _z.normalize(); _x.crossVectors( up, _z ); } _x.normalize(); _y.crossVectors( _z, _x ); te[ 0 ] = _x.x; te[ 4 ] = _y.x; te[ 8 ] = _z.x; te[ 1 ] = _x.y; te[ 5 ] = _y.y; te[ 9 ] = _z.y; te[ 2 ] = _x.z; te[ 6 ] = _y.z; te[ 10 ] = _z.z; return this; } multiply( m ) { return this.multiplyMatrices( this, m ); } premultiply( m ) { return this.multiplyMatrices( m, this ); } multiplyMatrices( a, b ) { const ae = a.elements; const be = b.elements; const te = this.elements; const a11 = ae[ 0 ], a12 = ae[ 4 ], a13 = ae[ 8 ], a14 = ae[ 12 ]; const a21 = ae[ 1 ], a22 = ae[ 5 ], a23 = ae[ 9 ], a24 = ae[ 13 ]; const a31 = ae[ 2 ], a32 = ae[ 6 ], a33 = ae[ 10 ], a34 = ae[ 14 ]; const a41 = ae[ 3 ], a42 = ae[ 7 ], a43 = ae[ 11 ], a44 = ae[ 15 ]; const b11 = be[ 0 ], b12 = be[ 4 ], b13 = be[ 8 ], b14 = be[ 12 ]; const b21 = be[ 1 ], b22 = be[ 5 ], b23 = be[ 9 ], b24 = be[ 13 ]; const b31 = be[ 2 ], b32 = be[ 6 ], b33 = be[ 10 ], b34 = be[ 14 ]; const b41 = be[ 3 ], b42 = be[ 7 ], b43 = be[ 11 ], b44 = be[ 15 ]; te[ 0 ] = a11 * b11 + a12 * b21 + a13 * b31 + a14 * b41; te[ 4 ] = a11 * b12 + a12 * b22 + a13 * b32 + a14 * b42; te[ 8 ] = a11 * b13 + a12 * b23 + a13 * b33 + a14 * b43; te[ 12 ] = a11 * b14 + a12 * b24 + a13 * b34 + a14 * b44; te[ 1 ] = a21 * b11 + a22 * b21 + a23 * b31 + a24 * b41; te[ 5 ] = a21 * b12 + a22 * b22 + a23 * b32 + a24 * b42; te[ 9 ] = a21 * b13 + a22 * b23 + a23 * b33 + a24 * b43; te[ 13 ] = a21 * b14 + a22 * b24 + a23 * b34 + a24 * b44; te[ 2 ] = a31 * b11 + a32 * b21 + a33 * b31 + a34 * b41; te[ 6 ] = a31 * b12 + a32 * b22 + a33 * b32 + a34 * b42; te[ 10 ] = a31 * b13 + a32 * b23 + a33 * b33 + a34 * b43; te[ 14 ] = a31 * b14 + a32 * b24 + a33 * b34 + a34 * b44; te[ 3 ] = a41 * b11 + a42 * b21 + a43 * b31 + a44 * b41; te[ 7 ] = a41 * b12 + a42 * b22 + a43 * b32 + a44 * b42; te[ 11 ] = a41 * b13 + a42 * b23 + a43 * b33 + a44 * b43; te[ 15 ] = a41 * b14 + a42 * b24 + a43 * b34 + a44 * b44; return this; } multiplyScalar( s ) { const te = this.elements; te[ 0 ] *= s; te[ 4 ] *= s; te[ 8 ] *= s; te[ 12 ] *= s; te[ 1 ] *= s; te[ 5 ] *= s; te[ 9 ] *= s; te[ 13 ] *= s; te[ 2 ] *= s; te[ 6 ] *= s; te[ 10 ] *= s; te[ 14 ] *= s; te[ 3 ] *= s; te[ 7 ] *= s; te[ 11 ] *= s; te[ 15 ] *= s; return this; } determinant() { const te = this.elements; const n11 = te[ 0 ], n12 = te[ 4 ], n13 = te[ 8 ], n14 = te[ 12 ]; const n21 = te[ 1 ], n22 = te[ 5 ], n23 = te[ 9 ], n24 = te[ 13 ]; const n31 = te[ 2 ], n32 = te[ 6 ], n33 = te[ 10 ], n34 = te[ 14 ]; const n41 = te[ 3 ], n42 = te[ 7 ], n43 = te[ 11 ], n44 = te[ 15 ]; //TODO: make this more efficient //( based on http://www.euclideanspace.com/maths/algebra/matrix/functions/inverse/fourD/index.htm ) return ( n41 * ( + n14 * n23 * n32 - n13 * n24 * n32 - n14 * n22 * n33 + n12 * n24 * n33 + n13 * n22 * n34 - n12 * n23 * n34 ) + n42 * ( + n11 * n23 * n34 - n11 * n24 * n33 + n14 * n21 * n33 - n13 * n21 * n34 + n13 * n24 * n31 - n14 * n23 * n31 ) + n43 * ( + n11 * n24 * n32 - n11 * n22 * n34 - n14 * n21 * n32 + n12 * n21 * n34 + n14 * n22 * n31 - n12 * n24 * n31 ) + n44 * ( - n13 * n22 * n31 - n11 * n23 * n32 + n11 * n22 * n33 + n13 * n21 * n32 - n12 * n21 * n33 + n12 * n23 * n31 ) ); } transpose() { const te = this.elements; let tmp; tmp = te[ 1 ]; te[ 1 ] = te[ 4 ]; te[ 4 ] = tmp; tmp = te[ 2 ]; te[ 2 ] = te[ 8 ]; te[ 8 ] = tmp; tmp = te[ 6 ]; te[ 6 ] = te[ 9 ]; te[ 9 ] = tmp; tmp = te[ 3 ]; te[ 3 ] = te[ 12 ]; te[ 12 ] = tmp; tmp = te[ 7 ]; te[ 7 ] = te[ 13 ]; te[ 13 ] = tmp; tmp = te[ 11 ]; te[ 11 ] = te[ 14 ]; te[ 14 ] = tmp; return this; } setPosition( x, y, z ) { const te = this.elements; if ( x.isVector3 ) { te[ 12 ] = x.x; te[ 13 ] = x.y; te[ 14 ] = x.z; } else { te[ 12 ] = x; te[ 13 ] = y; te[ 14 ] = z; } return this; } invert() { // based on http://www.euclideanspace.com/maths/algebra/matrix/functions/inverse/fourD/index.htm const te = this.elements, n11 = te[ 0 ], n21 = te[ 1 ], n31 = te[ 2 ], n41 = te[ 3 ], n12 = te[ 4 ], n22 = te[ 5 ], n32 = te[ 6 ], n42 = te[ 7 ], n13 = te[ 8 ], n23 = te[ 9 ], n33 = te[ 10 ], n43 = te[ 11 ], n14 = te[ 12 ], n24 = te[ 13 ], n34 = te[ 14 ], n44 = te[ 15 ], t11 = n23 * n34 * n42 - n24 * n33 * n42 + n24 * n32 * n43 - n22 * n34 * n43 - n23 * n32 * n44 + n22 * n33 * n44, t12 = n14 * n33 * n42 - n13 * n34 * n42 - n14 * n32 * n43 + n12 * n34 * n43 + n13 * n32 * n44 - n12 * n33 * n44, t13 = n13 * n24 * n42 - n14 * n23 * n42 + n14 * n22 * n43 - n12 * n24 * n43 - n13 * n22 * n44 + n12 * n23 * n44, t14 = n14 * n23 * n32 - n13 * n24 * n32 - n14 * n22 * n33 + n12 * n24 * n33 + n13 * n22 * n34 - n12 * n23 * n34; const det = n11 * t11 + n21 * t12 + n31 * t13 + n41 * t14; if ( det === 0 ) return this.set( 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 ); const detInv = 1 / det; te[ 0 ] = t11 * detInv; te[ 1 ] = ( n24 * n33 * n41 - n23 * n34 * n41 - n24 * n31 * n43 + n21 * n34 * n43 + n23 * n31 * n44 - n21 * n33 * n44 ) * detInv; te[ 2 ] = ( n22 * n34 * n41 - n24 * n32 * n41 + n24 * n31 * n42 - n21 * n34 * n42 - n22 * n31 * n44 + n21 * n32 * n44 ) * detInv; te[ 3 ] = ( n23 * n32 * n41 - n22 * n33 * n41 - n23 * n31 * n42 + n21 * n33 * n42 + n22 * n31 * n43 - n21 * n32 * n43 ) * detInv; te[ 4 ] = t12 * detInv; te[ 5 ] = ( n13 * n34 * n41 - n14 * n33 * n41 + n14 * n31 * n43 - n11 * n34 * n43 - n13 * n31 * n44 + n11 * n33 * n44 ) * detInv; te[ 6 ] = ( n14 * n32 * n41 - n12 * n34 * n41 - n14 * n31 * n42 + n11 * n34 * n42 + n12 * n31 * n44 - n11 * n32 * n44 ) * detInv; te[ 7 ] = ( n12 * n33 * n41 - n13 * n32 * n41 + n13 * n31 * n42 - n11 * n33 * n42 - n12 * n31 * n43 + n11 * n32 * n43 ) * detInv; te[ 8 ] = t13 * detInv; te[ 9 ] = ( n14 * n23 * n41 - n13 * n24 * n41 - n14 * n21 * n43 + n11 * n24 * n43 + n13 * n21 * n44 - n11 * n23 * n44 ) * detInv; te[ 10 ] = ( n12 * n24 * n41 - n14 * n22 * n41 + n14 * n21 * n42 - n11 * n24 * n42 - n12 * n21 * n44 + n11 * n22 * n44 ) * detInv; te[ 11 ] = ( n13 * n22 * n41 - n12 * n23 * n41 - n13 * n21 * n42 + n11 * n23 * n42 + n12 * n21 * n43 - n11 * n22 * n43 ) * detInv; te[ 12 ] = t14 * detInv; te[ 13 ] = ( n13 * n24 * n31 - n14 * n23 * n31 + n14 * n21 * n33 - n11 * n24 * n33 - n13 * n21 * n34 + n11 * n23 * n34 ) * detInv; te[ 14 ] = ( n14 * n22 * n31 - n12 * n24 * n31 - n14 * n21 * n32 + n11 * n24 * n32 + n12 * n21 * n34 - n11 * n22 * n34 ) * detInv; te[ 15 ] = ( n12 * n23 * n31 - n13 * n22 * n31 + n13 * n21 * n32 - n11 * n23 * n32 - n12 * n21 * n33 + n11 * n22 * n33 ) * detInv; return this; } scale( v ) { const te = this.elements; const x = v.x, y = v.y, z = v.z; te[ 0 ] *= x; te[ 4 ] *= y; te[ 8 ] *= z; te[ 1 ] *= x; te[ 5 ] *= y; te[ 9 ] *= z; te[ 2 ] *= x; te[ 6 ] *= y; te[ 10 ] *= z; te[ 3 ] *= x; te[ 7 ] *= y; te[ 11 ] *= z; return this; } getMaxScaleOnAxis() { const te = this.elements; const scaleXSq = te[ 0 ] * te[ 0 ] + te[ 1 ] * te[ 1 ] + te[ 2 ] * te[ 2 ]; const scaleYSq = te[ 4 ] * te[ 4 ] + te[ 5 ] * te[ 5 ] + te[ 6 ] * te[ 6 ]; const scaleZSq = te[ 8 ] * te[ 8 ] + te[ 9 ] * te[ 9 ] + te[ 10 ] * te[ 10 ]; return Math.sqrt( Math.max( scaleXSq, scaleYSq, scaleZSq ) ); } makeTranslation( x, y, z ) { this.set( 1, 0, 0, x, 0, 1, 0, y, 0, 0, 1, z, 0, 0, 0, 1 ); return this; } makeRotationX( theta ) { const c = Math.cos( theta ), s = Math.sin( theta ); this.set( 1, 0, 0, 0, 0, c, - s, 0, 0, s, c, 0, 0, 0, 0, 1 ); return this; } makeRotationY( theta ) { const c = Math.cos( theta ), s = Math.sin( theta ); this.set( c, 0, s, 0, 0, 1, 0, 0, - s, 0, c, 0, 0, 0, 0, 1 ); return this; } makeRotationZ( theta ) { const c = Math.cos( theta ), s = Math.sin( theta ); this.set( c, - s, 0, 0, s, c, 0, 0, 0, 0, 1, 0, 0, 0, 0, 1 ); return this; } makeRotationAxis( axis, angle ) { // Based on http://www.gamedev.net/reference/articles/article1199.asp const c = Math.cos( angle ); const s = Math.sin( angle ); const t = 1 - c; const x = axis.x, y = axis.y, z = axis.z; const tx = t * x, ty = t * y; this.set( tx * x + c, tx * y - s * z, tx * z + s * y, 0, tx * y + s * z, ty * y + c, ty * z - s * x, 0, tx * z - s * y, ty * z + s * x, t * z * z + c, 0, 0, 0, 0, 1 ); return this; } makeScale( x, y, z ) { this.set( x, 0, 0, 0, 0, y, 0, 0, 0, 0, z, 0, 0, 0, 0, 1 ); return this; } makeShear( xy, xz, yx, yz, zx, zy ) { this.set( 1, yx, zx, 0, xy, 1, zy, 0, xz, yz, 1, 0, 0, 0, 0, 1 ); return this; } compose( position, quaternion, scale ) { const te = this.elements; const x = quaternion._x, y = quaternion._y, z = quaternion._z, w = quaternion._w; const x2 = x + x, y2 = y + y, z2 = z + z; const xx = x * x2, xy = x * y2, xz = x * z2; const yy = y * y2, yz = y * z2, zz = z * z2; const wx = w * x2, wy = w * y2, wz = w * z2; const sx = scale.x, sy = scale.y, sz = scale.z; te[ 0 ] = ( 1 - ( yy + zz ) ) * sx; te[ 1 ] = ( xy + wz ) * sx; te[ 2 ] = ( xz - wy ) * sx; te[ 3 ] = 0; te[ 4 ] = ( xy - wz ) * sy; te[ 5 ] = ( 1 - ( xx + zz ) ) * sy; te[ 6 ] = ( yz + wx ) * sy; te[ 7 ] = 0; te[ 8 ] = ( xz + wy ) * sz; te[ 9 ] = ( yz - wx ) * sz; te[ 10 ] = ( 1 - ( xx + yy ) ) * sz; te[ 11 ] = 0; te[ 12 ] = position.x; te[ 13 ] = position.y; te[ 14 ] = position.z; te[ 15 ] = 1; return this; } decompose( position, quaternion, scale ) { const te = this.elements; let sx = _v1$5.set( te[ 0 ], te[ 1 ], te[ 2 ] ).length(); const sy = _v1$5.set( te[ 4 ], te[ 5 ], te[ 6 ] ).length(); const sz = _v1$5.set( te[ 8 ], te[ 9 ], te[ 10 ] ).length(); // if determine is negative, we need to invert one scale const det = this.determinant(); if ( det < 0 ) sx = - sx; position.x = te[ 12 ]; position.y = te[ 13 ]; position.z = te[ 14 ]; // scale the rotation part _m1$2.copy( this ); const invSX = 1 / sx; const invSY = 1 / sy; const invSZ = 1 / sz; _m1$2.elements[ 0 ] *= invSX; _m1$2.elements[ 1 ] *= invSX; _m1$2.elements[ 2 ] *= invSX; _m1$2.elements[ 4 ] *= invSY; _m1$2.elements[ 5 ] *= invSY; _m1$2.elements[ 6 ] *= invSY; _m1$2.elements[ 8 ] *= invSZ; _m1$2.elements[ 9 ] *= invSZ; _m1$2.elements[ 10 ] *= invSZ; quaternion.setFromRotationMatrix( _m1$2 ); scale.x = sx; scale.y = sy; scale.z = sz; return this; } makePerspective( left, right, top, bottom, near, far ) { const te = this.elements; const x = 2 * near / ( right - left ); const y = 2 * near / ( top - bottom ); const a = ( right + left ) / ( right - left ); const b = ( top + bottom ) / ( top - bottom ); const c = - ( far + near ) / ( far - near ); const d = - 2 * far * near / ( far - near ); te[ 0 ] = x; te[ 4 ] = 0; te[ 8 ] = a; te[ 12 ] = 0; te[ 1 ] = 0; te[ 5 ] = y; te[ 9 ] = b; te[ 13 ] = 0; te[ 2 ] = 0; te[ 6 ] = 0; te[ 10 ] = c; te[ 14 ] = d; te[ 3 ] = 0; te[ 7 ] = 0; te[ 11 ] = - 1; te[ 15 ] = 0; return this; } makeOrthographic( left, right, top, bottom, near, far ) { const te = this.elements; const w = 1.0 / ( right - left ); const h = 1.0 / ( top - bottom ); const p = 1.0 / ( far - near ); const x = ( right + left ) * w; const y = ( top + bottom ) * h; const z = ( far + near ) * p; te[ 0 ] = 2 * w; te[ 4 ] = 0; te[ 8 ] = 0; te[ 12 ] = - x; te[ 1 ] = 0; te[ 5 ] = 2 * h; te[ 9 ] = 0; te[ 13 ] = - y; te[ 2 ] = 0; te[ 6 ] = 0; te[ 10 ] = - 2 * p; te[ 14 ] = - z; te[ 3 ] = 0; te[ 7 ] = 0; te[ 11 ] = 0; te[ 15 ] = 1; return this; } equals( matrix ) { const te = this.elements; const me = matrix.elements; for ( let i = 0; i < 16; i ++ ) { if ( te[ i ] !== me[ i ] ) return false; } return true; } fromArray( array, offset = 0 ) { for ( let i = 0; i < 16; i ++ ) { this.elements[ i ] = array[ i + offset ]; } return this; } toArray( array = [], offset = 0 ) { const te = this.elements; array[ offset ] = te[ 0 ]; array[ offset + 1 ] = te[ 1 ]; array[ offset + 2 ] = te[ 2 ]; array[ offset + 3 ] = te[ 3 ]; array[ offset + 4 ] = te[ 4 ]; array[ offset + 5 ] = te[ 5 ]; array[ offset + 6 ] = te[ 6 ]; array[ offset + 7 ] = te[ 7 ]; array[ offset + 8 ] = te[ 8 ]; array[ offset + 9 ] = te[ 9 ]; array[ offset + 10 ] = te[ 10 ]; array[ offset + 11 ] = te[ 11 ]; array[ offset + 12 ] = te[ 12 ]; array[ offset + 13 ] = te[ 13 ]; array[ offset + 14 ] = te[ 14 ]; array[ offset + 15 ] = te[ 15 ]; return array; } } const _v1$5 = /*@__PURE__*/ new Vector3(); const _m1$2 = /*@__PURE__*/ new Matrix4(); const _zero = /*@__PURE__*/ new Vector3( 0, 0, 0 ); const _one = /*@__PURE__*/ new Vector3( 1, 1, 1 ); const _x = /*@__PURE__*/ new Vector3(); const _y = /*@__PURE__*/ new Vector3(); const _z = /*@__PURE__*/ new Vector3(); const _matrix = /*@__PURE__*/ new Matrix4(); const _quaternion$3 = /*@__PURE__*/ new Quaternion(); class Euler { constructor( x = 0, y = 0, z = 0, order = Euler.DEFAULT_ORDER ) { this.isEuler = true; this._x = x; this._y = y; this._z = z; this._order = order; } get x() { return this._x; } set x( value ) { this._x = value; this._onChangeCallback(); } get y() { return this._y; } set y( value ) { this._y = value; this._onChangeCallback(); } get z() { return this._z; } set z( value ) { this._z = value; this._onChangeCallback(); } get order() { return this._order; } set order( value ) { this._order = value; this._onChangeCallback(); } set( x, y, z, order = this._order ) { this._x = x; this._y = y; this._z = z; this._order = order; this._onChangeCallback(); return this; } clone() { return new this.constructor( this._x, this._y, this._z, this._order ); } copy( euler ) { this._x = euler._x; this._y = euler._y; this._z = euler._z; this._order = euler._order; this._onChangeCallback(); return this; } setFromRotationMatrix( m, order = this._order, update = true ) { // assumes the upper 3x3 of m is a pure rotation matrix (i.e, unscaled) const te = m.elements; const m11 = te[ 0 ], m12 = te[ 4 ], m13 = te[ 8 ]; const m21 = te[ 1 ], m22 = te[ 5 ], m23 = te[ 9 ]; const m31 = te[ 2 ], m32 = te[ 6 ], m33 = te[ 10 ]; switch ( order ) { case "XYZ": this._y = Math.asin( clamp$1( m13, - 1, 1 ) ); if ( Math.abs( m13 ) < 0.9999999 ) { this._x = Math.atan2( - m23, m33 ); this._z = Math.atan2( - m12, m11 ); } else { this._x = Math.atan2( m32, m22 ); this._z = 0; } break; case "YXZ": this._x = Math.asin( - clamp$1( m23, - 1, 1 ) ); if ( Math.abs( m23 ) < 0.9999999 ) { this._y = Math.atan2( m13, m33 ); this._z = Math.atan2( m21, m22 ); } else { this._y = Math.atan2( - m31, m11 ); this._z = 0; } break; case "ZXY": this._x = Math.asin( clamp$1( m32, - 1, 1 ) ); if ( Math.abs( m32 ) < 0.9999999 ) { this._y = Math.atan2( - m31, m33 ); this._z = Math.atan2( - m12, m22 ); } else { this._y = 0; this._z = Math.atan2( m21, m11 ); } break; case "ZYX": this._y = Math.asin( - clamp$1( m31, - 1, 1 ) ); if ( Math.abs( m31 ) < 0.9999999 ) { this._x = Math.atan2( m32, m33 ); this._z = Math.atan2( m21, m11 ); } else { this._x = 0; this._z = Math.atan2( - m12, m22 ); } break; case "YZX": this._z = Math.asin( clamp$1( m21, - 1, 1 ) ); if ( Math.abs( m21 ) < 0.9999999 ) { this._x = Math.atan2( - m23, m22 ); this._y = Math.atan2( - m31, m11 ); } else { this._x = 0; this._y = Math.atan2( m13, m33 ); } break; case "XZY": this._z = Math.asin( - clamp$1( m12, - 1, 1 ) ); if ( Math.abs( m12 ) < 0.9999999 ) { this._x = Math.atan2( m32, m22 ); this._y = Math.atan2( m13, m11 ); } else { this._x = Math.atan2( - m23, m33 ); this._y = 0; } break; default: console.warn( "THREE.Euler: .setFromRotationMatrix() encountered an unknown order: " + order ); } this._order = order; if ( update === true ) this._onChangeCallback(); return this; } setFromQuaternion( q, order, update ) { _matrix.makeRotationFromQuaternion( q ); return this.setFromRotationMatrix( _matrix, order, update ); } setFromVector3( v, order = this._order ) { return this.set( v.x, v.y, v.z, order ); } reorder( newOrder ) { // WARNING: this discards revolution information -bhouston _quaternion$3.setFromEuler( this ); return this.setFromQuaternion( _quaternion$3, newOrder ); } equals( euler ) { return ( euler._x === this._x ) && ( euler._y === this._y ) && ( euler._z === this._z ) && ( euler._order === this._order ); } fromArray( array ) { this._x = array[ 0 ]; this._y = array[ 1 ]; this._z = array[ 2 ]; if ( array[ 3 ] !== undefined ) this._order = array[ 3 ]; this._onChangeCallback(); return this; } toArray( array = [], offset = 0 ) { array[ offset ] = this._x; array[ offset + 1 ] = this._y; array[ offset + 2 ] = this._z; array[ offset + 3 ] = this._order; return array; } _onChange( callback ) { this._onChangeCallback = callback; return this; } _onChangeCallback() {} *[ Symbol.iterator ]() { yield this._x; yield this._y; yield this._z; yield this._order; } } Euler.DEFAULT_ORDER = "XYZ"; class Layers { constructor() { this.mask = 1 | 0; } set( channel ) { this.mask = ( 1 << channel | 0 ) >>> 0; } enable( channel ) { this.mask |= 1 << channel | 0; } enableAll() { this.mask = 0xffffffff | 0; } toggle( channel ) { this.mask ^= 1 << channel | 0; } disable( channel ) { this.mask &= ~ ( 1 << channel | 0 ); } disableAll() { this.mask = 0; } test( layers ) { return ( this.mask & layers.mask ) !== 0; } isEnabled( channel ) { return ( this.mask & ( 1 << channel | 0 ) ) !== 0; } } let _object3DId = 0; const _v1$4 = /*@__PURE__*/ new Vector3(); const _q1 = /*@__PURE__*/ new Quaternion(); const _m1$1 = /*@__PURE__*/ new Matrix4(); const _target = /*@__PURE__*/ new Vector3(); const _position$3 = /*@__PURE__*/ new Vector3(); const _scale$2 = /*@__PURE__*/ new Vector3(); const _quaternion$2 = /*@__PURE__*/ new Quaternion(); const _xAxis = /*@__PURE__*/ new Vector3( 1, 0, 0 ); const _yAxis = /*@__PURE__*/ new Vector3( 0, 1, 0 ); const _zAxis = /*@__PURE__*/ new Vector3( 0, 0, 1 ); const _addedEvent = { type: "added" }; const _removedEvent = { type: "removed" }; class Object3D extends EventDispatcher { constructor() { super(); this.isObject3D = true; Object.defineProperty( this, "id", { value: _object3DId ++ } ); this.uuid = generateUUID(); this.name = ""; this.type = "Object3D"; this.parent = null; this.children = []; this.up = Object3D.DEFAULT_UP.clone(); const position = new Vector3(); const rotation = new Euler(); const quaternion = new Quaternion(); const scale = new Vector3( 1, 1, 1 ); function onRotationChange() { quaternion.setFromEuler( rotation, false ); } function onQuaternionChange() { rotation.setFromQuaternion( quaternion, undefined, false ); } rotation._onChange( onRotationChange ); quaternion._onChange( onQuaternionChange ); Object.defineProperties( this, { position: { configurable: true, enumerable: true, value: position }, rotation: { configurable: true, enumerable: true, value: rotation }, quaternion: { configurable: true, enumerable: true, value: quaternion }, scale: { configurable: true, enumerable: true, value: scale }, modelViewMatrix: { value: new Matrix4() }, normalMatrix: { value: new Matrix3() } } ); this.matrix = new Matrix4(); this.matrixWorld = new Matrix4(); this.matrixAutoUpdate = Object3D.DEFAULT_MATRIX_AUTO_UPDATE; this.matrixWorldNeedsUpdate = false; this.matrixWorldAutoUpdate = Object3D.DEFAULT_MATRIX_WORLD_AUTO_UPDATE; // checked by the renderer this.layers = new Layers(); this.visible = true; this.castShadow = false; this.receiveShadow = false; this.frustumCulled = true; this.renderOrder = 0; this.animations = []; this.userData = {}; } onBeforeRender( /* renderer, scene, camera, geometry, material, group */ ) {} onAfterRender( /* renderer, scene, camera, geometry, material, group */ ) {} applyMatrix4( matrix ) { if ( this.matrixAutoUpdate ) this.updateMatrix(); this.matrix.premultiply( matrix ); this.matrix.decompose( this.position, this.quaternion, this.scale ); } applyQuaternion( q ) { this.quaternion.premultiply( q ); return this; } setRotationFromAxisAngle( axis, angle ) { // assumes axis is normalized this.quaternion.setFromAxisAngle( axis, angle ); } setRotationFromEuler( euler ) { this.quaternion.setFromEuler( euler, true ); } setRotationFromMatrix( m ) { // assumes the upper 3x3 of m is a pure rotation matrix (i.e, unscaled) this.quaternion.setFromRotationMatrix( m ); } setRotationFromQuaternion( q ) { // assumes q is normalized this.quaternion.copy( q ); } rotateOnAxis( axis, angle ) { // rotate object on axis in object space // axis is assumed to be normalized _q1.setFromAxisAngle( axis, angle ); this.quaternion.multiply( _q1 ); return this; } rotateOnWorldAxis( axis, angle ) { // rotate object on axis in world space // axis is assumed to be normalized // method assumes no rotated parent _q1.setFromAxisAngle( axis, angle ); this.quaternion.premultiply( _q1 ); return this; } rotateX( angle ) { return this.rotateOnAxis( _xAxis, angle ); } rotateY( angle ) { return this.rotateOnAxis( _yAxis, angle ); } rotateZ( angle ) { return this.rotateOnAxis( _zAxis, angle ); } translateOnAxis( axis, distance ) { // translate object by distance along axis in object space // axis is assumed to be normalized _v1$4.copy( axis ).applyQuaternion( this.quaternion ); this.position.add( _v1$4.multiplyScalar( distance ) ); return this; } translateX( distance ) { return this.translateOnAxis( _xAxis, distance ); } translateY( distance ) { return this.translateOnAxis( _yAxis, distance ); } translateZ( distance ) { return this.translateOnAxis( _zAxis, distance ); } localToWorld( vector ) { this.updateWorldMatrix( true, false ); return vector.applyMatrix4( this.matrixWorld ); } worldToLocal( vector ) { this.updateWorldMatrix( true, false ); return vector.applyMatrix4( _m1$1.copy( this.matrixWorld ).invert() ); } lookAt( x, y, z ) { // This method does not support objects having non-uniformly-scaled parent(s) if ( x.isVector3 ) { _target.copy( x ); } else { _target.set( x, y, z ); } const parent = this.parent; this.updateWorldMatrix( true, false ); _position$3.setFromMatrixPosition( this.matrixWorld ); if ( this.isCamera || this.isLight ) { _m1$1.lookAt( _position$3, _target, this.up ); } else { _m1$1.lookAt( _target, _position$3, this.up ); } this.quaternion.setFromRotationMatrix( _m1$1 ); if ( parent ) { _m1$1.extractRotation( parent.matrixWorld ); _q1.setFromRotationMatrix( _m1$1 ); this.quaternion.premultiply( _q1.invert() ); } } add( object ) { if ( arguments.length > 1 ) { for ( let i = 0; i < arguments.length; i ++ ) { this.add( arguments[ i ] ); } return this; } if ( object === this ) { console.error( "THREE.Object3D.add: object can"t be added as a child of itself.", object ); return this; } if ( object && object.isObject3D ) { if ( object.parent !== null ) { object.parent.remove( object ); } object.parent = this; this.children.push( object ); object.dispatchEvent( _addedEvent ); } else { console.error( "THREE.Object3D.add: object not an instance of THREE.Object3D.", object ); } return this; } remove( object ) { if ( arguments.length > 1 ) { for ( let i = 0; i < arguments.length; i ++ ) { this.remove( arguments[ i ] ); } return this; } const index = this.children.indexOf( object ); if ( index !== - 1 ) { object.parent = null; this.children.splice( index, 1 ); object.dispatchEvent( _removedEvent ); } return this; } removeFromParent() { const parent = this.parent; if ( parent !== null ) { parent.remove( this ); } return this; } clear() { for ( let i = 0; i < this.children.length; i ++ ) { const object = this.children[ i ]; object.parent = null; object.dispatchEvent( _removedEvent ); } this.children.length = 0; return this; } attach( object ) { // adds object as a child of this, while maintaining the object"s world transform // Note: This method does not support scene graphs having non-uniformly-scaled nodes(s) this.updateWorldMatrix( true, false ); _m1$1.copy( this.matrixWorld ).invert(); if ( object.parent !== null ) { object.parent.updateWorldMatrix( true, false ); _m1$1.multiply( object.parent.matrixWorld ); } object.applyMatrix4( _m1$1 ); this.add( object ); object.updateWorldMatrix( false, true ); return this; } getObjectById( id ) { return this.getObjectByProperty( "id", id ); } getObjectByName( name ) { return this.getObjectByProperty( "name", name ); } getObjectByProperty( name, value ) { if ( this[ name ] === value ) return this; for ( let i = 0, l = this.children.length; i < l; i ++ ) { const child = this.children[ i ]; const object = child.getObjectByProperty( name, value ); if ( object !== undefined ) { return object; } } return undefined; } getObjectsByProperty( name, value ) { let result = []; if ( this[ name ] === value ) result.push( this ); for ( let i = 0, l = this.children.length; i < l; i ++ ) { const childResult = this.children[ i ].getObjectsByProperty( name, value ); if ( childResult.length > 0 ) { result = result.concat( childResult ); } } return result; } getWorldPosition( target ) { this.updateWorldMatrix( true, false ); return target.setFromMatrixPosition( this.matrixWorld ); } getWorldQuaternion( target ) { this.updateWorldMatrix( true, false ); this.matrixWorld.decompose( _position$3, target, _scale$2 ); return target; } getWorldScale( target ) { this.updateWorldMatrix( true, false ); this.matrixWorld.decompose( _position$3, _quaternion$2, target ); return target; } getWorldDirection( target ) { this.updateWorldMatrix( true, false ); const e = this.matrixWorld.elements; return target.set( e[ 8 ], e[ 9 ], e[ 10 ] ).normalize(); } raycast( /* raycaster, intersects */ ) {} traverse( callback ) { callback( this ); const children = this.children; for ( let i = 0, l = children.length; i < l; i ++ ) { children[ i ].traverse( callback ); } } traverseVisible( callback ) { if ( this.visible === false ) return; callback( this ); const children = this.children; for ( let i = 0, l = children.length; i < l; i ++ ) { children[ i ].traverseVisible( callback ); } } traverseAncestors( callback ) { const parent = this.parent; if ( parent !== null ) { callback( parent ); parent.traverseAncestors( callback ); } } updateMatrix() { this.matrix.compose( this.position, this.quaternion, this.scale ); this.matrixWorldNeedsUpdate = true; } updateMatrixWorld( force ) { if ( this.matrixAutoUpdate ) this.updateMatrix(); if ( this.matrixWorldNeedsUpdate || force ) { if ( this.parent === null ) { this.matrixWorld.copy( this.matrix ); } else { this.matrixWorld.multiplyMatrices( this.parent.matrixWorld, this.matrix ); } this.matrixWorldNeedsUpdate = false; force = true; } // update children const children = this.children; for ( let i = 0, l = children.length; i < l; i ++ ) { const child = children[ i ]; if ( child.matrixWorldAutoUpdate === true || force === true ) { child.updateMatrixWorld( force ); } } } updateWorldMatrix( updateParents, updateChildren ) { const parent = this.parent; if ( updateParents === true && parent !== null && parent.matrixWorldAutoUpdate === true ) { parent.updateWorldMatrix( true, false ); } if ( this.matrixAutoUpdate ) this.updateMatrix(); if ( this.parent === null ) { this.matrixWorld.copy( this.matrix ); } else { this.matrixWorld.multiplyMatrices( this.parent.matrixWorld, this.matrix ); } // update children if ( updateChildren === true ) { const children = this.children; for ( let i = 0, l = children.length; i < l; i ++ ) { const child = children[ i ]; if ( child.matrixWorldAutoUpdate === true ) { child.updateWorldMatrix( false, true ); } } } } toJSON( meta ) { // meta is a string when called from JSON.stringify const isRootObject = ( meta === undefined || typeof meta === "string" ); const output = {}; // meta is a hash used to collect geometries, materials. // not providing it implies that this is the root object // being serialized. if ( isRootObject ) { // initialize meta obj meta = { geometries: {}, materials: {}, textures: {}, images: {}, shapes: {}, skeletons: {}, animations: {}, nodes: {} }; output.metadata = { version: 4.5, type: "Object", generator: "Object3D.toJSON" }; } // standard Object3D serialization const object = {}; object.uuid = this.uuid; object.type = this.type; if ( this.name !== "" ) object.name = this.name; if ( this.castShadow === true ) object.castShadow = true; if ( this.receiveShadow === true ) object.receiveShadow = true; if ( this.visible === false ) object.visible = false; if ( this.frustumCulled === false ) object.frustumCulled = false; if ( this.renderOrder !== 0 ) object.renderOrder = this.renderOrder; if ( Object.keys( this.userData ).length > 0 ) object.userData = this.userData; object.layers = this.layers.mask; object.matrix = this.matrix.toArray(); object.up = this.up.toArray(); if ( this.matrixAutoUpdate === false ) object.matrixAutoUpdate = false; // object specific properties if ( this.isInstancedMesh ) { object.type = "InstancedMesh"; object.count = this.count; object.instanceMatrix = this.instanceMatrix.toJSON(); if ( this.instanceColor !== null ) object.instanceColor = this.instanceColor.toJSON(); } // function serialize( library, element ) { if ( library[ element.uuid ] === undefined ) { library[ element.uuid ] = element.toJSON( meta ); } return element.uuid; } if ( this.isScene ) { if ( this.background ) { if ( this.background.isColor ) { object.background = this.background.toJSON(); } else if ( this.background.isTexture ) { object.background = this.background.toJSON( meta ).uuid; } } if ( this.environment && this.environment.isTexture && this.environment.isRenderTargetTexture !== true ) { object.environment = this.environment.toJSON( meta ).uuid; } } else if ( this.isMesh || this.isLine || this.isPoints ) { object.geometry = serialize( meta.geometries, this.geometry ); const parameters = this.geometry.parameters; if ( parameters !== undefined && parameters.shapes !== undefined ) { const shapes = parameters.shapes; if ( Array.isArray( shapes ) ) { for ( let i = 0, l = shapes.length; i < l; i ++ ) { const shape = shapes[ i ]; serialize( meta.shapes, shape ); } } else { serialize( meta.shapes, shapes ); } } } if ( this.isSkinnedMesh ) { object.bindMode = this.bindMode; object.bindMatrix = this.bindMatrix.toArray(); if ( this.skeleton !== undefined ) { serialize( meta.skeletons, this.skeleton ); object.skeleton = this.skeleton.uuid; } } if ( this.material !== undefined ) { if ( Array.isArray( this.material ) ) { const uuids = []; for ( let i = 0, l = this.material.length; i < l; i ++ ) { uuids.push( serialize( meta.materials, this.material[ i ] ) ); } object.material = uuids; } else { object.material = serialize( meta.materials, this.material ); } } // if ( this.children.length > 0 ) { object.children = []; for ( let i = 0; i < this.children.length; i ++ ) { object.children.push( this.children[ i ].toJSON( meta ).object ); } } // if ( this.animations.length > 0 ) { object.animations = []; for ( let i = 0; i < this.animations.length; i ++ ) { const animation = this.animations[ i ]; object.animations.push( serialize( meta.animations, animation ) ); } } if ( isRootObject ) { const geometries = extractFromCache( meta.geometries ); const materials = extractFromCache( meta.materials ); const textures = extractFromCache( meta.textures ); const images = extractFromCache( meta.images ); const shapes = extractFromCache( meta.shapes ); const skeletons = extractFromCache( meta.skeletons ); const animations = extractFromCache( meta.animations ); const nodes = extractFromCache( meta.nodes ); if ( geometries.length > 0 ) output.geometries = geometries; if ( materials.length > 0 ) output.materials = materials; if ( textures.length > 0 ) output.textures = textures; if ( images.length > 0 ) output.images = images; if ( shapes.length > 0 ) output.shapes = shapes; if ( skeletons.length > 0 ) output.skeletons = skeletons; if ( animations.length > 0 ) output.animations = animations; if ( nodes.length > 0 ) output.nodes = nodes; } output.object = object; return output; // extract data from the cache hash // remove metadata on each item // and return as array function extractFromCache( cache ) { const values = []; for ( const key in cache ) { const data = cache[ key ]; delete data.metadata; values.push( data ); } return values; } } clone( recursive ) { return new this.constructor().copy( this, recursive ); } copy( source, recursive = true ) { this.name = source.name; this.up.copy( source.up ); this.position.copy( source.position ); this.rotation.order = source.rotation.order; this.quaternion.copy( source.quaternion ); this.scale.copy( source.scale ); this.matrix.copy( source.matrix ); this.matrixWorld.copy( source.matrixWorld ); this.matrixAutoUpdate = source.matrixAutoUpdate; this.matrixWorldNeedsUpdate = source.matrixWorldNeedsUpdate; this.matrixWorldAutoUpdate = source.matrixWorldAutoUpdate; this.layers.mask = source.layers.mask; this.visible = source.visible; this.castShadow = source.castShadow; this.receiveShadow = source.receiveShadow; this.frustumCulled = source.frustumCulled; this.renderOrder = source.renderOrder; this.animations = source.animations; this.userData = JSON.parse( JSON.stringify( source.userData ) ); if ( recursive === true ) { for ( let i = 0; i < source.children.length; i ++ ) { const child = source.children[ i ]; this.add( child.clone() ); } } return this; } } Object3D.DEFAULT_UP = /*@__PURE__*/ new Vector3( 0, 1, 0 ); Object3D.DEFAULT_MATRIX_AUTO_UPDATE = true; Object3D.DEFAULT_MATRIX_WORLD_AUTO_UPDATE = true; const _v0$1 = /*@__PURE__*/ new Vector3(); const _v1$3 = /*@__PURE__*/ new Vector3(); const _v2$2 = /*@__PURE__*/ new Vector3(); const _v3$1 = /*@__PURE__*/ new Vector3(); const _vab = /*@__PURE__*/ new Vector3(); const _vac = /*@__PURE__*/ new Vector3(); const _vbc = /*@__PURE__*/ new Vector3(); const _vap = /*@__PURE__*/ new Vector3(); const _vbp = /*@__PURE__*/ new Vector3(); const _vcp = /*@__PURE__*/ new Vector3(); let warnedGetUV = false; class Triangle { constructor( a = new Vector3(), b = new Vector3(), c = new Vector3() ) { this.a = a; this.b = b; this.c = c; } static getNormal( a, b, c, target ) { target.subVectors( c, b ); _v0$1.subVectors( a, b ); target.cross( _v0$1 ); const targetLengthSq = target.lengthSq(); if ( targetLengthSq > 0 ) { return target.multiplyScalar( 1 / Math.sqrt( targetLengthSq ) ); } return target.set( 0, 0, 0 ); } // static/instance method to calculate barycentric coordinates // based on: http://www.blackpawn.com/texts/pointinpoly/default.html static getBarycoord( point, a, b, c, target ) { _v0$1.subVectors( c, a ); _v1$3.subVectors( b, a ); _v2$2.subVectors( point, a ); const dot00 = _v0$1.dot( _v0$1 ); const dot01 = _v0$1.dot( _v1$3 ); const dot02 = _v0$1.dot( _v2$2 ); const dot11 = _v1$3.dot( _v1$3 ); const dot12 = _v1$3.dot( _v2$2 ); const denom = ( dot00 * dot11 - dot01 * dot01 ); // collinear or singular triangle if ( denom === 0 ) { // arbitrary location outside of triangle? // not sure if this is the best idea, maybe should be returning undefined return target.set( - 2, - 1, - 1 ); } const invDenom = 1 / denom; const u = ( dot11 * dot02 - dot01 * dot12 ) * invDenom; const v = ( dot00 * dot12 - dot01 * dot02 ) * invDenom; // barycentric coordinates must always sum to 1 return target.set( 1 - u - v, v, u ); } static containsPoint( point, a, b, c ) { this.getBarycoord( point, a, b, c, _v3$1 ); return ( _v3$1.x >= 0 ) && ( _v3$1.y >= 0 ) && ( ( _v3$1.x + _v3$1.y ) <= 1 ); } static getUV( point, p1, p2, p3, uv1, uv2, uv3, target ) { // @deprecated, r151 if ( warnedGetUV === false ) { console.warn( "THREE.Triangle.getUV() has been renamed to THREE.Triangle.getInterpolation()." ); warnedGetUV = true; } return this.getInterpolation( point, p1, p2, p3, uv1, uv2, uv3, target ); } static getInterpolation( point, p1, p2, p3, v1, v2, v3, target ) { this.getBarycoord( point, p1, p2, p3, _v3$1 ); target.setScalar( 0 ); target.addScaledVector( v1, _v3$1.x ); target.addScaledVector( v2, _v3$1.y ); target.addScaledVector( v3, _v3$1.z ); return target; } static isFrontFacing( a, b, c, direction ) { _v0$1.subVectors( c, b ); _v1$3.subVectors( a, b ); // strictly front facing return ( _v0$1.cross( _v1$3 ).dot( direction ) < 0 ) ? true : false; } set( a, b, c ) { this.a.copy( a ); this.b.copy( b ); this.c.copy( c ); return this; } setFromPointsAndIndices( points, i0, i1, i2 ) { this.a.copy( points[ i0 ] ); this.b.copy( points[ i1 ] ); this.c.copy( points[ i2 ] ); return this; } setFromAttributeAndIndices( attribute, i0, i1, i2 ) { this.a.fromBufferAttribute( attribute, i0 ); this.b.fromBufferAttribute( attribute, i1 ); this.c.fromBufferAttribute( attribute, i2 ); return this; } clone() { return new this.constructor().copy( this ); } copy( triangle ) { this.a.copy( triangle.a ); this.b.copy( triangle.b ); this.c.copy( triangle.c ); return this; } getArea() { _v0$1.subVectors( this.c, this.b ); _v1$3.subVectors( this.a, this.b ); return _v0$1.cross( _v1$3 ).length() * 0.5; } getMidpoint( target ) { return target.addVectors( this.a, this.b ).add( this.c ).multiplyScalar( 1 / 3 ); } getNormal( target ) { return Triangle.getNormal( this.a, this.b, this.c, target ); } getPlane( target ) { return target.setFromCoplanarPoints( this.a, this.b, this.c ); } getBarycoord( point, target ) { return Triangle.getBarycoord( point, this.a, this.b, this.c, target ); } getUV( point, uv1, uv2, uv3, target ) { // @deprecated, r151 if ( warnedGetUV === false ) { console.warn( "THREE.Triangle.getUV() has been renamed to THREE.Triangle.getInterpolation()." ); warnedGetUV = true; } return Triangle.getInterpolation( point, this.a, this.b, this.c, uv1, uv2, uv3, target ); } getInterpolation( point, v1, v2, v3, target ) { return Triangle.getInterpolation( point, this.a, this.b, this.c, v1, v2, v3, target ); } containsPoint( point ) { return Triangle.containsPoint( point, this.a, this.b, this.c ); } isFrontFacing( direction ) { return Triangle.isFrontFacing( this.a, this.b, this.c, direction ); } intersectsBox( box ) { return box.intersectsTriangle( this ); } closestPointToPoint( p, target ) { const a = this.a, b = this.b, c = this.c; let v, w; // algorithm thanks to Real-Time Collision Detection by Christer Ericson, // published by Morgan Kaufmann Publishers, (c) 2005 Elsevier Inc., // under the accompanying license; see chapter 5.1.5 for detailed explanation. // basically, we"re distinguishing which of the voronoi regions of the triangle // the point lies in with the minimum amount of redundant computation. _vab.subVectors( b, a ); _vac.subVectors( c, a ); _vap.subVectors( p, a ); const d1 = _vab.dot( _vap ); const d2 = _vac.dot( _vap ); if ( d1 <= 0 && d2 <= 0 ) { // vertex region of A; barycentric coords (1, 0, 0) return target.copy( a ); } _vbp.subVectors( p, b ); const d3 = _vab.dot( _vbp ); const d4 = _vac.dot( _vbp ); if ( d3 >= 0 && d4 <= d3 ) { // vertex region of B; barycentric coords (0, 1, 0) return target.copy( b ); } const vc = d1 * d4 - d3 * d2; if ( vc <= 0 && d1 >= 0 && d3 <= 0 ) { v = d1 / ( d1 - d3 ); // edge region of AB; barycentric coords (1-v, v, 0) return target.copy( a ).addScaledVector( _vab, v ); } _vcp.subVectors( p, c ); const d5 = _vab.dot( _vcp ); const d6 = _vac.dot( _vcp ); if ( d6 >= 0 && d5 <= d6 ) { // vertex region of C; barycentric coords (0, 0, 1) return target.copy( c ); } const vb = d5 * d2 - d1 * d6; if ( vb <= 0 && d2 >= 0 && d6 <= 0 ) { w = d2 / ( d2 - d6 ); // edge region of AC; barycentric coords (1-w, 0, w) return target.copy( a ).addScaledVector( _vac, w ); } const va = d3 * d6 - d5 * d4; if ( va <= 0 && ( d4 - d3 ) >= 0 && ( d5 - d6 ) >= 0 ) { _vbc.subVectors( c, b ); w = ( d4 - d3 ) / ( ( d4 - d3 ) + ( d5 - d6 ) ); // edge region of BC; barycentric coords (0, 1-w, w) return target.copy( b ).addScaledVector( _vbc, w ); // edge region of BC } // face region const denom = 1 / ( va + vb + vc ); // u = va * denom v = vb * denom; w = vc * denom; return target.copy( a ).addScaledVector( _vab, v ).addScaledVector( _vac, w ); } equals( triangle ) { return triangle.a.equals( this.a ) && triangle.b.equals( this.b ) && triangle.c.equals( this.c ); } } let materialId = 0; class Material extends EventDispatcher { constructor() { super(); this.isMaterial = true; Object.defineProperty( this, "id", { value: materialId ++ } ); this.uuid = generateUUID(); this.name = ""; this.type = "Material"; this.blending = NormalBlending; this.side = FrontSide; this.vertexColors = false; this.opacity = 1; this.transparent = false; this.blendSrc = SrcAlphaFactor; this.blendDst = OneMinusSrcAlphaFactor; this.blendEquation = AddEquation; this.blendSrcAlpha = null; this.blendDstAlpha = null; this.blendEquationAlpha = null; this.depthFunc = LessEqualDepth; this.depthTest = true; this.depthWrite = true; this.stencilWriteMask = 0xff; this.stencilFunc = AlwaysStencilFunc; this.stencilRef = 0; this.stencilFuncMask = 0xff; this.stencilFail = KeepStencilOp; this.stencilZFail = KeepStencilOp; this.stencilZPass = KeepStencilOp; this.stencilWrite = false; this.clippingPlanes = null; this.clipIntersection = false; this.clipShadows = false; this.shadowSide = null; this.colorWrite = true; this.precision = null; // override the renderer"s default precision for this material this.polygonOffset = false; this.polygonOffsetFactor = 0; this.polygonOffsetUnits = 0; this.dithering = false; this.alphaToCoverage = false; this.premultipliedAlpha = false; this.forceSinglePass = false; this.visible = true; this.toneMapped = true; this.userData = {}; this.version = 0; this._alphaTest = 0; } get alphaTest() { return this._alphaTest; } set alphaTest( value ) { if ( this._alphaTest > 0 !== value > 0 ) { this.version ++; } this._alphaTest = value; } onBuild( /* shaderobject, renderer */ ) {} onBeforeRender( /* renderer, scene, camera, geometry, object, group */ ) {} onBeforeCompile( /* shaderobject, renderer */ ) {} customProgramCacheKey() { return this.onBeforeCompile.toString(); } setValues( values ) { if ( values === undefined ) return; for ( const key in values ) { const newValue = values[ key ]; if ( newValue === undefined ) { console.warn( `THREE.Material: parameter "${ key }" has value of undefined.` ); continue; } const currentValue = this[ key ]; if ( currentValue === undefined ) { console.warn( `THREE.Material: "${ key }" is not a property of THREE.${ this.type }.` ); continue; } if ( currentValue && currentValue.isColor ) { currentValue.set( newValue ); } else if ( ( currentValue && currentValue.isVector3 ) && ( newValue && newValue.isVector3 ) ) { currentValue.copy( newValue ); } else { this[ key ] = newValue; } } } toJSON( meta ) { const isRootObject = ( meta === undefined || typeof meta === "string" ); if ( isRootObject ) { meta = { textures: {}, images: {} }; } const data = { metadata: { version: 4.5, type: "Material", generator: "Material.toJSON" } }; // standard Material serialization data.uuid = this.uuid; data.type = this.type; if ( this.name !== "" ) data.name = this.name; if ( this.color && this.color.isColor ) data.color = this.color.getHex(); if ( this.roughness !== undefined ) data.roughness = this.roughness; if ( this.metalness !== undefined ) data.metalness = this.metalness; if ( this.sheen !== undefined ) data.sheen = this.sheen; if ( this.sheenColor && this.sheenColor.isColor ) data.sheenColor = this.sheenColor.getHex(); if ( this.sheenRoughness !== undefined ) data.sheenRoughness = this.sheenRoughness; if ( this.emissive && this.emissive.isColor ) data.emissive = this.emissive.getHex(); if ( this.emissiveIntensity && this.emissiveIntensity !== 1 ) data.emissiveIntensity = this.emissiveIntensity; if ( this.specular && this.specular.isColor ) data.specular = this.specular.getHex(); if ( this.specularIntensity !== undefined ) data.specularIntensity = this.specularIntensity; if ( this.specularColor && this.specularColor.isColor ) data.specularColor = this.specularColor.getHex(); if ( this.shininess !== undefined ) data.shininess = this.shininess; if ( this.clearcoat !== undefined ) data.clearcoat = this.clearcoat; if ( this.clearcoatRoughness !== undefined ) data.clearcoatRoughness = this.clearcoatRoughness; if ( this.clearcoatMap && this.clearcoatMap.isTexture ) { data.clearcoatMap = this.clearcoatMap.toJSON( meta ).uuid; } if ( this.clearcoatRoughnessMap && this.clearcoatRoughnessMap.isTexture ) { data.clearcoatRoughnessMap = this.clearcoatRoughnessMap.toJSON( meta ).uuid; } if ( this.clearcoatNormalMap && this.clearcoatNormalMap.isTexture ) { data.clearcoatNormalMap = this.clearcoatNormalMap.toJSON( meta ).uuid; data.clearcoatNormalScale = this.clearcoatNormalScale.toArray(); } if ( this.iridescence !== undefined ) data.iridescence = this.iridescence; if ( this.iridescenceIOR !== undefined ) data.iridescenceIOR = this.iridescenceIOR; if ( this.iridescenceThicknessRange !== undefined ) data.iridescenceThicknessRange = this.iridescenceThicknessRange; if ( this.iridescenceMap && this.iridescenceMap.isTexture ) { data.iridescenceMap = this.iridescenceMap.toJSON( meta ).uuid; } if ( this.iridescenceThicknessMap && this.iridescenceThicknessMap.isTexture ) { data.iridescenceThicknessMap = this.iridescenceThicknessMap.toJSON( meta ).uuid; } if ( this.map && this.map.isTexture ) data.map = this.map.toJSON( meta ).uuid; if ( this.matcap && this.matcap.isTexture ) data.matcap = this.matcap.toJSON( meta ).uuid; if ( this.alphaMap && this.alphaMap.isTexture ) data.alphaMap = this.alphaMap.toJSON( meta ).uuid; if ( this.lightMap && this.lightMap.isTexture ) { data.lightMap = this.lightMap.toJSON( meta ).uuid; data.lightMapIntensity = this.lightMapIntensity; } if ( this.aoMap && this.aoMap.isTexture ) { data.aoMap = this.aoMap.toJSON( meta ).uuid; data.aoMapIntensity = this.aoMapIntensity; } if ( this.bumpMap && this.bumpMap.isTexture ) { data.bumpMap = this.bumpMap.toJSON( meta ).uuid; data.bumpScale = this.bumpScale; } if ( this.normalMap && this.normalMap.isTexture ) { data.normalMap = this.normalMap.toJSON( meta ).uuid; data.normalMapType = this.normalMapType; data.normalScale = this.normalScale.toArray(); } if ( this.displacementMap && this.displacementMap.isTexture ) { data.displacementMap = this.displacementMap.toJSON( meta ).uuid; data.displacementScale = this.displacementScale; data.displacementBias = this.displacementBias; } if ( this.roughnessMap && this.roughnessMap.isTexture ) data.roughnessMap = this.roughnessMap.toJSON( meta ).uuid; if ( this.metalnessMap && this.metalnessMap.isTexture ) data.metalnessMap = this.metalnessMap.toJSON( meta ).uuid; if ( this.emissiveMap && this.emissiveMap.isTexture ) data.emissiveMap = this.emissiveMap.toJSON( meta ).uuid; if ( this.specularMap && this.specularMap.isTexture ) data.specularMap = this.specularMap.toJSON( meta ).uuid; if ( this.specularIntensityMap && this.specularIntensityMap.isTexture ) data.specularIntensityMap = this.specularIntensityMap.toJSON( meta ).uuid; if ( this.specularColorMap && this.specularColorMap.isTexture ) data.specularColorMap = this.specularColorMap.toJSON( meta ).uuid; if ( this.envMap && this.envMap.isTexture ) { data.envMap = this.envMap.toJSON( meta ).uuid; if ( this.combine !== undefined ) data.combine = this.combine; } if ( this.envMapIntensity !== undefined ) data.envMapIntensity = this.envMapIntensity; if ( this.reflectivity !== undefined ) data.reflectivity = this.reflectivity; if ( this.refractionRatio !== undefined ) data.refractionRatio = this.refractionRatio; if ( this.gradientMap && this.gradientMap.isTexture ) { data.gradientMap = this.gradientMap.toJSON( meta ).uuid; } if ( this.transmission !== undefined ) data.transmission = this.transmission; if ( this.transmissionMap && this.transmissionMap.isTexture ) data.transmissionMap = this.transmissionMap.toJSON( meta ).uuid; if ( this.thickness !== undefined ) data.thickness = this.thickness; if ( this.thicknessMap && this.thicknessMap.isTexture ) data.thicknessMap = this.thicknessMap.toJSON( meta ).uuid; if ( this.attenuationDistance !== undefined && this.attenuationDistance !== Infinity ) data.attenuationDistance = this.attenuationDistance; if ( this.attenuationColor !== undefined ) data.attenuationColor = this.attenuationColor.getHex(); if ( this.size !== undefined ) data.size = this.size; if ( this.shadowSide !== null ) data.shadowSide = this.shadowSide; if ( this.sizeAttenuation !== undefined ) data.sizeAttenuation = this.sizeAttenuation; if ( this.blending !== NormalBlending ) data.blending = this.blending; if ( this.side !== FrontSide ) data.side = this.side; if ( this.vertexColors ) data.vertexColors = true; if ( this.opacity < 1 ) data.opacity = this.opacity; if ( this.transparent === true ) data.transparent = this.transparent; data.depthFunc = this.depthFunc; data.depthTest = this.depthTest; data.depthWrite = this.depthWrite; data.colorWrite = this.colorWrite; data.stencilWrite = this.stencilWrite; data.stencilWriteMask = this.stencilWriteMask; data.stencilFunc = this.stencilFunc; data.stencilRef = this.stencilRef; data.stencilFuncMask = this.stencilFuncMask; data.stencilFail = this.stencilFail; data.stencilZFail = this.stencilZFail; data.stencilZPass = this.stencilZPass; // rotation (SpriteMaterial) if ( this.rotation !== undefined && this.rotation !== 0 ) data.rotation = this.rotation; if ( this.polygonOffset === true ) data.polygonOffset = true; if ( this.polygonOffsetFactor !== 0 ) data.polygonOffsetFactor = this.polygonOffsetFactor; if ( this.polygonOffsetUnits !== 0 ) data.polygonOffsetUnits = this.polygonOffsetUnits; if ( this.linewidth !== undefined && this.linewidth !== 1 ) data.linewidth = this.linewidth; if ( this.dashSize !== undefined ) data.dashSize = this.dashSize; if ( this.gapSize !== undefined ) data.gapSize = this.gapSize; if ( this.scale !== undefined ) data.scale = this.scale; if ( this.dithering === true ) data.dithering = true; if ( this.alphaTest > 0 ) data.alphaTest = this.alphaTest; if ( this.alphaToCoverage === true ) data.alphaToCoverage = this.alphaToCoverage; if ( this.premultipliedAlpha === true ) data.premultipliedAlpha = this.premultipliedAlpha; if ( this.forceSinglePass === true ) data.forceSinglePass = this.forceSinglePass; if ( this.wireframe === true ) data.wireframe = this.wireframe; if ( this.wireframeLinewidth > 1 ) data.wireframeLinewidth = this.wireframeLinewidth; if ( this.wireframeLinecap !== "round" ) data.wireframeLinecap = this.wireframeLinecap; if ( this.wireframeLinejoin !== "round" ) data.wireframeLinejoin = this.wireframeLinejoin; if ( this.flatShading === true ) data.flatShading = this.flatShading; if ( this.visible === false ) data.visible = false; if ( this.toneMapped === false ) data.toneMapped = false; if ( this.fog === false ) data.fog = false; if ( Object.keys( this.userData ).length > 0 ) data.userData = this.userData; // TODO: Copied from Object3D.toJSON function extractFromCache( cache ) { const values = []; for ( const key in cache ) { const data = cache[ key ]; delete data.metadata; values.push( data ); } return values; } if ( isRootObject ) { const textures = extractFromCache( meta.textures ); const images = extractFromCache( meta.images ); if ( textures.length > 0 ) data.textures = textures; if ( images.length > 0 ) data.images = images; } return data; } clone() { return new this.constructor().copy( this ); } copy( source ) { this.name = source.name; this.blending = source.blending; this.side = source.side; this.vertexColors = source.vertexColors; this.opacity = source.opacity; this.transparent = source.transparent; this.blendSrc = source.blendSrc; this.blendDst = source.blendDst; this.blendEquation = source.blendEquation; this.blendSrcAlpha = source.blendSrcAlpha; this.blendDstAlpha = source.blendDstAlpha; this.blendEquationAlpha = source.blendEquationAlpha; this.depthFunc = source.depthFunc; this.depthTest = source.depthTest; this.depthWrite = source.depthWrite; this.stencilWriteMask = source.stencilWriteMask; this.stencilFunc = source.stencilFunc; this.stencilRef = source.stencilRef; this.stencilFuncMask = source.stencilFuncMask; this.stencilFail = source.stencilFail; this.stencilZFail = source.stencilZFail; this.stencilZPass = source.stencilZPass; this.stencilWrite = source.stencilWrite; const srcPlanes = source.clippingPlanes; let dstPlanes = null; if ( srcPlanes !== null ) { const n = srcPlanes.length; dstPlanes = new Array( n ); for ( let i = 0; i !== n; ++ i ) { dstPlanes[ i ] = srcPlanes[ i ].clone(); } } this.clippingPlanes = dstPlanes; this.clipIntersection = source.clipIntersection; this.clipShadows = source.clipShadows; this.shadowSide = source.shadowSide; this.colorWrite = source.colorWrite; this.precision = source.precision; this.polygonOffset = source.polygonOffset; this.polygonOffsetFactor = source.polygonOffsetFactor; this.polygonOffsetUnits = source.polygonOffsetUnits; this.dithering = source.dithering; this.alphaTest = source.alphaTest; this.alphaToCoverage = source.alphaToCoverage; this.premultipliedAlpha = source.premultipliedAlpha; this.forceSinglePass = source.forceSinglePass; this.visible = source.visible; this.toneMapped = source.toneMapped; this.userData = JSON.parse( JSON.stringify( source.userData ) ); return this; } dispose() { this.dispatchEvent( { type: "dispose" } ); } set needsUpdate( value ) { if ( value === true ) this.version ++; } } const _colorKeywords = { "aliceblue": 0xF0F8FF, "antiquewhite": 0xFAEBD7, "aqua": 0x00FFFF, "aquamarine": 0x7FFFD4, "azure": 0xF0FFFF, "beige": 0xF5F5DC, "bisque": 0xFFE4C4, "black": 0x000000, "blanchedalmond": 0xFFEBCD, "blue": 0x0000FF, "blueviolet": 0x8A2BE2, "brown": 0xA52A2A, "burlywood": 0xDEB887, "cadetblue": 0x5F9EA0, "chartreuse": 0x7FFF00, "chocolate": 0xD2691E, "coral": 0xFF7F50, "cornflowerblue": 0x6495ED, "cornsilk": 0xFFF8DC, "crimson": 0xDC143C, "cyan": 0x00FFFF, "darkblue": 0x00008B, "darkcyan": 0x008B8B, "darkgoldenrod": 0xB8860B, "darkgray": 0xA9A9A9, "darkgreen": 0x006400, "darkgrey": 0xA9A9A9, "darkkhaki": 0xBDB76B, "darkmagenta": 0x8B008B, "darkolivegreen": 0x556B2F, "darkorange": 0xFF8C00, "darkorchid": 0x9932CC, "darkred": 0x8B0000, "darksalmon": 0xE9967A, "darkseagreen": 0x8FBC8F, "darkslateblue": 0x483D8B, "darkslategray": 0x2F4F4F, "darkslategrey": 0x2F4F4F, "darkturquoise": 0x00CED1, "darkviolet": 0x9400D3, "deeppink": 0xFF1493, "deepskyblue": 0x00BFFF, "dimgray": 0x696969, "dimgrey": 0x696969, "dodgerblue": 0x1E90FF, "firebrick": 0xB22222, "floralwhite": 0xFFFAF0, "forestgreen": 0x228B22, "fuchsia": 0xFF00FF, "gainsboro": 0xDCDCDC, "ghostwhite": 0xF8F8FF, "gold": 0xFFD700, "goldenrod": 0xDAA520, "gray": 0x808080, "green": 0x008000, "greenyellow": 0xADFF2F, "grey": 0x808080, "honeydew": 0xF0FFF0, "hotpink": 0xFF69B4, "indianred": 0xCD5C5C, "indigo": 0x4B0082, "ivory": 0xFFFFF0, "khaki": 0xF0E68C, "lavender": 0xE6E6FA, "lavenderblush": 0xFFF0F5, "lawngreen": 0x7CFC00, "lemonchiffon": 0xFFFACD, "lightblue": 0xADD8E6, "lightcoral": 0xF08080, "lightcyan": 0xE0FFFF, "lightgoldenrodyellow": 0xFAFAD2, "lightgray": 0xD3D3D3, "lightgreen": 0x90EE90, "lightgrey": 0xD3D3D3, "lightpink": 0xFFB6C1, "lightsalmon": 0xFFA07A, "lightseagreen": 0x20B2AA, "lightskyblue": 0x87CEFA, "lightslategray": 0x778899, "lightslategrey": 0x778899, "lightsteelblue": 0xB0C4DE, "lightyellow": 0xFFFFE0, "lime": 0x00FF00, "limegreen": 0x32CD32, "linen": 0xFAF0E6, "magenta": 0xFF00FF, "maroon": 0x800000, "mediumaquamarine": 0x66CDAA, "mediumblue": 0x0000CD, "mediumorchid": 0xBA55D3, "mediumpurple": 0x9370DB, "mediumseagreen": 0x3CB371, "mediumslateblue": 0x7B68EE, "mediumspringgreen": 0x00FA9A, "mediumturquoise": 0x48D1CC, "mediumvioletred": 0xC71585, "midnightblue": 0x191970, "mintcream": 0xF5FFFA, "mistyrose": 0xFFE4E1, "moccasin": 0xFFE4B5, "navajowhite": 0xFFDEAD, "navy": 0x000080, "oldlace": 0xFDF5E6, "olive": 0x808000, "olivedrab": 0x6B8E23, "orange": 0xFFA500, "orangered": 0xFF4500, "orchid": 0xDA70D6, "palegoldenrod": 0xEEE8AA, "palegreen": 0x98FB98, "paleturquoise": 0xAFEEEE, "palevioletred": 0xDB7093, "papayawhip": 0xFFEFD5, "peachpuff": 0xFFDAB9, "peru": 0xCD853F, "pink": 0xFFC0CB, "plum": 0xDDA0DD, "powderblue": 0xB0E0E6, "purple": 0x800080, "rebeccapurple": 0x663399, "red": 0xFF0000, "rosybrown": 0xBC8F8F, "royalblue": 0x4169E1, "saddlebrown": 0x8B4513, "salmon": 0xFA8072, "sandybrown": 0xF4A460, "seagreen": 0x2E8B57, "seashell": 0xFFF5EE, "sienna": 0xA0522D, "silver": 0xC0C0C0, "skyblue": 0x87CEEB, "slateblue": 0x6A5ACD, "slategray": 0x708090, "slategrey": 0x708090, "snow": 0xFFFAFA, "springgreen": 0x00FF7F, "steelblue": 0x4682B4, "tan": 0xD2B48C, "teal": 0x008080, "thistle": 0xD8BFD8, "tomato": 0xFF6347, "turquoise": 0x40E0D0, "violet": 0xEE82EE, "wheat": 0xF5DEB3, "white": 0xFFFFFF, "whitesmoke": 0xF5F5F5, "yellow": 0xFFFF00, "yellowgreen": 0x9ACD32 }; const _hslA = { h: 0, s: 0, l: 0 }; const _hslB = { h: 0, s: 0, l: 0 }; function hue2rgb( p, q, t ) { if ( t < 0 ) t += 1; if ( t > 1 ) t -= 1; if ( t < 1 / 6 ) return p + ( q - p ) * 6 * t; if ( t < 1 / 2 ) return q; if ( t < 2 / 3 ) return p + ( q - p ) * 6 * ( 2 / 3 - t ); return p; } class Color { constructor( r, g, b ) { this.isColor = true; this.r = 1; this.g = 1; this.b = 1; if ( g === undefined && b === undefined ) { // r is THREE.Color, hex or string return this.set( r ); } return this.setRGB( r, g, b ); } set( value ) { if ( value && value.isColor ) { this.copy( value ); } else if ( typeof value === "number" ) { this.setHex( value ); } else if ( typeof value === "string" ) { this.setStyle( value ); } return this; } setScalar( scalar ) { this.r = scalar; this.g = scalar; this.b = scalar; return this; } setHex( hex, colorSpace = SRGBColorSpace ) { hex = Math.floor( hex ); this.r = ( hex >> 16 & 255 ) / 255; this.g = ( hex >> 8 & 255 ) / 255; this.b = ( hex & 255 ) / 255; ColorManagement.toWorkingColorSpace( this, colorSpace ); return this; } setRGB( r, g, b, colorSpace = ColorManagement.workingColorSpace ) { this.r = r; this.g = g; this.b = b; ColorManagement.toWorkingColorSpace( this, colorSpace ); return this; } setHSL( h, s, l, colorSpace = ColorManagement.workingColorSpace ) { // h,s,l ranges are in 0.0 - 1.0 h = euclideanModulo( h, 1 ); s = clamp$1( s, 0, 1 ); l = clamp$1( l, 0, 1 ); if ( s === 0 ) { this.r = this.g = this.b = l; } else { const p = l <= 0.5 ? l * ( 1 + s ) : l + s - ( l * s ); const q = ( 2 * l ) - p; this.r = hue2rgb( q, p, h + 1 / 3 ); this.g = hue2rgb( q, p, h ); this.b = hue2rgb( q, p, h - 1 / 3 ); } ColorManagement.toWorkingColorSpace( this, colorSpace ); return this; } setStyle( style, colorSpace = SRGBColorSpace ) { function handleAlpha( string ) { if ( string === undefined ) return; if ( parseFloat( string ) < 1 ) { console.warn( "THREE.Color: Alpha component of " + style + " will be ignored." ); } } let m; if ( m = /^(w+)(([^)]*))/.exec( style ) ) { // rgb / hsl let color; const name = m[ 1 ]; const components = m[ 2 ]; switch ( name ) { case "rgb": case "rgba": if ( color = /^s*(d+)s*,s*(d+)s*,s*(d+)s*(?:,s*(d*.?d+)s*)?$/.exec( components ) ) { // rgb(255,0,0) rgba(255,0,0,0.5) handleAlpha( color[ 4 ] ); return this.setRGB( Math.min( 255, parseInt( color[ 1 ], 10 ) ) / 255, Math.min( 255, parseInt( color[ 2 ], 10 ) ) / 255, Math.min( 255, parseInt( color[ 3 ], 10 ) ) / 255, colorSpace ); } if ( color = /^s*(d+)\%s*,s*(d+)\%s*,s*(d+)\%s*(?:,s*(d*.?d+)s*)?$/.exec( components ) ) { // rgb(100%,0%,0%) rgba(100%,0%,0%,0.5) handleAlpha( color[ 4 ] ); return this.setRGB( Math.min( 100, parseInt( color[ 1 ], 10 ) ) / 100, Math.min( 100, parseInt( color[ 2 ], 10 ) ) / 100, Math.min( 100, parseInt( color[ 3 ], 10 ) ) / 100, colorSpace ); } break; case "hsl": case "hsla": if ( color = /^s*(d*.?d+)s*,s*(d*.?d+)\%s*,s*(d*.?d+)\%s*(?:,s*(d*.?d+)s*)?$/.exec( components ) ) { // hsl(120,50%,50%) hsla(120,50%,50%,0.5) handleAlpha( color[ 4 ] ); return this.setHSL( parseFloat( color[ 1 ] ) / 360, parseFloat( color[ 2 ] ) / 100, parseFloat( color[ 3 ] ) / 100, colorSpace ); } break; default: console.warn( "THREE.Color: Unknown color model " + style ); } } else if ( m = /^#([A-Fa-fd]+)$/.exec( style ) ) { // hex color const hex = m[ 1 ]; const size = hex.length; if ( size === 3 ) { // #ff0 return this.setRGB( parseInt( hex.charAt( 0 ), 16 ) / 15, parseInt( hex.charAt( 1 ), 16 ) / 15, parseInt( hex.charAt( 2 ), 16 ) / 15, colorSpace ); } else if ( size === 6 ) { // #ff0000 return this.setHex( parseInt( hex, 16 ), colorSpace ); } else { console.warn( "THREE.Color: Invalid hex color " + style ); } } else if ( style && style.length > 0 ) { return this.setColorName( style, colorSpace ); } return this; } setColorName( style, colorSpace = SRGBColorSpace ) { // color keywords const hex = _colorKeywords[ style.toLowerCase() ]; if ( hex !== undefined ) { // red this.setHex( hex, colorSpace ); } else { // unknown color console.warn( "THREE.Color: Unknown color " + style ); } return this; } clone() { return new this.constructor( this.r, this.g, this.b ); } copy( color ) { this.r = color.r; this.g = color.g; this.b = color.b; return this; } copySRGBToLinear( color ) { this.r = SRGBToLinear( color.r ); this.g = SRGBToLinear( color.g ); this.b = SRGBToLinear( color.b ); return this; } copyLinearToSRGB( color ) { this.r = LinearToSRGB( color.r ); this.g = LinearToSRGB( color.g ); this.b = LinearToSRGB( color.b ); return this; } convertSRGBToLinear() { this.copySRGBToLinear( this ); return this; } convertLinearToSRGB() { this.copyLinearToSRGB( this ); return this; } getHex( colorSpace = SRGBColorSpace ) { ColorManagement.fromWorkingColorSpace( _color.copy( this ), colorSpace ); return Math.round( clamp$1( _color.r * 255, 0, 255 ) ) * 65536 + Math.round( clamp$1( _color.g * 255, 0, 255 ) ) * 256 + Math.round( clamp$1( _color.b * 255, 0, 255 ) ); } getHexString( colorSpace = SRGBColorSpace ) { return ( "000000" + this.getHex( colorSpace ).toString( 16 ) ).slice( - 6 ); } getHSL( target, colorSpace = ColorManagement.workingColorSpace ) { // h,s,l ranges are in 0.0 - 1.0 ColorManagement.fromWorkingColorSpace( _color.copy( this ), colorSpace ); const r = _color.r, g = _color.g, b = _color.b; const max = Math.max( r, g, b ); const min = Math.min( r, g, b ); let hue, saturation; const lightness = ( min + max ) / 2.0; if ( min === max ) { hue = 0; saturation = 0; } else { const delta = max - min; saturation = lightness <= 0.5 ? delta / ( max + min ) : delta / ( 2 - max - min ); switch ( max ) { case r: hue = ( g - b ) / delta + ( g < b ? 6 : 0 ); break; case g: hue = ( b - r ) / delta + 2; break; case b: hue = ( r - g ) / delta + 4; break; } hue /= 6; } target.h = hue; target.s = saturation; target.l = lightness; return target; } getRGB( target, colorSpace = ColorManagement.workingColorSpace ) { ColorManagement.fromWorkingColorSpace( _color.copy( this ), colorSpace ); target.r = _color.r; target.g = _color.g; target.b = _color.b; return target; } getStyle( colorSpace = SRGBColorSpace ) { ColorManagement.fromWorkingColorSpace( _color.copy( this ), colorSpace ); const r = _color.r, g = _color.g, b = _color.b; if ( colorSpace !== SRGBColorSpace ) { // Requires CSS Color Module Level 4 (https://www.w3.org/TR/css-color-4/). return `color(${ colorSpace } ${ r.toFixed( 3 ) } ${ g.toFixed( 3 ) } ${ b.toFixed( 3 ) })`; } return `rgb(${ Math.round( r * 255 ) },${ Math.round( g * 255 ) },${ Math.round( b * 255 ) })`; } offsetHSL( h, s, l ) { this.getHSL( _hslA ); _hslA.h += h; _hslA.s += s; _hslA.l += l; this.setHSL( _hslA.h, _hslA.s, _hslA.l ); return this; } add( color ) { this.r += color.r; this.g += color.g; this.b += color.b; return this; } addColors( color1, color2 ) { this.r = color1.r + color2.r; this.g = color1.g + color2.g; this.b = color1.b + color2.b; return this; } addScalar( s ) { this.r += s; this.g += s; this.b += s; return this; } sub( color ) { this.r = Math.max( 0, this.r - color.r ); this.g = Math.max( 0, this.g - color.g ); this.b = Math.max( 0, this.b - color.b ); return this; } multiply( color ) { this.r *= color.r; this.g *= color.g; this.b *= color.b; return this; } multiplyScalar( s ) { this.r *= s; this.g *= s; this.b *= s; return this; } lerp( color, alpha ) { this.r += ( color.r - this.r ) * alpha; this.g += ( color.g - this.g ) * alpha; this.b += ( color.b - this.b ) * alpha; return this; } lerpColors( color1, color2, alpha ) { this.r = color1.r + ( color2.r - color1.r ) * alpha; this.g = color1.g + ( color2.g - color1.g ) * alpha; this.b = color1.b + ( color2.b - color1.b ) * alpha; return this; } lerpHSL( color, alpha ) { this.getHSL( _hslA ); color.getHSL( _hslB ); const h = lerp( _hslA.h, _hslB.h, alpha ); const s = lerp( _hslA.s, _hslB.s, alpha ); const l = lerp( _hslA.l, _hslB.l, alpha ); this.setHSL( h, s, l ); return this; } setFromVector3( v ) { this.r = v.x; this.g = v.y; this.b = v.z; return this; } applyMatrix3( m ) { const r = this.r, g = this.g, b = this.b; const e = m.elements; this.r = e[ 0 ] * r + e[ 3 ] * g + e[ 6 ] * b; this.g = e[ 1 ] * r + e[ 4 ] * g + e[ 7 ] * b; this.b = e[ 2 ] * r + e[ 5 ] * g + e[ 8 ] * b; return this; } equals( c ) { return ( c.r === this.r ) && ( c.g === this.g ) && ( c.b === this.b ); } fromArray( array, offset = 0 ) { this.r = array[ offset ]; this.g = array[ offset + 1 ]; this.b = array[ offset + 2 ]; return this; } toArray( array = [], offset = 0 ) { array[ offset ] = this.r; array[ offset + 1 ] = this.g; array[ offset + 2 ] = this.b; return array; } fromBufferAttribute( attribute, index ) { this.r = attribute.getX( index ); this.g = attribute.getY( index ); this.b = attribute.getZ( index ); return this; } toJSON() { return this.getHex(); } *[ Symbol.iterator ]() { yield this.r; yield this.g; yield this.b; } } const _color = /*@__PURE__*/ new Color(); Color.NAMES = _colorKeywords; class MeshBasicMaterial extends Material { constructor( parameters ) { super(); this.isMeshBasicMaterial = true; this.type = "MeshBasicMaterial"; this.color = new Color( 0xffffff ); // emissive this.map = null; this.lightMap = null; this.lightMapIntensity = 1.0; this.aoMap = null; this.aoMapIntensity = 1.0; this.specularMap = null; this.alphaMap = null; this.envMap = null; this.combine = MultiplyOperation; this.reflectivity = 1; this.refractionRatio = 0.98; this.wireframe = false; this.wireframeLinewidth = 1; this.wireframeLinecap = "round"; this.wireframeLinejoin = "round"; this.fog = true; this.setValues( parameters ); } copy( source ) { super.copy( source ); this.color.copy( source.color ); this.map = source.map; this.lightMap = source.lightMap; this.lightMapIntensity = source.lightMapIntensity; this.aoMap = source.aoMap; this.aoMapIntensity = source.aoMapIntensity; this.specularMap = source.specularMap; this.alphaMap = source.alphaMap; this.envMap = source.envMap; this.combine = source.combine; this.reflectivity = source.reflectivity; this.refractionRatio = source.refractionRatio; this.wireframe = source.wireframe; this.wireframeLinewidth = source.wireframeLinewidth; this.wireframeLinecap = source.wireframeLinecap; this.wireframeLinejoin = source.wireframeLinejoin; this.fog = source.fog; return this; } } const _vector$8 = /*@__PURE__*/ new Vector3(); const _vector2$1 = /*@__PURE__*/ new Vector2(); class BufferAttribute { constructor( array, itemSize, normalized = false ) { if ( Array.isArray( array ) ) { throw new TypeError( "THREE.BufferAttribute: array should be a Typed Array." ); } this.isBufferAttribute = true; this.name = ""; this.array = array; this.itemSize = itemSize; this.count = array !== undefined ? array.length / itemSize : 0; this.normalized = normalized; this.usage = StaticDrawUsage; this.updateRange = { offset: 0, count: - 1 }; this.version = 0; } onUploadCallback() {} set needsUpdate( value ) { if ( value === true ) this.version ++; } setUsage( value ) { this.usage = value; return this; } copy( source ) { this.name = source.name; this.array = new source.array.constructor( source.array ); this.itemSize = source.itemSize; this.count = source.count; this.normalized = source.normalized; this.usage = source.usage; return this; } copyAt( index1, attribute, index2 ) { index1 *= this.itemSize; index2 *= attribute.itemSize; for ( let i = 0, l = this.itemSize; i < l; i ++ ) { this.array[ index1 + i ] = attribute.array[ index2 + i ]; } return this; } copyArray( array ) { this.array.set( array ); return this; } applyMatrix3( m ) { if ( this.itemSize === 2 ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector2$1.fromBufferAttribute( this, i ); _vector2$1.applyMatrix3( m ); this.setXY( i, _vector2$1.x, _vector2$1.y ); } } else if ( this.itemSize === 3 ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector$8.fromBufferAttribute( this, i ); _vector$8.applyMatrix3( m ); this.setXYZ( i, _vector$8.x, _vector$8.y, _vector$8.z ); } } return this; } applyMatrix4( m ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector$8.fromBufferAttribute( this, i ); _vector$8.applyMatrix4( m ); this.setXYZ( i, _vector$8.x, _vector$8.y, _vector$8.z ); } return this; } applyNormalMatrix( m ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector$8.fromBufferAttribute( this, i ); _vector$8.applyNormalMatrix( m ); this.setXYZ( i, _vector$8.x, _vector$8.y, _vector$8.z ); } return this; } transformDirection( m ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector$8.fromBufferAttribute( this, i ); _vector$8.transformDirection( m ); this.setXYZ( i, _vector$8.x, _vector$8.y, _vector$8.z ); } return this; } set( value, offset = 0 ) { // Matching BufferAttribute constructor, do not normalize the array. this.array.set( value, offset ); return this; } getX( index ) { let x = this.array[ index * this.itemSize ]; if ( this.normalized ) x = denormalize( x, this.array ); return x; } setX( index, x ) { if ( this.normalized ) x = normalize( x, this.array ); this.array[ index * this.itemSize ] = x; return this; } getY( index ) { let y = this.array[ index * this.itemSize + 1 ]; if ( this.normalized ) y = denormalize( y, this.array ); return y; } setY( index, y ) { if ( this.normalized ) y = normalize( y, this.array ); this.array[ index * this.itemSize + 1 ] = y; return this; } getZ( index ) { let z = this.array[ index * this.itemSize + 2 ]; if ( this.normalized ) z = denormalize( z, this.array ); return z; } setZ( index, z ) { if ( this.normalized ) z = normalize( z, this.array ); this.array[ index * this.itemSize + 2 ] = z; return this; } getW( index ) { let w = this.array[ index * this.itemSize + 3 ]; if ( this.normalized ) w = denormalize( w, this.array ); return w; } setW( index, w ) { if ( this.normalized ) w = normalize( w, this.array ); this.array[ index * this.itemSize + 3 ] = w; return this; } setXY( index, x, y ) { index *= this.itemSize; if ( this.normalized ) { x = normalize( x, this.array ); y = normalize( y, this.array ); } this.array[ index + 0 ] = x; this.array[ index + 1 ] = y; return this; } setXYZ( index, x, y, z ) { index *= this.itemSize; if ( this.normalized ) { x = normalize( x, this.array ); y = normalize( y, this.array ); z = normalize( z, this.array ); } this.array[ index + 0 ] = x; this.array[ index + 1 ] = y; this.array[ index + 2 ] = z; return this; } setXYZW( index, x, y, z, w ) { index *= this.itemSize; if ( this.normalized ) { x = normalize( x, this.array ); y = normalize( y, this.array ); z = normalize( z, this.array ); w = normalize( w, this.array ); } this.array[ index + 0 ] = x; this.array[ index + 1 ] = y; this.array[ index + 2 ] = z; this.array[ index + 3 ] = w; return this; } onUpload( callback ) { this.onUploadCallback = callback; return this; } clone() { return new this.constructor( this.array, this.itemSize ).copy( this ); } toJSON() { const data = { itemSize: this.itemSize, type: this.array.constructor.name, array: Array.from( this.array ), normalized: this.normalized }; if ( this.name !== "" ) data.name = this.name; if ( this.usage !== StaticDrawUsage ) data.usage = this.usage; if ( this.updateRange.offset !== 0 || this.updateRange.count !== - 1 ) data.updateRange = this.updateRange; return data; } copyColorsArray() { // @deprecated, r144 console.error( "THREE.BufferAttribute: copyColorsArray() was removed in r144." ); } copyVector2sArray() { // @deprecated, r144 console.error( "THREE.BufferAttribute: copyVector2sArray() was removed in r144." ); } copyVector3sArray() { // @deprecated, r144 console.error( "THREE.BufferAttribute: copyVector3sArray() was removed in r144." ); } copyVector4sArray() { // @deprecated, r144 console.error( "THREE.BufferAttribute: copyVector4sArray() was removed in r144." ); } } class Uint16BufferAttribute extends BufferAttribute { constructor( array, itemSize, normalized ) { super( new Uint16Array( array ), itemSize, normalized ); } } class Uint32BufferAttribute extends BufferAttribute { constructor( array, itemSize, normalized ) { super( new Uint32Array( array ), itemSize, normalized ); } } class Float32BufferAttribute extends BufferAttribute { constructor( array, itemSize, normalized ) { super( new Float32Array( array ), itemSize, normalized ); } } let _id$1 = 0; const _m1 = /*@__PURE__*/ new Matrix4(); const _obj = /*@__PURE__*/ new Object3D(); const _offset = /*@__PURE__*/ new Vector3(); const _box$1 = /*@__PURE__*/ new Box3(); const _boxMorphTargets = /*@__PURE__*/ new Box3(); const _vector$7 = /*@__PURE__*/ new Vector3(); class BufferGeometry extends EventDispatcher { constructor() { super(); this.isBufferGeometry = true; Object.defineProperty( this, "id", { value: _id$1 ++ } ); this.uuid = generateUUID(); this.name = ""; this.type = "BufferGeometry"; this.index = null; this.attributes = {}; this.morphAttributes = {}; this.morphTargetsRelative = false; this.groups = []; this.boundingBox = null; this.boundingSphere = null; this.drawRange = { start: 0, count: Infinity }; this.userData = {}; } getIndex() { return this.index; } setIndex( index ) { if ( Array.isArray( index ) ) { this.index = new ( arrayNeedsUint32( index ) ? Uint32BufferAttribute : Uint16BufferAttribute )( index, 1 ); } else { this.index = index; } return this; } getAttribute( name ) { return this.attributes[ name ]; } setAttribute( name, attribute ) { this.attributes[ name ] = attribute; return this; } deleteAttribute( name ) { delete this.attributes[ name ]; return this; } hasAttribute( name ) { return this.attributes[ name ] !== undefined; } addGroup( start, count, materialIndex = 0 ) { this.groups.push( { start: start, count: count, materialIndex: materialIndex } ); } clearGroups() { this.groups = []; } setDrawRange( start, count ) { this.drawRange.start = start; this.drawRange.count = count; } applyMatrix4( matrix ) { const position = this.attributes.position; if ( position !== undefined ) { position.applyMatrix4( matrix ); position.needsUpdate = true; } const normal = this.attributes.normal; if ( normal !== undefined ) { const normalMatrix = new Matrix3().getNormalMatrix( matrix ); normal.applyNormalMatrix( normalMatrix ); normal.needsUpdate = true; } const tangent = this.attributes.tangent; if ( tangent !== undefined ) { tangent.transformDirection( matrix ); tangent.needsUpdate = true; } if ( this.boundingBox !== null ) { this.computeBoundingBox(); } if ( this.boundingSphere !== null ) { this.computeBoundingSphere(); } return this; } applyQuaternion( q ) { _m1.makeRotationFromQuaternion( q ); this.applyMatrix4( _m1 ); return this; } rotateX( angle ) { // rotate geometry around world x-axis _m1.makeRotationX( angle ); this.applyMatrix4( _m1 ); return this; } rotateY( angle ) { // rotate geometry around world y-axis _m1.makeRotationY( angle ); this.applyMatrix4( _m1 ); return this; } rotateZ( angle ) { // rotate geometry around world z-axis _m1.makeRotationZ( angle ); this.applyMatrix4( _m1 ); return this; } translate( x, y, z ) { // translate geometry _m1.makeTranslation( x, y, z ); this.applyMatrix4( _m1 ); return this; } scale( x, y, z ) { // scale geometry _m1.makeScale( x, y, z ); this.applyMatrix4( _m1 ); return this; } lookAt( vector ) { _obj.lookAt( vector ); _obj.updateMatrix(); this.applyMatrix4( _obj.matrix ); return this; } center() { this.computeBoundingBox(); this.boundingBox.getCenter( _offset ).negate(); this.translate( _offset.x, _offset.y, _offset.z ); return this; } setFromPoints( points ) { const position = []; for ( let i = 0, l = points.length; i < l; i ++ ) { const point = points[ i ]; position.push( point.x, point.y, point.z || 0 ); } this.setAttribute( "position", new Float32BufferAttribute( position, 3 ) ); return this; } computeBoundingBox() { if ( this.boundingBox === null ) { this.boundingBox = new Box3(); } const position = this.attributes.position; const morphAttributesPosition = this.morphAttributes.position; if ( position && position.isGLBufferAttribute ) { console.error( "THREE.BufferGeometry.computeBoundingBox(): GLBufferAttribute requires a manual bounding box. Alternatively set "mesh.frustumCulled" to "false".", this ); this.boundingBox.set( new Vector3( - Infinity, - Infinity, - Infinity ), new Vector3( + Infinity, + Infinity, + Infinity ) ); return; } if ( position !== undefined ) { this.boundingBox.setFromBufferAttribute( position ); // process morph attributes if present if ( morphAttributesPosition ) { for ( let i = 0, il = morphAttributesPosition.length; i < il; i ++ ) { const morphAttribute = morphAttributesPosition[ i ]; _box$1.setFromBufferAttribute( morphAttribute ); if ( this.morphTargetsRelative ) { _vector$7.addVectors( this.boundingBox.min, _box$1.min ); this.boundingBox.expandByPoint( _vector$7 ); _vector$7.addVectors( this.boundingBox.max, _box$1.max ); this.boundingBox.expandByPoint( _vector$7 ); } else { this.boundingBox.expandByPoint( _box$1.min ); this.boundingBox.expandByPoint( _box$1.max ); } } } } else { this.boundingBox.makeEmpty(); } if ( isNaN( this.boundingBox.min.x ) || isNaN( this.boundingBox.min.y ) || isNaN( this.boundingBox.min.z ) ) { console.error( "THREE.BufferGeometry.computeBoundingBox(): Computed min/max have NaN values. The "position" attribute is likely to have NaN values.", this ); } } computeBoundingSphere() { if ( this.boundingSphere === null ) { this.boundingSphere = new Sphere(); } const position = this.attributes.position; const morphAttributesPosition = this.morphAttributes.position; if ( position && position.isGLBufferAttribute ) { console.error( "THREE.BufferGeometry.computeBoundingSphere(): GLBufferAttribute requires a manual bounding sphere. Alternatively set "mesh.frustumCulled" to "false".", this ); this.boundingSphere.set( new Vector3(), Infinity ); return; } if ( position ) { // first, find the center of the bounding sphere const center = this.boundingSphere.center; _box$1.setFromBufferAttribute( position ); // process morph attributes if present if ( morphAttributesPosition ) { for ( let i = 0, il = morphAttributesPosition.length; i < il; i ++ ) { const morphAttribute = morphAttributesPosition[ i ]; _boxMorphTargets.setFromBufferAttribute( morphAttribute ); if ( this.morphTargetsRelative ) { _vector$7.addVectors( _box$1.min, _boxMorphTargets.min ); _box$1.expandByPoint( _vector$7 ); _vector$7.addVectors( _box$1.max, _boxMorphTargets.max ); _box$1.expandByPoint( _vector$7 ); } else { _box$1.expandByPoint( _boxMorphTargets.min ); _box$1.expandByPoint( _boxMorphTargets.max ); } } } _box$1.getCenter( center ); // second, try to find a boundingSphere with a radius smaller than the // boundingSphere of the boundingBox: sqrt(3) smaller in the best case let maxRadiusSq = 0; for ( let i = 0, il = position.count; i < il; i ++ ) { _vector$7.fromBufferAttribute( position, i ); maxRadiusSq = Math.max( maxRadiusSq, center.distanceToSquared( _vector$7 ) ); } // process morph attributes if present if ( morphAttributesPosition ) { for ( let i = 0, il = morphAttributesPosition.length; i < il; i ++ ) { const morphAttribute = morphAttributesPosition[ i ]; const morphTargetsRelative = this.morphTargetsRelative; for ( let j = 0, jl = morphAttribute.count; j < jl; j ++ ) { _vector$7.fromBufferAttribute( morphAttribute, j ); if ( morphTargetsRelative ) { _offset.fromBufferAttribute( position, j ); _vector$7.add( _offset ); } maxRadiusSq = Math.max( maxRadiusSq, center.distanceToSquared( _vector$7 ) ); } } } this.boundingSphere.radius = Math.sqrt( maxRadiusSq ); if ( isNaN( this.boundingSphere.radius ) ) { console.error( "THREE.BufferGeometry.computeBoundingSphere(): Computed radius is NaN. The "position" attribute is likely to have NaN values.", this ); } } } computeTangents() { const index = this.index; const attributes = this.attributes; // based on http://www.terathon.com/code/tangent.html // (per vertex tangents) if ( index === null || attributes.position === undefined || attributes.normal === undefined || attributes.uv === undefined ) { console.error( "THREE.BufferGeometry: .computeTangents() failed. Missing required attributes (index, position, normal or uv)" ); return; } const indices = index.array; const positions = attributes.position.array; const normals = attributes.normal.array; const uvs = attributes.uv.array; const nVertices = positions.length / 3; if ( this.hasAttribute( "tangent" ) === false ) { this.setAttribute( "tangent", new BufferAttribute( new Float32Array( 4 * nVertices ), 4 ) ); } const tangents = this.getAttribute( "tangent" ).array; const tan1 = [], tan2 = []; for ( let i = 0; i < nVertices; i ++ ) { tan1[ i ] = new Vector3(); tan2[ i ] = new Vector3(); } const vA = new Vector3(), vB = new Vector3(), vC = new Vector3(), uvA = new Vector2(), uvB = new Vector2(), uvC = new Vector2(), sdir = new Vector3(), tdir = new Vector3(); function handleTriangle( a, b, c ) { vA.fromArray( positions, a * 3 ); vB.fromArray( positions, b * 3 ); vC.fromArray( positions, c * 3 ); uvA.fromArray( uvs, a * 2 ); uvB.fromArray( uvs, b * 2 ); uvC.fromArray( uvs, c * 2 ); vB.sub( vA ); vC.sub( vA ); uvB.sub( uvA ); uvC.sub( uvA ); const r = 1.0 / ( uvB.x * uvC.y - uvC.x * uvB.y ); // silently ignore degenerate uv triangles having coincident or colinear vertices if ( ! isFinite( r ) ) return; sdir.copy( vB ).multiplyScalar( uvC.y ).addScaledVector( vC, - uvB.y ).multiplyScalar( r ); tdir.copy( vC ).multiplyScalar( uvB.x ).addScaledVector( vB, - uvC.x ).multiplyScalar( r ); tan1[ a ].add( sdir ); tan1[ b ].add( sdir ); tan1[ c ].add( sdir ); tan2[ a ].add( tdir ); tan2[ b ].add( tdir ); tan2[ c ].add( tdir ); } let groups = this.groups; if ( groups.length === 0 ) { groups = [ { start: 0, count: indices.length } ]; } for ( let i = 0, il = groups.length; i < il; ++ i ) { const group = groups[ i ]; const start = group.start; const count = group.count; for ( let j = start, jl = start + count; j < jl; j += 3 ) { handleTriangle( indices[ j + 0 ], indices[ j + 1 ], indices[ j + 2 ] ); } } const tmp = new Vector3(), tmp2 = new Vector3(); const n = new Vector3(), n2 = new Vector3(); function handleVertex( v ) { n.fromArray( normals, v * 3 ); n2.copy( n ); const t = tan1[ v ]; // Gram-Schmidt orthogonalize tmp.copy( t ); tmp.sub( n.multiplyScalar( n.dot( t ) ) ).normalize(); // Calculate handedness tmp2.crossVectors( n2, t ); const test = tmp2.dot( tan2[ v ] ); const w = ( test < 0.0 ) ? - 1.0 : 1.0; tangents[ v * 4 ] = tmp.x; tangents[ v * 4 + 1 ] = tmp.y; tangents[ v * 4 + 2 ] = tmp.z; tangents[ v * 4 + 3 ] = w; } for ( let i = 0, il = groups.length; i < il; ++ i ) { const group = groups[ i ]; const start = group.start; const count = group.count; for ( let j = start, jl = start + count; j < jl; j += 3 ) { handleVertex( indices[ j + 0 ] ); handleVertex( indices[ j + 1 ] ); handleVertex( indices[ j + 2 ] ); } } } computeVertexNormals() { const index = this.index; const positionAttribute = this.getAttribute( "position" ); if ( positionAttribute !== undefined ) { let normalAttribute = this.getAttribute( "normal" ); if ( normalAttribute === undefined ) { normalAttribute = new BufferAttribute( new Float32Array( positionAttribute.count * 3 ), 3 ); this.setAttribute( "normal", normalAttribute ); } else { // reset existing normals to zero for ( let i = 0, il = normalAttribute.count; i < il; i ++ ) { normalAttribute.setXYZ( i, 0, 0, 0 ); } } const pA = new Vector3(), pB = new Vector3(), pC = new Vector3(); const nA = new Vector3(), nB = new Vector3(), nC = new Vector3(); const cb = new Vector3(), ab = new Vector3(); // indexed elements if ( index ) { for ( let i = 0, il = index.count; i < il; i += 3 ) { const vA = index.getX( i + 0 ); const vB = index.getX( i + 1 ); const vC = index.getX( i + 2 ); pA.fromBufferAttribute( positionAttribute, vA ); pB.fromBufferAttribute( positionAttribute, vB ); pC.fromBufferAttribute( positionAttribute, vC ); cb.subVectors( pC, pB ); ab.subVectors( pA, pB ); cb.cross( ab ); nA.fromBufferAttribute( normalAttribute, vA ); nB.fromBufferAttribute( normalAttribute, vB ); nC.fromBufferAttribute( normalAttribute, vC ); nA.add( cb ); nB.add( cb ); nC.add( cb ); normalAttribute.setXYZ( vA, nA.x, nA.y, nA.z ); normalAttribute.setXYZ( vB, nB.x, nB.y, nB.z ); normalAttribute.setXYZ( vC, nC.x, nC.y, nC.z ); } } else { // non-indexed elements (unconnected triangle soup) for ( let i = 0, il = positionAttribute.count; i < il; i += 3 ) { pA.fromBufferAttribute( positionAttribute, i + 0 ); pB.fromBufferAttribute( positionAttribute, i + 1 ); pC.fromBufferAttribute( positionAttribute, i + 2 ); cb.subVectors( pC, pB ); ab.subVectors( pA, pB ); cb.cross( ab ); normalAttribute.setXYZ( i + 0, cb.x, cb.y, cb.z ); normalAttribute.setXYZ( i + 1, cb.x, cb.y, cb.z ); normalAttribute.setXYZ( i + 2, cb.x, cb.y, cb.z ); } } this.normalizeNormals(); normalAttribute.needsUpdate = true; } } merge() { // @deprecated, r144 console.error( "THREE.BufferGeometry.merge() has been removed. Use THREE.BufferGeometryUtils.mergeGeometries() instead." ); return this; } normalizeNormals() { const normals = this.attributes.normal; for ( let i = 0, il = normals.count; i < il; i ++ ) { _vector$7.fromBufferAttribute( normals, i ); _vector$7.normalize(); normals.setXYZ( i, _vector$7.x, _vector$7.y, _vector$7.z ); } } toNonIndexed() { function convertBufferAttribute( attribute, indices ) { const array = attribute.array; const itemSize = attribute.itemSize; const normalized = attribute.normalized; const array2 = new array.constructor( indices.length * itemSize ); let index = 0, index2 = 0; for ( let i = 0, l = indices.length; i < l; i ++ ) { if ( attribute.isInterleavedBufferAttribute ) { index = indices[ i ] * attribute.data.stride + attribute.offset; } else { index = indices[ i ] * itemSize; } for ( let j = 0; j < itemSize; j ++ ) { array2[ index2 ++ ] = array[ index ++ ]; } } return new BufferAttribute( array2, itemSize, normalized ); } // if ( this.index === null ) { console.warn( "THREE.BufferGeometry.toNonIndexed(): BufferGeometry is already non-indexed." ); return this; } const geometry2 = new BufferGeometry(); const indices = this.index.array; const attributes = this.attributes; // attributes for ( const name in attributes ) { const attribute = attributes[ name ]; const newAttribute = convertBufferAttribute( attribute, indices ); geometry2.setAttribute( name, newAttribute ); } // morph attributes const morphAttributes = this.morphAttributes; for ( const name in morphAttributes ) { const morphArray = []; const morphAttribute = morphAttributes[ name ]; // morphAttribute: array of Float32BufferAttributes for ( let i = 0, il = morphAttribute.length; i < il; i ++ ) { const attribute = morphAttribute[ i ]; const newAttribute = convertBufferAttribute( attribute, indices ); morphArray.push( newAttribute ); } geometry2.morphAttributes[ name ] = morphArray; } geometry2.morphTargetsRelative = this.morphTargetsRelative; // groups const groups = this.groups; for ( let i = 0, l = groups.length; i < l; i ++ ) { const group = groups[ i ]; geometry2.addGroup( group.start, group.count, group.materialIndex ); } return geometry2; } toJSON() { const data = { metadata: { version: 4.5, type: "BufferGeometry", generator: "BufferGeometry.toJSON" } }; // standard BufferGeometry serialization data.uuid = this.uuid; data.type = this.type; if ( this.name !== "" ) data.name = this.name; if ( Object.keys( this.userData ).length > 0 ) data.userData = this.userData; if ( this.parameters !== undefined ) { const parameters = this.parameters; for ( const key in parameters ) { if ( parameters[ key ] !== undefined ) data[ key ] = parameters[ key ]; } return data; } // for simplicity the code assumes attributes are not shared across geometries, see #15811 data.data = { attributes: {} }; const index = this.index; if ( index !== null ) { data.data.index = { type: index.array.constructor.name, array: Array.prototype.slice.call( index.array ) }; } const attributes = this.attributes; for ( const key in attributes ) { const attribute = attributes[ key ]; data.data.attributes[ key ] = attribute.toJSON( data.data ); } const morphAttributes = {}; let hasMorphAttributes = false; for ( const key in this.morphAttributes ) { const attributeArray = this.morphAttributes[ key ]; const array = []; for ( let i = 0, il = attributeArray.length; i < il; i ++ ) { const attribute = attributeArray[ i ]; array.push( attribute.toJSON( data.data ) ); } if ( array.length > 0 ) { morphAttributes[ key ] = array; hasMorphAttributes = true; } } if ( hasMorphAttributes ) { data.data.morphAttributes = morphAttributes; data.data.morphTargetsRelative = this.morphTargetsRelative; } const groups = this.groups; if ( groups.length > 0 ) { data.data.groups = JSON.parse( JSON.stringify( groups ) ); } const boundingSphere = this.boundingSphere; if ( boundingSphere !== null ) { data.data.boundingSphere = { center: boundingSphere.center.toArray(), radius: boundingSphere.radius }; } return data; } clone() { return new this.constructor().copy( this ); } copy( source ) { // reset this.index = null; this.attributes = {}; this.morphAttributes = {}; this.groups = []; this.boundingBox = null; this.boundingSphere = null; // used for storing cloned, shared data const data = {}; // name this.name = source.name; // index const index = source.index; if ( index !== null ) { this.setIndex( index.clone( data ) ); } // attributes const attributes = source.attributes; for ( const name in attributes ) { const attribute = attributes[ name ]; this.setAttribute( name, attribute.clone( data ) ); } // morph attributes const morphAttributes = source.morphAttributes; for ( const name in morphAttributes ) { const array = []; const morphAttribute = morphAttributes[ name ]; // morphAttribute: array of Float32BufferAttributes for ( let i = 0, l = morphAttribute.length; i < l; i ++ ) { array.push( morphAttribute[ i ].clone( data ) ); } this.morphAttributes[ name ] = array; } this.morphTargetsRelative = source.morphTargetsRelative; // groups const groups = source.groups; for ( let i = 0, l = groups.length; i < l; i ++ ) { const group = groups[ i ]; this.addGroup( group.start, group.count, group.materialIndex ); } // bounding box const boundingBox = source.boundingBox; if ( boundingBox !== null ) { this.boundingBox = boundingBox.clone(); } // bounding sphere const boundingSphere = source.boundingSphere; if ( boundingSphere !== null ) { this.boundingSphere = boundingSphere.clone(); } // draw range this.drawRange.start = source.drawRange.start; this.drawRange.count = source.drawRange.count; // user data this.userData = source.userData; return this; } dispose() { this.dispatchEvent( { type: "dispose" } ); } } const _inverseMatrix$2 = /*@__PURE__*/ new Matrix4(); const _ray$2 = /*@__PURE__*/ new Ray(); const _sphere$4 = /*@__PURE__*/ new Sphere(); const _sphereHitAt = /*@__PURE__*/ new Vector3(); const _vA$1 = /*@__PURE__*/ new Vector3(); const _vB$1 = /*@__PURE__*/ new Vector3(); const _vC$1 = /*@__PURE__*/ new Vector3(); const _tempA = /*@__PURE__*/ new Vector3(); const _morphA = /*@__PURE__*/ new Vector3(); const _uvA$1 = /*@__PURE__*/ new Vector2(); const _uvB$1 = /*@__PURE__*/ new Vector2(); const _uvC$1 = /*@__PURE__*/ new Vector2(); const _normalA = /*@__PURE__*/ new Vector3(); const _normalB = /*@__PURE__*/ new Vector3(); const _normalC = /*@__PURE__*/ new Vector3(); const _intersectionPoint = /*@__PURE__*/ new Vector3(); const _intersectionPointWorld = /*@__PURE__*/ new Vector3(); class Mesh extends Object3D { constructor( geometry = new BufferGeometry(), material = new MeshBasicMaterial() ) { super(); this.isMesh = true; this.type = "Mesh"; this.geometry = geometry; this.material = material; this.updateMorphTargets(); } copy( source, recursive ) { super.copy( source, recursive ); if ( source.morphTargetInfluences !== undefined ) { this.morphTargetInfluences = source.morphTargetInfluences.slice(); } if ( source.morphTargetDictionary !== undefined ) { this.morphTargetDictionary = Object.assign( {}, source.morphTargetDictionary ); } this.material = source.material; this.geometry = source.geometry; return this; } updateMorphTargets() { const geometry = this.geometry; const morphAttributes = geometry.morphAttributes; const keys = Object.keys( morphAttributes ); if ( keys.length > 0 ) { const morphAttribute = morphAttributes[ keys[ 0 ] ]; if ( morphAttribute !== undefined ) { this.morphTargetInfluences = []; this.morphTargetDictionary = {}; for ( let m = 0, ml = morphAttribute.length; m < ml; m ++ ) { const name = morphAttribute[ m ].name || String( m ); this.morphTargetInfluences.push( 0 ); this.morphTargetDictionary[ name ] = m; } } } } getVertexPosition( index, target ) { const geometry = this.geometry; const position = geometry.attributes.position; const morphPosition = geometry.morphAttributes.position; const morphTargetsRelative = geometry.morphTargetsRelative; target.fromBufferAttribute( position, index ); const morphInfluences = this.morphTargetInfluences; if ( morphPosition && morphInfluences ) { _morphA.set( 0, 0, 0 ); for ( let i = 0, il = morphPosition.length; i < il; i ++ ) { const influence = morphInfluences[ i ]; const morphAttribute = morphPosition[ i ]; if ( influence === 0 ) continue; _tempA.fromBufferAttribute( morphAttribute, index ); if ( morphTargetsRelative ) { _morphA.addScaledVector( _tempA, influence ); } else { _morphA.addScaledVector( _tempA.sub( target ), influence ); } } target.add( _morphA ); } return target; } raycast( raycaster, intersects ) { const geometry = this.geometry; const material = this.material; const matrixWorld = this.matrixWorld; if ( material === undefined ) return; // Checking boundingSphere distance to ray if ( geometry.boundingSphere === null ) geometry.computeBoundingSphere(); _sphere$4.copy( geometry.boundingSphere ); _sphere$4.applyMatrix4( matrixWorld ); _ray$2.copy( raycaster.ray ).recast( raycaster.near ); if ( _sphere$4.containsPoint( _ray$2.origin ) === false ) { if ( _ray$2.intersectSphere( _sphere$4, _sphereHitAt ) === null ) return; if ( _ray$2.origin.distanceToSquared( _sphereHitAt ) > ( raycaster.far - raycaster.near ) ** 2 ) return; } // _inverseMatrix$2.copy( matrixWorld ).invert(); _ray$2.copy( raycaster.ray ).applyMatrix4( _inverseMatrix$2 ); // Check boundingBox before continuing if ( geometry.boundingBox !== null ) { if ( _ray$2.intersectsBox( geometry.boundingBox ) === false ) return; } this._computeIntersections( raycaster, intersects ); } _computeIntersections( raycaster, intersects ) { let intersection; const geometry = this.geometry; const material = this.material; const index = geometry.index; const position = geometry.attributes.position; const uv = geometry.attributes.uv; const uv1 = geometry.attributes.uv1; const normal = geometry.attributes.normal; const groups = geometry.groups; const drawRange = geometry.drawRange; if ( index !== null ) { // indexed buffer geometry if ( Array.isArray( material ) ) { for ( let i = 0, il = groups.length; i < il; i ++ ) { const group = groups[ i ]; const groupMaterial = material[ group.materialIndex ]; const start = Math.max( group.start, drawRange.start ); const end = Math.min( index.count, Math.min( ( group.start + group.count ), ( drawRange.start + drawRange.count ) ) ); for ( let j = start, jl = end; j < jl; j += 3 ) { const a = index.getX( j ); const b = index.getX( j + 1 ); const c = index.getX( j + 2 ); intersection = checkGeometryIntersection( this, groupMaterial, raycaster, _ray$2, uv, uv1, normal, a, b, c ); if ( intersection ) { intersection.faceIndex = Math.floor( j / 3 ); // triangle number in indexed buffer semantics intersection.face.materialIndex = group.materialIndex; intersects.push( intersection ); } } } } else { const start = Math.max( 0, drawRange.start ); const end = Math.min( index.count, ( drawRange.start + drawRange.count ) ); for ( let i = start, il = end; i < il; i += 3 ) { const a = index.getX( i ); const b = index.getX( i + 1 ); const c = index.getX( i + 2 ); intersection = checkGeometryIntersection( this, material, raycaster, _ray$2, uv, uv1, normal, a, b, c ); if ( intersection ) { intersection.faceIndex = Math.floor( i / 3 ); // triangle number in indexed buffer semantics intersects.push( intersection ); } } } } else if ( position !== undefined ) { // non-indexed buffer geometry if ( Array.isArray( material ) ) { for ( let i = 0, il = groups.length; i < il; i ++ ) { const group = groups[ i ]; const groupMaterial = material[ group.materialIndex ]; const start = Math.max( group.start, drawRange.start ); const end = Math.min( position.count, Math.min( ( group.start + group.count ), ( drawRange.start + drawRange.count ) ) ); for ( let j = start, jl = end; j < jl; j += 3 ) { const a = j; const b = j + 1; const c = j + 2; intersection = checkGeometryIntersection( this, groupMaterial, raycaster, _ray$2, uv, uv1, normal, a, b, c ); if ( intersection ) { intersection.faceIndex = Math.floor( j / 3 ); // triangle number in non-indexed buffer semantics intersection.face.materialIndex = group.materialIndex; intersects.push( intersection ); } } } } else { const start = Math.max( 0, drawRange.start ); const end = Math.min( position.count, ( drawRange.start + drawRange.count ) ); for ( let i = start, il = end; i < il; i += 3 ) { const a = i; const b = i + 1; const c = i + 2; intersection = checkGeometryIntersection( this, material, raycaster, _ray$2, uv, uv1, normal, a, b, c ); if ( intersection ) { intersection.faceIndex = Math.floor( i / 3 ); // triangle number in non-indexed buffer semantics intersects.push( intersection ); } } } } } } function checkIntersection( object, material, raycaster, ray, pA, pB, pC, point ) { let intersect; if ( material.side === BackSide ) { intersect = ray.intersectTriangle( pC, pB, pA, true, point ); } else { intersect = ray.intersectTriangle( pA, pB, pC, ( material.side === FrontSide ), point ); } if ( intersect === null ) return null; _intersectionPointWorld.copy( point ); _intersectionPointWorld.applyMatrix4( object.matrixWorld ); const distance = raycaster.ray.origin.distanceTo( _intersectionPointWorld ); if ( distance < raycaster.near || distance > raycaster.far ) return null; return { distance: distance, point: _intersectionPointWorld.clone(), object: object }; } function checkGeometryIntersection( object, material, raycaster, ray, uv, uv1, normal, a, b, c ) { object.getVertexPosition( a, _vA$1 ); object.getVertexPosition( b, _vB$1 ); object.getVertexPosition( c, _vC$1 ); const intersection = checkIntersection( object, material, raycaster, ray, _vA$1, _vB$1, _vC$1, _intersectionPoint ); if ( intersection ) { if ( uv ) { _uvA$1.fromBufferAttribute( uv, a ); _uvB$1.fromBufferAttribute( uv, b ); _uvC$1.fromBufferAttribute( uv, c ); intersection.uv = Triangle.getInterpolation( _intersectionPoint, _vA$1, _vB$1, _vC$1, _uvA$1, _uvB$1, _uvC$1, new Vector2() ); } if ( uv1 ) { _uvA$1.fromBufferAttribute( uv1, a ); _uvB$1.fromBufferAttribute( uv1, b ); _uvC$1.fromBufferAttribute( uv1, c ); intersection.uv1 = Triangle.getInterpolation( _intersectionPoint, _vA$1, _vB$1, _vC$1, _uvA$1, _uvB$1, _uvC$1, new Vector2() ); intersection.uv2 = intersection.uv1; // Backwards compatibility } if ( normal ) { _normalA.fromBufferAttribute( normal, a ); _normalB.fromBufferAttribute( normal, b ); _normalC.fromBufferAttribute( normal, c ); intersection.normal = Triangle.getInterpolation( _intersectionPoint, _vA$1, _vB$1, _vC$1, _normalA, _normalB, _normalC, new Vector3() ); if ( intersection.normal.dot( ray.direction ) > 0 ) { intersection.normal.multiplyScalar( - 1 ); } } const face = { a: a, b: b, c: c, normal: new Vector3(), materialIndex: 0 }; Triangle.getNormal( _vA$1, _vB$1, _vC$1, face.normal ); intersection.face = face; } return intersection; } class BoxGeometry extends BufferGeometry { constructor( width = 1, height = 1, depth = 1, widthSegments = 1, heightSegments = 1, depthSegments = 1 ) { super(); this.type = "BoxGeometry"; this.parameters = { width: width, height: height, depth: depth, widthSegments: widthSegments, heightSegments: heightSegments, depthSegments: depthSegments }; const scope = this; // segments widthSegments = Math.floor( widthSegments ); heightSegments = Math.floor( heightSegments ); depthSegments = Math.floor( depthSegments ); // buffers const indices = []; const vertices = []; const normals = []; const uvs = []; // helper variables let numberOfVertices = 0; let groupStart = 0; // build each side of the box geometry buildPlane( "z", "y", "x", - 1, - 1, depth, height, width, depthSegments, heightSegments, 0 ); // px buildPlane( "z", "y", "x", 1, - 1, depth, height, - width, depthSegments, heightSegments, 1 ); // nx buildPlane( "x", "z", "y", 1, 1, width, depth, height, widthSegments, depthSegments, 2 ); // py buildPlane( "x", "z", "y", 1, - 1, width, depth, - height, widthSegments, depthSegments, 3 ); // ny buildPlane( "x", "y", "z", 1, - 1, width, height, depth, widthSegments, heightSegments, 4 ); // pz buildPlane( "x", "y", "z", - 1, - 1, width, height, - depth, widthSegments, heightSegments, 5 ); // nz // build geometry this.setIndex( indices ); this.setAttribute( "position", new Float32BufferAttribute( vertices, 3 ) ); this.setAttribute( "normal", new Float32BufferAttribute( normals, 3 ) ); this.setAttribute( "uv", new Float32BufferAttribute( uvs, 2 ) ); function buildPlane( u, v, w, udir, vdir, width, height, depth, gridX, gridY, materialIndex ) { const segmentWidth = width / gridX; const segmentHeight = height / gridY; const widthHalf = width / 2; const heightHalf = height / 2; const depthHalf = depth / 2; const gridX1 = gridX + 1; const gridY1 = gridY + 1; let vertexCounter = 0; let groupCount = 0; const vector = new Vector3(); // generate vertices, normals and uvs for ( let iy = 0; iy < gridY1; iy ++ ) { const y = iy * segmentHeight - heightHalf; for ( let ix = 0; ix < gridX1; ix ++ ) { const x = ix * segmentWidth - widthHalf; // set values to correct vector component vector[ u ] = x * udir; vector[ v ] = y * vdir; vector[ w ] = depthHalf; // now apply vector to vertex buffer vertices.push( vector.x, vector.y, vector.z ); // set values to correct vector component vector[ u ] = 0; vector[ v ] = 0; vector[ w ] = depth > 0 ? 1 : - 1; // now apply vector to normal buffer normals.push( vector.x, vector.y, vector.z ); // uvs uvs.push( ix / gridX ); uvs.push( 1 - ( iy / gridY ) ); // counters vertexCounter += 1; } } // indices // 1. you need three indices to draw a single face // 2. a single segment consists of two faces // 3. so we need to generate six (2*3) indices per segment for ( let iy = 0; iy < gridY; iy ++ ) { for ( let ix = 0; ix < gridX; ix ++ ) { const a = numberOfVertices + ix + gridX1 * iy; const b = numberOfVertices + ix + gridX1 * ( iy + 1 ); const c = numberOfVertices + ( ix + 1 ) + gridX1 * ( iy + 1 ); const d = numberOfVertices + ( ix + 1 ) + gridX1 * iy; // faces indices.push( a, b, d ); indices.push( b, c, d ); // increase counter groupCount += 6; } } // add a group to the geometry. this will ensure multi material support scope.addGroup( groupStart, groupCount, materialIndex ); // calculate new start value for groups groupStart += groupCount; // update total number of vertices numberOfVertices += vertexCounter; } } copy( source ) { super.copy( source ); this.parameters = Object.assign( {}, source.parameters ); return this; } static fromJSON( data ) { return new BoxGeometry( data.width, data.height, data.depth, data.widthSegments, data.heightSegments, data.depthSegments ); } } /** * Uniform Utilities */ function cloneUniforms( src ) { const dst = {}; for ( const u in src ) { dst[ u ] = {}; for ( const p in src[ u ] ) { const property = src[ u ][ p ]; if ( property && ( property.isColor || property.isMatrix3 || property.isMatrix4 || property.isVector2 || property.isVector3 || property.isVector4 || property.isTexture || property.isQuaternion ) ) { if ( property.isRenderTargetTexture ) { console.warn( "UniformsUtils: Textures of render targets cannot be cloned via cloneUniforms() or mergeUniforms()." ); dst[ u ][ p ] = null; } else { dst[ u ][ p ] = property.clone(); } } else if ( Array.isArray( property ) ) { dst[ u ][ p ] = property.slice(); } else { dst[ u ][ p ] = property; } } } return dst; } function mergeUniforms( uniforms ) { const merged = {}; for ( let u = 0; u < uniforms.length; u ++ ) { const tmp = cloneUniforms( uniforms[ u ] ); for ( const p in tmp ) { merged[ p ] = tmp[ p ]; } } return merged; } function cloneUniformsGroups( src ) { const dst = []; for ( let u = 0; u < src.length; u ++ ) { dst.push( src[ u ].clone() ); } return dst; } function getUnlitUniformColorSpace( renderer ) { if ( renderer.getRenderTarget() === null ) { // https://github.com/mrdoob/three.js/pull/23937#issuecomment-1111067398 return renderer.outputColorSpace; } return LinearSRGBColorSpace; } // Legacy const UniformsUtils = { clone: cloneUniforms, merge: mergeUniforms }; var default_vertex = "void main() { gl_Position = projectionMatrix * modelViewMatrix * vec4( position, 1.0 ); }"; var default_fragment = "void main() { gl_FragColor = vec4( 1.0, 0.0, 0.0, 1.0 ); }"; class ShaderMaterial extends Material { constructor( parameters ) { super(); this.isShaderMaterial = true; this.type = "ShaderMaterial"; this.defines = {}; this.uniforms = {}; this.uniformsGroups = []; this.vertexShader = default_vertex; this.fragmentShader = default_fragment; this.linewidth = 1; this.wireframe = false; this.wireframeLinewidth = 1; this.fog = false; // set to use scene fog this.lights = false; // set to use scene lights this.clipping = false; // set to use user-defined clipping planes this.forceSinglePass = true; this.extensions = { derivatives: false, // set to use derivatives fragDepth: false, // set to use fragment depth values drawBuffers: false, // set to use draw buffers shaderTextureLOD: false // set to use shader texture LOD }; // When rendered geometry doesn"t include these attributes but the material does, // use these default values in WebGL. This avoids errors when buffer data is missing. this.defaultAttributeValues = { "color": [ 1, 1, 1 ], "uv": [ 0, 0 ], "uv1": [ 0, 0 ] }; this.index0AttributeName = undefined; this.uniformsNeedUpdate = false; this.glslVersion = null; if ( parameters !== undefined ) { this.setValues( parameters ); } } copy( source ) { super.copy( source ); this.fragmentShader = source.fragmentShader; this.vertexShader = source.vertexShader; this.uniforms = cloneUniforms( source.uniforms ); this.uniformsGroups = cloneUniformsGroups( source.uniformsGroups ); this.defines = Object.assign( {}, source.defines ); this.wireframe = source.wireframe; this.wireframeLinewidth = source.wireframeLinewidth; this.fog = source.fog; this.lights = source.lights; this.clipping = source.clipping; this.extensions = Object.assign( {}, source.extensions ); this.glslVersion = source.glslVersion; return this; } toJSON( meta ) { const data = super.toJSON( meta ); data.glslVersion = this.glslVersion; data.uniforms = {}; for ( const name in this.uniforms ) { const uniform = this.uniforms[ name ]; const value = uniform.value; if ( value && value.isTexture ) { data.uniforms[ name ] = { type: "t", value: value.toJSON( meta ).uuid }; } else if ( value && value.isColor ) { data.uniforms[ name ] = { type: "c", value: value.getHex() }; } else if ( value && value.isVector2 ) { data.uniforms[ name ] = { type: "v2", value: value.toArray() }; } else if ( value && value.isVector3 ) { data.uniforms[ name ] = { type: "v3", value: value.toArray() }; } else if ( value && value.isVector4 ) { data.uniforms[ name ] = { type: "v4", value: value.toArray() }; } else if ( value && value.isMatrix3 ) { data.uniforms[ name ] = { type: "m3", value: value.toArray() }; } else if ( value && value.isMatrix4 ) { data.uniforms[ name ] = { type: "m4", value: value.toArray() }; } else { data.uniforms[ name ] = { value: value }; // note: the array variants v2v, v3v, v4v, m4v and tv are not supported so far } } if ( Object.keys( this.defines ).length > 0 ) data.defines = this.defines; data.vertexShader = this.vertexShader; data.fragmentShader = this.fragmentShader; data.lights = this.lights; data.clipping = this.clipping; const extensions = {}; for ( const key in this.extensions ) { if ( this.extensions[ key ] === true ) extensions[ key ] = true; } if ( Object.keys( extensions ).length > 0 ) data.extensions = extensions; return data; } } let Camera$2 = class Camera extends Object3D { constructor() { super(); this.isCamera = true; this.type = "Camera"; this.matrixWorldInverse = new Matrix4(); this.projectionMatrix = new Matrix4(); this.projectionMatrixInverse = new Matrix4(); } copy( source, recursive ) { super.copy( source, recursive ); this.matrixWorldInverse.copy( source.matrixWorldInverse ); this.projectionMatrix.copy( source.projectionMatrix ); this.projectionMatrixInverse.copy( source.projectionMatrixInverse ); return this; } getWorldDirection( target ) { this.updateWorldMatrix( true, false ); const e = this.matrixWorld.elements; return target.set( - e[ 8 ], - e[ 9 ], - e[ 10 ] ).normalize(); } updateMatrixWorld( force ) { super.updateMatrixWorld( force ); this.matrixWorldInverse.copy( this.matrixWorld ).invert(); } updateWorldMatrix( updateParents, updateChildren ) { super.updateWorldMatrix( updateParents, updateChildren ); this.matrixWorldInverse.copy( this.matrixWorld ).invert(); } clone() { return new this.constructor().copy( this ); } }; let PerspectiveCamera$1 = class PerspectiveCamera extends Camera$2 { constructor( fov = 50, aspect = 1, near = 0.1, far = 2000 ) { super(); this.isPerspectiveCamera = true; this.type = "PerspectiveCamera"; this.fov = fov; this.zoom = 1; this.near = near; this.far = far; this.focus = 10; this.aspect = aspect; this.view = null; this.filmGauge = 35; // width of the film (default in millimeters) this.filmOffset = 0; // horizontal film offset (same unit as gauge) this.updateProjectionMatrix(); } copy( source, recursive ) { super.copy( source, recursive ); this.fov = source.fov; this.zoom = source.zoom; this.near = source.near; this.far = source.far; this.focus = source.focus; this.aspect = source.aspect; this.view = source.view === null ? null : Object.assign( {}, source.view ); this.filmGauge = source.filmGauge; this.filmOffset = source.filmOffset; return this; } /** * Sets the FOV by focal length in respect to the current .filmGauge. * * The default film gauge is 35, so that the focal length can be specified for * a 35mm (full frame) camera. * * Values for focal length and film gauge must have the same unit. */ setFocalLength( focalLength ) { /** see {@link http://www.bobatkins.com/photography/technical/field_of_view.html} */ const vExtentSlope = 0.5 * this.getFilmHeight() / focalLength; this.fov = RAD2DEG$1 * 2 * Math.atan( vExtentSlope ); this.updateProjectionMatrix(); } /** * Calculates the focal length from the current .fov and .filmGauge. */ getFocalLength() { const vExtentSlope = Math.tan( DEG2RAD$1 * 0.5 * this.fov ); return 0.5 * this.getFilmHeight() / vExtentSlope; } getEffectiveFOV() { return RAD2DEG$1 * 2 * Math.atan( Math.tan( DEG2RAD$1 * 0.5 * this.fov ) / this.zoom ); } getFilmWidth() { // film not completely covered in portrait format (aspect < 1) return this.filmGauge * Math.min( this.aspect, 1 ); } getFilmHeight() { // film not completely covered in landscape format (aspect > 1) return this.filmGauge / Math.max( this.aspect, 1 ); } /** * Sets an offset in a larger frustum. This is useful for multi-window or * multi-monitor/multi-machine setups. * * For example, if you have 3x2 monitors and each monitor is 1920x1080 and * the monitors are in grid like this * * +---+---+---+ * | A | B | C | * +---+---+---+ * | D | E | F | * +---+---+---+ * * then for each monitor you would call it like this * * const w = 1920; * const h = 1080; * const fullWidth = w * 3; * const fullHeight = h * 2; * * --A-- * camera.setViewOffset( fullWidth, fullHeight, w * 0, h * 0, w, h ); * --B-- * camera.setViewOffset( fullWidth, fullHeight, w * 1, h * 0, w, h ); * --C-- * camera.setViewOffset( fullWidth, fullHeight, w * 2, h * 0, w, h ); * --D-- * camera.setViewOffset( fullWidth, fullHeight, w * 0, h * 1, w, h ); * --E-- * camera.setViewOffset( fullWidth, fullHeight, w * 1, h * 1, w, h ); * --F-- * camera.setViewOffset( fullWidth, fullHeight, w * 2, h * 1, w, h ); * * Note there is no reason monitors have to be the same size or in a grid. */ setViewOffset( fullWidth, fullHeight, x, y, width, height ) { this.aspect = fullWidth / fullHeight; if ( this.view === null ) { this.view = { enabled: true, fullWidth: 1, fullHeight: 1, offsetX: 0, offsetY: 0, width: 1, height: 1 }; } this.view.enabled = true; this.view.fullWidth = fullWidth; this.view.fullHeight = fullHeight; this.view.offsetX = x; this.view.offsetY = y; this.view.width = width; this.view.height = height; this.updateProjectionMatrix(); } clearViewOffset() { if ( this.view !== null ) { this.view.enabled = false; } this.updateProjectionMatrix(); } updateProjectionMatrix() { const near = this.near; let top = near * Math.tan( DEG2RAD$1 * 0.5 * this.fov ) / this.zoom; let height = 2 * top; let width = this.aspect * height; let left = - 0.5 * width; const view = this.view; if ( this.view !== null && this.view.enabled ) { const fullWidth = view.fullWidth, fullHeight = view.fullHeight; left += view.offsetX * width / fullWidth; top -= view.offsetY * height / fullHeight; width *= view.width / fullWidth; height *= view.height / fullHeight; } const skew = this.filmOffset; if ( skew !== 0 ) left += near * skew / this.getFilmWidth(); this.projectionMatrix.makePerspective( left, left + width, top, top - height, near, this.far ); this.projectionMatrixInverse.copy( this.projectionMatrix ).invert(); } toJSON( meta ) { const data = super.toJSON( meta ); data.object.fov = this.fov; data.object.zoom = this.zoom; data.object.near = this.near; data.object.far = this.far; data.object.focus = this.focus; data.object.aspect = this.aspect; if ( this.view !== null ) data.object.view = Object.assign( {}, this.view ); data.object.filmGauge = this.filmGauge; data.object.filmOffset = this.filmOffset; return data; } }; const fov = - 90; // negative fov is not an error const aspect = 1; class CubeCamera extends Object3D { constructor( near, far, renderTarget ) { super(); this.type = "CubeCamera"; this.renderTarget = renderTarget; const cameraPX = new PerspectiveCamera$1( fov, aspect, near, far ); cameraPX.layers = this.layers; cameraPX.up.set( 0, 1, 0 ); cameraPX.lookAt( 1, 0, 0 ); this.add( cameraPX ); const cameraNX = new PerspectiveCamera$1( fov, aspect, near, far ); cameraNX.layers = this.layers; cameraNX.up.set( 0, 1, 0 ); cameraNX.lookAt( - 1, 0, 0 ); this.add( cameraNX ); const cameraPY = new PerspectiveCamera$1( fov, aspect, near, far ); cameraPY.layers = this.layers; cameraPY.up.set( 0, 0, - 1 ); cameraPY.lookAt( 0, 1, 0 ); this.add( cameraPY ); const cameraNY = new PerspectiveCamera$1( fov, aspect, near, far ); cameraNY.layers = this.layers; cameraNY.up.set( 0, 0, 1 ); cameraNY.lookAt( 0, - 1, 0 ); this.add( cameraNY ); const cameraPZ = new PerspectiveCamera$1( fov, aspect, near, far ); cameraPZ.layers = this.layers; cameraPZ.up.set( 0, 1, 0 ); cameraPZ.lookAt( 0, 0, 1 ); this.add( cameraPZ ); const cameraNZ = new PerspectiveCamera$1( fov, aspect, near, far ); cameraNZ.layers = this.layers; cameraNZ.up.set( 0, 1, 0 ); cameraNZ.lookAt( 0, 0, - 1 ); this.add( cameraNZ ); } update( renderer, scene ) { if ( this.parent === null ) this.updateMatrixWorld(); const renderTarget = this.renderTarget; const [ cameraPX, cameraNX, cameraPY, cameraNY, cameraPZ, cameraNZ ] = this.children; const currentRenderTarget = renderer.getRenderTarget(); const currentToneMapping = renderer.toneMapping; const currentXrEnabled = renderer.xr.enabled; renderer.toneMapping = NoToneMapping; renderer.xr.enabled = false; const generateMipmaps = renderTarget.texture.generateMipmaps; renderTarget.texture.generateMipmaps = false; renderer.setRenderTarget( renderTarget, 0 ); renderer.render( scene, cameraPX ); renderer.setRenderTarget( renderTarget, 1 ); renderer.render( scene, cameraNX ); renderer.setRenderTarget( renderTarget, 2 ); renderer.render( scene, cameraPY ); renderer.setRenderTarget( renderTarget, 3 ); renderer.render( scene, cameraNY ); renderer.setRenderTarget( renderTarget, 4 ); renderer.render( scene, cameraPZ ); renderTarget.texture.generateMipmaps = generateMipmaps; renderer.setRenderTarget( renderTarget, 5 ); renderer.render( scene, cameraNZ ); renderer.setRenderTarget( currentRenderTarget ); renderer.toneMapping = currentToneMapping; renderer.xr.enabled = currentXrEnabled; renderTarget.texture.needsPMREMUpdate = true; } } class CubeTexture extends Texture { constructor( images, mapping, wrapS, wrapT, magFilter, minFilter, format, type, anisotropy, colorSpace ) { images = images !== undefined ? images : []; mapping = mapping !== undefined ? mapping : CubeReflectionMapping; super( images, mapping, wrapS, wrapT, magFilter, minFilter, format, type, anisotropy, colorSpace ); this.isCubeTexture = true; this.flipY = false; } get images() { return this.image; } set images( value ) { this.image = value; } } class WebGLCubeRenderTarget extends WebGLRenderTarget { constructor( size = 1, options = {} ) { super( size, size, options ); this.isWebGLCubeRenderTarget = true; const image = { width: size, height: size, depth: 1 }; const images = [ image, image, image, image, image, image ]; if ( options.encoding !== undefined ) { // @deprecated, r152 warnOnce( "THREE.WebGLCubeRenderTarget: option.encoding has been replaced by option.colorSpace." ); options.colorSpace = options.encoding === sRGBEncoding ? SRGBColorSpace : NoColorSpace; } this.texture = new CubeTexture( images, options.mapping, options.wrapS, options.wrapT, options.magFilter, options.minFilter, options.format, options.type, options.anisotropy, options.colorSpace ); // By convention -- likely based on the RenderMan spec from the 1990"s -- cube maps are specified by WebGL (and three.js) // in a coordinate system in which positive-x is to the right when looking up the positive-z axis -- in other words, // in a left-handed coordinate system. By continuing this convention, preexisting cube maps continued to render correctly. // three.js uses a right-handed coordinate system. So environment maps used in three.js appear to have px and nx swapped // and the flag isRenderTargetTexture controls this conversion. The flip is not required when using WebGLCubeRenderTarget.texture // as a cube texture (this is detected when isRenderTargetTexture is set to true for cube textures). this.texture.isRenderTargetTexture = true; this.texture.generateMipmaps = options.generateMipmaps !== undefined ? options.generateMipmaps : false; this.texture.minFilter = options.minFilter !== undefined ? options.minFilter : LinearFilter; } fromEquirectangularTexture( renderer, texture ) { this.texture.type = texture.type; this.texture.colorSpace = texture.colorSpace; this.texture.generateMipmaps = texture.generateMipmaps; this.texture.minFilter = texture.minFilter; this.texture.magFilter = texture.magFilter; const shader = { uniforms: { tEquirect: { value: null }, }, vertexShader: /* glsl */` varying vec3 vWorldDirection; vec3 transformDirection( in vec3 dir, in mat4 matrix ) { return normalize( ( matrix * vec4( dir, 0.0 ) ).xyz ); } void main() { vWorldDirection = transformDirection( position, modelMatrix ); #include #include } `, fragmentShader: /* glsl */` uniform sampler2D tEquirect; varying vec3 vWorldDirection; #include void main() { vec3 direction = normalize( vWorldDirection ); vec2 sampleUV = equirectUv( direction ); gl_FragColor = texture2D( tEquirect, sampleUV ); } ` }; const geometry = new BoxGeometry( 5, 5, 5 ); const material = new ShaderMaterial( { name: "CubemapFromEquirect", uniforms: cloneUniforms( shader.uniforms ), vertexShader: shader.vertexShader, fragmentShader: shader.fragmentShader, side: BackSide, blending: NoBlending } ); material.uniforms.tEquirect.value = texture; const mesh = new Mesh( geometry, material ); const currentMinFilter = texture.minFilter; // Avoid blurred poles if ( texture.minFilter === LinearMipmapLinearFilter ) texture.minFilter = LinearFilter; const camera = new CubeCamera( 1, 10, this ); camera.update( renderer, mesh ); texture.minFilter = currentMinFilter; mesh.geometry.dispose(); mesh.material.dispose(); return this; } clear( renderer, color, depth, stencil ) { const currentRenderTarget = renderer.getRenderTarget(); for ( let i = 0; i < 6; i ++ ) { renderer.setRenderTarget( this, i ); renderer.clear( color, depth, stencil ); } renderer.setRenderTarget( currentRenderTarget ); } } const _vector1 = /*@__PURE__*/ new Vector3(); const _vector2 = /*@__PURE__*/ new Vector3(); const _normalMatrix = /*@__PURE__*/ new Matrix3(); class Plane { constructor( normal = new Vector3( 1, 0, 0 ), constant = 0 ) { this.isPlane = true; // normal is assumed to be normalized this.normal = normal; this.constant = constant; } set( normal, constant ) { this.normal.copy( normal ); this.constant = constant; return this; } setComponents( x, y, z, w ) { this.normal.set( x, y, z ); this.constant = w; return this; } setFromNormalAndCoplanarPoint( normal, point ) { this.normal.copy( normal ); this.constant = - point.dot( this.normal ); return this; } setFromCoplanarPoints( a, b, c ) { const normal = _vector1.subVectors( c, b ).cross( _vector2.subVectors( a, b ) ).normalize(); // Q: should an error be thrown if normal is zero (e.g. degenerate plane)? this.setFromNormalAndCoplanarPoint( normal, a ); return this; } copy( plane ) { this.normal.copy( plane.normal ); this.constant = plane.constant; return this; } normalize() { // Note: will lead to a divide by zero if the plane is invalid. const inverseNormalLength = 1.0 / this.normal.length(); this.normal.multiplyScalar( inverseNormalLength ); this.constant *= inverseNormalLength; return this; } negate() { this.constant *= - 1; this.normal.negate(); return this; } distanceToPoint( point ) { return this.normal.dot( point ) + this.constant; } distanceToSphere( sphere ) { return this.distanceToPoint( sphere.center ) - sphere.radius; } projectPoint( point, target ) { return target.copy( point ).addScaledVector( this.normal, - this.distanceToPoint( point ) ); } intersectLine( line, target ) { const direction = line.delta( _vector1 ); const denominator = this.normal.dot( direction ); if ( denominator === 0 ) { // line is coplanar, return origin if ( this.distanceToPoint( line.start ) === 0 ) { return target.copy( line.start ); } // Unsure if this is the correct method to handle this case. return null; } const t = - ( line.start.dot( this.normal ) + this.constant ) / denominator; if ( t < 0 || t > 1 ) { return null; } return target.copy( line.start ).addScaledVector( direction, t ); } intersectsLine( line ) { // Note: this tests if a line intersects the plane, not whether it (or its end-points) are coplanar with it. const startSign = this.distanceToPoint( line.start ); const endSign = this.distanceToPoint( line.end ); return ( startSign < 0 && endSign > 0 ) || ( endSign < 0 && startSign > 0 ); } intersectsBox( box ) { return box.intersectsPlane( this ); } intersectsSphere( sphere ) { return sphere.intersectsPlane( this ); } coplanarPoint( target ) { return target.copy( this.normal ).multiplyScalar( - this.constant ); } applyMatrix4( matrix, optionalNormalMatrix ) { const normalMatrix = optionalNormalMatrix || _normalMatrix.getNormalMatrix( matrix ); const referencePoint = this.coplanarPoint( _vector1 ).applyMatrix4( matrix ); const normal = this.normal.applyMatrix3( normalMatrix ).normalize(); this.constant = - referencePoint.dot( normal ); return this; } translate( offset ) { this.constant -= offset.dot( this.normal ); return this; } equals( plane ) { return plane.normal.equals( this.normal ) && ( plane.constant === this.constant ); } clone() { return new this.constructor().copy( this ); } } const _sphere$3 = /*@__PURE__*/ new Sphere(); const _vector$6 = /*@__PURE__*/ new Vector3(); class Frustum { constructor( p0 = new Plane(), p1 = new Plane(), p2 = new Plane(), p3 = new Plane(), p4 = new Plane(), p5 = new Plane() ) { this.planes = [ p0, p1, p2, p3, p4, p5 ]; } set( p0, p1, p2, p3, p4, p5 ) { const planes = this.planes; planes[ 0 ].copy( p0 ); planes[ 1 ].copy( p1 ); planes[ 2 ].copy( p2 ); planes[ 3 ].copy( p3 ); planes[ 4 ].copy( p4 ); planes[ 5 ].copy( p5 ); return this; } copy( frustum ) { const planes = this.planes; for ( let i = 0; i < 6; i ++ ) { planes[ i ].copy( frustum.planes[ i ] ); } return this; } setFromProjectionMatrix( m ) { const planes = this.planes; const me = m.elements; const me0 = me[ 0 ], me1 = me[ 1 ], me2 = me[ 2 ], me3 = me[ 3 ]; const me4 = me[ 4 ], me5 = me[ 5 ], me6 = me[ 6 ], me7 = me[ 7 ]; const me8 = me[ 8 ], me9 = me[ 9 ], me10 = me[ 10 ], me11 = me[ 11 ]; const me12 = me[ 12 ], me13 = me[ 13 ], me14 = me[ 14 ], me15 = me[ 15 ]; planes[ 0 ].setComponents( me3 - me0, me7 - me4, me11 - me8, me15 - me12 ).normalize(); planes[ 1 ].setComponents( me3 + me0, me7 + me4, me11 + me8, me15 + me12 ).normalize(); planes[ 2 ].setComponents( me3 + me1, me7 + me5, me11 + me9, me15 + me13 ).normalize(); planes[ 3 ].setComponents( me3 - me1, me7 - me5, me11 - me9, me15 - me13 ).normalize(); planes[ 4 ].setComponents( me3 - me2, me7 - me6, me11 - me10, me15 - me14 ).normalize(); planes[ 5 ].setComponents( me3 + me2, me7 + me6, me11 + me10, me15 + me14 ).normalize(); return this; } intersectsObject( object ) { if ( object.boundingSphere !== undefined ) { if ( object.boundingSphere === null ) object.computeBoundingSphere(); _sphere$3.copy( object.boundingSphere ).applyMatrix4( object.matrixWorld ); } else { const geometry = object.geometry; if ( geometry.boundingSphere === null ) geometry.computeBoundingSphere(); _sphere$3.copy( geometry.boundingSphere ).applyMatrix4( object.matrixWorld ); } return this.intersectsSphere( _sphere$3 ); } intersectsSprite( sprite ) { _sphere$3.center.set( 0, 0, 0 ); _sphere$3.radius = 0.7071067811865476; _sphere$3.applyMatrix4( sprite.matrixWorld ); return this.intersectsSphere( _sphere$3 ); } intersectsSphere( sphere ) { const planes = this.planes; const center = sphere.center; const negRadius = - sphere.radius; for ( let i = 0; i < 6; i ++ ) { const distance = planes[ i ].distanceToPoint( center ); if ( distance < negRadius ) { return false; } } return true; } intersectsBox( box ) { const planes = this.planes; for ( let i = 0; i < 6; i ++ ) { const plane = planes[ i ]; // corner at max distance _vector$6.x = plane.normal.x > 0 ? box.max.x : box.min.x; _vector$6.y = plane.normal.y > 0 ? box.max.y : box.min.y; _vector$6.z = plane.normal.z > 0 ? box.max.z : box.min.z; if ( plane.distanceToPoint( _vector$6 ) < 0 ) { return false; } } return true; } containsPoint( point ) { const planes = this.planes; for ( let i = 0; i < 6; i ++ ) { if ( planes[ i ].distanceToPoint( point ) < 0 ) { return false; } } return true; } clone() { return new this.constructor().copy( this ); } } function WebGLAnimation() { let context = null; let isAnimating = false; let animationLoop = null; let requestId = null; function onAnimationFrame( time, frame ) { animationLoop( time, frame ); requestId = context.requestAnimationFrame( onAnimationFrame ); } return { start: function () { if ( isAnimating === true ) return; if ( animationLoop === null ) return; requestId = context.requestAnimationFrame( onAnimationFrame ); isAnimating = true; }, stop: function () { context.cancelAnimationFrame( requestId ); isAnimating = false; }, setAnimationLoop: function ( callback ) { animationLoop = callback; }, setContext: function ( value ) { context = value; } }; } function WebGLAttributes( gl, capabilities ) { const isWebGL2 = capabilities.isWebGL2; const buffers = new WeakMap(); function createBuffer( attribute, bufferType ) { const array = attribute.array; const usage = attribute.usage; const buffer = gl.createBuffer(); gl.bindBuffer( bufferType, buffer ); gl.bufferData( bufferType, array, usage ); attribute.onUploadCallback(); let type; if ( array instanceof Float32Array ) { type = gl.FLOAT; } else if ( array instanceof Uint16Array ) { if ( attribute.isFloat16BufferAttribute ) { if ( isWebGL2 ) { type = gl.HALF_FLOAT; } else { throw new Error( "THREE.WebGLAttributes: Usage of Float16BufferAttribute requires WebGL2." ); } } else { type = gl.UNSIGNED_SHORT; } } else if ( array instanceof Int16Array ) { type = gl.SHORT; } else if ( array instanceof Uint32Array ) { type = gl.UNSIGNED_INT; } else if ( array instanceof Int32Array ) { type = gl.INT; } else if ( array instanceof Int8Array ) { type = gl.BYTE; } else if ( array instanceof Uint8Array ) { type = gl.UNSIGNED_BYTE; } else if ( array instanceof Uint8ClampedArray ) { type = gl.UNSIGNED_BYTE; } else { throw new Error( "THREE.WebGLAttributes: Unsupported buffer data format: " + array ); } return { buffer: buffer, type: type, bytesPerElement: array.BYTES_PER_ELEMENT, version: attribute.version }; } function updateBuffer( buffer, attribute, bufferType ) { const array = attribute.array; const updateRange = attribute.updateRange; gl.bindBuffer( bufferType, buffer ); if ( updateRange.count === - 1 ) { // Not using update ranges gl.bufferSubData( bufferType, 0, array ); } else { if ( isWebGL2 ) { gl.bufferSubData( bufferType, updateRange.offset * array.BYTES_PER_ELEMENT, array, updateRange.offset, updateRange.count ); } else { gl.bufferSubData( bufferType, updateRange.offset * array.BYTES_PER_ELEMENT, array.subarray( updateRange.offset, updateRange.offset + updateRange.count ) ); } updateRange.count = - 1; // reset range } attribute.onUploadCallback(); } // function get( attribute ) { if ( attribute.isInterleavedBufferAttribute ) attribute = attribute.data; return buffers.get( attribute ); } function remove( attribute ) { if ( attribute.isInterleavedBufferAttribute ) attribute = attribute.data; const data = buffers.get( attribute ); if ( data ) { gl.deleteBuffer( data.buffer ); buffers.delete( attribute ); } } function update( attribute, bufferType ) { if ( attribute.isGLBufferAttribute ) { const cached = buffers.get( attribute ); if ( ! cached || cached.version < attribute.version ) { buffers.set( attribute, { buffer: attribute.buffer, type: attribute.type, bytesPerElement: attribute.elementSize, version: attribute.version } ); } return; } if ( attribute.isInterleavedBufferAttribute ) attribute = attribute.data; const data = buffers.get( attribute ); if ( data === undefined ) { buffers.set( attribute, createBuffer( attribute, bufferType ) ); } else if ( data.version < attribute.version ) { updateBuffer( data.buffer, attribute, bufferType ); data.version = attribute.version; } } return { get: get, remove: remove, update: update }; } class PlaneGeometry extends BufferGeometry { constructor( width = 1, height = 1, widthSegments = 1, heightSegments = 1 ) { super(); this.type = "PlaneGeometry"; this.parameters = { width: width, height: height, widthSegments: widthSegments, heightSegments: heightSegments }; const width_half = width / 2; const height_half = height / 2; const gridX = Math.floor( widthSegments ); const gridY = Math.floor( heightSegments ); const gridX1 = gridX + 1; const gridY1 = gridY + 1; const segment_width = width / gridX; const segment_height = height / gridY; // const indices = []; const vertices = []; const normals = []; const uvs = []; for ( let iy = 0; iy < gridY1; iy ++ ) { const y = iy * segment_height - height_half; for ( let ix = 0; ix < gridX1; ix ++ ) { const x = ix * segment_width - width_half; vertices.push( x, - y, 0 ); normals.push( 0, 0, 1 ); uvs.push( ix / gridX ); uvs.push( 1 - ( iy / gridY ) ); } } for ( let iy = 0; iy < gridY; iy ++ ) { for ( let ix = 0; ix < gridX; ix ++ ) { const a = ix + gridX1 * iy; const b = ix + gridX1 * ( iy + 1 ); const c = ( ix + 1 ) + gridX1 * ( iy + 1 ); const d = ( ix + 1 ) + gridX1 * iy; indices.push( a, b, d ); indices.push( b, c, d ); } } this.setIndex( indices ); this.setAttribute( "position", new Float32BufferAttribute( vertices, 3 ) ); this.setAttribute( "normal", new Float32BufferAttribute( normals, 3 ) ); this.setAttribute( "uv", new Float32BufferAttribute( uvs, 2 ) ); } copy( source ) { super.copy( source ); this.parameters = Object.assign( {}, source.parameters ); return this; } static fromJSON( data ) { return new PlaneGeometry( data.width, data.height, data.widthSegments, data.heightSegments ); } } var alphamap_fragment = "#ifdef USE_ALPHAMAP diffuseColor.a *= texture2D( alphaMap, vAlphaMapUv ).g; #endif"; var alphamap_pars_fragment = "#ifdef USE_ALPHAMAP uniform sampler2D alphaMap; #endif"; var alphatest_fragment = "#ifdef USE_ALPHATEST if ( diffuseColor.a < alphaTest ) discard; #endif"; var alphatest_pars_fragment = "#ifdef USE_ALPHATEST uniform float alphaTest; #endif"; var aomap_fragment = "#ifdef USE_AOMAP float ambientOcclusion = ( texture2D( aoMap, vAoMapUv ).r - 1.0 ) * aoMapIntensity + 1.0; reflectedLight.indirectDiffuse *= ambientOcclusion; #if defined( USE_ENVMAP ) && defined( STANDARD ) float dotNV = saturate( dot( geometry.normal, geometry.viewDir ) ); reflectedLight.indirectSpecular *= computeSpecularOcclusion( dotNV, ambientOcclusion, material.roughness ); #endif #endif"; var aomap_pars_fragment = "#ifdef USE_AOMAP uniform sampler2D aoMap; uniform float aoMapIntensity; #endif"; var begin_vertex = "vec3 transformed = vec3( position );"; var beginnormal_vertex = "vec3 objectNormal = vec3( normal ); #ifdef USE_TANGENT vec3 objectTangent = vec3( tangent.xyz ); #endif"; var bsdfs = "float G_BlinnPhong_Implicit( ) { return 0.25; } float D_BlinnPhong( const in float shininess, const in float dotNH ) { return RECIPROCAL_PI * ( shininess * 0.5 + 1.0 ) * pow( dotNH, shininess ); } vec3 BRDF_BlinnPhong( const in vec3 lightDir, const in vec3 viewDir, const in vec3 normal, const in vec3 specularColor, const in float shininess ) { vec3 halfDir = normalize( lightDir + viewDir ); float dotNH = saturate( dot( normal, halfDir ) ); float dotVH = saturate( dot( viewDir, halfDir ) ); vec3 F = F_Schlick( specularColor, 1.0, dotVH ); float G = G_BlinnPhong_Implicit( ); float D = D_BlinnPhong( shininess, dotNH ); return F * ( G * D ); } // validated"; var iridescence_fragment = "#ifdef USE_IRIDESCENCE const mat3 XYZ_TO_REC709 = mat3( 3.2404542, -0.9692660, 0.0556434, -1.5371385, 1.8760108, -0.2040259, -0.4985314, 0.0415560, 1.0572252 ); vec3 Fresnel0ToIor( vec3 fresnel0 ) { vec3 sqrtF0 = sqrt( fresnel0 ); return ( vec3( 1.0 ) + sqrtF0 ) / ( vec3( 1.0 ) - sqrtF0 ); } vec3 IorToFresnel0( vec3 transmittedIor, float incidentIor ) { return pow2( ( transmittedIor - vec3( incidentIor ) ) / ( transmittedIor + vec3( incidentIor ) ) ); } float IorToFresnel0( float transmittedIor, float incidentIor ) { return pow2( ( transmittedIor - incidentIor ) / ( transmittedIor + incidentIor )); } vec3 evalSensitivity( float OPD, vec3 shift ) { float phase = 2.0 * PI * OPD * 1.0e-9; vec3 val = vec3( 5.4856e-13, 4.4201e-13, 5.2481e-13 ); vec3 pos = vec3( 1.6810e+06, 1.7953e+06, 2.2084e+06 ); vec3 var = vec3( 4.3278e+09, 9.3046e+09, 6.6121e+09 ); vec3 xyz = val * sqrt( 2.0 * PI * var ) * cos( pos * phase + shift ) * exp( - pow2( phase ) * var ); xyz.x += 9.7470e-14 * sqrt( 2.0 * PI * 4.5282e+09 ) * cos( 2.2399e+06 * phase + shift[ 0 ] ) * exp( - 4.5282e+09 * pow2( phase ) ); xyz /= 1.0685e-7; vec3 rgb = XYZ_TO_REC709 * xyz; return rgb; } vec3 evalIridescence( float outsideIOR, float eta2, float cosTheta1, float thinFilmThickness, vec3 baseF0 ) { vec3 I; float iridescenceIOR = mix( outsideIOR, eta2, smoothstep( 0.0, 0.03, thinFilmThickness ) ); float sinTheta2Sq = pow2( outsideIOR / iridescenceIOR ) * ( 1.0 - pow2( cosTheta1 ) ); float cosTheta2Sq = 1.0 - sinTheta2Sq; if ( cosTheta2Sq < 0.0 ) { return vec3( 1.0 ); } float cosTheta2 = sqrt( cosTheta2Sq ); float R0 = IorToFresnel0( iridescenceIOR, outsideIOR ); float R12 = F_Schlick( R0, 1.0, cosTheta1 ); float R21 = R12; float T121 = 1.0 - R12; float phi12 = 0.0; if ( iridescenceIOR < outsideIOR ) phi12 = PI; float phi21 = PI - phi12; vec3 baseIOR = Fresnel0ToIor( clamp( baseF0, 0.0, 0.9999 ) ); vec3 R1 = IorToFresnel0( baseIOR, iridescenceIOR ); vec3 R23 = F_Schlick( R1, 1.0, cosTheta2 ); vec3 phi23 = vec3( 0.0 ); if ( baseIOR[ 0 ] < iridescenceIOR ) phi23[ 0 ] = PI; if ( baseIOR[ 1 ] < iridescenceIOR ) phi23[ 1 ] = PI; if ( baseIOR[ 2 ] < iridescenceIOR ) phi23[ 2 ] = PI; float OPD = 2.0 * iridescenceIOR * thinFilmThickness * cosTheta2; vec3 phi = vec3( phi21 ) + phi23; vec3 R123 = clamp( R12 * R23, 1e-5, 0.9999 ); vec3 r123 = sqrt( R123 ); vec3 Rs = pow2( T121 ) * R23 / ( vec3( 1.0 ) - R123 ); vec3 C0 = R12 + Rs; I = C0; vec3 Cm = Rs - T121; for ( int m = 1; m <= 2; ++ m ) { Cm *= r123; vec3 Sm = 2.0 * evalSensitivity( float( m ) * OPD, float( m ) * phi ); I += Cm * Sm; } return max( I, vec3( 0.0 ) ); } #endif"; var bumpmap_pars_fragment = "#ifdef USE_BUMPMAP uniform sampler2D bumpMap; uniform float bumpScale; vec2 dHdxy_fwd() { vec2 dSTdx = dFdx( vBumpMapUv ); vec2 dSTdy = dFdy( vBumpMapUv ); float Hll = bumpScale * texture2D( bumpMap, vBumpMapUv ).x; float dBx = bumpScale * texture2D( bumpMap, vBumpMapUv + dSTdx ).x - Hll; float dBy = bumpScale * texture2D( bumpMap, vBumpMapUv + dSTdy ).x - Hll; return vec2( dBx, dBy ); } vec3 perturbNormalArb( vec3 surf_pos, vec3 surf_norm, vec2 dHdxy, float faceDirection ) { vec3 vSigmaX = dFdx( surf_pos.xyz ); vec3 vSigmaY = dFdy( surf_pos.xyz ); vec3 vN = surf_norm; vec3 R1 = cross( vSigmaY, vN ); vec3 R2 = cross( vN, vSigmaX ); float fDet = dot( vSigmaX, R1 ) * faceDirection; vec3 vGrad = sign( fDet ) * ( dHdxy.x * R1 + dHdxy.y * R2 ); return normalize( abs( fDet ) * surf_norm - vGrad ); } #endif"; var clipping_planes_fragment = "#if NUM_CLIPPING_PLANES > 0 vec4 plane; #pragma unroll_loop_start for ( int i = 0; i < UNION_CLIPPING_PLANES; i ++ ) { plane = clippingPlanes[ i ]; if ( dot( vClipPosition, plane.xyz ) > plane.w ) discard; } #pragma unroll_loop_end #if UNION_CLIPPING_PLANES < NUM_CLIPPING_PLANES bool clipped = true; #pragma unroll_loop_start for ( int i = UNION_CLIPPING_PLANES; i < NUM_CLIPPING_PLANES; i ++ ) { plane = clippingPlanes[ i ]; clipped = ( dot( vClipPosition, plane.xyz ) > plane.w ) && clipped; } #pragma unroll_loop_end if ( clipped ) discard; #endif #endif"; var clipping_planes_pars_fragment = "#if NUM_CLIPPING_PLANES > 0 varying vec3 vClipPosition; uniform vec4 clippingPlanes[ NUM_CLIPPING_PLANES ]; #endif"; var clipping_planes_pars_vertex = "#if NUM_CLIPPING_PLANES > 0 varying vec3 vClipPosition; #endif"; var clipping_planes_vertex = "#if NUM_CLIPPING_PLANES > 0 vClipPosition = - mvPosition.xyz; #endif"; var color_fragment = "#if defined( USE_COLOR_ALPHA ) diffuseColor *= vColor; #elif defined( USE_COLOR ) diffuseColor.rgb *= vColor; #endif"; var color_pars_fragment = "#if defined( USE_COLOR_ALPHA ) varying vec4 vColor; #elif defined( USE_COLOR ) varying vec3 vColor; #endif"; var color_pars_vertex = "#if defined( USE_COLOR_ALPHA ) varying vec4 vColor; #elif defined( USE_COLOR ) || defined( USE_INSTANCING_COLOR ) varying vec3 vColor; #endif"; var color_vertex = "#if defined( USE_COLOR_ALPHA ) vColor = vec4( 1.0 ); #elif defined( USE_COLOR ) || defined( USE_INSTANCING_COLOR ) vColor = vec3( 1.0 ); #endif #ifdef USE_COLOR vColor *= color; #endif #ifdef USE_INSTANCING_COLOR vColor.xyz *= instanceColor.xyz; #endif"; var common$2 = "#define PI 3.141592653589793 #define PI2 6.283185307179586 #define PI_HALF 1.5707963267948966 #define RECIPROCAL_PI 0.3183098861837907 #define RECIPROCAL_PI2 0.15915494309189535 #define EPSILON 1e-6 #ifndef saturate #define saturate( a ) clamp( a, 0.0, 1.0 ) #endif #define whiteComplement( a ) ( 1.0 - saturate( a ) ) float pow2( const in float x ) { return x*x; } vec3 pow2( const in vec3 x ) { return x*x; } float pow3( const in float x ) { return x*x*x; } float pow4( const in float x ) { float x2 = x*x; return x2*x2; } float max3( const in vec3 v ) { return max( max( v.x, v.y ), v.z ); } float average( const in vec3 v ) { return dot( v, vec3( 0.3333333 ) ); } highp float rand( const in vec2 uv ) { const highp float a = 12.9898, b = 78.233, c = 43758.5453; highp float dt = dot( uv.xy, vec2( a,b ) ), sn = mod( dt, PI ); return fract( sin( sn ) * c ); } #ifdef HIGH_PRECISION float precisionSafeLength( vec3 v ) { return length( v ); } #else float precisionSafeLength( vec3 v ) { float maxComponent = max3( abs( v ) ); return length( v / maxComponent ) * maxComponent; } #endif struct IncidentLight { vec3 color; vec3 direction; bool visible; }; struct ReflectedLight { vec3 directDiffuse; vec3 directSpecular; vec3 indirectDiffuse; vec3 indirectSpecular; }; struct GeometricContext { vec3 position; vec3 normal; vec3 viewDir; #ifdef USE_CLEARCOAT vec3 clearcoatNormal; #endif }; vec3 transformDirection( in vec3 dir, in mat4 matrix ) { return normalize( ( matrix * vec4( dir, 0.0 ) ).xyz ); } vec3 inverseTransformDirection( in vec3 dir, in mat4 matrix ) { return normalize( ( vec4( dir, 0.0 ) * matrix ).xyz ); } mat3 transposeMat3( const in mat3 m ) { mat3 tmp; tmp[ 0 ] = vec3( m[ 0 ].x, m[ 1 ].x, m[ 2 ].x ); tmp[ 1 ] = vec3( m[ 0 ].y, m[ 1 ].y, m[ 2 ].y ); tmp[ 2 ] = vec3( m[ 0 ].z, m[ 1 ].z, m[ 2 ].z ); return tmp; } float luminance( const in vec3 rgb ) { const vec3 weights = vec3( 0.2126729, 0.7151522, 0.0721750 ); return dot( weights, rgb ); } bool isPerspectiveMatrix( mat4 m ) { return m[ 2 ][ 3 ] == - 1.0; } vec2 equirectUv( in vec3 dir ) { float u = atan( dir.z, dir.x ) * RECIPROCAL_PI2 + 0.5; float v = asin( clamp( dir.y, - 1.0, 1.0 ) ) * RECIPROCAL_PI + 0.5; return vec2( u, v ); } vec3 BRDF_Lambert( const in vec3 diffuseColor ) { return RECIPROCAL_PI * diffuseColor; } vec3 F_Schlick( const in vec3 f0, const in float f90, const in float dotVH ) { float fresnel = exp2( ( - 5.55473 * dotVH - 6.98316 ) * dotVH ); return f0 * ( 1.0 - fresnel ) + ( f90 * fresnel ); } float F_Schlick( const in float f0, const in float f90, const in float dotVH ) { float fresnel = exp2( ( - 5.55473 * dotVH - 6.98316 ) * dotVH ); return f0 * ( 1.0 - fresnel ) + ( f90 * fresnel ); } // validated"; var cube_uv_reflection_fragment = "#ifdef ENVMAP_TYPE_CUBE_UV #define cubeUV_minMipLevel 4.0 #define cubeUV_minTileSize 16.0 float getFace( vec3 direction ) { vec3 absDirection = abs( direction ); float face = - 1.0; if ( absDirection.x > absDirection.z ) { if ( absDirection.x > absDirection.y ) face = direction.x > 0.0 ? 0.0 : 3.0; else face = direction.y > 0.0 ? 1.0 : 4.0; } else { if ( absDirection.z > absDirection.y ) face = direction.z > 0.0 ? 2.0 : 5.0; else face = direction.y > 0.0 ? 1.0 : 4.0; } return face; } vec2 getUV( vec3 direction, float face ) { vec2 uv; if ( face == 0.0 ) { uv = vec2( direction.z, direction.y ) / abs( direction.x ); } else if ( face == 1.0 ) { uv = vec2( - direction.x, - direction.z ) / abs( direction.y ); } else if ( face == 2.0 ) { uv = vec2( - direction.x, direction.y ) / abs( direction.z ); } else if ( face == 3.0 ) { uv = vec2( - direction.z, direction.y ) / abs( direction.x ); } else if ( face == 4.0 ) { uv = vec2( - direction.x, direction.z ) / abs( direction.y ); } else { uv = vec2( direction.x, direction.y ) / abs( direction.z ); } return 0.5 * ( uv + 1.0 ); } vec3 bilinearCubeUV( sampler2D envMap, vec3 direction, float mipInt ) { float face = getFace( direction ); float filterInt = max( cubeUV_minMipLevel - mipInt, 0.0 ); mipInt = max( mipInt, cubeUV_minMipLevel ); float faceSize = exp2( mipInt ); highp vec2 uv = getUV( direction, face ) * ( faceSize - 2.0 ) + 1.0; if ( face > 2.0 ) { uv.y += faceSize; face -= 3.0; } uv.x += face * faceSize; uv.x += filterInt * 3.0 * cubeUV_minTileSize; uv.y += 4.0 * ( exp2( CUBEUV_MAX_MIP ) - faceSize ); uv.x *= CUBEUV_TEXEL_WIDTH; uv.y *= CUBEUV_TEXEL_HEIGHT; #ifdef texture2DGradEXT return texture2DGradEXT( envMap, uv, vec2( 0.0 ), vec2( 0.0 ) ).rgb; #else return texture2D( envMap, uv ).rgb; #endif } #define cubeUV_r0 1.0 #define cubeUV_v0 0.339 #define cubeUV_m0 - 2.0 #define cubeUV_r1 0.8 #define cubeUV_v1 0.276 #define cubeUV_m1 - 1.0 #define cubeUV_r4 0.4 #define cubeUV_v4 0.046 #define cubeUV_m4 2.0 #define cubeUV_r5 0.305 #define cubeUV_v5 0.016 #define cubeUV_m5 3.0 #define cubeUV_r6 0.21 #define cubeUV_v6 0.0038 #define cubeUV_m6 4.0 float roughnessToMip( float roughness ) { float mip = 0.0; if ( roughness >= cubeUV_r1 ) { mip = ( cubeUV_r0 - roughness ) * ( cubeUV_m1 - cubeUV_m0 ) / ( cubeUV_r0 - cubeUV_r1 ) + cubeUV_m0; } else if ( roughness >= cubeUV_r4 ) { mip = ( cubeUV_r1 - roughness ) * ( cubeUV_m4 - cubeUV_m1 ) / ( cubeUV_r1 - cubeUV_r4 ) + cubeUV_m1; } else if ( roughness >= cubeUV_r5 ) { mip = ( cubeUV_r4 - roughness ) * ( cubeUV_m5 - cubeUV_m4 ) / ( cubeUV_r4 - cubeUV_r5 ) + cubeUV_m4; } else if ( roughness >= cubeUV_r6 ) { mip = ( cubeUV_r5 - roughness ) * ( cubeUV_m6 - cubeUV_m5 ) / ( cubeUV_r5 - cubeUV_r6 ) + cubeUV_m5; } else { mip = - 2.0 * log2( 1.16 * roughness ); } return mip; } vec4 textureCubeUV( sampler2D envMap, vec3 sampleDir, float roughness ) { float mip = clamp( roughnessToMip( roughness ), cubeUV_m0, CUBEUV_MAX_MIP ); float mipF = fract( mip ); float mipInt = floor( mip ); vec3 color0 = bilinearCubeUV( envMap, sampleDir, mipInt ); if ( mipF == 0.0 ) { return vec4( color0, 1.0 ); } else { vec3 color1 = bilinearCubeUV( envMap, sampleDir, mipInt + 1.0 ); return vec4( mix( color0, color1, mipF ), 1.0 ); } } #endif"; var defaultnormal_vertex = "vec3 transformedNormal = objectNormal; #ifdef USE_INSTANCING mat3 m = mat3( instanceMatrix ); transformedNormal /= vec3( dot( m[ 0 ], m[ 0 ] ), dot( m[ 1 ], m[ 1 ] ), dot( m[ 2 ], m[ 2 ] ) ); transformedNormal = m * transformedNormal; #endif transformedNormal = normalMatrix * transformedNormal; #ifdef FLIP_SIDED transformedNormal = - transformedNormal; #endif #ifdef USE_TANGENT vec3 transformedTangent = ( modelViewMatrix * vec4( objectTangent, 0.0 ) ).xyz; #ifdef FLIP_SIDED transformedTangent = - transformedTangent; #endif #endif"; var displacementmap_pars_vertex = "#ifdef USE_DISPLACEMENTMAP uniform sampler2D displacementMap; uniform float displacementScale; uniform float displacementBias; #endif"; var displacementmap_vertex = "#ifdef USE_DISPLACEMENTMAP transformed += normalize( objectNormal ) * ( texture2D( displacementMap, vDisplacementMapUv ).x * displacementScale + displacementBias ); #endif"; var emissivemap_fragment = "#ifdef USE_EMISSIVEMAP vec4 emissiveColor = texture2D( emissiveMap, vEmissiveMapUv ); totalEmissiveRadiance *= emissiveColor.rgb; #endif"; var emissivemap_pars_fragment = "#ifdef USE_EMISSIVEMAP uniform sampler2D emissiveMap; #endif"; var encodings_fragment = "gl_FragColor = linearToOutputTexel( gl_FragColor );"; var encodings_pars_fragment = "vec4 LinearToLinear( in vec4 value ) { return value; } vec4 LinearTosRGB( in vec4 value ) { return vec4( mix( pow( value.rgb, vec3( 0.41666 ) ) * 1.055 - vec3( 0.055 ), value.rgb * 12.92, vec3( lessThanEqual( value.rgb, vec3( 0.0031308 ) ) ) ), value.a ); }"; var envmap_fragment = "#ifdef USE_ENVMAP #ifdef ENV_WORLDPOS vec3 cameraToFrag; if ( isOrthographic ) { cameraToFrag = normalize( vec3( - viewMatrix[ 0 ][ 2 ], - viewMatrix[ 1 ][ 2 ], - viewMatrix[ 2 ][ 2 ] ) ); } else { cameraToFrag = normalize( vWorldPosition - cameraPosition ); } vec3 worldNormal = inverseTransformDirection( normal, viewMatrix ); #ifdef ENVMAP_MODE_REFLECTION vec3 reflectVec = reflect( cameraToFrag, worldNormal ); #else vec3 reflectVec = refract( cameraToFrag, worldNormal, refractionRatio ); #endif #else vec3 reflectVec = vReflect; #endif #ifdef ENVMAP_TYPE_CUBE vec4 envColor = textureCube( envMap, vec3( flipEnvMap * reflectVec.x, reflectVec.yz ) ); #else vec4 envColor = vec4( 0.0 ); #endif #ifdef ENVMAP_BLENDING_MULTIPLY outgoingLight = mix( outgoingLight, outgoingLight * envColor.xyz, specularStrength * reflectivity ); #elif defined( ENVMAP_BLENDING_MIX ) outgoingLight = mix( outgoingLight, envColor.xyz, specularStrength * reflectivity ); #elif defined( ENVMAP_BLENDING_ADD ) outgoingLight += envColor.xyz * specularStrength * reflectivity; #endif #endif"; var envmap_common_pars_fragment = "#ifdef USE_ENVMAP uniform float envMapIntensity; uniform float flipEnvMap; #ifdef ENVMAP_TYPE_CUBE uniform samplerCube envMap; #else uniform sampler2D envMap; #endif #endif"; var envmap_pars_fragment = "#ifdef USE_ENVMAP uniform float reflectivity; #if defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG ) || defined( LAMBERT ) #define ENV_WORLDPOS #endif #ifdef ENV_WORLDPOS varying vec3 vWorldPosition; uniform float refractionRatio; #else varying vec3 vReflect; #endif #endif"; var envmap_pars_vertex = "#ifdef USE_ENVMAP #if defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG ) || defined( LAMBERT ) #define ENV_WORLDPOS #endif #ifdef ENV_WORLDPOS varying vec3 vWorldPosition; #else varying vec3 vReflect; uniform float refractionRatio; #endif #endif"; var envmap_vertex = "#ifdef USE_ENVMAP #ifdef ENV_WORLDPOS vWorldPosition = worldPosition.xyz; #else vec3 cameraToVertex; if ( isOrthographic ) { cameraToVertex = normalize( vec3( - viewMatrix[ 0 ][ 2 ], - viewMatrix[ 1 ][ 2 ], - viewMatrix[ 2 ][ 2 ] ) ); } else { cameraToVertex = normalize( worldPosition.xyz - cameraPosition ); } vec3 worldNormal = inverseTransformDirection( transformedNormal, viewMatrix ); #ifdef ENVMAP_MODE_REFLECTION vReflect = reflect( cameraToVertex, worldNormal ); #else vReflect = refract( cameraToVertex, worldNormal, refractionRatio ); #endif #endif #endif"; var fog_vertex = "#ifdef USE_FOG vFogDepth = - mvPosition.z; #endif"; var fog_pars_vertex = "#ifdef USE_FOG varying float vFogDepth; #endif"; var fog_fragment = "#ifdef USE_FOG #ifdef FOG_EXP2 float fogFactor = 1.0 - exp( - fogDensity * fogDensity * vFogDepth * vFogDepth ); #else float fogFactor = smoothstep( fogNear, fogFar, vFogDepth ); #endif gl_FragColor.rgb = mix( gl_FragColor.rgb, fogColor, fogFactor ); #endif"; var fog_pars_fragment = "#ifdef USE_FOG uniform vec3 fogColor; varying float vFogDepth; #ifdef FOG_EXP2 uniform float fogDensity; #else uniform float fogNear; uniform float fogFar; #endif #endif"; var gradientmap_pars_fragment = "#ifdef USE_GRADIENTMAP uniform sampler2D gradientMap; #endif vec3 getGradientIrradiance( vec3 normal, vec3 lightDirection ) { float dotNL = dot( normal, lightDirection ); vec2 coord = vec2( dotNL * 0.5 + 0.5, 0.0 ); #ifdef USE_GRADIENTMAP return vec3( texture2D( gradientMap, coord ).r ); #else vec2 fw = fwidth( coord ) * 0.5; return mix( vec3( 0.7 ), vec3( 1.0 ), smoothstep( 0.7 - fw.x, 0.7 + fw.x, coord.x ) ); #endif }"; var lightmap_fragment = "#ifdef USE_LIGHTMAP vec4 lightMapTexel = texture2D( lightMap, vLightMapUv ); vec3 lightMapIrradiance = lightMapTexel.rgb * lightMapIntensity; reflectedLight.indirectDiffuse += lightMapIrradiance; #endif"; var lightmap_pars_fragment = "#ifdef USE_LIGHTMAP uniform sampler2D lightMap; uniform float lightMapIntensity; #endif"; var lights_lambert_fragment = "LambertMaterial material; material.diffuseColor = diffuseColor.rgb; material.specularStrength = specularStrength;"; var lights_lambert_pars_fragment = "varying vec3 vViewPosition; struct LambertMaterial { vec3 diffuseColor; float specularStrength; }; void RE_Direct_Lambert( const in IncidentLight directLight, const in GeometricContext geometry, const in LambertMaterial material, inout ReflectedLight reflectedLight ) { float dotNL = saturate( dot( geometry.normal, directLight.direction ) ); vec3 irradiance = dotNL * directLight.color; reflectedLight.directDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } void RE_IndirectDiffuse_Lambert( const in vec3 irradiance, const in GeometricContext geometry, const in LambertMaterial material, inout ReflectedLight reflectedLight ) { reflectedLight.indirectDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } #define RE_Direct RE_Direct_Lambert #define RE_IndirectDiffuse RE_IndirectDiffuse_Lambert"; var lights_pars_begin = "uniform bool receiveShadow; uniform vec3 ambientLightColor; uniform vec3 lightProbe[ 9 ]; vec3 shGetIrradianceAt( in vec3 normal, in vec3 shCoefficients[ 9 ] ) { float x = normal.x, y = normal.y, z = normal.z; vec3 result = shCoefficients[ 0 ] * 0.886227; result += shCoefficients[ 1 ] * 2.0 * 0.511664 * y; result += shCoefficients[ 2 ] * 2.0 * 0.511664 * z; result += shCoefficients[ 3 ] * 2.0 * 0.511664 * x; result += shCoefficients[ 4 ] * 2.0 * 0.429043 * x * y; result += shCoefficients[ 5 ] * 2.0 * 0.429043 * y * z; result += shCoefficients[ 6 ] * ( 0.743125 * z * z - 0.247708 ); result += shCoefficients[ 7 ] * 2.0 * 0.429043 * x * z; result += shCoefficients[ 8 ] * 0.429043 * ( x * x - y * y ); return result; } vec3 getLightProbeIrradiance( const in vec3 lightProbe[ 9 ], const in vec3 normal ) { vec3 worldNormal = inverseTransformDirection( normal, viewMatrix ); vec3 irradiance = shGetIrradianceAt( worldNormal, lightProbe ); return irradiance; } vec3 getAmbientLightIrradiance( const in vec3 ambientLightColor ) { vec3 irradiance = ambientLightColor; return irradiance; } float getDistanceAttenuation( const in float lightDistance, const in float cutoffDistance, const in float decayExponent ) { #if defined ( LEGACY_LIGHTS ) if ( cutoffDistance > 0.0 && decayExponent > 0.0 ) { return pow( saturate( - lightDistance / cutoffDistance + 1.0 ), decayExponent ); } return 1.0; #else float distanceFalloff = 1.0 / max( pow( lightDistance, decayExponent ), 0.01 ); if ( cutoffDistance > 0.0 ) { distanceFalloff *= pow2( saturate( 1.0 - pow4( lightDistance / cutoffDistance ) ) ); } return distanceFalloff; #endif } float getSpotAttenuation( const in float coneCosine, const in float penumbraCosine, const in float angleCosine ) { return smoothstep( coneCosine, penumbraCosine, angleCosine ); } #if NUM_DIR_LIGHTS > 0 struct DirectionalLight { vec3 direction; vec3 color; }; uniform DirectionalLight directionalLights[ NUM_DIR_LIGHTS ]; void getDirectionalLightInfo( const in DirectionalLight directionalLight, const in GeometricContext geometry, out IncidentLight light ) { light.color = directionalLight.color; light.direction = directionalLight.direction; light.visible = true; } #endif #if NUM_POINT_LIGHTS > 0 struct PointLight { vec3 position; vec3 color; float distance; float decay; }; uniform PointLight pointLights[ NUM_POINT_LIGHTS ]; void getPointLightInfo( const in PointLight pointLight, const in GeometricContext geometry, out IncidentLight light ) { vec3 lVector = pointLight.position - geometry.position; light.direction = normalize( lVector ); float lightDistance = length( lVector ); light.color = pointLight.color; light.color *= getDistanceAttenuation( lightDistance, pointLight.distance, pointLight.decay ); light.visible = ( light.color != vec3( 0.0 ) ); } #endif #if NUM_SPOT_LIGHTS > 0 struct SpotLight { vec3 position; vec3 direction; vec3 color; float distance; float decay; float coneCos; float penumbraCos; }; uniform SpotLight spotLights[ NUM_SPOT_LIGHTS ]; void getSpotLightInfo( const in SpotLight spotLight, const in GeometricContext geometry, out IncidentLight light ) { vec3 lVector = spotLight.position - geometry.position; light.direction = normalize( lVector ); float angleCos = dot( light.direction, spotLight.direction ); float spotAttenuation = getSpotAttenuation( spotLight.coneCos, spotLight.penumbraCos, angleCos ); if ( spotAttenuation > 0.0 ) { float lightDistance = length( lVector ); light.color = spotLight.color * spotAttenuation; light.color *= getDistanceAttenuation( lightDistance, spotLight.distance, spotLight.decay ); light.visible = ( light.color != vec3( 0.0 ) ); } else { light.color = vec3( 0.0 ); light.visible = false; } } #endif #if NUM_RECT_AREA_LIGHTS > 0 struct RectAreaLight { vec3 color; vec3 position; vec3 halfWidth; vec3 halfHeight; }; uniform sampler2D ltc_1; uniform sampler2D ltc_2; uniform RectAreaLight rectAreaLights[ NUM_RECT_AREA_LIGHTS ]; #endif #if NUM_HEMI_LIGHTS > 0 struct HemisphereLight { vec3 direction; vec3 skyColor; vec3 groundColor; }; uniform HemisphereLight hemisphereLights[ NUM_HEMI_LIGHTS ]; vec3 getHemisphereLightIrradiance( const in HemisphereLight hemiLight, const in vec3 normal ) { float dotNL = dot( normal, hemiLight.direction ); float hemiDiffuseWeight = 0.5 * dotNL + 0.5; vec3 irradiance = mix( hemiLight.groundColor, hemiLight.skyColor, hemiDiffuseWeight ); return irradiance; } #endif"; var envmap_physical_pars_fragment = "#if defined( USE_ENVMAP ) vec3 getIBLIrradiance( const in vec3 normal ) { #if defined( ENVMAP_TYPE_CUBE_UV ) vec3 worldNormal = inverseTransformDirection( normal, viewMatrix ); vec4 envMapColor = textureCubeUV( envMap, worldNormal, 1.0 ); return PI * envMapColor.rgb * envMapIntensity; #else return vec3( 0.0 ); #endif } vec3 getIBLRadiance( const in vec3 viewDir, const in vec3 normal, const in float roughness ) { #if defined( ENVMAP_TYPE_CUBE_UV ) vec3 reflectVec = reflect( - viewDir, normal ); reflectVec = normalize( mix( reflectVec, normal, roughness * roughness) ); reflectVec = inverseTransformDirection( reflectVec, viewMatrix ); vec4 envMapColor = textureCubeUV( envMap, reflectVec, roughness ); return envMapColor.rgb * envMapIntensity; #else return vec3( 0.0 ); #endif } #endif"; var lights_toon_fragment = "ToonMaterial material; material.diffuseColor = diffuseColor.rgb;"; var lights_toon_pars_fragment = "varying vec3 vViewPosition; struct ToonMaterial { vec3 diffuseColor; }; void RE_Direct_Toon( const in IncidentLight directLight, const in GeometricContext geometry, const in ToonMaterial material, inout ReflectedLight reflectedLight ) { vec3 irradiance = getGradientIrradiance( geometry.normal, directLight.direction ) * directLight.color; reflectedLight.directDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } void RE_IndirectDiffuse_Toon( const in vec3 irradiance, const in GeometricContext geometry, const in ToonMaterial material, inout ReflectedLight reflectedLight ) { reflectedLight.indirectDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } #define RE_Direct RE_Direct_Toon #define RE_IndirectDiffuse RE_IndirectDiffuse_Toon"; var lights_phong_fragment = "BlinnPhongMaterial material; material.diffuseColor = diffuseColor.rgb; material.specularColor = specular; material.specularShininess = shininess; material.specularStrength = specularStrength;"; var lights_phong_pars_fragment = "varying vec3 vViewPosition; struct BlinnPhongMaterial { vec3 diffuseColor; vec3 specularColor; float specularShininess; float specularStrength; }; void RE_Direct_BlinnPhong( const in IncidentLight directLight, const in GeometricContext geometry, const in BlinnPhongMaterial material, inout ReflectedLight reflectedLight ) { float dotNL = saturate( dot( geometry.normal, directLight.direction ) ); vec3 irradiance = dotNL * directLight.color; reflectedLight.directDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); reflectedLight.directSpecular += irradiance * BRDF_BlinnPhong( directLight.direction, geometry.viewDir, geometry.normal, material.specularColor, material.specularShininess ) * material.specularStrength; } void RE_IndirectDiffuse_BlinnPhong( const in vec3 irradiance, const in GeometricContext geometry, const in BlinnPhongMaterial material, inout ReflectedLight reflectedLight ) { reflectedLight.indirectDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } #define RE_Direct RE_Direct_BlinnPhong #define RE_IndirectDiffuse RE_IndirectDiffuse_BlinnPhong"; var lights_physical_fragment = "PhysicalMaterial material; material.diffuseColor = diffuseColor.rgb * ( 1.0 - metalnessFactor ); vec3 dxy = max( abs( dFdx( geometryNormal ) ), abs( dFdy( geometryNormal ) ) ); float geometryRoughness = max( max( dxy.x, dxy.y ), dxy.z ); material.roughness = max( roughnessFactor, 0.0525 );material.roughness += geometryRoughness; material.roughness = min( material.roughness, 1.0 ); #ifdef IOR material.ior = ior; #ifdef USE_SPECULAR float specularIntensityFactor = specularIntensity; vec3 specularColorFactor = specularColor; #ifdef USE_SPECULAR_COLORMAP specularColorFactor *= texture2D( specularColorMap, vSpecularColorMapUv ).rgb; #endif #ifdef USE_SPECULAR_INTENSITYMAP specularIntensityFactor *= texture2D( specularIntensityMap, vSpecularIntensityMapUv ).a; #endif material.specularF90 = mix( specularIntensityFactor, 1.0, metalnessFactor ); #else float specularIntensityFactor = 1.0; vec3 specularColorFactor = vec3( 1.0 ); material.specularF90 = 1.0; #endif material.specularColor = mix( min( pow2( ( material.ior - 1.0 ) / ( material.ior + 1.0 ) ) * specularColorFactor, vec3( 1.0 ) ) * specularIntensityFactor, diffuseColor.rgb, metalnessFactor ); #else material.specularColor = mix( vec3( 0.04 ), diffuseColor.rgb, metalnessFactor ); material.specularF90 = 1.0; #endif #ifdef USE_CLEARCOAT material.clearcoat = clearcoat; material.clearcoatRoughness = clearcoatRoughness; material.clearcoatF0 = vec3( 0.04 ); material.clearcoatF90 = 1.0; #ifdef USE_CLEARCOATMAP material.clearcoat *= texture2D( clearcoatMap, vClearcoatMapUv ).x; #endif #ifdef USE_CLEARCOAT_ROUGHNESSMAP material.clearcoatRoughness *= texture2D( clearcoatRoughnessMap, vClearcoatRoughnessMapUv ).y; #endif material.clearcoat = saturate( material.clearcoat ); material.clearcoatRoughness = max( material.clearcoatRoughness, 0.0525 ); material.clearcoatRoughness += geometryRoughness; material.clearcoatRoughness = min( material.clearcoatRoughness, 1.0 ); #endif #ifdef USE_IRIDESCENCE material.iridescence = iridescence; material.iridescenceIOR = iridescenceIOR; #ifdef USE_IRIDESCENCEMAP material.iridescence *= texture2D( iridescenceMap, vIridescenceMapUv ).r; #endif #ifdef USE_IRIDESCENCE_THICKNESSMAP material.iridescenceThickness = (iridescenceThicknessMaximum - iridescenceThicknessMinimum) * texture2D( iridescenceThicknessMap, vIridescenceThicknessMapUv ).g + iridescenceThicknessMinimum; #else material.iridescenceThickness = iridescenceThicknessMaximum; #endif #endif #ifdef USE_SHEEN material.sheenColor = sheenColor; #ifdef USE_SHEEN_COLORMAP material.sheenColor *= texture2D( sheenColorMap, vSheenColorMapUv ).rgb; #endif material.sheenRoughness = clamp( sheenRoughness, 0.07, 1.0 ); #ifdef USE_SHEEN_ROUGHNESSMAP material.sheenRoughness *= texture2D( sheenRoughnessMap, vSheenRoughnessMapUv ).a; #endif #endif"; var lights_physical_pars_fragment = "struct PhysicalMaterial { vec3 diffuseColor; float roughness; vec3 specularColor; float specularF90; #ifdef USE_CLEARCOAT float clearcoat; float clearcoatRoughness; vec3 clearcoatF0; float clearcoatF90; #endif #ifdef USE_IRIDESCENCE float iridescence; float iridescenceIOR; float iridescenceThickness; vec3 iridescenceFresnel; vec3 iridescenceF0; #endif #ifdef USE_SHEEN vec3 sheenColor; float sheenRoughness; #endif #ifdef IOR float ior; #endif #ifdef USE_TRANSMISSION float transmission; float transmissionAlpha; float thickness; float attenuationDistance; vec3 attenuationColor; #endif }; vec3 clearcoatSpecular = vec3( 0.0 ); vec3 sheenSpecular = vec3( 0.0 ); vec3 Schlick_to_F0( const in vec3 f, const in float f90, const in float dotVH ) { float x = clamp( 1.0 - dotVH, 0.0, 1.0 ); float x2 = x * x; float x5 = clamp( x * x2 * x2, 0.0, 0.9999 ); return ( f - vec3( f90 ) * x5 ) / ( 1.0 - x5 ); } float V_GGX_SmithCorrelated( const in float alpha, const in float dotNL, const in float dotNV ) { float a2 = pow2( alpha ); float gv = dotNL * sqrt( a2 + ( 1.0 - a2 ) * pow2( dotNV ) ); float gl = dotNV * sqrt( a2 + ( 1.0 - a2 ) * pow2( dotNL ) ); return 0.5 / max( gv + gl, EPSILON ); } float D_GGX( const in float alpha, const in float dotNH ) { float a2 = pow2( alpha ); float denom = pow2( dotNH ) * ( a2 - 1.0 ) + 1.0; return RECIPROCAL_PI * a2 / pow2( denom ); } #ifdef USE_CLEARCOAT vec3 BRDF_GGX_Clearcoat( const in vec3 lightDir, const in vec3 viewDir, const in vec3 normal, const in PhysicalMaterial material) { vec3 f0 = material.clearcoatF0; float f90 = material.clearcoatF90; float roughness = material.clearcoatRoughness; float alpha = pow2( roughness ); vec3 halfDir = normalize( lightDir + viewDir ); float dotNL = saturate( dot( normal, lightDir ) ); float dotNV = saturate( dot( normal, viewDir ) ); float dotNH = saturate( dot( normal, halfDir ) ); float dotVH = saturate( dot( viewDir, halfDir ) ); vec3 F = F_Schlick( f0, f90, dotVH ); float V = V_GGX_SmithCorrelated( alpha, dotNL, dotNV ); float D = D_GGX( alpha, dotNH ); return F * ( V * D ); } #endif vec3 BRDF_GGX( const in vec3 lightDir, const in vec3 viewDir, const in vec3 normal, const in PhysicalMaterial material ) { vec3 f0 = material.specularColor; float f90 = material.specularF90; float roughness = material.roughness; float alpha = pow2( roughness ); vec3 halfDir = normalize( lightDir + viewDir ); float dotNL = saturate( dot( normal, lightDir ) ); float dotNV = saturate( dot( normal, viewDir ) ); float dotNH = saturate( dot( normal, halfDir ) ); float dotVH = saturate( dot( viewDir, halfDir ) ); vec3 F = F_Schlick( f0, f90, dotVH ); #ifdef USE_IRIDESCENCE F = mix( F, material.iridescenceFresnel, material.iridescence ); #endif float V = V_GGX_SmithCorrelated( alpha, dotNL, dotNV ); float D = D_GGX( alpha, dotNH ); return F * ( V * D ); } vec2 LTC_Uv( const in vec3 N, const in vec3 V, const in float roughness ) { const float LUT_SIZE = 64.0; const float LUT_SCALE = ( LUT_SIZE - 1.0 ) / LUT_SIZE; const float LUT_BIAS = 0.5 / LUT_SIZE; float dotNV = saturate( dot( N, V ) ); vec2 uv = vec2( roughness, sqrt( 1.0 - dotNV ) ); uv = uv * LUT_SCALE + LUT_BIAS; return uv; } float LTC_ClippedSphereFormFactor( const in vec3 f ) { float l = length( f ); return max( ( l * l + f.z ) / ( l + 1.0 ), 0.0 ); } vec3 LTC_EdgeVectorFormFactor( const in vec3 v1, const in vec3 v2 ) { float x = dot( v1, v2 ); float y = abs( x ); float a = 0.8543985 + ( 0.4965155 + 0.0145206 * y ) * y; float b = 3.4175940 + ( 4.1616724 + y ) * y; float v = a / b; float theta_sintheta = ( x > 0.0 ) ? v : 0.5 * inversesqrt( max( 1.0 - x * x, 1e-7 ) ) - v; return cross( v1, v2 ) * theta_sintheta; } vec3 LTC_Evaluate( const in vec3 N, const in vec3 V, const in vec3 P, const in mat3 mInv, const in vec3 rectCoords[ 4 ] ) { vec3 v1 = rectCoords[ 1 ] - rectCoords[ 0 ]; vec3 v2 = rectCoords[ 3 ] - rectCoords[ 0 ]; vec3 lightNormal = cross( v1, v2 ); if( dot( lightNormal, P - rectCoords[ 0 ] ) < 0.0 ) return vec3( 0.0 ); vec3 T1, T2; T1 = normalize( V - N * dot( V, N ) ); T2 = - cross( N, T1 ); mat3 mat = mInv * transposeMat3( mat3( T1, T2, N ) ); vec3 coords[ 4 ]; coords[ 0 ] = mat * ( rectCoords[ 0 ] - P ); coords[ 1 ] = mat * ( rectCoords[ 1 ] - P ); coords[ 2 ] = mat * ( rectCoords[ 2 ] - P ); coords[ 3 ] = mat * ( rectCoords[ 3 ] - P ); coords[ 0 ] = normalize( coords[ 0 ] ); coords[ 1 ] = normalize( coords[ 1 ] ); coords[ 2 ] = normalize( coords[ 2 ] ); coords[ 3 ] = normalize( coords[ 3 ] ); vec3 vectorFormFactor = vec3( 0.0 ); vectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 0 ], coords[ 1 ] ); vectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 1 ], coords[ 2 ] ); vectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 2 ], coords[ 3 ] ); vectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 3 ], coords[ 0 ] ); float result = LTC_ClippedSphereFormFactor( vectorFormFactor ); return vec3( result ); } #if defined( USE_SHEEN ) float D_Charlie( float roughness, float dotNH ) { float alpha = pow2( roughness ); float invAlpha = 1.0 / alpha; float cos2h = dotNH * dotNH; float sin2h = max( 1.0 - cos2h, 0.0078125 ); return ( 2.0 + invAlpha ) * pow( sin2h, invAlpha * 0.5 ) / ( 2.0 * PI ); } float V_Neubelt( float dotNV, float dotNL ) { return saturate( 1.0 / ( 4.0 * ( dotNL + dotNV - dotNL * dotNV ) ) ); } vec3 BRDF_Sheen( const in vec3 lightDir, const in vec3 viewDir, const in vec3 normal, vec3 sheenColor, const in float sheenRoughness ) { vec3 halfDir = normalize( lightDir + viewDir ); float dotNL = saturate( dot( normal, lightDir ) ); float dotNV = saturate( dot( normal, viewDir ) ); float dotNH = saturate( dot( normal, halfDir ) ); float D = D_Charlie( sheenRoughness, dotNH ); float V = V_Neubelt( dotNV, dotNL ); return sheenColor * ( D * V ); } #endif float IBLSheenBRDF( const in vec3 normal, const in vec3 viewDir, const in float roughness ) { float dotNV = saturate( dot( normal, viewDir ) ); float r2 = roughness * roughness; float a = roughness < 0.25 ? -339.2 * r2 + 161.4 * roughness - 25.9 : -8.48 * r2 + 14.3 * roughness - 9.95; float b = roughness < 0.25 ? 44.0 * r2 - 23.7 * roughness + 3.26 : 1.97 * r2 - 3.27 * roughness + 0.72; float DG = exp( a * dotNV + b ) + ( roughness < 0.25 ? 0.0 : 0.1 * ( roughness - 0.25 ) ); return saturate( DG * RECIPROCAL_PI ); } vec2 DFGApprox( const in vec3 normal, const in vec3 viewDir, const in float roughness ) { float dotNV = saturate( dot( normal, viewDir ) ); const vec4 c0 = vec4( - 1, - 0.0275, - 0.572, 0.022 ); const vec4 c1 = vec4( 1, 0.0425, 1.04, - 0.04 ); vec4 r = roughness * c0 + c1; float a004 = min( r.x * r.x, exp2( - 9.28 * dotNV ) ) * r.x + r.y; vec2 fab = vec2( - 1.04, 1.04 ) * a004 + r.zw; return fab; } vec3 EnvironmentBRDF( const in vec3 normal, const in vec3 viewDir, const in vec3 specularColor, const in float specularF90, const in float roughness ) { vec2 fab = DFGApprox( normal, viewDir, roughness ); return specularColor * fab.x + specularF90 * fab.y; } #ifdef USE_IRIDESCENCE void computeMultiscatteringIridescence( const in vec3 normal, const in vec3 viewDir, const in vec3 specularColor, const in float specularF90, const in float iridescence, const in vec3 iridescenceF0, const in float roughness, inout vec3 singleScatter, inout vec3 multiScatter ) { #else void computeMultiscattering( const in vec3 normal, const in vec3 viewDir, const in vec3 specularColor, const in float specularF90, const in float roughness, inout vec3 singleScatter, inout vec3 multiScatter ) { #endif vec2 fab = DFGApprox( normal, viewDir, roughness ); #ifdef USE_IRIDESCENCE vec3 Fr = mix( specularColor, iridescenceF0, iridescence ); #else vec3 Fr = specularColor; #endif vec3 FssEss = Fr * fab.x + specularF90 * fab.y; float Ess = fab.x + fab.y; float Ems = 1.0 - Ess; vec3 Favg = Fr + ( 1.0 - Fr ) * 0.047619; vec3 Fms = FssEss * Favg / ( 1.0 - Ems * Favg ); singleScatter += FssEss; multiScatter += Fms * Ems; } #if NUM_RECT_AREA_LIGHTS > 0 void RE_Direct_RectArea_Physical( const in RectAreaLight rectAreaLight, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) { vec3 normal = geometry.normal; vec3 viewDir = geometry.viewDir; vec3 position = geometry.position; vec3 lightPos = rectAreaLight.position; vec3 halfWidth = rectAreaLight.halfWidth; vec3 halfHeight = rectAreaLight.halfHeight; vec3 lightColor = rectAreaLight.color; float roughness = material.roughness; vec3 rectCoords[ 4 ]; rectCoords[ 0 ] = lightPos + halfWidth - halfHeight; rectCoords[ 1 ] = lightPos - halfWidth - halfHeight; rectCoords[ 2 ] = lightPos - halfWidth + halfHeight; rectCoords[ 3 ] = lightPos + halfWidth + halfHeight; vec2 uv = LTC_Uv( normal, viewDir, roughness ); vec4 t1 = texture2D( ltc_1, uv ); vec4 t2 = texture2D( ltc_2, uv ); mat3 mInv = mat3( vec3( t1.x, 0, t1.y ), vec3( 0, 1, 0 ), vec3( t1.z, 0, t1.w ) ); vec3 fresnel = ( material.specularColor * t2.x + ( vec3( 1.0 ) - material.specularColor ) * t2.y ); reflectedLight.directSpecular += lightColor * fresnel * LTC_Evaluate( normal, viewDir, position, mInv, rectCoords ); reflectedLight.directDiffuse += lightColor * material.diffuseColor * LTC_Evaluate( normal, viewDir, position, mat3( 1.0 ), rectCoords ); } #endif void RE_Direct_Physical( const in IncidentLight directLight, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) { float dotNL = saturate( dot( geometry.normal, directLight.direction ) ); vec3 irradiance = dotNL * directLight.color; #ifdef USE_CLEARCOAT float dotNLcc = saturate( dot( geometry.clearcoatNormal, directLight.direction ) ); vec3 ccIrradiance = dotNLcc * directLight.color; clearcoatSpecular += ccIrradiance * BRDF_GGX_Clearcoat( directLight.direction, geometry.viewDir, geometry.clearcoatNormal, material ); #endif #ifdef USE_SHEEN sheenSpecular += irradiance * BRDF_Sheen( directLight.direction, geometry.viewDir, geometry.normal, material.sheenColor, material.sheenRoughness ); #endif reflectedLight.directSpecular += irradiance * BRDF_GGX( directLight.direction, geometry.viewDir, geometry.normal, material ); reflectedLight.directDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } void RE_IndirectDiffuse_Physical( const in vec3 irradiance, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) { reflectedLight.indirectDiffuse += irradiance * BRDF_Lambert( material.diffuseColor ); } void RE_IndirectSpecular_Physical( const in vec3 radiance, const in vec3 irradiance, const in vec3 clearcoatRadiance, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight) { #ifdef USE_CLEARCOAT clearcoatSpecular += clearcoatRadiance * EnvironmentBRDF( geometry.clearcoatNormal, geometry.viewDir, material.clearcoatF0, material.clearcoatF90, material.clearcoatRoughness ); #endif #ifdef USE_SHEEN sheenSpecular += irradiance * material.sheenColor * IBLSheenBRDF( geometry.normal, geometry.viewDir, material.sheenRoughness ); #endif vec3 singleScattering = vec3( 0.0 ); vec3 multiScattering = vec3( 0.0 ); vec3 cosineWeightedIrradiance = irradiance * RECIPROCAL_PI; #ifdef USE_IRIDESCENCE computeMultiscatteringIridescence( geometry.normal, geometry.viewDir, material.specularColor, material.specularF90, material.iridescence, material.iridescenceFresnel, material.roughness, singleScattering, multiScattering ); #else computeMultiscattering( geometry.normal, geometry.viewDir, material.specularColor, material.specularF90, material.roughness, singleScattering, multiScattering ); #endif vec3 totalScattering = singleScattering + multiScattering; vec3 diffuse = material.diffuseColor * ( 1.0 - max( max( totalScattering.r, totalScattering.g ), totalScattering.b ) ); reflectedLight.indirectSpecular += radiance * singleScattering; reflectedLight.indirectSpecular += multiScattering * cosineWeightedIrradiance; reflectedLight.indirectDiffuse += diffuse * cosineWeightedIrradiance; } #define RE_Direct RE_Direct_Physical #define RE_Direct_RectArea RE_Direct_RectArea_Physical #define RE_IndirectDiffuse RE_IndirectDiffuse_Physical #define RE_IndirectSpecular RE_IndirectSpecular_Physical float computeSpecularOcclusion( const in float dotNV, const in float ambientOcclusion, const in float roughness ) { return saturate( pow( dotNV + ambientOcclusion, exp2( - 16.0 * roughness - 1.0 ) ) - 1.0 + ambientOcclusion ); }"; var lights_fragment_begin = " GeometricContext geometry; geometry.position = - vViewPosition; geometry.normal = normal; geometry.viewDir = ( isOrthographic ) ? vec3( 0, 0, 1 ) : normalize( vViewPosition ); #ifdef USE_CLEARCOAT geometry.clearcoatNormal = clearcoatNormal; #endif #ifdef USE_IRIDESCENCE float dotNVi = saturate( dot( normal, geometry.viewDir ) ); if ( material.iridescenceThickness == 0.0 ) { material.iridescence = 0.0; } else { material.iridescence = saturate( material.iridescence ); } if ( material.iridescence > 0.0 ) { material.iridescenceFresnel = evalIridescence( 1.0, material.iridescenceIOR, dotNVi, material.iridescenceThickness, material.specularColor ); material.iridescenceF0 = Schlick_to_F0( material.iridescenceFresnel, 1.0, dotNVi ); } #endif IncidentLight directLight; #if ( NUM_POINT_LIGHTS > 0 ) && defined( RE_Direct ) PointLight pointLight; #if defined( USE_SHADOWMAP ) && NUM_POINT_LIGHT_SHADOWS > 0 PointLightShadow pointLightShadow; #endif #pragma unroll_loop_start for ( int i = 0; i < NUM_POINT_LIGHTS; i ++ ) { pointLight = pointLights[ i ]; getPointLightInfo( pointLight, geometry, directLight ); #if defined( USE_SHADOWMAP ) && ( UNROLLED_LOOP_INDEX < NUM_POINT_LIGHT_SHADOWS ) pointLightShadow = pointLightShadows[ i ]; directLight.color *= ( directLight.visible && receiveShadow ) ? getPointShadow( pointShadowMap[ i ], pointLightShadow.shadowMapSize, pointLightShadow.shadowBias, pointLightShadow.shadowRadius, vPointShadowCoord[ i ], pointLightShadow.shadowCameraNear, pointLightShadow.shadowCameraFar ) : 1.0; #endif RE_Direct( directLight, geometry, material, reflectedLight ); } #pragma unroll_loop_end #endif #if ( NUM_SPOT_LIGHTS > 0 ) && defined( RE_Direct ) SpotLight spotLight; vec4 spotColor; vec3 spotLightCoord; bool inSpotLightMap; #if defined( USE_SHADOWMAP ) && NUM_SPOT_LIGHT_SHADOWS > 0 SpotLightShadow spotLightShadow; #endif #pragma unroll_loop_start for ( int i = 0; i < NUM_SPOT_LIGHTS; i ++ ) { spotLight = spotLights[ i ]; getSpotLightInfo( spotLight, geometry, directLight ); #if ( UNROLLED_LOOP_INDEX < NUM_SPOT_LIGHT_SHADOWS_WITH_MAPS ) #define SPOT_LIGHT_MAP_INDEX UNROLLED_LOOP_INDEX #elif ( UNROLLED_LOOP_INDEX < NUM_SPOT_LIGHT_SHADOWS ) #define SPOT_LIGHT_MAP_INDEX NUM_SPOT_LIGHT_MAPS #else #define SPOT_LIGHT_MAP_INDEX ( UNROLLED_LOOP_INDEX - NUM_SPOT_LIGHT_SHADOWS + NUM_SPOT_LIGHT_SHADOWS_WITH_MAPS ) #endif #if ( SPOT_LIGHT_MAP_INDEX < NUM_SPOT_LIGHT_MAPS ) spotLightCoord = vSpotLightCoord[ i ].xyz / vSpotLightCoord[ i ].w; inSpotLightMap = all( lessThan( abs( spotLightCoord * 2. - 1. ), vec3( 1.0 ) ) ); spotColor = texture2D( spotLightMap[ SPOT_LIGHT_MAP_INDEX ], spotLightCoord.xy ); directLight.color = inSpotLightMap ? directLight.color * spotColor.rgb : directLight.color; #endif #undef SPOT_LIGHT_MAP_INDEX #if defined( USE_SHADOWMAP ) && ( UNROLLED_LOOP_INDEX < NUM_SPOT_LIGHT_SHADOWS ) spotLightShadow = spotLightShadows[ i ]; directLight.color *= ( directLight.visible && receiveShadow ) ? getShadow( spotShadowMap[ i ], spotLightShadow.shadowMapSize, spotLightShadow.shadowBias, spotLightShadow.shadowRadius, vSpotLightCoord[ i ] ) : 1.0; #endif RE_Direct( directLight, geometry, material, reflectedLight ); } #pragma unroll_loop_end #endif #if ( NUM_DIR_LIGHTS > 0 ) && defined( RE_Direct ) DirectionalLight directionalLight; #if defined( USE_SHADOWMAP ) && NUM_DIR_LIGHT_SHADOWS > 0 DirectionalLightShadow directionalLightShadow; #endif #pragma unroll_loop_start for ( int i = 0; i < NUM_DIR_LIGHTS; i ++ ) { directionalLight = directionalLights[ i ]; getDirectionalLightInfo( directionalLight, geometry, directLight ); #if defined( USE_SHADOWMAP ) && ( UNROLLED_LOOP_INDEX < NUM_DIR_LIGHT_SHADOWS ) directionalLightShadow = directionalLightShadows[ i ]; directLight.color *= ( directLight.visible && receiveShadow ) ? getShadow( directionalShadowMap[ i ], directionalLightShadow.shadowMapSize, directionalLightShadow.shadowBias, directionalLightShadow.shadowRadius, vDirectionalShadowCoord[ i ] ) : 1.0; #endif RE_Direct( directLight, geometry, material, reflectedLight ); } #pragma unroll_loop_end #endif #if ( NUM_RECT_AREA_LIGHTS > 0 ) && defined( RE_Direct_RectArea ) RectAreaLight rectAreaLight; #pragma unroll_loop_start for ( int i = 0; i < NUM_RECT_AREA_LIGHTS; i ++ ) { rectAreaLight = rectAreaLights[ i ]; RE_Direct_RectArea( rectAreaLight, geometry, material, reflectedLight ); } #pragma unroll_loop_end #endif #if defined( RE_IndirectDiffuse ) vec3 iblIrradiance = vec3( 0.0 ); vec3 irradiance = getAmbientLightIrradiance( ambientLightColor ); irradiance += getLightProbeIrradiance( lightProbe, geometry.normal ); #if ( NUM_HEMI_LIGHTS > 0 ) #pragma unroll_loop_start for ( int i = 0; i < NUM_HEMI_LIGHTS; i ++ ) { irradiance += getHemisphereLightIrradiance( hemisphereLights[ i ], geometry.normal ); } #pragma unroll_loop_end #endif #endif #if defined( RE_IndirectSpecular ) vec3 radiance = vec3( 0.0 ); vec3 clearcoatRadiance = vec3( 0.0 ); #endif"; var lights_fragment_maps = "#if defined( RE_IndirectDiffuse ) #ifdef USE_LIGHTMAP vec4 lightMapTexel = texture2D( lightMap, vLightMapUv ); vec3 lightMapIrradiance = lightMapTexel.rgb * lightMapIntensity; irradiance += lightMapIrradiance; #endif #if defined( USE_ENVMAP ) && defined( STANDARD ) && defined( ENVMAP_TYPE_CUBE_UV ) iblIrradiance += getIBLIrradiance( geometry.normal ); #endif #endif #if defined( USE_ENVMAP ) && defined( RE_IndirectSpecular ) radiance += getIBLRadiance( geometry.viewDir, geometry.normal, material.roughness ); #ifdef USE_CLEARCOAT clearcoatRadiance += getIBLRadiance( geometry.viewDir, geometry.clearcoatNormal, material.clearcoatRoughness ); #endif #endif"; var lights_fragment_end = "#if defined( RE_IndirectDiffuse ) RE_IndirectDiffuse( irradiance, geometry, material, reflectedLight ); #endif #if defined( RE_IndirectSpecular ) RE_IndirectSpecular( radiance, iblIrradiance, clearcoatRadiance, geometry, material, reflectedLight ); #endif"; var logdepthbuf_fragment = "#if defined( USE_LOGDEPTHBUF ) && defined( USE_LOGDEPTHBUF_EXT ) gl_FragDepthEXT = vIsPerspective == 0.0 ? gl_FragCoord.z : log2( vFragDepth ) * logDepthBufFC * 0.5; #endif"; var logdepthbuf_pars_fragment = "#if defined( USE_LOGDEPTHBUF ) && defined( USE_LOGDEPTHBUF_EXT ) uniform float logDepthBufFC; varying float vFragDepth; varying float vIsPerspective; #endif"; var logdepthbuf_pars_vertex = "#ifdef USE_LOGDEPTHBUF #ifdef USE_LOGDEPTHBUF_EXT varying float vFragDepth; varying float vIsPerspective; #else uniform float logDepthBufFC; #endif #endif"; var logdepthbuf_vertex = "#ifdef USE_LOGDEPTHBUF #ifdef USE_LOGDEPTHBUF_EXT vFragDepth = 1.0 + gl_Position.w; vIsPerspective = float( isPerspectiveMatrix( projectionMatrix ) ); #else if ( isPerspectiveMatrix( projectionMatrix ) ) { gl_Position.z = log2( max( EPSILON, gl_Position.w + 1.0 ) ) * logDepthBufFC - 1.0; gl_Position.z *= gl_Position.w; } #endif #endif"; var map_fragment = "#ifdef USE_MAP diffuseColor *= texture2D( map, vMapUv ); #endif"; var map_pars_fragment = "#ifdef USE_MAP uniform sampler2D map; #endif"; var map_particle_fragment = "#if defined( USE_MAP ) || defined( USE_ALPHAMAP ) #if defined( USE_POINTS_UV ) vec2 uv = vUv; #else vec2 uv = ( uvTransform * vec3( gl_PointCoord.x, 1.0 - gl_PointCoord.y, 1 ) ).xy; #endif #endif #ifdef USE_MAP diffuseColor *= texture2D( map, uv ); #endif #ifdef USE_ALPHAMAP diffuseColor.a *= texture2D( alphaMap, uv ).g; #endif"; var map_particle_pars_fragment = "#if defined( USE_POINTS_UV ) varying vec2 vUv; #else #if defined( USE_MAP ) || defined( USE_ALPHAMAP ) uniform mat3 uvTransform; #endif #endif #ifdef USE_MAP uniform sampler2D map; #endif #ifdef USE_ALPHAMAP uniform sampler2D alphaMap; #endif"; var metalnessmap_fragment = "float metalnessFactor = metalness; #ifdef USE_METALNESSMAP vec4 texelMetalness = texture2D( metalnessMap, vMetalnessMapUv ); metalnessFactor *= texelMetalness.b; #endif"; var metalnessmap_pars_fragment = "#ifdef USE_METALNESSMAP uniform sampler2D metalnessMap; #endif"; var morphcolor_vertex = "#if defined( USE_MORPHCOLORS ) && defined( MORPHTARGETS_TEXTURE ) vColor *= morphTargetBaseInfluence; for ( int i = 0; i < MORPHTARGETS_COUNT; i ++ ) { #if defined( USE_COLOR_ALPHA ) if ( morphTargetInfluences[ i ] != 0.0 ) vColor += getMorph( gl_VertexID, i, 2 ) * morphTargetInfluences[ i ]; #elif defined( USE_COLOR ) if ( morphTargetInfluences[ i ] != 0.0 ) vColor += getMorph( gl_VertexID, i, 2 ).rgb * morphTargetInfluences[ i ]; #endif } #endif"; var morphnormal_vertex = "#ifdef USE_MORPHNORMALS objectNormal *= morphTargetBaseInfluence; #ifdef MORPHTARGETS_TEXTURE for ( int i = 0; i < MORPHTARGETS_COUNT; i ++ ) { if ( morphTargetInfluences[ i ] != 0.0 ) objectNormal += getMorph( gl_VertexID, i, 1 ).xyz * morphTargetInfluences[ i ]; } #else objectNormal += morphNormal0 * morphTargetInfluences[ 0 ]; objectNormal += morphNormal1 * morphTargetInfluences[ 1 ]; objectNormal += morphNormal2 * morphTargetInfluences[ 2 ]; objectNormal += morphNormal3 * morphTargetInfluences[ 3 ]; #endif #endif"; var morphtarget_pars_vertex = "#ifdef USE_MORPHTARGETS uniform float morphTargetBaseInfluence; #ifdef MORPHTARGETS_TEXTURE uniform float morphTargetInfluences[ MORPHTARGETS_COUNT ]; uniform sampler2DArray morphTargetsTexture; uniform ivec2 morphTargetsTextureSize; vec4 getMorph( const in int vertexIndex, const in int morphTargetIndex, const in int offset ) { int texelIndex = vertexIndex * MORPHTARGETS_TEXTURE_STRIDE + offset; int y = texelIndex / morphTargetsTextureSize.x; int x = texelIndex - y * morphTargetsTextureSize.x; ivec3 morphUV = ivec3( x, y, morphTargetIndex ); return texelFetch( morphTargetsTexture, morphUV, 0 ); } #else #ifndef USE_MORPHNORMALS uniform float morphTargetInfluences[ 8 ]; #else uniform float morphTargetInfluences[ 4 ]; #endif #endif #endif"; var morphtarget_vertex = "#ifdef USE_MORPHTARGETS transformed *= morphTargetBaseInfluence; #ifdef MORPHTARGETS_TEXTURE for ( int i = 0; i < MORPHTARGETS_COUNT; i ++ ) { if ( morphTargetInfluences[ i ] != 0.0 ) transformed += getMorph( gl_VertexID, i, 0 ).xyz * morphTargetInfluences[ i ]; } #else transformed += morphTarget0 * morphTargetInfluences[ 0 ]; transformed += morphTarget1 * morphTargetInfluences[ 1 ]; transformed += morphTarget2 * morphTargetInfluences[ 2 ]; transformed += morphTarget3 * morphTargetInfluences[ 3 ]; #ifndef USE_MORPHNORMALS transformed += morphTarget4 * morphTargetInfluences[ 4 ]; transformed += morphTarget5 * morphTargetInfluences[ 5 ]; transformed += morphTarget6 * morphTargetInfluences[ 6 ]; transformed += morphTarget7 * morphTargetInfluences[ 7 ]; #endif #endif #endif"; var normal_fragment_begin = "float faceDirection = gl_FrontFacing ? 1.0 : - 1.0; #ifdef FLAT_SHADED vec3 fdx = dFdx( vViewPosition ); vec3 fdy = dFdy( vViewPosition ); vec3 normal = normalize( cross( fdx, fdy ) ); #else vec3 normal = normalize( vNormal ); #ifdef DOUBLE_SIDED normal *= faceDirection; #endif #endif #ifdef USE_NORMALMAP_TANGENTSPACE #ifdef USE_TANGENT mat3 tbn = mat3( normalize( vTangent ), normalize( vBitangent ), normal ); #else mat3 tbn = getTangentFrame( - vViewPosition, normal, vNormalMapUv ); #endif #if defined( DOUBLE_SIDED ) && ! defined( FLAT_SHADED ) tbn[0] *= faceDirection; tbn[1] *= faceDirection; #endif #endif #ifdef USE_CLEARCOAT_NORMALMAP #ifdef USE_TANGENT mat3 tbn2 = mat3( normalize( vTangent ), normalize( vBitangent ), normal ); #else mat3 tbn2 = getTangentFrame( - vViewPosition, normal, vClearcoatNormalMapUv ); #endif #if defined( DOUBLE_SIDED ) && ! defined( FLAT_SHADED ) tbn2[0] *= faceDirection; tbn2[1] *= faceDirection; #endif #endif vec3 geometryNormal = normal;"; var normal_fragment_maps = "#ifdef USE_NORMALMAP_OBJECTSPACE normal = texture2D( normalMap, vNormalMapUv ).xyz * 2.0 - 1.0; #ifdef FLIP_SIDED normal = - normal; #endif #ifdef DOUBLE_SIDED normal = normal * faceDirection; #endif normal = normalize( normalMatrix * normal ); #elif defined( USE_NORMALMAP_TANGENTSPACE ) vec3 mapN = texture2D( normalMap, vNormalMapUv ).xyz * 2.0 - 1.0; mapN.xy *= normalScale; normal = normalize( tbn * mapN ); #elif defined( USE_BUMPMAP ) normal = perturbNormalArb( - vViewPosition, normal, dHdxy_fwd(), faceDirection ); #endif"; var normal_pars_fragment = "#ifndef FLAT_SHADED varying vec3 vNormal; #ifdef USE_TANGENT varying vec3 vTangent; varying vec3 vBitangent; #endif #endif"; var normal_pars_vertex = "#ifndef FLAT_SHADED varying vec3 vNormal; #ifdef USE_TANGENT varying vec3 vTangent; varying vec3 vBitangent; #endif #endif"; var normal_vertex = "#ifndef FLAT_SHADED vNormal = normalize( transformedNormal ); #ifdef USE_TANGENT vTangent = normalize( transformedTangent ); vBitangent = normalize( cross( vNormal, vTangent ) * tangent.w ); #endif #endif"; var normalmap_pars_fragment = "#ifdef USE_NORMALMAP uniform sampler2D normalMap; uniform vec2 normalScale; #endif #ifdef USE_NORMALMAP_OBJECTSPACE uniform mat3 normalMatrix; #endif #if ! defined ( USE_TANGENT ) && ( defined ( USE_NORMALMAP_TANGENTSPACE ) || defined ( USE_CLEARCOAT_NORMALMAP ) ) mat3 getTangentFrame( vec3 eye_pos, vec3 surf_norm, vec2 uv ) { vec3 q0 = dFdx( eye_pos.xyz ); vec3 q1 = dFdy( eye_pos.xyz ); vec2 st0 = dFdx( uv.st ); vec2 st1 = dFdy( uv.st ); vec3 N = surf_norm; vec3 q1perp = cross( q1, N ); vec3 q0perp = cross( N, q0 ); vec3 T = q1perp * st0.x + q0perp * st1.x; vec3 B = q1perp * st0.y + q0perp * st1.y; float det = max( dot( T, T ), dot( B, B ) ); float scale = ( det == 0.0 ) ? 0.0 : inversesqrt( det ); return mat3( T * scale, B * scale, N ); } #endif"; var clearcoat_normal_fragment_begin = "#ifdef USE_CLEARCOAT vec3 clearcoatNormal = geometryNormal; #endif"; var clearcoat_normal_fragment_maps = "#ifdef USE_CLEARCOAT_NORMALMAP vec3 clearcoatMapN = texture2D( clearcoatNormalMap, vClearcoatNormalMapUv ).xyz * 2.0 - 1.0; clearcoatMapN.xy *= clearcoatNormalScale; clearcoatNormal = normalize( tbn2 * clearcoatMapN ); #endif"; var clearcoat_pars_fragment = "#ifdef USE_CLEARCOATMAP uniform sampler2D clearcoatMap; #endif #ifdef USE_CLEARCOAT_NORMALMAP uniform sampler2D clearcoatNormalMap; uniform vec2 clearcoatNormalScale; #endif #ifdef USE_CLEARCOAT_ROUGHNESSMAP uniform sampler2D clearcoatRoughnessMap; #endif"; var iridescence_pars_fragment = "#ifdef USE_IRIDESCENCEMAP uniform sampler2D iridescenceMap; #endif #ifdef USE_IRIDESCENCE_THICKNESSMAP uniform sampler2D iridescenceThicknessMap; #endif"; var output_fragment = "#ifdef OPAQUE diffuseColor.a = 1.0; #endif #ifdef USE_TRANSMISSION diffuseColor.a *= material.transmissionAlpha + 0.1; #endif gl_FragColor = vec4( outgoingLight, diffuseColor.a );"; var packing = "vec3 packNormalToRGB( const in vec3 normal ) { return normalize( normal ) * 0.5 + 0.5; } vec3 unpackRGBToNormal( const in vec3 rgb ) { return 2.0 * rgb.xyz - 1.0; } const float PackUpscale = 256. / 255.;const float UnpackDownscale = 255. / 256.; const vec3 PackFactors = vec3( 256. * 256. * 256., 256. * 256., 256. ); const vec4 UnpackFactors = UnpackDownscale / vec4( PackFactors, 1. ); const float ShiftRight8 = 1. / 256.; vec4 packDepthToRGBA( const in float v ) { vec4 r = vec4( fract( v * PackFactors ), v ); r.yzw -= r.xyz * ShiftRight8; return r * PackUpscale; } float unpackRGBAToDepth( const in vec4 v ) { return dot( v, UnpackFactors ); } vec2 packDepthToRG( in highp float v ) { return packDepthToRGBA( v ).yx; } float unpackRGToDepth( const in highp vec2 v ) { return unpackRGBAToDepth( vec4( v.xy, 0.0, 0.0 ) ); } vec4 pack2HalfToRGBA( vec2 v ) { vec4 r = vec4( v.x, fract( v.x * 255.0 ), v.y, fract( v.y * 255.0 ) ); return vec4( r.x - r.y / 255.0, r.y, r.z - r.w / 255.0, r.w ); } vec2 unpackRGBATo2Half( vec4 v ) { return vec2( v.x + ( v.y / 255.0 ), v.z + ( v.w / 255.0 ) ); } float viewZToOrthographicDepth( const in float viewZ, const in float near, const in float far ) { return ( viewZ + near ) / ( near - far ); } float orthographicDepthToViewZ( const in float depth, const in float near, const in float far ) { return depth * ( near - far ) - near; } float viewZToPerspectiveDepth( const in float viewZ, const in float near, const in float far ) { return ( ( near + viewZ ) * far ) / ( ( far - near ) * viewZ ); } float perspectiveDepthToViewZ( const in float depth, const in float near, const in float far ) { return ( near * far ) / ( ( far - near ) * depth - far ); }"; var premultiplied_alpha_fragment = "#ifdef PREMULTIPLIED_ALPHA gl_FragColor.rgb *= gl_FragColor.a; #endif"; var project_vertex = "vec4 mvPosition = vec4( transformed, 1.0 ); #ifdef USE_INSTANCING mvPosition = instanceMatrix * mvPosition; #endif mvPosition = modelViewMatrix * mvPosition; gl_Position = projectionMatrix * mvPosition;"; var dithering_fragment = "#ifdef DITHERING gl_FragColor.rgb = dithering( gl_FragColor.rgb ); #endif"; var dithering_pars_fragment = "#ifdef DITHERING vec3 dithering( vec3 color ) { float grid_position = rand( gl_FragCoord.xy ); vec3 dither_shift_RGB = vec3( 0.25 / 255.0, -0.25 / 255.0, 0.25 / 255.0 ); dither_shift_RGB = mix( 2.0 * dither_shift_RGB, -2.0 * dither_shift_RGB, grid_position ); return color + dither_shift_RGB; } #endif"; var roughnessmap_fragment = "float roughnessFactor = roughness; #ifdef USE_ROUGHNESSMAP vec4 texelRoughness = texture2D( roughnessMap, vRoughnessMapUv ); roughnessFactor *= texelRoughness.g; #endif"; var roughnessmap_pars_fragment = "#ifdef USE_ROUGHNESSMAP uniform sampler2D roughnessMap; #endif"; var shadowmap_pars_fragment = "#if NUM_SPOT_LIGHT_COORDS > 0 varying vec4 vSpotLightCoord[ NUM_SPOT_LIGHT_COORDS ]; #endif #if NUM_SPOT_LIGHT_MAPS > 0 uniform sampler2D spotLightMap[ NUM_SPOT_LIGHT_MAPS ]; #endif #ifdef USE_SHADOWMAP #if NUM_DIR_LIGHT_SHADOWS > 0 uniform sampler2D directionalShadowMap[ NUM_DIR_LIGHT_SHADOWS ]; varying vec4 vDirectionalShadowCoord[ NUM_DIR_LIGHT_SHADOWS ]; struct DirectionalLightShadow { float shadowBias; float shadowNormalBias; float shadowRadius; vec2 shadowMapSize; }; uniform DirectionalLightShadow directionalLightShadows[ NUM_DIR_LIGHT_SHADOWS ]; #endif #if NUM_SPOT_LIGHT_SHADOWS > 0 uniform sampler2D spotShadowMap[ NUM_SPOT_LIGHT_SHADOWS ]; struct SpotLightShadow { float shadowBias; float shadowNormalBias; float shadowRadius; vec2 shadowMapSize; }; uniform SpotLightShadow spotLightShadows[ NUM_SPOT_LIGHT_SHADOWS ]; #endif #if NUM_POINT_LIGHT_SHADOWS > 0 uniform sampler2D pointShadowMap[ NUM_POINT_LIGHT_SHADOWS ]; varying vec4 vPointShadowCoord[ NUM_POINT_LIGHT_SHADOWS ]; struct PointLightShadow { float shadowBias; float shadowNormalBias; float shadowRadius; vec2 shadowMapSize; float shadowCameraNear; float shadowCameraFar; }; uniform PointLightShadow pointLightShadows[ NUM_POINT_LIGHT_SHADOWS ]; #endif float texture2DCompare( sampler2D depths, vec2 uv, float compare ) { return step( compare, unpackRGBAToDepth( texture2D( depths, uv ) ) ); } vec2 texture2DDistribution( sampler2D shadow, vec2 uv ) { return unpackRGBATo2Half( texture2D( shadow, uv ) ); } float VSMShadow (sampler2D shadow, vec2 uv, float compare ){ float occlusion = 1.0; vec2 distribution = texture2DDistribution( shadow, uv ); float hard_shadow = step( compare , distribution.x ); if (hard_shadow != 1.0 ) { float distance = compare - distribution.x ; float variance = max( 0.00000, distribution.y * distribution.y ); float softness_probability = variance / (variance + distance * distance ); softness_probability = clamp( ( softness_probability - 0.3 ) / ( 0.95 - 0.3 ), 0.0, 1.0 ); occlusion = clamp( max( hard_shadow, softness_probability ), 0.0, 1.0 ); } return occlusion; } float getShadow( sampler2D shadowMap, vec2 shadowMapSize, float shadowBias, float shadowRadius, vec4 shadowCoord ) { float shadow = 1.0; shadowCoord.xyz /= shadowCoord.w; shadowCoord.z += shadowBias; bool inFrustum = shadowCoord.x >= 0.0 && shadowCoord.x <= 1.0 && shadowCoord.y >= 0.0 && shadowCoord.y <= 1.0; bool frustumTest = inFrustum && shadowCoord.z <= 1.0; if ( frustumTest ) { #if defined( SHADOWMAP_TYPE_PCF ) vec2 texelSize = vec2( 1.0 ) / shadowMapSize; float dx0 = - texelSize.x * shadowRadius; float dy0 = - texelSize.y * shadowRadius; float dx1 = + texelSize.x * shadowRadius; float dy1 = + texelSize.y * shadowRadius; float dx2 = dx0 / 2.0; float dy2 = dy0 / 2.0; float dx3 = dx1 / 2.0; float dy3 = dy1 / 2.0; shadow = ( texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx0, dy0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( 0.0, dy0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx1, dy0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx2, dy2 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( 0.0, dy2 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx3, dy2 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx0, 0.0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx2, 0.0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy, shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx3, 0.0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx1, 0.0 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx2, dy3 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( 0.0, dy3 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx3, dy3 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx0, dy1 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( 0.0, dy1 ), shadowCoord.z ) + texture2DCompare( shadowMap, shadowCoord.xy + vec2( dx1, dy1 ), shadowCoord.z ) ) * ( 1.0 / 17.0 ); #elif defined( SHADOWMAP_TYPE_PCF_SOFT ) vec2 texelSize = vec2( 1.0 ) / shadowMapSize; float dx = texelSize.x; float dy = texelSize.y; vec2 uv = shadowCoord.xy; vec2 f = fract( uv * shadowMapSize + 0.5 ); uv -= f * texelSize; shadow = ( texture2DCompare( shadowMap, uv, shadowCoord.z ) + texture2DCompare( shadowMap, uv + vec2( dx, 0.0 ), shadowCoord.z ) + texture2DCompare( shadowMap, uv + vec2( 0.0, dy ), shadowCoord.z ) + texture2DCompare( shadowMap, uv + texelSize, shadowCoord.z ) + mix( texture2DCompare( shadowMap, uv + vec2( -dx, 0.0 ), shadowCoord.z ), texture2DCompare( shadowMap, uv + vec2( 2.0 * dx, 0.0 ), shadowCoord.z ), f.x ) + mix( texture2DCompare( shadowMap, uv + vec2( -dx, dy ), shadowCoord.z ), texture2DCompare( shadowMap, uv + vec2( 2.0 * dx, dy ), shadowCoord.z ), f.x ) + mix( texture2DCompare( shadowMap, uv + vec2( 0.0, -dy ), shadowCoord.z ), texture2DCompare( shadowMap, uv + vec2( 0.0, 2.0 * dy ), shadowCoord.z ), f.y ) + mix( texture2DCompare( shadowMap, uv + vec2( dx, -dy ), shadowCoord.z ), texture2DCompare( shadowMap, uv + vec2( dx, 2.0 * dy ), shadowCoord.z ), f.y ) + mix( mix( texture2DCompare( shadowMap, uv + vec2( -dx, -dy ), shadowCoord.z ), texture2DCompare( shadowMap, uv + vec2( 2.0 * dx, -dy ), shadowCoord.z ), f.x ), mix( texture2DCompare( shadowMap, uv + vec2( -dx, 2.0 * dy ), shadowCoord.z ), texture2DCompare( shadowMap, uv + vec2( 2.0 * dx, 2.0 * dy ), shadowCoord.z ), f.x ), f.y ) ) * ( 1.0 / 9.0 ); #elif defined( SHADOWMAP_TYPE_VSM ) shadow = VSMShadow( shadowMap, shadowCoord.xy, shadowCoord.z ); #else shadow = texture2DCompare( shadowMap, shadowCoord.xy, shadowCoord.z ); #endif } return shadow; } vec2 cubeToUV( vec3 v, float texelSizeY ) { vec3 absV = abs( v ); float scaleToCube = 1.0 / max( absV.x, max( absV.y, absV.z ) ); absV *= scaleToCube; v *= scaleToCube * ( 1.0 - 2.0 * texelSizeY ); vec2 planar = v.xy; float almostATexel = 1.5 * texelSizeY; float almostOne = 1.0 - almostATexel; if ( absV.z >= almostOne ) { if ( v.z > 0.0 ) planar.x = 4.0 - v.x; } else if ( absV.x >= almostOne ) { float signX = sign( v.x ); planar.x = v.z * signX + 2.0 * signX; } else if ( absV.y >= almostOne ) { float signY = sign( v.y ); planar.x = v.x + 2.0 * signY + 2.0; planar.y = v.z * signY - 2.0; } return vec2( 0.125, 0.25 ) * planar + vec2( 0.375, 0.75 ); } float getPointShadow( sampler2D shadowMap, vec2 shadowMapSize, float shadowBias, float shadowRadius, vec4 shadowCoord, float shadowCameraNear, float shadowCameraFar ) { vec2 texelSize = vec2( 1.0 ) / ( shadowMapSize * vec2( 4.0, 2.0 ) ); vec3 lightToPosition = shadowCoord.xyz; float dp = ( length( lightToPosition ) - shadowCameraNear ) / ( shadowCameraFar - shadowCameraNear ); dp += shadowBias; vec3 bd3D = normalize( lightToPosition ); #if defined( SHADOWMAP_TYPE_PCF ) || defined( SHADOWMAP_TYPE_PCF_SOFT ) || defined( SHADOWMAP_TYPE_VSM ) vec2 offset = vec2( - 1, 1 ) * shadowRadius * texelSize.y; return ( texture2DCompare( shadowMap, cubeToUV( bd3D + offset.xyy, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.yyy, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.xyx, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.yyx, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.xxy, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.yxy, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.xxx, texelSize.y ), dp ) + texture2DCompare( shadowMap, cubeToUV( bd3D + offset.yxx, texelSize.y ), dp ) ) * ( 1.0 / 9.0 ); #else return texture2DCompare( shadowMap, cubeToUV( bd3D, texelSize.y ), dp ); #endif } #endif"; var shadowmap_pars_vertex = "#if NUM_SPOT_LIGHT_COORDS > 0 uniform mat4 spotLightMatrix[ NUM_SPOT_LIGHT_COORDS ]; varying vec4 vSpotLightCoord[ NUM_SPOT_LIGHT_COORDS ]; #endif #ifdef USE_SHADOWMAP #if NUM_DIR_LIGHT_SHADOWS > 0 uniform mat4 directionalShadowMatrix[ NUM_DIR_LIGHT_SHADOWS ]; varying vec4 vDirectionalShadowCoord[ NUM_DIR_LIGHT_SHADOWS ]; struct DirectionalLightShadow { float shadowBias; float shadowNormalBias; float shadowRadius; vec2 shadowMapSize; }; uniform DirectionalLightShadow directionalLightShadows[ NUM_DIR_LIGHT_SHADOWS ]; #endif #if NUM_SPOT_LIGHT_SHADOWS > 0 struct SpotLightShadow { float shadowBias; float shadowNormalBias; float shadowRadius; vec2 shadowMapSize; }; uniform SpotLightShadow spotLightShadows[ NUM_SPOT_LIGHT_SHADOWS ]; #endif #if NUM_POINT_LIGHT_SHADOWS > 0 uniform mat4 pointShadowMatrix[ NUM_POINT_LIGHT_SHADOWS ]; varying vec4 vPointShadowCoord[ NUM_POINT_LIGHT_SHADOWS ]; struct PointLightShadow { float shadowBias; float shadowNormalBias; float shadowRadius; vec2 shadowMapSize; float shadowCameraNear; float shadowCameraFar; }; uniform PointLightShadow pointLightShadows[ NUM_POINT_LIGHT_SHADOWS ]; #endif #endif"; var shadowmap_vertex = "#if ( defined( USE_SHADOWMAP ) && ( NUM_DIR_LIGHT_SHADOWS > 0 || NUM_POINT_LIGHT_SHADOWS > 0 ) ) || ( NUM_SPOT_LIGHT_COORDS > 0 ) vec3 shadowWorldNormal = inverseTransformDirection( transformedNormal, viewMatrix ); vec4 shadowWorldPosition; #endif #if defined( USE_SHADOWMAP ) #if NUM_DIR_LIGHT_SHADOWS > 0 #pragma unroll_loop_start for ( int i = 0; i < NUM_DIR_LIGHT_SHADOWS; i ++ ) { shadowWorldPosition = worldPosition + vec4( shadowWorldNormal * directionalLightShadows[ i ].shadowNormalBias, 0 ); vDirectionalShadowCoord[ i ] = directionalShadowMatrix[ i ] * shadowWorldPosition; } #pragma unroll_loop_end #endif #if NUM_POINT_LIGHT_SHADOWS > 0 #pragma unroll_loop_start for ( int i = 0; i < NUM_POINT_LIGHT_SHADOWS; i ++ ) { shadowWorldPosition = worldPosition + vec4( shadowWorldNormal * pointLightShadows[ i ].shadowNormalBias, 0 ); vPointShadowCoord[ i ] = pointShadowMatrix[ i ] * shadowWorldPosition; } #pragma unroll_loop_end #endif #endif #if NUM_SPOT_LIGHT_COORDS > 0 #pragma unroll_loop_start for ( int i = 0; i < NUM_SPOT_LIGHT_COORDS; i ++ ) { shadowWorldPosition = worldPosition; #if ( defined( USE_SHADOWMAP ) && UNROLLED_LOOP_INDEX < NUM_SPOT_LIGHT_SHADOWS ) shadowWorldPosition.xyz += shadowWorldNormal * spotLightShadows[ i ].shadowNormalBias; #endif vSpotLightCoord[ i ] = spotLightMatrix[ i ] * shadowWorldPosition; } #pragma unroll_loop_end #endif"; var shadowmask_pars_fragment = "float getShadowMask() { float shadow = 1.0; #ifdef USE_SHADOWMAP #if NUM_DIR_LIGHT_SHADOWS > 0 DirectionalLightShadow directionalLight; #pragma unroll_loop_start for ( int i = 0; i < NUM_DIR_LIGHT_SHADOWS; i ++ ) { directionalLight = directionalLightShadows[ i ]; shadow *= receiveShadow ? getShadow( directionalShadowMap[ i ], directionalLight.shadowMapSize, directionalLight.shadowBias, directionalLight.shadowRadius, vDirectionalShadowCoord[ i ] ) : 1.0; } #pragma unroll_loop_end #endif #if NUM_SPOT_LIGHT_SHADOWS > 0 SpotLightShadow spotLight; #pragma unroll_loop_start for ( int i = 0; i < NUM_SPOT_LIGHT_SHADOWS; i ++ ) { spotLight = spotLightShadows[ i ]; shadow *= receiveShadow ? getShadow( spotShadowMap[ i ], spotLight.shadowMapSize, spotLight.shadowBias, spotLight.shadowRadius, vSpotLightCoord[ i ] ) : 1.0; } #pragma unroll_loop_end #endif #if NUM_POINT_LIGHT_SHADOWS > 0 PointLightShadow pointLight; #pragma unroll_loop_start for ( int i = 0; i < NUM_POINT_LIGHT_SHADOWS; i ++ ) { pointLight = pointLightShadows[ i ]; shadow *= receiveShadow ? getPointShadow( pointShadowMap[ i ], pointLight.shadowMapSize, pointLight.shadowBias, pointLight.shadowRadius, vPointShadowCoord[ i ], pointLight.shadowCameraNear, pointLight.shadowCameraFar ) : 1.0; } #pragma unroll_loop_end #endif #endif return shadow; }"; var skinbase_vertex = "#ifdef USE_SKINNING mat4 boneMatX = getBoneMatrix( skinIndex.x ); mat4 boneMatY = getBoneMatrix( skinIndex.y ); mat4 boneMatZ = getBoneMatrix( skinIndex.z ); mat4 boneMatW = getBoneMatrix( skinIndex.w ); #endif"; var skinning_pars_vertex = "#ifdef USE_SKINNING uniform mat4 bindMatrix; uniform mat4 bindMatrixInverse; uniform highp sampler2D boneTexture; uniform int boneTextureSize; mat4 getBoneMatrix( const in float i ) { float j = i * 4.0; float x = mod( j, float( boneTextureSize ) ); float y = floor( j / float( boneTextureSize ) ); float dx = 1.0 / float( boneTextureSize ); float dy = 1.0 / float( boneTextureSize ); y = dy * ( y + 0.5 ); vec4 v1 = texture2D( boneTexture, vec2( dx * ( x + 0.5 ), y ) ); vec4 v2 = texture2D( boneTexture, vec2( dx * ( x + 1.5 ), y ) ); vec4 v3 = texture2D( boneTexture, vec2( dx * ( x + 2.5 ), y ) ); vec4 v4 = texture2D( boneTexture, vec2( dx * ( x + 3.5 ), y ) ); mat4 bone = mat4( v1, v2, v3, v4 ); return bone; } #endif"; var skinning_vertex = "#ifdef USE_SKINNING vec4 skinVertex = bindMatrix * vec4( transformed, 1.0 ); vec4 skinned = vec4( 0.0 ); skinned += boneMatX * skinVertex * skinWeight.x; skinned += boneMatY * skinVertex * skinWeight.y; skinned += boneMatZ * skinVertex * skinWeight.z; skinned += boneMatW * skinVertex * skinWeight.w; transformed = ( bindMatrixInverse * skinned ).xyz; #endif"; var skinnormal_vertex = "#ifdef USE_SKINNING mat4 skinMatrix = mat4( 0.0 ); skinMatrix += skinWeight.x * boneMatX; skinMatrix += skinWeight.y * boneMatY; skinMatrix += skinWeight.z * boneMatZ; skinMatrix += skinWeight.w * boneMatW; skinMatrix = bindMatrixInverse * skinMatrix * bindMatrix; objectNormal = vec4( skinMatrix * vec4( objectNormal, 0.0 ) ).xyz; #ifdef USE_TANGENT objectTangent = vec4( skinMatrix * vec4( objectTangent, 0.0 ) ).xyz; #endif #endif"; var specularmap_fragment = "float specularStrength; #ifdef USE_SPECULARMAP vec4 texelSpecular = texture2D( specularMap, vSpecularMapUv ); specularStrength = texelSpecular.r; #else specularStrength = 1.0; #endif"; var specularmap_pars_fragment = "#ifdef USE_SPECULARMAP uniform sampler2D specularMap; #endif"; var tonemapping_fragment = "#if defined( TONE_MAPPING ) gl_FragColor.rgb = toneMapping( gl_FragColor.rgb ); #endif"; var tonemapping_pars_fragment = "#ifndef saturate #define saturate( a ) clamp( a, 0.0, 1.0 ) #endif uniform float toneMappingExposure; vec3 LinearToneMapping( vec3 color ) { return toneMappingExposure * color; } vec3 ReinhardToneMapping( vec3 color ) { color *= toneMappingExposure; return saturate( color / ( vec3( 1.0 ) + color ) ); } vec3 OptimizedCineonToneMapping( vec3 color ) { color *= toneMappingExposure; color = max( vec3( 0.0 ), color - 0.004 ); return pow( ( color * ( 6.2 * color + 0.5 ) ) / ( color * ( 6.2 * color + 1.7 ) + 0.06 ), vec3( 2.2 ) ); } vec3 RRTAndODTFit( vec3 v ) { vec3 a = v * ( v + 0.0245786 ) - 0.000090537; vec3 b = v * ( 0.983729 * v + 0.4329510 ) + 0.238081; return a / b; } vec3 ACESFilmicToneMapping( vec3 color ) { const mat3 ACESInputMat = mat3( vec3( 0.59719, 0.07600, 0.02840 ), vec3( 0.35458, 0.90834, 0.13383 ), vec3( 0.04823, 0.01566, 0.83777 ) ); const mat3 ACESOutputMat = mat3( vec3( 1.60475, -0.10208, -0.00327 ), vec3( -0.53108, 1.10813, -0.07276 ), vec3( -0.07367, -0.00605, 1.07602 ) ); color *= toneMappingExposure / 0.6; color = ACESInputMat * color; color = RRTAndODTFit( color ); color = ACESOutputMat * color; return saturate( color ); } vec3 CustomToneMapping( vec3 color ) { return color; }"; var transmission_fragment = "#ifdef USE_TRANSMISSION material.transmission = transmission; material.transmissionAlpha = 1.0; material.thickness = thickness; material.attenuationDistance = attenuationDistance; material.attenuationColor = attenuationColor; #ifdef USE_TRANSMISSIONMAP material.transmission *= texture2D( transmissionMap, vTransmissionMapUv ).r; #endif #ifdef USE_THICKNESSMAP material.thickness *= texture2D( thicknessMap, vThicknessMapUv ).g; #endif vec3 pos = vWorldPosition; vec3 v = normalize( cameraPosition - pos ); vec3 n = inverseTransformDirection( normal, viewMatrix ); vec4 transmission = getIBLVolumeRefraction( n, v, material.roughness, material.diffuseColor, material.specularColor, material.specularF90, pos, modelMatrix, viewMatrix, projectionMatrix, material.ior, material.thickness, material.attenuationColor, material.attenuationDistance ); material.transmissionAlpha = mix( material.transmissionAlpha, transmission.a, material.transmission ); totalDiffuse = mix( totalDiffuse, transmission.rgb, material.transmission ); #endif"; var transmission_pars_fragment = "#ifdef USE_TRANSMISSION uniform float transmission; uniform float thickness; uniform float attenuationDistance; uniform vec3 attenuationColor; #ifdef USE_TRANSMISSIONMAP uniform sampler2D transmissionMap; #endif #ifdef USE_THICKNESSMAP uniform sampler2D thicknessMap; #endif uniform vec2 transmissionSamplerSize; uniform sampler2D transmissionSamplerMap; uniform mat4 modelMatrix; uniform mat4 projectionMatrix; varying vec3 vWorldPosition; float w0( float a ) { return ( 1.0 / 6.0 ) * ( a * ( a * ( - a + 3.0 ) - 3.0 ) + 1.0 ); } float w1( float a ) { return ( 1.0 / 6.0 ) * ( a * a * ( 3.0 * a - 6.0 ) + 4.0 ); } float w2( float a ){ return ( 1.0 / 6.0 ) * ( a * ( a * ( - 3.0 * a + 3.0 ) + 3.0 ) + 1.0 ); } float w3( float a ) { return ( 1.0 / 6.0 ) * ( a * a * a ); } float g0( float a ) { return w0( a ) + w1( a ); } float g1( float a ) { return w2( a ) + w3( a ); } float h0( float a ) { return - 1.0 + w1( a ) / ( w0( a ) + w1( a ) ); } float h1( float a ) { return 1.0 + w3( a ) / ( w2( a ) + w3( a ) ); } vec4 bicubic( sampler2D tex, vec2 uv, vec4 texelSize, float lod ) { uv = uv * texelSize.zw + 0.5; vec2 iuv = floor( uv ); vec2 fuv = fract( uv ); float g0x = g0( fuv.x ); float g1x = g1( fuv.x ); float h0x = h0( fuv.x ); float h1x = h1( fuv.x ); float h0y = h0( fuv.y ); float h1y = h1( fuv.y ); vec2 p0 = ( vec2( iuv.x + h0x, iuv.y + h0y ) - 0.5 ) * texelSize.xy; vec2 p1 = ( vec2( iuv.x + h1x, iuv.y + h0y ) - 0.5 ) * texelSize.xy; vec2 p2 = ( vec2( iuv.x + h0x, iuv.y + h1y ) - 0.5 ) * texelSize.xy; vec2 p3 = ( vec2( iuv.x + h1x, iuv.y + h1y ) - 0.5 ) * texelSize.xy; return g0( fuv.y ) * ( g0x * textureLod( tex, p0, lod ) + g1x * textureLod( tex, p1, lod ) ) + g1( fuv.y ) * ( g0x * textureLod( tex, p2, lod ) + g1x * textureLod( tex, p3, lod ) ); } vec4 textureBicubic( sampler2D sampler, vec2 uv, float lod ) { vec2 fLodSize = vec2( textureSize( sampler, int( lod ) ) ); vec2 cLodSize = vec2( textureSize( sampler, int( lod + 1.0 ) ) ); vec2 fLodSizeInv = 1.0 / fLodSize; vec2 cLodSizeInv = 1.0 / cLodSize; vec4 fSample = bicubic( sampler, uv, vec4( fLodSizeInv, fLodSize ), floor( lod ) ); vec4 cSample = bicubic( sampler, uv, vec4( cLodSizeInv, cLodSize ), ceil( lod ) ); return mix( fSample, cSample, fract( lod ) ); } vec3 getVolumeTransmissionRay( const in vec3 n, const in vec3 v, const in float thickness, const in float ior, const in mat4 modelMatrix ) { vec3 refractionVector = refract( - v, normalize( n ), 1.0 / ior ); vec3 modelScale; modelScale.x = length( vec3( modelMatrix[ 0 ].xyz ) ); modelScale.y = length( vec3( modelMatrix[ 1 ].xyz ) ); modelScale.z = length( vec3( modelMatrix[ 2 ].xyz ) ); return normalize( refractionVector ) * thickness * modelScale; } float applyIorToRoughness( const in float roughness, const in float ior ) { return roughness * clamp( ior * 2.0 - 2.0, 0.0, 1.0 ); } vec4 getTransmissionSample( const in vec2 fragCoord, const in float roughness, const in float ior ) { float lod = log2( transmissionSamplerSize.x ) * applyIorToRoughness( roughness, ior ); return textureBicubic( transmissionSamplerMap, fragCoord.xy, lod ); } vec3 applyVolumeAttenuation( const in vec3 radiance, const in float transmissionDistance, const in vec3 attenuationColor, const in float attenuationDistance ) { if ( isinf( attenuationDistance ) ) { return radiance; } else { vec3 attenuationCoefficient = -log( attenuationColor ) / attenuationDistance; vec3 transmittance = exp( - attenuationCoefficient * transmissionDistance ); return transmittance * radiance; } } vec4 getIBLVolumeRefraction( const in vec3 n, const in vec3 v, const in float roughness, const in vec3 diffuseColor, const in vec3 specularColor, const in float specularF90, const in vec3 position, const in mat4 modelMatrix, const in mat4 viewMatrix, const in mat4 projMatrix, const in float ior, const in float thickness, const in vec3 attenuationColor, const in float attenuationDistance ) { vec3 transmissionRay = getVolumeTransmissionRay( n, v, thickness, ior, modelMatrix ); vec3 refractedRayExit = position + transmissionRay; vec4 ndcPos = projMatrix * viewMatrix * vec4( refractedRayExit, 1.0 ); vec2 refractionCoords = ndcPos.xy / ndcPos.w; refractionCoords += 1.0; refractionCoords /= 2.0; vec4 transmittedLight = getTransmissionSample( refractionCoords, roughness, ior ); vec3 attenuatedColor = applyVolumeAttenuation( transmittedLight.rgb, length( transmissionRay ), attenuationColor, attenuationDistance ); vec3 F = EnvironmentBRDF( n, v, specularColor, specularF90, roughness ); return vec4( ( 1.0 - F ) * attenuatedColor * diffuseColor, transmittedLight.a ); } #endif"; var uv_pars_fragment = "#ifdef USE_UV varying vec2 vUv; #endif #ifdef USE_MAP varying vec2 vMapUv; #endif #ifdef USE_ALPHAMAP varying vec2 vAlphaMapUv; #endif #ifdef USE_LIGHTMAP varying vec2 vLightMapUv; #endif #ifdef USE_AOMAP varying vec2 vAoMapUv; #endif #ifdef USE_BUMPMAP varying vec2 vBumpMapUv; #endif #ifdef USE_NORMALMAP varying vec2 vNormalMapUv; #endif #ifdef USE_EMISSIVEMAP varying vec2 vEmissiveMapUv; #endif #ifdef USE_METALNESSMAP varying vec2 vMetalnessMapUv; #endif #ifdef USE_ROUGHNESSMAP varying vec2 vRoughnessMapUv; #endif #ifdef USE_CLEARCOATMAP varying vec2 vClearcoatMapUv; #endif #ifdef USE_CLEARCOAT_NORMALMAP varying vec2 vClearcoatNormalMapUv; #endif #ifdef USE_CLEARCOAT_ROUGHNESSMAP varying vec2 vClearcoatRoughnessMapUv; #endif #ifdef USE_IRIDESCENCEMAP varying vec2 vIridescenceMapUv; #endif #ifdef USE_IRIDESCENCE_THICKNESSMAP varying vec2 vIridescenceThicknessMapUv; #endif #ifdef USE_SHEEN_COLORMAP varying vec2 vSheenColorMapUv; #endif #ifdef USE_SHEEN_ROUGHNESSMAP varying vec2 vSheenRoughnessMapUv; #endif #ifdef USE_SPECULARMAP varying vec2 vSpecularMapUv; #endif #ifdef USE_SPECULAR_COLORMAP varying vec2 vSpecularColorMapUv; #endif #ifdef USE_SPECULAR_INTENSITYMAP varying vec2 vSpecularIntensityMapUv; #endif #ifdef USE_TRANSMISSIONMAP uniform mat3 transmissionMapTransform; varying vec2 vTransmissionMapUv; #endif #ifdef USE_THICKNESSMAP uniform mat3 thicknessMapTransform; varying vec2 vThicknessMapUv; #endif"; var uv_pars_vertex = "#ifdef USE_UV varying vec2 vUv; #endif #ifdef USE_MAP uniform mat3 mapTransform; varying vec2 vMapUv; #endif #ifdef USE_ALPHAMAP uniform mat3 alphaMapTransform; varying vec2 vAlphaMapUv; #endif #ifdef USE_LIGHTMAP uniform mat3 lightMapTransform; varying vec2 vLightMapUv; #endif #ifdef USE_AOMAP uniform mat3 aoMapTransform; varying vec2 vAoMapUv; #endif #ifdef USE_BUMPMAP uniform mat3 bumpMapTransform; varying vec2 vBumpMapUv; #endif #ifdef USE_NORMALMAP uniform mat3 normalMapTransform; varying vec2 vNormalMapUv; #endif #ifdef USE_DISPLACEMENTMAP uniform mat3 displacementMapTransform; varying vec2 vDisplacementMapUv; #endif #ifdef USE_EMISSIVEMAP uniform mat3 emissiveMapTransform; varying vec2 vEmissiveMapUv; #endif #ifdef USE_METALNESSMAP uniform mat3 metalnessMapTransform; varying vec2 vMetalnessMapUv; #endif #ifdef USE_ROUGHNESSMAP uniform mat3 roughnessMapTransform; varying vec2 vRoughnessMapUv; #endif #ifdef USE_CLEARCOATMAP uniform mat3 clearcoatMapTransform; varying vec2 vClearcoatMapUv; #endif #ifdef USE_CLEARCOAT_NORMALMAP uniform mat3 clearcoatNormalMapTransform; varying vec2 vClearcoatNormalMapUv; #endif #ifdef USE_CLEARCOAT_ROUGHNESSMAP uniform mat3 clearcoatRoughnessMapTransform; varying vec2 vClearcoatRoughnessMapUv; #endif #ifdef USE_SHEEN_COLORMAP uniform mat3 sheenColorMapTransform; varying vec2 vSheenColorMapUv; #endif #ifdef USE_SHEEN_ROUGHNESSMAP uniform mat3 sheenRoughnessMapTransform; varying vec2 vSheenRoughnessMapUv; #endif #ifdef USE_IRIDESCENCEMAP uniform mat3 iridescenceMapTransform; varying vec2 vIridescenceMapUv; #endif #ifdef USE_IRIDESCENCE_THICKNESSMAP uniform mat3 iridescenceThicknessMapTransform; varying vec2 vIridescenceThicknessMapUv; #endif #ifdef USE_SPECULARMAP uniform mat3 specularMapTransform; varying vec2 vSpecularMapUv; #endif #ifdef USE_SPECULAR_COLORMAP uniform mat3 specularColorMapTransform; varying vec2 vSpecularColorMapUv; #endif #ifdef USE_SPECULAR_INTENSITYMAP uniform mat3 specularIntensityMapTransform; varying vec2 vSpecularIntensityMapUv; #endif #ifdef USE_TRANSMISSIONMAP uniform mat3 transmissionMapTransform; varying vec2 vTransmissionMapUv; #endif #ifdef USE_THICKNESSMAP uniform mat3 thicknessMapTransform; varying vec2 vThicknessMapUv; #endif"; var uv_vertex = "#ifdef USE_UV vUv = vec3( uv, 1 ).xy; #endif #ifdef USE_MAP vMapUv = ( mapTransform * vec3( MAP_UV, 1 ) ).xy; #endif #ifdef USE_ALPHAMAP vAlphaMapUv = ( alphaMapTransform * vec3( ALPHAMAP_UV, 1 ) ).xy; #endif #ifdef USE_LIGHTMAP vLightMapUv = ( lightMapTransform * vec3( LIGHTMAP_UV, 1 ) ).xy; #endif #ifdef USE_AOMAP vAoMapUv = ( aoMapTransform * vec3( AOMAP_UV, 1 ) ).xy; #endif #ifdef USE_BUMPMAP vBumpMapUv = ( bumpMapTransform * vec3( BUMPMAP_UV, 1 ) ).xy; #endif #ifdef USE_NORMALMAP vNormalMapUv = ( normalMapTransform * vec3( NORMALMAP_UV, 1 ) ).xy; #endif #ifdef USE_DISPLACEMENTMAP vDisplacementMapUv = ( displacementMapTransform * vec3( DISPLACEMENTMAP_UV, 1 ) ).xy; #endif #ifdef USE_EMISSIVEMAP vEmissiveMapUv = ( emissiveMapTransform * vec3( EMISSIVEMAP_UV, 1 ) ).xy; #endif #ifdef USE_METALNESSMAP vMetalnessMapUv = ( metalnessMapTransform * vec3( METALNESSMAP_UV, 1 ) ).xy; #endif #ifdef USE_ROUGHNESSMAP vRoughnessMapUv = ( roughnessMapTransform * vec3( ROUGHNESSMAP_UV, 1 ) ).xy; #endif #ifdef USE_CLEARCOATMAP vClearcoatMapUv = ( clearcoatMapTransform * vec3( CLEARCOATMAP_UV, 1 ) ).xy; #endif #ifdef USE_CLEARCOAT_NORMALMAP vClearcoatNormalMapUv = ( clearcoatNormalMapTransform * vec3( CLEARCOAT_NORMALMAP_UV, 1 ) ).xy; #endif #ifdef USE_CLEARCOAT_ROUGHNESSMAP vClearcoatRoughnessMapUv = ( clearcoatRoughnessMapTransform * vec3( CLEARCOAT_ROUGHNESSMAP_UV, 1 ) ).xy; #endif #ifdef USE_IRIDESCENCEMAP vIridescenceMapUv = ( iridescenceMapTransform * vec3( IRIDESCENCEMAP_UV, 1 ) ).xy; #endif #ifdef USE_IRIDESCENCE_THICKNESSMAP vIridescenceThicknessMapUv = ( iridescenceThicknessMapTransform * vec3( IRIDESCENCE_THICKNESSMAP_UV, 1 ) ).xy; #endif #ifdef USE_SHEEN_COLORMAP vSheenColorMapUv = ( sheenColorMapTransform * vec3( SHEEN_COLORMAP_UV, 1 ) ).xy; #endif #ifdef USE_SHEEN_ROUGHNESSMAP vSheenRoughnessMapUv = ( sheenRoughnessMapTransform * vec3( SHEEN_ROUGHNESSMAP_UV, 1 ) ).xy; #endif #ifdef USE_SPECULARMAP vSpecularMapUv = ( specularMapTransform * vec3( SPECULARMAP_UV, 1 ) ).xy; #endif #ifdef USE_SPECULAR_COLORMAP vSpecularColorMapUv = ( specularColorMapTransform * vec3( SPECULAR_COLORMAP_UV, 1 ) ).xy; #endif #ifdef USE_SPECULAR_INTENSITYMAP vSpecularIntensityMapUv = ( specularIntensityMapTransform * vec3( SPECULAR_INTENSITYMAP_UV, 1 ) ).xy; #endif #ifdef USE_TRANSMISSIONMAP vTransmissionMapUv = ( transmissionMapTransform * vec3( TRANSMISSIONMAP_UV, 1 ) ).xy; #endif #ifdef USE_THICKNESSMAP vThicknessMapUv = ( thicknessMapTransform * vec3( THICKNESSMAP_UV, 1 ) ).xy; #endif"; var worldpos_vertex = "#if defined( USE_ENVMAP ) || defined( DISTANCE ) || defined ( USE_SHADOWMAP ) || defined ( USE_TRANSMISSION ) || NUM_SPOT_LIGHT_COORDS > 0 vec4 worldPosition = vec4( transformed, 1.0 ); #ifdef USE_INSTANCING worldPosition = instanceMatrix * worldPosition; #endif worldPosition = modelMatrix * worldPosition; #endif"; const vertex$h = "varying vec2 vUv; uniform mat3 uvTransform; void main() { vUv = ( uvTransform * vec3( uv, 1 ) ).xy; gl_Position = vec4( position.xy, 1.0, 1.0 ); }"; const fragment$h = "uniform sampler2D t2D; uniform float backgroundIntensity; varying vec2 vUv; void main() { vec4 texColor = texture2D( t2D, vUv ); texColor.rgb *= backgroundIntensity; gl_FragColor = texColor; #include #include }"; const vertex$g = "varying vec3 vWorldDirection; #include void main() { vWorldDirection = transformDirection( position, modelMatrix ); #include #include gl_Position.z = gl_Position.w; }"; const fragment$g = "#ifdef ENVMAP_TYPE_CUBE uniform samplerCube envMap; #elif defined( ENVMAP_TYPE_CUBE_UV ) uniform sampler2D envMap; #endif uniform float flipEnvMap; uniform float backgroundBlurriness; uniform float backgroundIntensity; varying vec3 vWorldDirection; #include void main() { #ifdef ENVMAP_TYPE_CUBE vec4 texColor = textureCube( envMap, vec3( flipEnvMap * vWorldDirection.x, vWorldDirection.yz ) ); #elif defined( ENVMAP_TYPE_CUBE_UV ) vec4 texColor = textureCubeUV( envMap, vWorldDirection, backgroundBlurriness ); #else vec4 texColor = vec4( 0.0, 0.0, 0.0, 1.0 ); #endif texColor.rgb *= backgroundIntensity; gl_FragColor = texColor; #include #include }"; const vertex$f = "varying vec3 vWorldDirection; #include void main() { vWorldDirection = transformDirection( position, modelMatrix ); #include #include gl_Position.z = gl_Position.w; }"; const fragment$f = "uniform samplerCube tCube; uniform float tFlip; uniform float opacity; varying vec3 vWorldDirection; void main() { vec4 texColor = textureCube( tCube, vec3( tFlip * vWorldDirection.x, vWorldDirection.yz ) ); gl_FragColor = texColor; gl_FragColor.a *= opacity; #include #include }"; const vertex$e = "#include #include #include #include #include #include #include varying vec2 vHighPrecisionZW; void main() { #include #include #ifdef USE_DISPLACEMENTMAP #include #include #include #endif #include #include #include #include #include #include #include vHighPrecisionZW = gl_Position.zw; }"; const fragment$e = "#if DEPTH_PACKING == 3200 uniform float opacity; #endif #include #include #include #include #include #include #include #include varying vec2 vHighPrecisionZW; void main() { #include vec4 diffuseColor = vec4( 1.0 ); #if DEPTH_PACKING == 3200 diffuseColor.a = opacity; #endif #include #include #include #include float fragCoordZ = 0.5 * vHighPrecisionZW[0] / vHighPrecisionZW[1] + 0.5; #if DEPTH_PACKING == 3200 gl_FragColor = vec4( vec3( 1.0 - fragCoordZ ), opacity ); #elif DEPTH_PACKING == 3201 gl_FragColor = packDepthToRGBA( fragCoordZ ); #endif }"; const vertex$d = "#define DISTANCE varying vec3 vWorldPosition; #include #include #include #include #include #include void main() { #include #include #ifdef USE_DISPLACEMENTMAP #include #include #include #endif #include #include #include #include #include #include #include vWorldPosition = worldPosition.xyz; }"; const fragment$d = "#define DISTANCE uniform vec3 referencePosition; uniform float nearDistance; uniform float farDistance; varying vec3 vWorldPosition; #include #include #include #include #include #include #include void main () { #include vec4 diffuseColor = vec4( 1.0 ); #include #include #include float dist = length( vWorldPosition - referencePosition ); dist = ( dist - nearDistance ) / ( farDistance - nearDistance ); dist = saturate( dist ); gl_FragColor = packDepthToRGBA( dist ); }"; const vertex$c = "varying vec3 vWorldDirection; #include void main() { vWorldDirection = transformDirection( position, modelMatrix ); #include #include }"; const fragment$c = "uniform sampler2D tEquirect; varying vec3 vWorldDirection; #include void main() { vec3 direction = normalize( vWorldDirection ); vec2 sampleUV = equirectUv( direction ); gl_FragColor = texture2D( tEquirect, sampleUV ); #include #include }"; const vertex$b = "uniform float scale; attribute float lineDistance; varying float vLineDistance; #include #include #include #include #include #include #include void main() { vLineDistance = scale * lineDistance; #include #include #include #include #include #include #include #include #include }"; const fragment$b = "uniform vec3 diffuse; uniform float opacity; uniform float dashSize; uniform float totalSize; varying float vLineDistance; #include #include #include #include #include #include #include void main() { #include if ( mod( vLineDistance, totalSize ) > dashSize ) { discard; } vec3 outgoingLight = vec3( 0.0 ); vec4 diffuseColor = vec4( diffuse, opacity ); #include #include #include outgoingLight = diffuseColor.rgb; #include #include #include #include #include }"; const vertex$a = "#include #include #include #include #include #include #include #include #include void main() { #include #include #include #if defined ( USE_ENVMAP ) || defined ( USE_SKINNING ) #include #include #include #include #include #endif #include #include #include #include #include #include #include #include #include }"; const fragment$a = "uniform vec3 diffuse; uniform float opacity; #ifndef FLAT_SHADED varying vec3 vNormal; #endif #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include vec4 diffuseColor = vec4( diffuse, opacity ); #include #include #include #include #include #include ReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) ); #ifdef USE_LIGHTMAP vec4 lightMapTexel = texture2D( lightMap, vLightMapUv ); reflectedLight.indirectDiffuse += lightMapTexel.rgb * lightMapIntensity * RECIPROCAL_PI; #else reflectedLight.indirectDiffuse += vec3( 1.0 ); #endif #include reflectedLight.indirectDiffuse *= diffuseColor.rgb; vec3 outgoingLight = reflectedLight.indirectDiffuse; #include #include #include #include #include #include #include }"; const vertex$9 = "#define LAMBERT varying vec3 vViewPosition; #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include vViewPosition = - mvPosition.xyz; #include #include #include #include }"; const fragment$9 = "#define LAMBERT uniform vec3 diffuse; uniform vec3 emissive; uniform float opacity; #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include vec4 diffuseColor = vec4( diffuse, opacity ); ReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) ); vec3 totalEmissiveRadiance = emissive; #include #include #include #include #include #include #include #include #include #include #include #include #include #include vec3 outgoingLight = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse + totalEmissiveRadiance; #include #include #include #include #include #include #include }"; const vertex$8 = "#define MATCAP varying vec3 vViewPosition; #include #include #include #include #include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include vViewPosition = - mvPosition.xyz; }"; const fragment$8 = "#define MATCAP uniform vec3 diffuse; uniform float opacity; uniform sampler2D matcap; varying vec3 vViewPosition; #include #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include vec4 diffuseColor = vec4( diffuse, opacity ); #include #include #include #include #include #include #include vec3 viewDir = normalize( vViewPosition ); vec3 x = normalize( vec3( viewDir.z, 0.0, - viewDir.x ) ); vec3 y = cross( viewDir, x ); vec2 uv = vec2( dot( x, normal ), dot( y, normal ) ) * 0.495 + 0.5; #ifdef USE_MATCAP vec4 matcapColor = texture2D( matcap, uv ); #else vec4 matcapColor = vec4( vec3( mix( 0.2, 0.8, uv.y ) ), 1.0 ); #endif vec3 outgoingLight = diffuseColor.rgb * matcapColor.rgb; #include #include #include #include #include #include }"; const vertex$7 = "#define NORMAL #if defined( FLAT_SHADED ) || defined( USE_BUMPMAP ) || defined( USE_NORMALMAP_TANGENTSPACE ) varying vec3 vViewPosition; #endif #include #include #include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include #include #if defined( FLAT_SHADED ) || defined( USE_BUMPMAP ) || defined( USE_NORMALMAP_TANGENTSPACE ) vViewPosition = - mvPosition.xyz; #endif }"; const fragment$7 = "#define NORMAL uniform float opacity; #if defined( FLAT_SHADED ) || defined( USE_BUMPMAP ) || defined( USE_NORMALMAP_TANGENTSPACE ) varying vec3 vViewPosition; #endif #include #include #include #include #include #include #include void main() { #include #include #include #include gl_FragColor = vec4( packNormalToRGB( normal ), opacity ); #ifdef OPAQUE gl_FragColor.a = 1.0; #endif }"; const vertex$6 = "#define PHONG varying vec3 vViewPosition; #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include vViewPosition = - mvPosition.xyz; #include #include #include #include }"; const fragment$6 = "#define PHONG uniform vec3 diffuse; uniform vec3 emissive; uniform vec3 specular; uniform float shininess; uniform float opacity; #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include vec4 diffuseColor = vec4( diffuse, opacity ); ReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) ); vec3 totalEmissiveRadiance = emissive; #include #include #include #include #include #include #include #include #include #include #include #include #include #include vec3 outgoingLight = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse + reflectedLight.directSpecular + reflectedLight.indirectSpecular + totalEmissiveRadiance; #include #include #include #include #include #include #include }"; const vertex$5 = "#define STANDARD varying vec3 vViewPosition; #ifdef USE_TRANSMISSION varying vec3 vWorldPosition; #endif #include #include #include #include #include #include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include vViewPosition = - mvPosition.xyz; #include #include #include #ifdef USE_TRANSMISSION vWorldPosition = worldPosition.xyz; #endif }"; const fragment$5 = "#define STANDARD #ifdef PHYSICAL #define IOR #define USE_SPECULAR #endif uniform vec3 diffuse; uniform vec3 emissive; uniform float roughness; uniform float metalness; uniform float opacity; #ifdef IOR uniform float ior; #endif #ifdef USE_SPECULAR uniform float specularIntensity; uniform vec3 specularColor; #ifdef USE_SPECULAR_COLORMAP uniform sampler2D specularColorMap; #endif #ifdef USE_SPECULAR_INTENSITYMAP uniform sampler2D specularIntensityMap; #endif #endif #ifdef USE_CLEARCOAT uniform float clearcoat; uniform float clearcoatRoughness; #endif #ifdef USE_IRIDESCENCE uniform float iridescence; uniform float iridescenceIOR; uniform float iridescenceThicknessMinimum; uniform float iridescenceThicknessMaximum; #endif #ifdef USE_SHEEN uniform vec3 sheenColor; uniform float sheenRoughness; #ifdef USE_SHEEN_COLORMAP uniform sampler2D sheenColorMap; #endif #ifdef USE_SHEEN_ROUGHNESSMAP uniform sampler2D sheenRoughnessMap; #endif #endif varying vec3 vViewPosition; #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include vec4 diffuseColor = vec4( diffuse, opacity ); ReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) ); vec3 totalEmissiveRadiance = emissive; #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include vec3 totalDiffuse = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse; vec3 totalSpecular = reflectedLight.directSpecular + reflectedLight.indirectSpecular; #include vec3 outgoingLight = totalDiffuse + totalSpecular + totalEmissiveRadiance; #ifdef USE_SHEEN float sheenEnergyComp = 1.0 - 0.157 * max3( material.sheenColor ); outgoingLight = outgoingLight * sheenEnergyComp + sheenSpecular; #endif #ifdef USE_CLEARCOAT float dotNVcc = saturate( dot( geometry.clearcoatNormal, geometry.viewDir ) ); vec3 Fcc = F_Schlick( material.clearcoatF0, material.clearcoatF90, dotNVcc ); outgoingLight = outgoingLight * ( 1.0 - material.clearcoat * Fcc ) + clearcoatSpecular * material.clearcoat; #endif #include #include #include #include #include #include }"; const vertex$4 = "#define TOON varying vec3 vViewPosition; #include #include #include #include #include #include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include vViewPosition = - mvPosition.xyz; #include #include #include }"; const fragment$4 = "#define TOON uniform vec3 diffuse; uniform vec3 emissive; uniform float opacity; #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include void main() { #include vec4 diffuseColor = vec4( diffuse, opacity ); ReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) ); vec3 totalEmissiveRadiance = emissive; #include #include #include #include #include #include #include #include #include #include #include #include #include vec3 outgoingLight = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse + totalEmissiveRadiance; #include #include #include #include #include #include }"; const vertex$3 = "uniform float size; uniform float scale; #include #include #include #include #include #include #ifdef USE_POINTS_UV varying vec2 vUv; uniform mat3 uvTransform; #endif void main() { #ifdef USE_POINTS_UV vUv = ( uvTransform * vec3( uv, 1 ) ).xy; #endif #include #include #include #include #include gl_PointSize = size; #ifdef USE_SIZEATTENUATION bool isPerspective = isPerspectiveMatrix( projectionMatrix ); if ( isPerspective ) gl_PointSize *= ( scale / - mvPosition.z ); #endif #include #include #include #include }"; const fragment$3 = "uniform vec3 diffuse; uniform float opacity; #include #include #include #include #include #include #include void main() { #include vec3 outgoingLight = vec3( 0.0 ); vec4 diffuseColor = vec4( diffuse, opacity ); #include #include #include #include outgoingLight = diffuseColor.rgb; #include #include #include #include #include }"; const vertex$2 = "#include #include #include #include #include #include void main() { #include #include #include #include #include #include #include #include #include #include #include #include #include }"; const fragment$2 = "uniform vec3 color; uniform float opacity; #include #include #include #include #include #include #include #include void main() { #include gl_FragColor = vec4( color, opacity * ( 1.0 - getShadowMask() ) ); #include #include #include }"; const vertex$1 = "uniform float rotation; uniform vec2 center; #include #include #include #include #include void main() { #include vec4 mvPosition = modelViewMatrix * vec4( 0.0, 0.0, 0.0, 1.0 ); vec2 scale; scale.x = length( vec3( modelMatrix[ 0 ].x, modelMatrix[ 0 ].y, modelMatrix[ 0 ].z ) ); scale.y = length( vec3( modelMatrix[ 1 ].x, modelMatrix[ 1 ].y, modelMatrix[ 1 ].z ) ); #ifndef USE_SIZEATTENUATION bool isPerspective = isPerspectiveMatrix( projectionMatrix ); if ( isPerspective ) scale *= - mvPosition.z; #endif vec2 alignedPosition = ( position.xy - ( center - vec2( 0.5 ) ) ) * scale; vec2 rotatedPosition; rotatedPosition.x = cos( rotation ) * alignedPosition.x - sin( rotation ) * alignedPosition.y; rotatedPosition.y = sin( rotation ) * alignedPosition.x + cos( rotation ) * alignedPosition.y; mvPosition.xy += rotatedPosition; gl_Position = projectionMatrix * mvPosition; #include #include #include }"; const fragment$1 = "uniform vec3 diffuse; uniform float opacity; #include #include #include #include #include #include #include #include void main() { #include vec3 outgoingLight = vec3( 0.0 ); vec4 diffuseColor = vec4( diffuse, opacity ); #include #include #include #include outgoingLight = diffuseColor.rgb; #include #include #include #include }"; const ShaderChunk$1 = { alphamap_fragment: alphamap_fragment, alphamap_pars_fragment: alphamap_pars_fragment, alphatest_fragment: alphatest_fragment, alphatest_pars_fragment: alphatest_pars_fragment, aomap_fragment: aomap_fragment, aomap_pars_fragment: aomap_pars_fragment, begin_vertex: begin_vertex, beginnormal_vertex: beginnormal_vertex, bsdfs: bsdfs, iridescence_fragment: iridescence_fragment, bumpmap_pars_fragment: bumpmap_pars_fragment, clipping_planes_fragment: clipping_planes_fragment, clipping_planes_pars_fragment: clipping_planes_pars_fragment, clipping_planes_pars_vertex: clipping_planes_pars_vertex, clipping_planes_vertex: clipping_planes_vertex, color_fragment: color_fragment, color_pars_fragment: color_pars_fragment, color_pars_vertex: color_pars_vertex, color_vertex: color_vertex, common: common$2, cube_uv_reflection_fragment: cube_uv_reflection_fragment, defaultnormal_vertex: defaultnormal_vertex, displacementmap_pars_vertex: displacementmap_pars_vertex, displacementmap_vertex: displacementmap_vertex, emissivemap_fragment: emissivemap_fragment, emissivemap_pars_fragment: emissivemap_pars_fragment, encodings_fragment: encodings_fragment, encodings_pars_fragment: encodings_pars_fragment, envmap_fragment: envmap_fragment, envmap_common_pars_fragment: envmap_common_pars_fragment, envmap_pars_fragment: envmap_pars_fragment, envmap_pars_vertex: envmap_pars_vertex, envmap_physical_pars_fragment: envmap_physical_pars_fragment, envmap_vertex: envmap_vertex, fog_vertex: fog_vertex, fog_pars_vertex: fog_pars_vertex, fog_fragment: fog_fragment, fog_pars_fragment: fog_pars_fragment, gradientmap_pars_fragment: gradientmap_pars_fragment, lightmap_fragment: lightmap_fragment, lightmap_pars_fragment: lightmap_pars_fragment, lights_lambert_fragment: lights_lambert_fragment, lights_lambert_pars_fragment: lights_lambert_pars_fragment, lights_pars_begin: lights_pars_begin, lights_toon_fragment: lights_toon_fragment, lights_toon_pars_fragment: lights_toon_pars_fragment, lights_phong_fragment: lights_phong_fragment, lights_phong_pars_fragment: lights_phong_pars_fragment, lights_physical_fragment: lights_physical_fragment, lights_physical_pars_fragment: lights_physical_pars_fragment, lights_fragment_begin: lights_fragment_begin, lights_fragment_maps: lights_fragment_maps, lights_fragment_end: lights_fragment_end, logdepthbuf_fragment: logdepthbuf_fragment, logdepthbuf_pars_fragment: logdepthbuf_pars_fragment, logdepthbuf_pars_vertex: logdepthbuf_pars_vertex, logdepthbuf_vertex: logdepthbuf_vertex, map_fragment: map_fragment, map_pars_fragment: map_pars_fragment, map_particle_fragment: map_particle_fragment, map_particle_pars_fragment: map_particle_pars_fragment, metalnessmap_fragment: metalnessmap_fragment, metalnessmap_pars_fragment: metalnessmap_pars_fragment, morphcolor_vertex: morphcolor_vertex, morphnormal_vertex: morphnormal_vertex, morphtarget_pars_vertex: morphtarget_pars_vertex, morphtarget_vertex: morphtarget_vertex, normal_fragment_begin: normal_fragment_begin, normal_fragment_maps: normal_fragment_maps, normal_pars_fragment: normal_pars_fragment, normal_pars_vertex: normal_pars_vertex, normal_vertex: normal_vertex, normalmap_pars_fragment: normalmap_pars_fragment, clearcoat_normal_fragment_begin: clearcoat_normal_fragment_begin, clearcoat_normal_fragment_maps: clearcoat_normal_fragment_maps, clearcoat_pars_fragment: clearcoat_pars_fragment, iridescence_pars_fragment: iridescence_pars_fragment, output_fragment: output_fragment, packing: packing, premultiplied_alpha_fragment: premultiplied_alpha_fragment, project_vertex: project_vertex, dithering_fragment: dithering_fragment, dithering_pars_fragment: dithering_pars_fragment, roughnessmap_fragment: roughnessmap_fragment, roughnessmap_pars_fragment: roughnessmap_pars_fragment, shadowmap_pars_fragment: shadowmap_pars_fragment, shadowmap_pars_vertex: shadowmap_pars_vertex, shadowmap_vertex: shadowmap_vertex, shadowmask_pars_fragment: shadowmask_pars_fragment, skinbase_vertex: skinbase_vertex, skinning_pars_vertex: skinning_pars_vertex, skinning_vertex: skinning_vertex, skinnormal_vertex: skinnormal_vertex, specularmap_fragment: specularmap_fragment, specularmap_pars_fragment: specularmap_pars_fragment, tonemapping_fragment: tonemapping_fragment, tonemapping_pars_fragment: tonemapping_pars_fragment, transmission_fragment: transmission_fragment, transmission_pars_fragment: transmission_pars_fragment, uv_pars_fragment: uv_pars_fragment, uv_pars_vertex: uv_pars_vertex, uv_vertex: uv_vertex, worldpos_vertex: worldpos_vertex, background_vert: vertex$h, background_frag: fragment$h, backgroundCube_vert: vertex$g, backgroundCube_frag: fragment$g, cube_vert: vertex$f, cube_frag: fragment$f, depth_vert: vertex$e, depth_frag: fragment$e, distanceRGBA_vert: vertex$d, distanceRGBA_frag: fragment$d, equirect_vert: vertex$c, equirect_frag: fragment$c, linedashed_vert: vertex$b, linedashed_frag: fragment$b, meshbasic_vert: vertex$a, meshbasic_frag: fragment$a, meshlambert_vert: vertex$9, meshlambert_frag: fragment$9, meshmatcap_vert: vertex$8, meshmatcap_frag: fragment$8, meshnormal_vert: vertex$7, meshnormal_frag: fragment$7, meshphong_vert: vertex$6, meshphong_frag: fragment$6, meshphysical_vert: vertex$5, meshphysical_frag: fragment$5, meshtoon_vert: vertex$4, meshtoon_frag: fragment$4, points_vert: vertex$3, points_frag: fragment$3, shadow_vert: vertex$2, shadow_frag: fragment$2, sprite_vert: vertex$1, sprite_frag: fragment$1 }; /** * Uniforms library for shared webgl shaders */ const UniformsLib = { common: { diffuse: { value: /*@__PURE__*/ new Color( 0xffffff ) }, opacity: { value: 1.0 }, map: { value: null }, mapTransform: { value: /*@__PURE__*/ new Matrix3() }, alphaMap: { value: null }, alphaMapTransform: { value: /*@__PURE__*/ new Matrix3() }, alphaTest: { value: 0 } }, specularmap: { specularMap: { value: null }, specularMapTransform: { value: /*@__PURE__*/ new Matrix3() } }, envmap: { envMap: { value: null }, flipEnvMap: { value: - 1 }, reflectivity: { value: 1.0 }, // basic, lambert, phong ior: { value: 1.5 }, // physical refractionRatio: { value: 0.98 }, // basic, lambert, phong }, aomap: { aoMap: { value: null }, aoMapIntensity: { value: 1 }, aoMapTransform: { value: /*@__PURE__*/ new Matrix3() } }, lightmap: { lightMap: { value: null }, lightMapIntensity: { value: 1 }, lightMapTransform: { value: /*@__PURE__*/ new Matrix3() } }, bumpmap: { bumpMap: { value: null }, bumpMapTransform: { value: /*@__PURE__*/ new Matrix3() }, bumpScale: { value: 1 } }, normalmap: { normalMap: { value: null }, normalMapTransform: { value: /*@__PURE__*/ new Matrix3() }, normalScale: { value: /*@__PURE__*/ new Vector2( 1, 1 ) } }, displacementmap: { displacementMap: { value: null }, displacementMapTransform: { value: /*@__PURE__*/ new Matrix3() }, displacementScale: { value: 1 }, displacementBias: { value: 0 } }, emissivemap: { emissiveMap: { value: null }, emissiveMapTransform: { value: /*@__PURE__*/ new Matrix3() } }, metalnessmap: { metalnessMap: { value: null }, metalnessMapTransform: { value: /*@__PURE__*/ new Matrix3() } }, roughnessmap: { roughnessMap: { value: null }, roughnessMapTransform: { value: /*@__PURE__*/ new Matrix3() } }, gradientmap: { gradientMap: { value: null } }, fog: { fogDensity: { value: 0.00025 }, fogNear: { value: 1 }, fogFar: { value: 2000 }, fogColor: { value: /*@__PURE__*/ new Color( 0xffffff ) } }, lights: { ambientLightColor: { value: [] }, lightProbe: { value: [] }, directionalLights: { value: [], properties: { direction: {}, color: {} } }, directionalLightShadows: { value: [], properties: { shadowBias: {}, shadowNormalBias: {}, shadowRadius: {}, shadowMapSize: {} } }, directionalShadowMap: { value: [] }, directionalShadowMatrix: { value: [] }, spotLights: { value: [], properties: { color: {}, position: {}, direction: {}, distance: {}, coneCos: {}, penumbraCos: {}, decay: {} } }, spotLightShadows: { value: [], properties: { shadowBias: {}, shadowNormalBias: {}, shadowRadius: {}, shadowMapSize: {} } }, spotLightMap: { value: [] }, spotShadowMap: { value: [] }, spotLightMatrix: { value: [] }, pointLights: { value: [], properties: { color: {}, position: {}, decay: {}, distance: {} } }, pointLightShadows: { value: [], properties: { shadowBias: {}, shadowNormalBias: {}, shadowRadius: {}, shadowMapSize: {}, shadowCameraNear: {}, shadowCameraFar: {} } }, pointShadowMap: { value: [] }, pointShadowMatrix: { value: [] }, hemisphereLights: { value: [], properties: { direction: {}, skyColor: {}, groundColor: {} } }, // TODO (abelnation): RectAreaLight BRDF data needs to be moved from example to main src rectAreaLights: { value: [], properties: { color: {}, position: {}, width: {}, height: {} } }, ltc_1: { value: null }, ltc_2: { value: null } }, points: { diffuse: { value: /*@__PURE__*/ new Color( 0xffffff ) }, opacity: { value: 1.0 }, size: { value: 1.0 }, scale: { value: 1.0 }, map: { value: null }, alphaMap: { value: null }, alphaTest: { value: 0 }, uvTransform: { value: /*@__PURE__*/ new Matrix3() } }, sprite: { diffuse: { value: /*@__PURE__*/ new Color( 0xffffff ) }, opacity: { value: 1.0 }, center: { value: /*@__PURE__*/ new Vector2( 0.5, 0.5 ) }, rotation: { value: 0.0 }, map: { value: null }, mapTransform: { value: /*@__PURE__*/ new Matrix3() }, alphaMap: { value: null }, alphaTest: { value: 0 } } }; const ShaderLib = { basic: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.specularmap, UniformsLib.envmap, UniformsLib.aomap, UniformsLib.lightmap, UniformsLib.fog ] ), vertexShader: ShaderChunk$1.meshbasic_vert, fragmentShader: ShaderChunk$1.meshbasic_frag }, lambert: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.specularmap, UniformsLib.envmap, UniformsLib.aomap, UniformsLib.lightmap, UniformsLib.emissivemap, UniformsLib.bumpmap, UniformsLib.normalmap, UniformsLib.displacementmap, UniformsLib.fog, UniformsLib.lights, { emissive: { value: /*@__PURE__*/ new Color( 0x000000 ) } } ] ), vertexShader: ShaderChunk$1.meshlambert_vert, fragmentShader: ShaderChunk$1.meshlambert_frag }, phong: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.specularmap, UniformsLib.envmap, UniformsLib.aomap, UniformsLib.lightmap, UniformsLib.emissivemap, UniformsLib.bumpmap, UniformsLib.normalmap, UniformsLib.displacementmap, UniformsLib.fog, UniformsLib.lights, { emissive: { value: /*@__PURE__*/ new Color( 0x000000 ) }, specular: { value: /*@__PURE__*/ new Color( 0x111111 ) }, shininess: { value: 30 } } ] ), vertexShader: ShaderChunk$1.meshphong_vert, fragmentShader: ShaderChunk$1.meshphong_frag }, standard: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.envmap, UniformsLib.aomap, UniformsLib.lightmap, UniformsLib.emissivemap, UniformsLib.bumpmap, UniformsLib.normalmap, UniformsLib.displacementmap, UniformsLib.roughnessmap, UniformsLib.metalnessmap, UniformsLib.fog, UniformsLib.lights, { emissive: { value: /*@__PURE__*/ new Color( 0x000000 ) }, roughness: { value: 1.0 }, metalness: { value: 0.0 }, envMapIntensity: { value: 1 } // temporary } ] ), vertexShader: ShaderChunk$1.meshphysical_vert, fragmentShader: ShaderChunk$1.meshphysical_frag }, toon: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.aomap, UniformsLib.lightmap, UniformsLib.emissivemap, UniformsLib.bumpmap, UniformsLib.normalmap, UniformsLib.displacementmap, UniformsLib.gradientmap, UniformsLib.fog, UniformsLib.lights, { emissive: { value: /*@__PURE__*/ new Color( 0x000000 ) } } ] ), vertexShader: ShaderChunk$1.meshtoon_vert, fragmentShader: ShaderChunk$1.meshtoon_frag }, matcap: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.bumpmap, UniformsLib.normalmap, UniformsLib.displacementmap, UniformsLib.fog, { matcap: { value: null } } ] ), vertexShader: ShaderChunk$1.meshmatcap_vert, fragmentShader: ShaderChunk$1.meshmatcap_frag }, points: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.points, UniformsLib.fog ] ), vertexShader: ShaderChunk$1.points_vert, fragmentShader: ShaderChunk$1.points_frag }, dashed: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.fog, { scale: { value: 1 }, dashSize: { value: 1 }, totalSize: { value: 2 } } ] ), vertexShader: ShaderChunk$1.linedashed_vert, fragmentShader: ShaderChunk$1.linedashed_frag }, depth: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.displacementmap ] ), vertexShader: ShaderChunk$1.depth_vert, fragmentShader: ShaderChunk$1.depth_frag }, normal: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.bumpmap, UniformsLib.normalmap, UniformsLib.displacementmap, { opacity: { value: 1.0 } } ] ), vertexShader: ShaderChunk$1.meshnormal_vert, fragmentShader: ShaderChunk$1.meshnormal_frag }, sprite: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.sprite, UniformsLib.fog ] ), vertexShader: ShaderChunk$1.sprite_vert, fragmentShader: ShaderChunk$1.sprite_frag }, background: { uniforms: { uvTransform: { value: /*@__PURE__*/ new Matrix3() }, t2D: { value: null }, backgroundIntensity: { value: 1 } }, vertexShader: ShaderChunk$1.background_vert, fragmentShader: ShaderChunk$1.background_frag }, backgroundCube: { uniforms: { envMap: { value: null }, flipEnvMap: { value: - 1 }, backgroundBlurriness: { value: 0 }, backgroundIntensity: { value: 1 } }, vertexShader: ShaderChunk$1.backgroundCube_vert, fragmentShader: ShaderChunk$1.backgroundCube_frag }, cube: { uniforms: { tCube: { value: null }, tFlip: { value: - 1 }, opacity: { value: 1.0 } }, vertexShader: ShaderChunk$1.cube_vert, fragmentShader: ShaderChunk$1.cube_frag }, equirect: { uniforms: { tEquirect: { value: null }, }, vertexShader: ShaderChunk$1.equirect_vert, fragmentShader: ShaderChunk$1.equirect_frag }, distanceRGBA: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.common, UniformsLib.displacementmap, { referencePosition: { value: /*@__PURE__*/ new Vector3() }, nearDistance: { value: 1 }, farDistance: { value: 1000 } } ] ), vertexShader: ShaderChunk$1.distanceRGBA_vert, fragmentShader: ShaderChunk$1.distanceRGBA_frag }, shadow: { uniforms: /*@__PURE__*/ mergeUniforms( [ UniformsLib.lights, UniformsLib.fog, { color: { value: /*@__PURE__*/ new Color( 0x00000 ) }, opacity: { value: 1.0 } }, ] ), vertexShader: ShaderChunk$1.shadow_vert, fragmentShader: ShaderChunk$1.shadow_frag } }; ShaderLib.physical = { uniforms: /*@__PURE__*/ mergeUniforms( [ ShaderLib.standard.uniforms, { clearcoat: { value: 0 }, clearcoatMap: { value: null }, clearcoatMapTransform: { value: /*@__PURE__*/ new Matrix3() }, clearcoatNormalMap: { value: null }, clearcoatNormalMapTransform: { value: /*@__PURE__*/ new Matrix3() }, clearcoatNormalScale: { value: /*@__PURE__*/ new Vector2( 1, 1 ) }, clearcoatRoughness: { value: 0 }, clearcoatRoughnessMap: { value: null }, clearcoatRoughnessMapTransform: { value: /*@__PURE__*/ new Matrix3() }, iridescence: { value: 0 }, iridescenceMap: { value: null }, iridescenceMapTransform: { value: /*@__PURE__*/ new Matrix3() }, iridescenceIOR: { value: 1.3 }, iridescenceThicknessMinimum: { value: 100 }, iridescenceThicknessMaximum: { value: 400 }, iridescenceThicknessMap: { value: null }, iridescenceThicknessMapTransform: { value: /*@__PURE__*/ new Matrix3() }, sheen: { value: 0 }, sheenColor: { value: /*@__PURE__*/ new Color( 0x000000 ) }, sheenColorMap: { value: null }, sheenColorMapTransform: { value: /*@__PURE__*/ new Matrix3() }, sheenRoughness: { value: 1 }, sheenRoughnessMap: { value: null }, sheenRoughnessMapTransform: { value: /*@__PURE__*/ new Matrix3() }, transmission: { value: 0 }, transmissionMap: { value: null }, transmissionMapTransform: { value: /*@__PURE__*/ new Matrix3() }, transmissionSamplerSize: { value: /*@__PURE__*/ new Vector2() }, transmissionSamplerMap: { value: null }, thickness: { value: 0 }, thicknessMap: { value: null }, thicknessMapTransform: { value: /*@__PURE__*/ new Matrix3() }, attenuationDistance: { value: 0 }, attenuationColor: { value: /*@__PURE__*/ new Color( 0x000000 ) }, specularColor: { value: /*@__PURE__*/ new Color( 1, 1, 1 ) }, specularColorMap: { value: null }, specularColorMapTransform: { value: /*@__PURE__*/ new Matrix3() }, specularIntensity: { value: 1 }, specularIntensityMap: { value: null }, specularIntensityMapTransform: { value: /*@__PURE__*/ new Matrix3() } } ] ), vertexShader: ShaderChunk$1.meshphysical_vert, fragmentShader: ShaderChunk$1.meshphysical_frag }; const _rgb = { r: 0, b: 0, g: 0 }; function WebGLBackground( renderer, cubemaps, cubeuvmaps, state, objects, alpha, premultipliedAlpha ) { const clearColor = new Color( 0x000000 ); let clearAlpha = alpha === true ? 0 : 1; let planeMesh; let boxMesh; let currentBackground = null; let currentBackgroundVersion = 0; let currentTonemapping = null; function render( renderList, scene ) { let forceClear = false; let background = scene.isScene === true ? scene.background : null; if ( background && background.isTexture ) { const usePMREM = scene.backgroundBlurriness > 0; // use PMREM if the user wants to blur the background background = ( usePMREM ? cubeuvmaps : cubemaps ).get( background ); } if ( background === null ) { setClear( clearColor, clearAlpha ); } else if ( background && background.isColor ) { setClear( background, 1 ); forceClear = true; } const xr = renderer.xr; const environmentBlendMode = xr.getEnvironmentBlendMode(); switch ( environmentBlendMode ) { case "opaque": forceClear = true; break; case "additive": state.buffers.color.setClear( 0, 0, 0, 1, premultipliedAlpha ); forceClear = true; break; case "alpha-blend": state.buffers.color.setClear( 0, 0, 0, 0, premultipliedAlpha ); forceClear = true; break; } if ( renderer.autoClear || forceClear ) { renderer.clear( renderer.autoClearColor, renderer.autoClearDepth, renderer.autoClearStencil ); } if ( background && ( background.isCubeTexture || background.mapping === CubeUVReflectionMapping ) ) { if ( boxMesh === undefined ) { boxMesh = new Mesh( new BoxGeometry( 1, 1, 1 ), new ShaderMaterial( { name: "BackgroundCubeMaterial", uniforms: cloneUniforms( ShaderLib.backgroundCube.uniforms ), vertexShader: ShaderLib.backgroundCube.vertexShader, fragmentShader: ShaderLib.backgroundCube.fragmentShader, side: BackSide, depthTest: false, depthWrite: false, fog: false } ) ); boxMesh.geometry.deleteAttribute( "normal" ); boxMesh.geometry.deleteAttribute( "uv" ); boxMesh.onBeforeRender = function ( renderer, scene, camera ) { this.matrixWorld.copyPosition( camera.matrixWorld ); }; // add "envMap" material property so the renderer can evaluate it like for built-in materials Object.defineProperty( boxMesh.material, "envMap", { get: function () { return this.uniforms.envMap.value; } } ); objects.update( boxMesh ); } boxMesh.material.uniforms.envMap.value = background; boxMesh.material.uniforms.flipEnvMap.value = ( background.isCubeTexture && background.isRenderTargetTexture === false ) ? - 1 : 1; boxMesh.material.uniforms.backgroundBlurriness.value = scene.backgroundBlurriness; boxMesh.material.uniforms.backgroundIntensity.value = scene.backgroundIntensity; boxMesh.material.toneMapped = ( background.colorSpace === SRGBColorSpace ) ? false : true; if ( currentBackground !== background || currentBackgroundVersion !== background.version || currentTonemapping !== renderer.toneMapping ) { boxMesh.material.needsUpdate = true; currentBackground = background; currentBackgroundVersion = background.version; currentTonemapping = renderer.toneMapping; } boxMesh.layers.enableAll(); // push to the pre-sorted opaque render list renderList.unshift( boxMesh, boxMesh.geometry, boxMesh.material, 0, 0, null ); } else if ( background && background.isTexture ) { if ( planeMesh === undefined ) { planeMesh = new Mesh( new PlaneGeometry( 2, 2 ), new ShaderMaterial( { name: "BackgroundMaterial", uniforms: cloneUniforms( ShaderLib.background.uniforms ), vertexShader: ShaderLib.background.vertexShader, fragmentShader: ShaderLib.background.fragmentShader, side: FrontSide, depthTest: false, depthWrite: false, fog: false } ) ); planeMesh.geometry.deleteAttribute( "normal" ); // add "map" material property so the renderer can evaluate it like for built-in materials Object.defineProperty( planeMesh.material, "map", { get: function () { return this.uniforms.t2D.value; } } ); objects.update( planeMesh ); } planeMesh.material.uniforms.t2D.value = background; planeMesh.material.uniforms.backgroundIntensity.value = scene.backgroundIntensity; planeMesh.material.toneMapped = ( background.colorSpace === SRGBColorSpace ) ? false : true; if ( background.matrixAutoUpdate === true ) { background.updateMatrix(); } planeMesh.material.uniforms.uvTransform.value.copy( background.matrix ); if ( currentBackground !== background || currentBackgroundVersion !== background.version || currentTonemapping !== renderer.toneMapping ) { planeMesh.material.needsUpdate = true; currentBackground = background; currentBackgroundVersion = background.version; currentTonemapping = renderer.toneMapping; } planeMesh.layers.enableAll(); // push to the pre-sorted opaque render list renderList.unshift( planeMesh, planeMesh.geometry, planeMesh.material, 0, 0, null ); } } function setClear( color, alpha ) { color.getRGB( _rgb, getUnlitUniformColorSpace( renderer ) ); state.buffers.color.setClear( _rgb.r, _rgb.g, _rgb.b, alpha, premultipliedAlpha ); } return { getClearColor: function () { return clearColor; }, setClearColor: function ( color, alpha = 1 ) { clearColor.set( color ); clearAlpha = alpha; setClear( clearColor, clearAlpha ); }, getClearAlpha: function () { return clearAlpha; }, setClearAlpha: function ( alpha ) { clearAlpha = alpha; setClear( clearColor, clearAlpha ); }, render: render }; } function WebGLBindingStates( gl, extensions, attributes, capabilities ) { const maxVertexAttributes = gl.getParameter( gl.MAX_VERTEX_ATTRIBS ); const extension = capabilities.isWebGL2 ? null : extensions.get( "OES_vertex_array_object" ); const vaoAvailable = capabilities.isWebGL2 || extension !== null; const bindingStates = {}; const defaultState = createBindingState( null ); let currentState = defaultState; let forceUpdate = false; function setup( object, material, program, geometry, index ) { let updateBuffers = false; if ( vaoAvailable ) { const state = getBindingState( geometry, program, material ); if ( currentState !== state ) { currentState = state; bindVertexArrayObject( currentState.object ); } updateBuffers = needsUpdate( object, geometry, program, index ); if ( updateBuffers ) saveCache( object, geometry, program, index ); } else { const wireframe = ( material.wireframe === true ); if ( currentState.geometry !== geometry.id || currentState.program !== program.id || currentState.wireframe !== wireframe ) { currentState.geometry = geometry.id; currentState.program = program.id; currentState.wireframe = wireframe; updateBuffers = true; } } if ( index !== null ) { attributes.update( index, gl.ELEMENT_ARRAY_BUFFER ); } if ( updateBuffers || forceUpdate ) { forceUpdate = false; setupVertexAttributes( object, material, program, geometry ); if ( index !== null ) { gl.bindBuffer( gl.ELEMENT_ARRAY_BUFFER, attributes.get( index ).buffer ); } } } function createVertexArrayObject() { if ( capabilities.isWebGL2 ) return gl.createVertexArray(); return extension.createVertexArrayOES(); } function bindVertexArrayObject( vao ) { if ( capabilities.isWebGL2 ) return gl.bindVertexArray( vao ); return extension.bindVertexArrayOES( vao ); } function deleteVertexArrayObject( vao ) { if ( capabilities.isWebGL2 ) return gl.deleteVertexArray( vao ); return extension.deleteVertexArrayOES( vao ); } function getBindingState( geometry, program, material ) { const wireframe = ( material.wireframe === true ); let programMap = bindingStates[ geometry.id ]; if ( programMap === undefined ) { programMap = {}; bindingStates[ geometry.id ] = programMap; } let stateMap = programMap[ program.id ]; if ( stateMap === undefined ) { stateMap = {}; programMap[ program.id ] = stateMap; } let state = stateMap[ wireframe ]; if ( state === undefined ) { state = createBindingState( createVertexArrayObject() ); stateMap[ wireframe ] = state; } return state; } function createBindingState( vao ) { const newAttributes = []; const enabledAttributes = []; const attributeDivisors = []; for ( let i = 0; i < maxVertexAttributes; i ++ ) { newAttributes[ i ] = 0; enabledAttributes[ i ] = 0; attributeDivisors[ i ] = 0; } return { // for backward compatibility on non-VAO support browser geometry: null, program: null, wireframe: false, newAttributes: newAttributes, enabledAttributes: enabledAttributes, attributeDivisors: attributeDivisors, object: vao, attributes: {}, index: null }; } function needsUpdate( object, geometry, program, index ) { const cachedAttributes = currentState.attributes; const geometryAttributes = geometry.attributes; let attributesNum = 0; const programAttributes = program.getAttributes(); for ( const name in programAttributes ) { const programAttribute = programAttributes[ name ]; if ( programAttribute.location >= 0 ) { const cachedAttribute = cachedAttributes[ name ]; let geometryAttribute = geometryAttributes[ name ]; if ( geometryAttribute === undefined ) { if ( name === "instanceMatrix" && object.instanceMatrix ) geometryAttribute = object.instanceMatrix; if ( name === "instanceColor" && object.instanceColor ) geometryAttribute = object.instanceColor; } if ( cachedAttribute === undefined ) return true; if ( cachedAttribute.attribute !== geometryAttribute ) return true; if ( geometryAttribute && cachedAttribute.data !== geometryAttribute.data ) return true; attributesNum ++; } } if ( currentState.attributesNum !== attributesNum ) return true; if ( currentState.index !== index ) return true; return false; } function saveCache( object, geometry, program, index ) { const cache = {}; const attributes = geometry.attributes; let attributesNum = 0; const programAttributes = program.getAttributes(); for ( const name in programAttributes ) { const programAttribute = programAttributes[ name ]; if ( programAttribute.location >= 0 ) { let attribute = attributes[ name ]; if ( attribute === undefined ) { if ( name === "instanceMatrix" && object.instanceMatrix ) attribute = object.instanceMatrix; if ( name === "instanceColor" && object.instanceColor ) attribute = object.instanceColor; } const data = {}; data.attribute = attribute; if ( attribute && attribute.data ) { data.data = attribute.data; } cache[ name ] = data; attributesNum ++; } } currentState.attributes = cache; currentState.attributesNum = attributesNum; currentState.index = index; } function initAttributes() { const newAttributes = currentState.newAttributes; for ( let i = 0, il = newAttributes.length; i < il; i ++ ) { newAttributes[ i ] = 0; } } function enableAttribute( attribute ) { enableAttributeAndDivisor( attribute, 0 ); } function enableAttributeAndDivisor( attribute, meshPerAttribute ) { const newAttributes = currentState.newAttributes; const enabledAttributes = currentState.enabledAttributes; const attributeDivisors = currentState.attributeDivisors; newAttributes[ attribute ] = 1; if ( enabledAttributes[ attribute ] === 0 ) { gl.enableVertexAttribArray( attribute ); enabledAttributes[ attribute ] = 1; } if ( attributeDivisors[ attribute ] !== meshPerAttribute ) { const extension = capabilities.isWebGL2 ? gl : extensions.get( "ANGLE_instanced_arrays" ); extension[ capabilities.isWebGL2 ? "vertexAttribDivisor" : "vertexAttribDivisorANGLE" ]( attribute, meshPerAttribute ); attributeDivisors[ attribute ] = meshPerAttribute; } } function disableUnusedAttributes() { const newAttributes = currentState.newAttributes; const enabledAttributes = currentState.enabledAttributes; for ( let i = 0, il = enabledAttributes.length; i < il; i ++ ) { if ( enabledAttributes[ i ] !== newAttributes[ i ] ) { gl.disableVertexAttribArray( i ); enabledAttributes[ i ] = 0; } } } function vertexAttribPointer( index, size, type, normalized, stride, offset ) { if ( capabilities.isWebGL2 === true && ( type === gl.INT || type === gl.UNSIGNED_INT ) ) { gl.vertexAttribIPointer( index, size, type, stride, offset ); } else { gl.vertexAttribPointer( index, size, type, normalized, stride, offset ); } } function setupVertexAttributes( object, material, program, geometry ) { if ( capabilities.isWebGL2 === false && ( object.isInstancedMesh || geometry.isInstancedBufferGeometry ) ) { if ( extensions.get( "ANGLE_instanced_arrays" ) === null ) return; } initAttributes(); const geometryAttributes = geometry.attributes; const programAttributes = program.getAttributes(); const materialDefaultAttributeValues = material.defaultAttributeValues; for ( const name in programAttributes ) { const programAttribute = programAttributes[ name ]; if ( programAttribute.location >= 0 ) { let geometryAttribute = geometryAttributes[ name ]; if ( geometryAttribute === undefined ) { if ( name === "instanceMatrix" && object.instanceMatrix ) geometryAttribute = object.instanceMatrix; if ( name === "instanceColor" && object.instanceColor ) geometryAttribute = object.instanceColor; } if ( geometryAttribute !== undefined ) { const normalized = geometryAttribute.normalized; const size = geometryAttribute.itemSize; const attribute = attributes.get( geometryAttribute ); // TODO Attribute may not be available on context restore if ( attribute === undefined ) continue; const buffer = attribute.buffer; const type = attribute.type; const bytesPerElement = attribute.bytesPerElement; if ( geometryAttribute.isInterleavedBufferAttribute ) { const data = geometryAttribute.data; const stride = data.stride; const offset = geometryAttribute.offset; if ( data.isInstancedInterleavedBuffer ) { for ( let i = 0; i < programAttribute.locationSize; i ++ ) { enableAttributeAndDivisor( programAttribute.location + i, data.meshPerAttribute ); } if ( object.isInstancedMesh !== true && geometry._maxInstanceCount === undefined ) { geometry._maxInstanceCount = data.meshPerAttribute * data.count; } } else { for ( let i = 0; i < programAttribute.locationSize; i ++ ) { enableAttribute( programAttribute.location + i ); } } gl.bindBuffer( gl.ARRAY_BUFFER, buffer ); for ( let i = 0; i < programAttribute.locationSize; i ++ ) { vertexAttribPointer( programAttribute.location + i, size / programAttribute.locationSize, type, normalized, stride * bytesPerElement, ( offset + ( size / programAttribute.locationSize ) * i ) * bytesPerElement ); } } else { if ( geometryAttribute.isInstancedBufferAttribute ) { for ( let i = 0; i < programAttribute.locationSize; i ++ ) { enableAttributeAndDivisor( programAttribute.location + i, geometryAttribute.meshPerAttribute ); } if ( object.isInstancedMesh !== true && geometry._maxInstanceCount === undefined ) { geometry._maxInstanceCount = geometryAttribute.meshPerAttribute * geometryAttribute.count; } } else { for ( let i = 0; i < programAttribute.locationSize; i ++ ) { enableAttribute( programAttribute.location + i ); } } gl.bindBuffer( gl.ARRAY_BUFFER, buffer ); for ( let i = 0; i < programAttribute.locationSize; i ++ ) { vertexAttribPointer( programAttribute.location + i, size / programAttribute.locationSize, type, normalized, size * bytesPerElement, ( size / programAttribute.locationSize ) * i * bytesPerElement ); } } } else if ( materialDefaultAttributeValues !== undefined ) { const value = materialDefaultAttributeValues[ name ]; if ( value !== undefined ) { switch ( value.length ) { case 2: gl.vertexAttrib2fv( programAttribute.location, value ); break; case 3: gl.vertexAttrib3fv( programAttribute.location, value ); break; case 4: gl.vertexAttrib4fv( programAttribute.location, value ); break; default: gl.vertexAttrib1fv( programAttribute.location, value ); } } } } } disableUnusedAttributes(); } function dispose() { reset(); for ( const geometryId in bindingStates ) { const programMap = bindingStates[ geometryId ]; for ( const programId in programMap ) { const stateMap = programMap[ programId ]; for ( const wireframe in stateMap ) { deleteVertexArrayObject( stateMap[ wireframe ].object ); delete stateMap[ wireframe ]; } delete programMap[ programId ]; } delete bindingStates[ geometryId ]; } } function releaseStatesOfGeometry( geometry ) { if ( bindingStates[ geometry.id ] === undefined ) return; const programMap = bindingStates[ geometry.id ]; for ( const programId in programMap ) { const stateMap = programMap[ programId ]; for ( const wireframe in stateMap ) { deleteVertexArrayObject( stateMap[ wireframe ].object ); delete stateMap[ wireframe ]; } delete programMap[ programId ]; } delete bindingStates[ geometry.id ]; } function releaseStatesOfProgram( program ) { for ( const geometryId in bindingStates ) { const programMap = bindingStates[ geometryId ]; if ( programMap[ program.id ] === undefined ) continue; const stateMap = programMap[ program.id ]; for ( const wireframe in stateMap ) { deleteVertexArrayObject( stateMap[ wireframe ].object ); delete stateMap[ wireframe ]; } delete programMap[ program.id ]; } } function reset() { resetDefaultState(); forceUpdate = true; if ( currentState === defaultState ) return; currentState = defaultState; bindVertexArrayObject( currentState.object ); } // for backward-compatibility function resetDefaultState() { defaultState.geometry = null; defaultState.program = null; defaultState.wireframe = false; } return { setup: setup, reset: reset, resetDefaultState: resetDefaultState, dispose: dispose, releaseStatesOfGeometry: releaseStatesOfGeometry, releaseStatesOfProgram: releaseStatesOfProgram, initAttributes: initAttributes, enableAttribute: enableAttribute, disableUnusedAttributes: disableUnusedAttributes }; } function WebGLBufferRenderer( gl, extensions, info, capabilities ) { const isWebGL2 = capabilities.isWebGL2; let mode; function setMode( value ) { mode = value; } function render( start, count ) { gl.drawArrays( mode, start, count ); info.update( count, mode, 1 ); } function renderInstances( start, count, primcount ) { if ( primcount === 0 ) return; let extension, methodName; if ( isWebGL2 ) { extension = gl; methodName = "drawArraysInstanced"; } else { extension = extensions.get( "ANGLE_instanced_arrays" ); methodName = "drawArraysInstancedANGLE"; if ( extension === null ) { console.error( "THREE.WebGLBufferRenderer: using THREE.InstancedBufferGeometry but hardware does not support extension ANGLE_instanced_arrays." ); return; } } extension[ methodName ]( mode, start, count, primcount ); info.update( count, mode, primcount ); } // this.setMode = setMode; this.render = render; this.renderInstances = renderInstances; } function WebGLCapabilities( gl, extensions, parameters ) { let maxAnisotropy; function getMaxAnisotropy() { if ( maxAnisotropy !== undefined ) return maxAnisotropy; if ( extensions.has( "EXT_texture_filter_anisotropic" ) === true ) { const extension = extensions.get( "EXT_texture_filter_anisotropic" ); maxAnisotropy = gl.getParameter( extension.MAX_TEXTURE_MAX_ANISOTROPY_EXT ); } else { maxAnisotropy = 0; } return maxAnisotropy; } function getMaxPrecision( precision ) { if ( precision === "highp" ) { if ( gl.getShaderPrecisionFormat( gl.VERTEX_SHADER, gl.HIGH_FLOAT ).precision > 0 && gl.getShaderPrecisionFormat( gl.FRAGMENT_SHADER, gl.HIGH_FLOAT ).precision > 0 ) { return "highp"; } precision = "mediump"; } if ( precision === "mediump" ) { if ( gl.getShaderPrecisionFormat( gl.VERTEX_SHADER, gl.MEDIUM_FLOAT ).precision > 0 && gl.getShaderPrecisionFormat( gl.FRAGMENT_SHADER, gl.MEDIUM_FLOAT ).precision > 0 ) { return "mediump"; } } return "lowp"; } const isWebGL2 = typeof WebGL2RenderingContext !== "undefined" && gl.constructor.name === "WebGL2RenderingContext"; let precision = parameters.precision !== undefined ? parameters.precision : "highp"; const maxPrecision = getMaxPrecision( precision ); if ( maxPrecision !== precision ) { console.warn( "THREE.WebGLRenderer:", precision, "not supported, using", maxPrecision, "instead." ); precision = maxPrecision; } const drawBuffers = isWebGL2 || extensions.has( "WEBGL_draw_buffers" ); const logarithmicDepthBuffer = parameters.logarithmicDepthBuffer === true; const maxTextures = gl.getParameter( gl.MAX_TEXTURE_IMAGE_UNITS ); const maxVertexTextures = gl.getParameter( gl.MAX_VERTEX_TEXTURE_IMAGE_UNITS ); const maxTextureSize = gl.getParameter( gl.MAX_TEXTURE_SIZE ); const maxCubemapSize = gl.getParameter( gl.MAX_CUBE_MAP_TEXTURE_SIZE ); const maxAttributes = gl.getParameter( gl.MAX_VERTEX_ATTRIBS ); const maxVertexUniforms = gl.getParameter( gl.MAX_VERTEX_UNIFORM_VECTORS ); const maxVaryings = gl.getParameter( gl.MAX_VARYING_VECTORS ); const maxFragmentUniforms = gl.getParameter( gl.MAX_FRAGMENT_UNIFORM_VECTORS ); const vertexTextures = maxVertexTextures > 0; const floatFragmentTextures = isWebGL2 || extensions.has( "OES_texture_float" ); const floatVertexTextures = vertexTextures && floatFragmentTextures; const maxSamples = isWebGL2 ? gl.getParameter( gl.MAX_SAMPLES ) : 0; return { isWebGL2: isWebGL2, drawBuffers: drawBuffers, getMaxAnisotropy: getMaxAnisotropy, getMaxPrecision: getMaxPrecision, precision: precision, logarithmicDepthBuffer: logarithmicDepthBuffer, maxTextures: maxTextures, maxVertexTextures: maxVertexTextures, maxTextureSize: maxTextureSize, maxCubemapSize: maxCubemapSize, maxAttributes: maxAttributes, maxVertexUniforms: maxVertexUniforms, maxVaryings: maxVaryings, maxFragmentUniforms: maxFragmentUniforms, vertexTextures: vertexTextures, floatFragmentTextures: floatFragmentTextures, floatVertexTextures: floatVertexTextures, maxSamples: maxSamples }; } function WebGLClipping( properties ) { const scope = this; let globalState = null, numGlobalPlanes = 0, localClippingEnabled = false, renderingShadows = false; const plane = new Plane(), viewNormalMatrix = new Matrix3(), uniform = { value: null, needsUpdate: false }; this.uniform = uniform; this.numPlanes = 0; this.numIntersection = 0; this.init = function ( planes, enableLocalClipping ) { const enabled = planes.length !== 0 || enableLocalClipping || // enable state of previous frame - the clipping code has to // run another frame in order to reset the state: numGlobalPlanes !== 0 || localClippingEnabled; localClippingEnabled = enableLocalClipping; numGlobalPlanes = planes.length; return enabled; }; this.beginShadows = function () { renderingShadows = true; projectPlanes( null ); }; this.endShadows = function () { renderingShadows = false; }; this.setGlobalState = function ( planes, camera ) { globalState = projectPlanes( planes, camera, 0 ); }; this.setState = function ( material, camera, useCache ) { const planes = material.clippingPlanes, clipIntersection = material.clipIntersection, clipShadows = material.clipShadows; const materialProperties = properties.get( material ); if ( ! localClippingEnabled || planes === null || planes.length === 0 || renderingShadows && ! clipShadows ) { // there"s no local clipping if ( renderingShadows ) { // there"s no global clipping projectPlanes( null ); } else { resetGlobalState(); } } else { const nGlobal = renderingShadows ? 0 : numGlobalPlanes, lGlobal = nGlobal * 4; let dstArray = materialProperties.clippingState || null; uniform.value = dstArray; // ensure unique state dstArray = projectPlanes( planes, camera, lGlobal, useCache ); for ( let i = 0; i !== lGlobal; ++ i ) { dstArray[ i ] = globalState[ i ]; } materialProperties.clippingState = dstArray; this.numIntersection = clipIntersection ? this.numPlanes : 0; this.numPlanes += nGlobal; } }; function resetGlobalState() { if ( uniform.value !== globalState ) { uniform.value = globalState; uniform.needsUpdate = numGlobalPlanes > 0; } scope.numPlanes = numGlobalPlanes; scope.numIntersection = 0; } function projectPlanes( planes, camera, dstOffset, skipTransform ) { const nPlanes = planes !== null ? planes.length : 0; let dstArray = null; if ( nPlanes !== 0 ) { dstArray = uniform.value; if ( skipTransform !== true || dstArray === null ) { const flatSize = dstOffset + nPlanes * 4, viewMatrix = camera.matrixWorldInverse; viewNormalMatrix.getNormalMatrix( viewMatrix ); if ( dstArray === null || dstArray.length < flatSize ) { dstArray = new Float32Array( flatSize ); } for ( let i = 0, i4 = dstOffset; i !== nPlanes; ++ i, i4 += 4 ) { plane.copy( planes[ i ] ).applyMatrix4( viewMatrix, viewNormalMatrix ); plane.normal.toArray( dstArray, i4 ); dstArray[ i4 + 3 ] = plane.constant; } } uniform.value = dstArray; uniform.needsUpdate = true; } scope.numPlanes = nPlanes; scope.numIntersection = 0; return dstArray; } } function WebGLCubeMaps( renderer ) { let cubemaps = new WeakMap(); function mapTextureMapping( texture, mapping ) { if ( mapping === EquirectangularReflectionMapping ) { texture.mapping = CubeReflectionMapping; } else if ( mapping === EquirectangularRefractionMapping ) { texture.mapping = CubeRefractionMapping; } return texture; } function get( texture ) { if ( texture && texture.isTexture && texture.isRenderTargetTexture === false ) { const mapping = texture.mapping; if ( mapping === EquirectangularReflectionMapping || mapping === EquirectangularRefractionMapping ) { if ( cubemaps.has( texture ) ) { const cubemap = cubemaps.get( texture ).texture; return mapTextureMapping( cubemap, texture.mapping ); } else { const image = texture.image; if ( image && image.height > 0 ) { const renderTarget = new WebGLCubeRenderTarget( image.height / 2 ); renderTarget.fromEquirectangularTexture( renderer, texture ); cubemaps.set( texture, renderTarget ); texture.addEventListener( "dispose", onTextureDispose ); return mapTextureMapping( renderTarget.texture, texture.mapping ); } else { // image not yet ready. try the conversion next frame return null; } } } } return texture; } function onTextureDispose( event ) { const texture = event.target; texture.removeEventListener( "dispose", onTextureDispose ); const cubemap = cubemaps.get( texture ); if ( cubemap !== undefined ) { cubemaps.delete( texture ); cubemap.dispose(); } } function dispose() { cubemaps = new WeakMap(); } return { get: get, dispose: dispose }; } class OrthographicCamera extends Camera$2 { constructor( left = - 1, right = 1, top = 1, bottom = - 1, near = 0.1, far = 2000 ) { super(); this.isOrthographicCamera = true; this.type = "OrthographicCamera"; this.zoom = 1; this.view = null; this.left = left; this.right = right; this.top = top; this.bottom = bottom; this.near = near; this.far = far; this.updateProjectionMatrix(); } copy( source, recursive ) { super.copy( source, recursive ); this.left = source.left; this.right = source.right; this.top = source.top; this.bottom = source.bottom; this.near = source.near; this.far = source.far; this.zoom = source.zoom; this.view = source.view === null ? null : Object.assign( {}, source.view ); return this; } setViewOffset( fullWidth, fullHeight, x, y, width, height ) { if ( this.view === null ) { this.view = { enabled: true, fullWidth: 1, fullHeight: 1, offsetX: 0, offsetY: 0, width: 1, height: 1 }; } this.view.enabled = true; this.view.fullWidth = fullWidth; this.view.fullHeight = fullHeight; this.view.offsetX = x; this.view.offsetY = y; this.view.width = width; this.view.height = height; this.updateProjectionMatrix(); } clearViewOffset() { if ( this.view !== null ) { this.view.enabled = false; } this.updateProjectionMatrix(); } updateProjectionMatrix() { const dx = ( this.right - this.left ) / ( 2 * this.zoom ); const dy = ( this.top - this.bottom ) / ( 2 * this.zoom ); const cx = ( this.right + this.left ) / 2; const cy = ( this.top + this.bottom ) / 2; let left = cx - dx; let right = cx + dx; let top = cy + dy; let bottom = cy - dy; if ( this.view !== null && this.view.enabled ) { const scaleW = ( this.right - this.left ) / this.view.fullWidth / this.zoom; const scaleH = ( this.top - this.bottom ) / this.view.fullHeight / this.zoom; left += scaleW * this.view.offsetX; right = left + scaleW * this.view.width; top -= scaleH * this.view.offsetY; bottom = top - scaleH * this.view.height; } this.projectionMatrix.makeOrthographic( left, right, top, bottom, this.near, this.far ); this.projectionMatrixInverse.copy( this.projectionMatrix ).invert(); } toJSON( meta ) { const data = super.toJSON( meta ); data.object.zoom = this.zoom; data.object.left = this.left; data.object.right = this.right; data.object.top = this.top; data.object.bottom = this.bottom; data.object.near = this.near; data.object.far = this.far; if ( this.view !== null ) data.object.view = Object.assign( {}, this.view ); return data; } } const LOD_MIN = 4; // The standard deviations (radians) associated with the extra mips. These are // chosen to approximate a Trowbridge-Reitz distribution function times the // geometric shadowing function. These sigma values squared must match the // variance #defines in cube_uv_reflection_fragment.glsl.js. const EXTRA_LOD_SIGMA = [ 0.125, 0.215, 0.35, 0.446, 0.526, 0.582 ]; // The maximum length of the blur for loop. Smaller sigmas will use fewer // samples and exit early, but not recompile the shader. const MAX_SAMPLES = 20; const _flatCamera = /*@__PURE__*/ new OrthographicCamera(); const _clearColor = /*@__PURE__*/ new Color(); let _oldTarget = null; // Golden Ratio const PHI = ( 1 + Math.sqrt( 5 ) ) / 2; const INV_PHI = 1 / PHI; // Vertices of a dodecahedron (except the opposites, which represent the // same axis), used as axis directions evenly spread on a sphere. const _axisDirections = [ /*@__PURE__*/ new Vector3( 1, 1, 1 ), /*@__PURE__*/ new Vector3( - 1, 1, 1 ), /*@__PURE__*/ new Vector3( 1, 1, - 1 ), /*@__PURE__*/ new Vector3( - 1, 1, - 1 ), /*@__PURE__*/ new Vector3( 0, PHI, INV_PHI ), /*@__PURE__*/ new Vector3( 0, PHI, - INV_PHI ), /*@__PURE__*/ new Vector3( INV_PHI, 0, PHI ), /*@__PURE__*/ new Vector3( - INV_PHI, 0, PHI ), /*@__PURE__*/ new Vector3( PHI, INV_PHI, 0 ), /*@__PURE__*/ new Vector3( - PHI, INV_PHI, 0 ) ]; /** * This class generates a Prefiltered, Mipmapped Radiance Environment Map * (PMREM) from a cubeMap environment texture. This allows different levels of * blur to be quickly accessed based on material roughness. It is packed into a * special CubeUV format that allows us to perform custom interpolation so that * we can support nonlinear formats such as RGBE. Unlike a traditional mipmap * chain, it only goes down to the LOD_MIN level (above), and then creates extra * even more filtered "mips" at the same LOD_MIN resolution, associated with * higher roughness levels. In this way we maintain resolution to smoothly * interpolate diffuse lighting while limiting sampling computation. * * Paper: Fast, Accurate Image-Based Lighting * https://drive.google.com/file/d/15y8r_UpKlU9SvV4ILb0C3qCPecS8pvLz/view */ class PMREMGenerator { constructor( renderer ) { this._renderer = renderer; this._pingPongRenderTarget = null; this._lodMax = 0; this._cubeSize = 0; this._lodPlanes = []; this._sizeLods = []; this._sigmas = []; this._blurMaterial = null; this._cubemapMaterial = null; this._equirectMaterial = null; this._compileMaterial( this._blurMaterial ); } /** * Generates a PMREM from a supplied Scene, which can be faster than using an * image if networking bandwidth is low. Optional sigma specifies a blur radius * in radians to be applied to the scene before PMREM generation. Optional near * and far planes ensure the scene is rendered in its entirety (the cubeCamera * is placed at the origin). */ fromScene( scene, sigma = 0, near = 0.1, far = 100 ) { _oldTarget = this._renderer.getRenderTarget(); this._setSize( 256 ); const cubeUVRenderTarget = this._allocateTargets(); cubeUVRenderTarget.depthBuffer = true; this._sceneToCubeUV( scene, near, far, cubeUVRenderTarget ); if ( sigma > 0 ) { this._blur( cubeUVRenderTarget, 0, 0, sigma ); } this._applyPMREM( cubeUVRenderTarget ); this._cleanup( cubeUVRenderTarget ); return cubeUVRenderTarget; } /** * Generates a PMREM from an equirectangular texture, which can be either LDR * or HDR. The ideal input image size is 1k (1024 x 512), * as this matches best with the 256 x 256 cubemap output. */ fromEquirectangular( equirectangular, renderTarget = null ) { return this._fromTexture( equirectangular, renderTarget ); } /** * Generates a PMREM from an cubemap texture, which can be either LDR * or HDR. The ideal input cube size is 256 x 256, * as this matches best with the 256 x 256 cubemap output. */ fromCubemap( cubemap, renderTarget = null ) { return this._fromTexture( cubemap, renderTarget ); } /** * Pre-compiles the cubemap shader. You can get faster start-up by invoking this method during * your texture"s network fetch for increased concurrency. */ compileCubemapShader() { if ( this._cubemapMaterial === null ) { this._cubemapMaterial = _getCubemapMaterial(); this._compileMaterial( this._cubemapMaterial ); } } /** * Pre-compiles the equirectangular shader. You can get faster start-up by invoking this method during * your texture"s network fetch for increased concurrency. */ compileEquirectangularShader() { if ( this._equirectMaterial === null ) { this._equirectMaterial = _getEquirectMaterial(); this._compileMaterial( this._equirectMaterial ); } } /** * Disposes of the PMREMGenerator"s internal memory. Note that PMREMGenerator is a static class, * so you should not need more than one PMREMGenerator object. If you do, calling dispose() on * one of them will cause any others to also become unusable. */ dispose() { this._dispose(); if ( this._cubemapMaterial !== null ) this._cubemapMaterial.dispose(); if ( this._equirectMaterial !== null ) this._equirectMaterial.dispose(); } // private interface _setSize( cubeSize ) { this._lodMax = Math.floor( Math.log2( cubeSize ) ); this._cubeSize = Math.pow( 2, this._lodMax ); } _dispose() { if ( this._blurMaterial !== null ) this._blurMaterial.dispose(); if ( this._pingPongRenderTarget !== null ) this._pingPongRenderTarget.dispose(); for ( let i = 0; i < this._lodPlanes.length; i ++ ) { this._lodPlanes[ i ].dispose(); } } _cleanup( outputTarget ) { this._renderer.setRenderTarget( _oldTarget ); outputTarget.scissorTest = false; _setViewport( outputTarget, 0, 0, outputTarget.width, outputTarget.height ); } _fromTexture( texture, renderTarget ) { if ( texture.mapping === CubeReflectionMapping || texture.mapping === CubeRefractionMapping ) { this._setSize( texture.image.length === 0 ? 16 : ( texture.image[ 0 ].width || texture.image[ 0 ].image.width ) ); } else { // Equirectangular this._setSize( texture.image.width / 4 ); } _oldTarget = this._renderer.getRenderTarget(); const cubeUVRenderTarget = renderTarget || this._allocateTargets(); this._textureToCubeUV( texture, cubeUVRenderTarget ); this._applyPMREM( cubeUVRenderTarget ); this._cleanup( cubeUVRenderTarget ); return cubeUVRenderTarget; } _allocateTargets() { const width = 3 * Math.max( this._cubeSize, 16 * 7 ); const height = 4 * this._cubeSize; const params = { magFilter: LinearFilter, minFilter: LinearFilter, generateMipmaps: false, type: HalfFloatType, format: RGBAFormat, colorSpace: LinearSRGBColorSpace, depthBuffer: false }; const cubeUVRenderTarget = _createRenderTarget( width, height, params ); if ( this._pingPongRenderTarget === null || this._pingPongRenderTarget.width !== width || this._pingPongRenderTarget.height !== height ) { if ( this._pingPongRenderTarget !== null ) { this._dispose(); } this._pingPongRenderTarget = _createRenderTarget( width, height, params ); const { _lodMax } = this; ( { sizeLods: this._sizeLods, lodPlanes: this._lodPlanes, sigmas: this._sigmas } = _createPlanes( _lodMax ) ); this._blurMaterial = _getBlurShader( _lodMax, width, height ); } return cubeUVRenderTarget; } _compileMaterial( material ) { const tmpMesh = new Mesh( this._lodPlanes[ 0 ], material ); this._renderer.compile( tmpMesh, _flatCamera ); } _sceneToCubeUV( scene, near, far, cubeUVRenderTarget ) { const fov = 90; const aspect = 1; const cubeCamera = new PerspectiveCamera$1( fov, aspect, near, far ); const upSign = [ 1, - 1, 1, 1, 1, 1 ]; const forwardSign = [ 1, 1, 1, - 1, - 1, - 1 ]; const renderer = this._renderer; const originalAutoClear = renderer.autoClear; const toneMapping = renderer.toneMapping; renderer.getClearColor( _clearColor ); renderer.toneMapping = NoToneMapping; renderer.autoClear = false; const backgroundMaterial = new MeshBasicMaterial( { name: "PMREM.Background", side: BackSide, depthWrite: false, depthTest: false, } ); const backgroundBox = new Mesh( new BoxGeometry(), backgroundMaterial ); let useSolidColor = false; const background = scene.background; if ( background ) { if ( background.isColor ) { backgroundMaterial.color.copy( background ); scene.background = null; useSolidColor = true; } } else { backgroundMaterial.color.copy( _clearColor ); useSolidColor = true; } for ( let i = 0; i < 6; i ++ ) { const col = i % 3; if ( col === 0 ) { cubeCamera.up.set( 0, upSign[ i ], 0 ); cubeCamera.lookAt( forwardSign[ i ], 0, 0 ); } else if ( col === 1 ) { cubeCamera.up.set( 0, 0, upSign[ i ] ); cubeCamera.lookAt( 0, forwardSign[ i ], 0 ); } else { cubeCamera.up.set( 0, upSign[ i ], 0 ); cubeCamera.lookAt( 0, 0, forwardSign[ i ] ); } const size = this._cubeSize; _setViewport( cubeUVRenderTarget, col * size, i > 2 ? size : 0, size, size ); renderer.setRenderTarget( cubeUVRenderTarget ); if ( useSolidColor ) { renderer.render( backgroundBox, cubeCamera ); } renderer.render( scene, cubeCamera ); } backgroundBox.geometry.dispose(); backgroundBox.material.dispose(); renderer.toneMapping = toneMapping; renderer.autoClear = originalAutoClear; scene.background = background; } _textureToCubeUV( texture, cubeUVRenderTarget ) { const renderer = this._renderer; const isCubeTexture = ( texture.mapping === CubeReflectionMapping || texture.mapping === CubeRefractionMapping ); if ( isCubeTexture ) { if ( this._cubemapMaterial === null ) { this._cubemapMaterial = _getCubemapMaterial(); } this._cubemapMaterial.uniforms.flipEnvMap.value = ( texture.isRenderTargetTexture === false ) ? - 1 : 1; } else { if ( this._equirectMaterial === null ) { this._equirectMaterial = _getEquirectMaterial(); } } const material = isCubeTexture ? this._cubemapMaterial : this._equirectMaterial; const mesh = new Mesh( this._lodPlanes[ 0 ], material ); const uniforms = material.uniforms; uniforms[ "envMap" ].value = texture; const size = this._cubeSize; _setViewport( cubeUVRenderTarget, 0, 0, 3 * size, 2 * size ); renderer.setRenderTarget( cubeUVRenderTarget ); renderer.render( mesh, _flatCamera ); } _applyPMREM( cubeUVRenderTarget ) { const renderer = this._renderer; const autoClear = renderer.autoClear; renderer.autoClear = false; for ( let i = 1; i < this._lodPlanes.length; i ++ ) { const sigma = Math.sqrt( this._sigmas[ i ] * this._sigmas[ i ] - this._sigmas[ i - 1 ] * this._sigmas[ i - 1 ] ); const poleAxis = _axisDirections[ ( i - 1 ) % _axisDirections.length ]; this._blur( cubeUVRenderTarget, i - 1, i, sigma, poleAxis ); } renderer.autoClear = autoClear; } /** * This is a two-pass Gaussian blur for a cubemap. Normally this is done * vertically and horizontally, but this breaks down on a cube. Here we apply * the blur latitudinally (around the poles), and then longitudinally (towards * the poles) to approximate the orthogonally-separable blur. It is least * accurate at the poles, but still does a decent job. */ _blur( cubeUVRenderTarget, lodIn, lodOut, sigma, poleAxis ) { const pingPongRenderTarget = this._pingPongRenderTarget; this._halfBlur( cubeUVRenderTarget, pingPongRenderTarget, lodIn, lodOut, sigma, "latitudinal", poleAxis ); this._halfBlur( pingPongRenderTarget, cubeUVRenderTarget, lodOut, lodOut, sigma, "longitudinal", poleAxis ); } _halfBlur( targetIn, targetOut, lodIn, lodOut, sigmaRadians, direction, poleAxis ) { const renderer = this._renderer; const blurMaterial = this._blurMaterial; if ( direction !== "latitudinal" && direction !== "longitudinal" ) { console.error( "blur direction must be either latitudinal or longitudinal!" ); } // Number of standard deviations at which to cut off the discrete approximation. const STANDARD_DEVIATIONS = 3; const blurMesh = new Mesh( this._lodPlanes[ lodOut ], blurMaterial ); const blurUniforms = blurMaterial.uniforms; const pixels = this._sizeLods[ lodIn ] - 1; const radiansPerPixel = isFinite( sigmaRadians ) ? Math.PI / ( 2 * pixels ) : 2 * Math.PI / ( 2 * MAX_SAMPLES - 1 ); const sigmaPixels = sigmaRadians / radiansPerPixel; const samples = isFinite( sigmaRadians ) ? 1 + Math.floor( STANDARD_DEVIATIONS * sigmaPixels ) : MAX_SAMPLES; if ( samples > MAX_SAMPLES ) { console.warn( `sigmaRadians, ${ sigmaRadians}, is too large and will clip, as it requested ${ samples} samples when the maximum is set to ${MAX_SAMPLES}` ); } const weights = []; let sum = 0; for ( let i = 0; i < MAX_SAMPLES; ++ i ) { const x = i / sigmaPixels; const weight = Math.exp( - x * x / 2 ); weights.push( weight ); if ( i === 0 ) { sum += weight; } else if ( i < samples ) { sum += 2 * weight; } } for ( let i = 0; i < weights.length; i ++ ) { weights[ i ] = weights[ i ] / sum; } blurUniforms[ "envMap" ].value = targetIn.texture; blurUniforms[ "samples" ].value = samples; blurUniforms[ "weights" ].value = weights; blurUniforms[ "latitudinal" ].value = direction === "latitudinal"; if ( poleAxis ) { blurUniforms[ "poleAxis" ].value = poleAxis; } const { _lodMax } = this; blurUniforms[ "dTheta" ].value = radiansPerPixel; blurUniforms[ "mipInt" ].value = _lodMax - lodIn; const outputSize = this._sizeLods[ lodOut ]; const x = 3 * outputSize * ( lodOut > _lodMax - LOD_MIN ? lodOut - _lodMax + LOD_MIN : 0 ); const y = 4 * ( this._cubeSize - outputSize ); _setViewport( targetOut, x, y, 3 * outputSize, 2 * outputSize ); renderer.setRenderTarget( targetOut ); renderer.render( blurMesh, _flatCamera ); } } function _createPlanes( lodMax ) { const lodPlanes = []; const sizeLods = []; const sigmas = []; let lod = lodMax; const totalLods = lodMax - LOD_MIN + 1 + EXTRA_LOD_SIGMA.length; for ( let i = 0; i < totalLods; i ++ ) { const sizeLod = Math.pow( 2, lod ); sizeLods.push( sizeLod ); let sigma = 1.0 / sizeLod; if ( i > lodMax - LOD_MIN ) { sigma = EXTRA_LOD_SIGMA[ i - lodMax + LOD_MIN - 1 ]; } else if ( i === 0 ) { sigma = 0; } sigmas.push( sigma ); const texelSize = 1.0 / ( sizeLod - 2 ); const min = - texelSize; const max = 1 + texelSize; const uv1 = [ min, min, max, min, max, max, min, min, max, max, min, max ]; const cubeFaces = 6; const vertices = 6; const positionSize = 3; const uvSize = 2; const faceIndexSize = 1; const position = new Float32Array( positionSize * vertices * cubeFaces ); const uv = new Float32Array( uvSize * vertices * cubeFaces ); const faceIndex = new Float32Array( faceIndexSize * vertices * cubeFaces ); for ( let face = 0; face < cubeFaces; face ++ ) { const x = ( face % 3 ) * 2 / 3 - 1; const y = face > 2 ? 0 : - 1; const coordinates = [ x, y, 0, x + 2 / 3, y, 0, x + 2 / 3, y + 1, 0, x, y, 0, x + 2 / 3, y + 1, 0, x, y + 1, 0 ]; position.set( coordinates, positionSize * vertices * face ); uv.set( uv1, uvSize * vertices * face ); const fill = [ face, face, face, face, face, face ]; faceIndex.set( fill, faceIndexSize * vertices * face ); } const planes = new BufferGeometry(); planes.setAttribute( "position", new BufferAttribute( position, positionSize ) ); planes.setAttribute( "uv", new BufferAttribute( uv, uvSize ) ); planes.setAttribute( "faceIndex", new BufferAttribute( faceIndex, faceIndexSize ) ); lodPlanes.push( planes ); if ( lod > LOD_MIN ) { lod --; } } return { lodPlanes, sizeLods, sigmas }; } function _createRenderTarget( width, height, params ) { const cubeUVRenderTarget = new WebGLRenderTarget( width, height, params ); cubeUVRenderTarget.texture.mapping = CubeUVReflectionMapping; cubeUVRenderTarget.texture.name = "PMREM.cubeUv"; cubeUVRenderTarget.scissorTest = true; return cubeUVRenderTarget; } function _setViewport( target, x, y, width, height ) { target.viewport.set( x, y, width, height ); target.scissor.set( x, y, width, height ); } function _getBlurShader( lodMax, width, height ) { const weights = new Float32Array( MAX_SAMPLES ); const poleAxis = new Vector3( 0, 1, 0 ); const shaderMaterial = new ShaderMaterial( { name: "SphericalGaussianBlur", defines: { "n": MAX_SAMPLES, "CUBEUV_TEXEL_WIDTH": 1.0 / width, "CUBEUV_TEXEL_HEIGHT": 1.0 / height, "CUBEUV_MAX_MIP": `${lodMax}.0`, }, uniforms: { "envMap": { value: null }, "samples": { value: 1 }, "weights": { value: weights }, "latitudinal": { value: false }, "dTheta": { value: 0 }, "mipInt": { value: 0 }, "poleAxis": { value: poleAxis } }, vertexShader: _getCommonVertexShader(), fragmentShader: /* glsl */` precision mediump float; precision mediump int; varying vec3 vOutputDirection; uniform sampler2D envMap; uniform int samples; uniform float weights[ n ]; uniform bool latitudinal; uniform float dTheta; uniform float mipInt; uniform vec3 poleAxis; #define ENVMAP_TYPE_CUBE_UV #include vec3 getSample( float theta, vec3 axis ) { float cosTheta = cos( theta ); // Rodrigues" axis-angle rotation vec3 sampleDirection = vOutputDirection * cosTheta + cross( axis, vOutputDirection ) * sin( theta ) + axis * dot( axis, vOutputDirection ) * ( 1.0 - cosTheta ); return bilinearCubeUV( envMap, sampleDirection, mipInt ); } void main() { vec3 axis = latitudinal ? poleAxis : cross( poleAxis, vOutputDirection ); if ( all( equal( axis, vec3( 0.0 ) ) ) ) { axis = vec3( vOutputDirection.z, 0.0, - vOutputDirection.x ); } axis = normalize( axis ); gl_FragColor = vec4( 0.0, 0.0, 0.0, 1.0 ); gl_FragColor.rgb += weights[ 0 ] * getSample( 0.0, axis ); for ( int i = 1; i < n; i++ ) { if ( i >= samples ) { break; } float theta = dTheta * float( i ); gl_FragColor.rgb += weights[ i ] * getSample( -1.0 * theta, axis ); gl_FragColor.rgb += weights[ i ] * getSample( theta, axis ); } } `, blending: NoBlending, depthTest: false, depthWrite: false } ); return shaderMaterial; } function _getEquirectMaterial() { return new ShaderMaterial( { name: "EquirectangularToCubeUV", uniforms: { "envMap": { value: null } }, vertexShader: _getCommonVertexShader(), fragmentShader: /* glsl */` precision mediump float; precision mediump int; varying vec3 vOutputDirection; uniform sampler2D envMap; #include void main() { vec3 outputDirection = normalize( vOutputDirection ); vec2 uv = equirectUv( outputDirection ); gl_FragColor = vec4( texture2D ( envMap, uv ).rgb, 1.0 ); } `, blending: NoBlending, depthTest: false, depthWrite: false } ); } function _getCubemapMaterial() { return new ShaderMaterial( { name: "CubemapToCubeUV", uniforms: { "envMap": { value: null }, "flipEnvMap": { value: - 1 } }, vertexShader: _getCommonVertexShader(), fragmentShader: /* glsl */` precision mediump float; precision mediump int; uniform float flipEnvMap; varying vec3 vOutputDirection; uniform samplerCube envMap; void main() { gl_FragColor = textureCube( envMap, vec3( flipEnvMap * vOutputDirection.x, vOutputDirection.yz ) ); } `, blending: NoBlending, depthTest: false, depthWrite: false } ); } function _getCommonVertexShader() { return /* glsl */` precision mediump float; precision mediump int; attribute float faceIndex; varying vec3 vOutputDirection; // RH coordinate system; PMREM face-indexing convention vec3 getDirection( vec2 uv, float face ) { uv = 2.0 * uv - 1.0; vec3 direction = vec3( uv, 1.0 ); if ( face == 0.0 ) { direction = direction.zyx; // ( 1, v, u ) pos x } else if ( face == 1.0 ) { direction = direction.xzy; direction.xz *= -1.0; // ( -u, 1, -v ) pos y } else if ( face == 2.0 ) { direction.x *= -1.0; // ( -u, v, 1 ) pos z } else if ( face == 3.0 ) { direction = direction.zyx; direction.xz *= -1.0; // ( -1, v, -u ) neg x } else if ( face == 4.0 ) { direction = direction.xzy; direction.xy *= -1.0; // ( -u, -1, v ) neg y } else if ( face == 5.0 ) { direction.z *= -1.0; // ( u, v, -1 ) neg z } return direction; } void main() { vOutputDirection = getDirection( uv, faceIndex ); gl_Position = vec4( position, 1.0 ); } `; } function WebGLCubeUVMaps( renderer ) { let cubeUVmaps = new WeakMap(); let pmremGenerator = null; function get( texture ) { if ( texture && texture.isTexture ) { const mapping = texture.mapping; const isEquirectMap = ( mapping === EquirectangularReflectionMapping || mapping === EquirectangularRefractionMapping ); const isCubeMap = ( mapping === CubeReflectionMapping || mapping === CubeRefractionMapping ); // equirect/cube map to cubeUV conversion if ( isEquirectMap || isCubeMap ) { if ( texture.isRenderTargetTexture && texture.needsPMREMUpdate === true ) { texture.needsPMREMUpdate = false; let renderTarget = cubeUVmaps.get( texture ); if ( pmremGenerator === null ) pmremGenerator = new PMREMGenerator( renderer ); renderTarget = isEquirectMap ? pmremGenerator.fromEquirectangular( texture, renderTarget ) : pmremGenerator.fromCubemap( texture, renderTarget ); cubeUVmaps.set( texture, renderTarget ); return renderTarget.texture; } else { if ( cubeUVmaps.has( texture ) ) { return cubeUVmaps.get( texture ).texture; } else { const image = texture.image; if ( ( isEquirectMap && image && image.height > 0 ) || ( isCubeMap && image && isCubeTextureComplete( image ) ) ) { if ( pmremGenerator === null ) pmremGenerator = new PMREMGenerator( renderer ); const renderTarget = isEquirectMap ? pmremGenerator.fromEquirectangular( texture ) : pmremGenerator.fromCubemap( texture ); cubeUVmaps.set( texture, renderTarget ); texture.addEventListener( "dispose", onTextureDispose ); return renderTarget.texture; } else { // image not yet ready. try the conversion next frame return null; } } } } } return texture; } function isCubeTextureComplete( image ) { let count = 0; const length = 6; for ( let i = 0; i < length; i ++ ) { if ( image[ i ] !== undefined ) count ++; } return count === length; } function onTextureDispose( event ) { const texture = event.target; texture.removeEventListener( "dispose", onTextureDispose ); const cubemapUV = cubeUVmaps.get( texture ); if ( cubemapUV !== undefined ) { cubeUVmaps.delete( texture ); cubemapUV.dispose(); } } function dispose() { cubeUVmaps = new WeakMap(); if ( pmremGenerator !== null ) { pmremGenerator.dispose(); pmremGenerator = null; } } return { get: get, dispose: dispose }; } function WebGLExtensions( gl ) { const extensions = {}; function getExtension( name ) { if ( extensions[ name ] !== undefined ) { return extensions[ name ]; } let extension; switch ( name ) { case "WEBGL_depth_texture": extension = gl.getExtension( "WEBGL_depth_texture" ) || gl.getExtension( "MOZ_WEBGL_depth_texture" ) || gl.getExtension( "WEBKIT_WEBGL_depth_texture" ); break; case "EXT_texture_filter_anisotropic": extension = gl.getExtension( "EXT_texture_filter_anisotropic" ) || gl.getExtension( "MOZ_EXT_texture_filter_anisotropic" ) || gl.getExtension( "WEBKIT_EXT_texture_filter_anisotropic" ); break; case "WEBGL_compressed_texture_s3tc": extension = gl.getExtension( "WEBGL_compressed_texture_s3tc" ) || gl.getExtension( "MOZ_WEBGL_compressed_texture_s3tc" ) || gl.getExtension( "WEBKIT_WEBGL_compressed_texture_s3tc" ); break; case "WEBGL_compressed_texture_pvrtc": extension = gl.getExtension( "WEBGL_compressed_texture_pvrtc" ) || gl.getExtension( "WEBKIT_WEBGL_compressed_texture_pvrtc" ); break; default: extension = gl.getExtension( name ); } extensions[ name ] = extension; return extension; } return { has: function ( name ) { return getExtension( name ) !== null; }, init: function ( capabilities ) { if ( capabilities.isWebGL2 ) { getExtension( "EXT_color_buffer_float" ); } else { getExtension( "WEBGL_depth_texture" ); getExtension( "OES_texture_float" ); getExtension( "OES_texture_half_float" ); getExtension( "OES_texture_half_float_linear" ); getExtension( "OES_standard_derivatives" ); getExtension( "OES_element_index_uint" ); getExtension( "OES_vertex_array_object" ); getExtension( "ANGLE_instanced_arrays" ); } getExtension( "OES_texture_float_linear" ); getExtension( "EXT_color_buffer_half_float" ); getExtension( "WEBGL_multisampled_render_to_texture" ); }, get: function ( name ) { const extension = getExtension( name ); if ( extension === null ) { console.warn( "THREE.WebGLRenderer: " + name + " extension not supported." ); } return extension; } }; } function WebGLGeometries( gl, attributes, info, bindingStates ) { const geometries = {}; const wireframeAttributes = new WeakMap(); function onGeometryDispose( event ) { const geometry = event.target; if ( geometry.index !== null ) { attributes.remove( geometry.index ); } for ( const name in geometry.attributes ) { attributes.remove( geometry.attributes[ name ] ); } geometry.removeEventListener( "dispose", onGeometryDispose ); delete geometries[ geometry.id ]; const attribute = wireframeAttributes.get( geometry ); if ( attribute ) { attributes.remove( attribute ); wireframeAttributes.delete( geometry ); } bindingStates.releaseStatesOfGeometry( geometry ); if ( geometry.isInstancedBufferGeometry === true ) { delete geometry._maxInstanceCount; } // info.memory.geometries --; } function get( object, geometry ) { if ( geometries[ geometry.id ] === true ) return geometry; geometry.addEventListener( "dispose", onGeometryDispose ); geometries[ geometry.id ] = true; info.memory.geometries ++; return geometry; } function update( geometry ) { const geometryAttributes = geometry.attributes; // Updating index buffer in VAO now. See WebGLBindingStates. for ( const name in geometryAttributes ) { attributes.update( geometryAttributes[ name ], gl.ARRAY_BUFFER ); } // morph targets const morphAttributes = geometry.morphAttributes; for ( const name in morphAttributes ) { const array = morphAttributes[ name ]; for ( let i = 0, l = array.length; i < l; i ++ ) { attributes.update( array[ i ], gl.ARRAY_BUFFER ); } } } function updateWireframeAttribute( geometry ) { const indices = []; const geometryIndex = geometry.index; const geometryPosition = geometry.attributes.position; let version = 0; if ( geometryIndex !== null ) { const array = geometryIndex.array; version = geometryIndex.version; for ( let i = 0, l = array.length; i < l; i += 3 ) { const a = array[ i + 0 ]; const b = array[ i + 1 ]; const c = array[ i + 2 ]; indices.push( a, b, b, c, c, a ); } } else { const array = geometryPosition.array; version = geometryPosition.version; for ( let i = 0, l = ( array.length / 3 ) - 1; i < l; i += 3 ) { const a = i + 0; const b = i + 1; const c = i + 2; indices.push( a, b, b, c, c, a ); } } const attribute = new ( arrayNeedsUint32( indices ) ? Uint32BufferAttribute : Uint16BufferAttribute )( indices, 1 ); attribute.version = version; // Updating index buffer in VAO now. See WebGLBindingStates // const previousAttribute = wireframeAttributes.get( geometry ); if ( previousAttribute ) attributes.remove( previousAttribute ); // wireframeAttributes.set( geometry, attribute ); } function getWireframeAttribute( geometry ) { const currentAttribute = wireframeAttributes.get( geometry ); if ( currentAttribute ) { const geometryIndex = geometry.index; if ( geometryIndex !== null ) { // if the attribute is obsolete, create a new one if ( currentAttribute.version < geometryIndex.version ) { updateWireframeAttribute( geometry ); } } } else { updateWireframeAttribute( geometry ); } return wireframeAttributes.get( geometry ); } return { get: get, update: update, getWireframeAttribute: getWireframeAttribute }; } function WebGLIndexedBufferRenderer( gl, extensions, info, capabilities ) { const isWebGL2 = capabilities.isWebGL2; let mode; function setMode( value ) { mode = value; } let type, bytesPerElement; function setIndex( value ) { type = value.type; bytesPerElement = value.bytesPerElement; } function render( start, count ) { gl.drawElements( mode, count, type, start * bytesPerElement ); info.update( count, mode, 1 ); } function renderInstances( start, count, primcount ) { if ( primcount === 0 ) return; let extension, methodName; if ( isWebGL2 ) { extension = gl; methodName = "drawElementsInstanced"; } else { extension = extensions.get( "ANGLE_instanced_arrays" ); methodName = "drawElementsInstancedANGLE"; if ( extension === null ) { console.error( "THREE.WebGLIndexedBufferRenderer: using THREE.InstancedBufferGeometry but hardware does not support extension ANGLE_instanced_arrays." ); return; } } extension[ methodName ]( mode, count, type, start * bytesPerElement, primcount ); info.update( count, mode, primcount ); } // this.setMode = setMode; this.setIndex = setIndex; this.render = render; this.renderInstances = renderInstances; } function WebGLInfo( gl ) { const memory = { geometries: 0, textures: 0 }; const render = { frame: 0, calls: 0, triangles: 0, points: 0, lines: 0 }; function update( count, mode, instanceCount ) { render.calls ++; switch ( mode ) { case gl.TRIANGLES: render.triangles += instanceCount * ( count / 3 ); break; case gl.LINES: render.lines += instanceCount * ( count / 2 ); break; case gl.LINE_STRIP: render.lines += instanceCount * ( count - 1 ); break; case gl.LINE_LOOP: render.lines += instanceCount * count; break; case gl.POINTS: render.points += instanceCount * count; break; default: console.error( "THREE.WebGLInfo: Unknown draw mode:", mode ); break; } } function reset() { render.frame ++; render.calls = 0; render.triangles = 0; render.points = 0; render.lines = 0; } return { memory: memory, render: render, programs: null, autoReset: true, reset: reset, update: update }; } function numericalSort( a, b ) { return a[ 0 ] - b[ 0 ]; } function absNumericalSort( a, b ) { return Math.abs( b[ 1 ] ) - Math.abs( a[ 1 ] ); } function WebGLMorphtargets( gl, capabilities, textures ) { const influencesList = {}; const morphInfluences = new Float32Array( 8 ); const morphTextures = new WeakMap(); const morph = new Vector4(); const workInfluences = []; for ( let i = 0; i < 8; i ++ ) { workInfluences[ i ] = [ i, 0 ]; } function update( object, geometry, program ) { const objectInfluences = object.morphTargetInfluences; if ( capabilities.isWebGL2 === true ) { // instead of using attributes, the WebGL 2 code path encodes morph targets // into an array of data textures. Each layer represents a single morph target. const morphAttribute = geometry.morphAttributes.position || geometry.morphAttributes.normal || geometry.morphAttributes.color; const morphTargetsCount = ( morphAttribute !== undefined ) ? morphAttribute.length : 0; let entry = morphTextures.get( geometry ); if ( entry === undefined || entry.count !== morphTargetsCount ) { if ( entry !== undefined ) entry.texture.dispose(); const hasMorphPosition = geometry.morphAttributes.position !== undefined; const hasMorphNormals = geometry.morphAttributes.normal !== undefined; const hasMorphColors = geometry.morphAttributes.color !== undefined; const morphTargets = geometry.morphAttributes.position || []; const morphNormals = geometry.morphAttributes.normal || []; const morphColors = geometry.morphAttributes.color || []; let vertexDataCount = 0; if ( hasMorphPosition === true ) vertexDataCount = 1; if ( hasMorphNormals === true ) vertexDataCount = 2; if ( hasMorphColors === true ) vertexDataCount = 3; let width = geometry.attributes.position.count * vertexDataCount; let height = 1; if ( width > capabilities.maxTextureSize ) { height = Math.ceil( width / capabilities.maxTextureSize ); width = capabilities.maxTextureSize; } const buffer = new Float32Array( width * height * 4 * morphTargetsCount ); const texture = new DataArrayTexture( buffer, width, height, morphTargetsCount ); texture.type = FloatType; texture.needsUpdate = true; // fill buffer const vertexDataStride = vertexDataCount * 4; for ( let i = 0; i < morphTargetsCount; i ++ ) { const morphTarget = morphTargets[ i ]; const morphNormal = morphNormals[ i ]; const morphColor = morphColors[ i ]; const offset = width * height * 4 * i; for ( let j = 0; j < morphTarget.count; j ++ ) { const stride = j * vertexDataStride; if ( hasMorphPosition === true ) { morph.fromBufferAttribute( morphTarget, j ); buffer[ offset + stride + 0 ] = morph.x; buffer[ offset + stride + 1 ] = morph.y; buffer[ offset + stride + 2 ] = morph.z; buffer[ offset + stride + 3 ] = 0; } if ( hasMorphNormals === true ) { morph.fromBufferAttribute( morphNormal, j ); buffer[ offset + stride + 4 ] = morph.x; buffer[ offset + stride + 5 ] = morph.y; buffer[ offset + stride + 6 ] = morph.z; buffer[ offset + stride + 7 ] = 0; } if ( hasMorphColors === true ) { morph.fromBufferAttribute( morphColor, j ); buffer[ offset + stride + 8 ] = morph.x; buffer[ offset + stride + 9 ] = morph.y; buffer[ offset + stride + 10 ] = morph.z; buffer[ offset + stride + 11 ] = ( morphColor.itemSize === 4 ) ? morph.w : 1; } } } entry = { count: morphTargetsCount, texture: texture, size: new Vector2( width, height ) }; morphTextures.set( geometry, entry ); function disposeTexture() { texture.dispose(); morphTextures.delete( geometry ); geometry.removeEventListener( "dispose", disposeTexture ); } geometry.addEventListener( "dispose", disposeTexture ); } // let morphInfluencesSum = 0; for ( let i = 0; i < objectInfluences.length; i ++ ) { morphInfluencesSum += objectInfluences[ i ]; } const morphBaseInfluence = geometry.morphTargetsRelative ? 1 : 1 - morphInfluencesSum; program.getUniforms().setValue( gl, "morphTargetBaseInfluence", morphBaseInfluence ); program.getUniforms().setValue( gl, "morphTargetInfluences", objectInfluences ); program.getUniforms().setValue( gl, "morphTargetsTexture", entry.texture, textures ); program.getUniforms().setValue( gl, "morphTargetsTextureSize", entry.size ); } else { // When object doesn"t have morph target influences defined, we treat it as a 0-length array // This is important to make sure we set up morphTargetBaseInfluence / morphTargetInfluences const length = objectInfluences === undefined ? 0 : objectInfluences.length; let influences = influencesList[ geometry.id ]; if ( influences === undefined || influences.length !== length ) { // initialise list influences = []; for ( let i = 0; i < length; i ++ ) { influences[ i ] = [ i, 0 ]; } influencesList[ geometry.id ] = influences; } // Collect influences for ( let i = 0; i < length; i ++ ) { const influence = influences[ i ]; influence[ 0 ] = i; influence[ 1 ] = objectInfluences[ i ]; } influences.sort( absNumericalSort ); for ( let i = 0; i < 8; i ++ ) { if ( i < length && influences[ i ][ 1 ] ) { workInfluences[ i ][ 0 ] = influences[ i ][ 0 ]; workInfluences[ i ][ 1 ] = influences[ i ][ 1 ]; } else { workInfluences[ i ][ 0 ] = Number.MAX_SAFE_INTEGER; workInfluences[ i ][ 1 ] = 0; } } workInfluences.sort( numericalSort ); const morphTargets = geometry.morphAttributes.position; const morphNormals = geometry.morphAttributes.normal; let morphInfluencesSum = 0; for ( let i = 0; i < 8; i ++ ) { const influence = workInfluences[ i ]; const index = influence[ 0 ]; const value = influence[ 1 ]; if ( index !== Number.MAX_SAFE_INTEGER && value ) { if ( morphTargets && geometry.getAttribute( "morphTarget" + i ) !== morphTargets[ index ] ) { geometry.setAttribute( "morphTarget" + i, morphTargets[ index ] ); } if ( morphNormals && geometry.getAttribute( "morphNormal" + i ) !== morphNormals[ index ] ) { geometry.setAttribute( "morphNormal" + i, morphNormals[ index ] ); } morphInfluences[ i ] = value; morphInfluencesSum += value; } else { if ( morphTargets && geometry.hasAttribute( "morphTarget" + i ) === true ) { geometry.deleteAttribute( "morphTarget" + i ); } if ( morphNormals && geometry.hasAttribute( "morphNormal" + i ) === true ) { geometry.deleteAttribute( "morphNormal" + i ); } morphInfluences[ i ] = 0; } } // GLSL shader uses formula baseinfluence * base + sum(target * influence) // This allows us to switch between absolute morphs and relative morphs without changing shader code // When baseinfluence = 1 - sum(influence), the above is equivalent to sum((target - base) * influence) const morphBaseInfluence = geometry.morphTargetsRelative ? 1 : 1 - morphInfluencesSum; program.getUniforms().setValue( gl, "morphTargetBaseInfluence", morphBaseInfluence ); program.getUniforms().setValue( gl, "morphTargetInfluences", morphInfluences ); } } return { update: update }; } function WebGLObjects( gl, geometries, attributes, info ) { let updateMap = new WeakMap(); function update( object ) { const frame = info.render.frame; const geometry = object.geometry; const buffergeometry = geometries.get( object, geometry ); // Update once per frame if ( updateMap.get( buffergeometry ) !== frame ) { geometries.update( buffergeometry ); updateMap.set( buffergeometry, frame ); } if ( object.isInstancedMesh ) { if ( object.hasEventListener( "dispose", onInstancedMeshDispose ) === false ) { object.addEventListener( "dispose", onInstancedMeshDispose ); } attributes.update( object.instanceMatrix, gl.ARRAY_BUFFER ); if ( object.instanceColor !== null ) { attributes.update( object.instanceColor, gl.ARRAY_BUFFER ); } } return buffergeometry; } function dispose() { updateMap = new WeakMap(); } function onInstancedMeshDispose( event ) { const instancedMesh = event.target; instancedMesh.removeEventListener( "dispose", onInstancedMeshDispose ); attributes.remove( instancedMesh.instanceMatrix ); if ( instancedMesh.instanceColor !== null ) attributes.remove( instancedMesh.instanceColor ); } return { update: update, dispose: dispose }; } /** * Uniforms of a program. * Those form a tree structure with a special top-level container for the root, * which you get by calling "new WebGLUniforms( gl, program )". * * * Properties of inner nodes including the top-level container: * * .seq - array of nested uniforms * .map - nested uniforms by name * * * Methods of all nodes except the top-level container: * * .setValue( gl, value, [textures] ) * * uploads a uniform value(s) * the "textures" parameter is needed for sampler uniforms * * * Static methods of the top-level container (textures factorizations): * * .upload( gl, seq, values, textures ) * * sets uniforms in "seq" to "values[id].value" * * .seqWithValue( seq, values ) : filteredSeq * * filters "seq" entries with corresponding entry in values * * * Methods of the top-level container (textures factorizations): * * .setValue( gl, name, value, textures ) * * sets uniform with name "name" to "value" * * .setOptional( gl, obj, prop ) * * like .set for an optional property of the object * */ const emptyTexture = /*@__PURE__*/ new Texture(); const emptyArrayTexture = /*@__PURE__*/ new DataArrayTexture(); const empty3dTexture = /*@__PURE__*/ new Data3DTexture(); const emptyCubeTexture = /*@__PURE__*/ new CubeTexture(); // --- Utilities --- // Array Caches (provide typed arrays for temporary by size) const arrayCacheF32 = []; const arrayCacheI32 = []; // Float32Array caches used for uploading Matrix uniforms const mat4array = new Float32Array( 16 ); const mat3array = new Float32Array( 9 ); const mat2array = new Float32Array( 4 ); // Flattening for arrays of vectors and matrices function flatten( array, nBlocks, blockSize ) { const firstElem = array[ 0 ]; if ( firstElem <= 0 || firstElem > 0 ) return array; // unoptimized: ! isNaN( firstElem ) // see http://jacksondunstan.com/articles/983 const n = nBlocks * blockSize; let r = arrayCacheF32[ n ]; if ( r === undefined ) { r = new Float32Array( n ); arrayCacheF32[ n ] = r; } if ( nBlocks !== 0 ) { firstElem.toArray( r, 0 ); for ( let i = 1, offset = 0; i !== nBlocks; ++ i ) { offset += blockSize; array[ i ].toArray( r, offset ); } } return r; } function arraysEqual( a, b ) { if ( a.length !== b.length ) return false; for ( let i = 0, l = a.length; i < l; i ++ ) { if ( a[ i ] !== b[ i ] ) return false; } return true; } function copyArray( a, b ) { for ( let i = 0, l = b.length; i < l; i ++ ) { a[ i ] = b[ i ]; } } // Texture unit allocation function allocTexUnits( textures, n ) { let r = arrayCacheI32[ n ]; if ( r === undefined ) { r = new Int32Array( n ); arrayCacheI32[ n ] = r; } for ( let i = 0; i !== n; ++ i ) { r[ i ] = textures.allocateTextureUnit(); } return r; } // --- Setters --- // Note: Defining these methods externally, because they come in a bunch // and this way their names minify. // Single scalar function setValueV1f( gl, v ) { const cache = this.cache; if ( cache[ 0 ] === v ) return; gl.uniform1f( this.addr, v ); cache[ 0 ] = v; } // Single float vector (from flat array or THREE.VectorN) function setValueV2f( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y ) { gl.uniform2f( this.addr, v.x, v.y ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform2fv( this.addr, v ); copyArray( cache, v ); } } function setValueV3f( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y || cache[ 2 ] !== v.z ) { gl.uniform3f( this.addr, v.x, v.y, v.z ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; cache[ 2 ] = v.z; } } else if ( v.r !== undefined ) { if ( cache[ 0 ] !== v.r || cache[ 1 ] !== v.g || cache[ 2 ] !== v.b ) { gl.uniform3f( this.addr, v.r, v.g, v.b ); cache[ 0 ] = v.r; cache[ 1 ] = v.g; cache[ 2 ] = v.b; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform3fv( this.addr, v ); copyArray( cache, v ); } } function setValueV4f( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y || cache[ 2 ] !== v.z || cache[ 3 ] !== v.w ) { gl.uniform4f( this.addr, v.x, v.y, v.z, v.w ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; cache[ 2 ] = v.z; cache[ 3 ] = v.w; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform4fv( this.addr, v ); copyArray( cache, v ); } } // Single matrix (from flat array or THREE.MatrixN) function setValueM2( gl, v ) { const cache = this.cache; const elements = v.elements; if ( elements === undefined ) { if ( arraysEqual( cache, v ) ) return; gl.uniformMatrix2fv( this.addr, false, v ); copyArray( cache, v ); } else { if ( arraysEqual( cache, elements ) ) return; mat2array.set( elements ); gl.uniformMatrix2fv( this.addr, false, mat2array ); copyArray( cache, elements ); } } function setValueM3( gl, v ) { const cache = this.cache; const elements = v.elements; if ( elements === undefined ) { if ( arraysEqual( cache, v ) ) return; gl.uniformMatrix3fv( this.addr, false, v ); copyArray( cache, v ); } else { if ( arraysEqual( cache, elements ) ) return; mat3array.set( elements ); gl.uniformMatrix3fv( this.addr, false, mat3array ); copyArray( cache, elements ); } } function setValueM4( gl, v ) { const cache = this.cache; const elements = v.elements; if ( elements === undefined ) { if ( arraysEqual( cache, v ) ) return; gl.uniformMatrix4fv( this.addr, false, v ); copyArray( cache, v ); } else { if ( arraysEqual( cache, elements ) ) return; mat4array.set( elements ); gl.uniformMatrix4fv( this.addr, false, mat4array ); copyArray( cache, elements ); } } // Single integer / boolean function setValueV1i( gl, v ) { const cache = this.cache; if ( cache[ 0 ] === v ) return; gl.uniform1i( this.addr, v ); cache[ 0 ] = v; } // Single integer / boolean vector (from flat array or THREE.VectorN) function setValueV2i( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y ) { gl.uniform2i( this.addr, v.x, v.y ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform2iv( this.addr, v ); copyArray( cache, v ); } } function setValueV3i( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y || cache[ 2 ] !== v.z ) { gl.uniform3i( this.addr, v.x, v.y, v.z ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; cache[ 2 ] = v.z; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform3iv( this.addr, v ); copyArray( cache, v ); } } function setValueV4i( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y || cache[ 2 ] !== v.z || cache[ 3 ] !== v.w ) { gl.uniform4i( this.addr, v.x, v.y, v.z, v.w ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; cache[ 2 ] = v.z; cache[ 3 ] = v.w; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform4iv( this.addr, v ); copyArray( cache, v ); } } // Single unsigned integer function setValueV1ui( gl, v ) { const cache = this.cache; if ( cache[ 0 ] === v ) return; gl.uniform1ui( this.addr, v ); cache[ 0 ] = v; } // Single unsigned integer vector (from flat array or THREE.VectorN) function setValueV2ui( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y ) { gl.uniform2ui( this.addr, v.x, v.y ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform2uiv( this.addr, v ); copyArray( cache, v ); } } function setValueV3ui( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y || cache[ 2 ] !== v.z ) { gl.uniform3ui( this.addr, v.x, v.y, v.z ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; cache[ 2 ] = v.z; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform3uiv( this.addr, v ); copyArray( cache, v ); } } function setValueV4ui( gl, v ) { const cache = this.cache; if ( v.x !== undefined ) { if ( cache[ 0 ] !== v.x || cache[ 1 ] !== v.y || cache[ 2 ] !== v.z || cache[ 3 ] !== v.w ) { gl.uniform4ui( this.addr, v.x, v.y, v.z, v.w ); cache[ 0 ] = v.x; cache[ 1 ] = v.y; cache[ 2 ] = v.z; cache[ 3 ] = v.w; } } else { if ( arraysEqual( cache, v ) ) return; gl.uniform4uiv( this.addr, v ); copyArray( cache, v ); } } // Single texture (2D / Cube) function setValueT1( gl, v, textures ) { const cache = this.cache; const unit = textures.allocateTextureUnit(); if ( cache[ 0 ] !== unit ) { gl.uniform1i( this.addr, unit ); cache[ 0 ] = unit; } textures.setTexture2D( v || emptyTexture, unit ); } function setValueT3D1( gl, v, textures ) { const cache = this.cache; const unit = textures.allocateTextureUnit(); if ( cache[ 0 ] !== unit ) { gl.uniform1i( this.addr, unit ); cache[ 0 ] = unit; } textures.setTexture3D( v || empty3dTexture, unit ); } function setValueT6( gl, v, textures ) { const cache = this.cache; const unit = textures.allocateTextureUnit(); if ( cache[ 0 ] !== unit ) { gl.uniform1i( this.addr, unit ); cache[ 0 ] = unit; } textures.setTextureCube( v || emptyCubeTexture, unit ); } function setValueT2DArray1( gl, v, textures ) { const cache = this.cache; const unit = textures.allocateTextureUnit(); if ( cache[ 0 ] !== unit ) { gl.uniform1i( this.addr, unit ); cache[ 0 ] = unit; } textures.setTexture2DArray( v || emptyArrayTexture, unit ); } // Helper to pick the right setter for the singular case function getSingularSetter( type ) { switch ( type ) { case 0x1406: return setValueV1f; // FLOAT case 0x8b50: return setValueV2f; // _VEC2 case 0x8b51: return setValueV3f; // _VEC3 case 0x8b52: return setValueV4f; // _VEC4 case 0x8b5a: return setValueM2; // _MAT2 case 0x8b5b: return setValueM3; // _MAT3 case 0x8b5c: return setValueM4; // _MAT4 case 0x1404: case 0x8b56: return setValueV1i; // INT, BOOL case 0x8b53: case 0x8b57: return setValueV2i; // _VEC2 case 0x8b54: case 0x8b58: return setValueV3i; // _VEC3 case 0x8b55: case 0x8b59: return setValueV4i; // _VEC4 case 0x1405: return setValueV1ui; // UINT case 0x8dc6: return setValueV2ui; // _VEC2 case 0x8dc7: return setValueV3ui; // _VEC3 case 0x8dc8: return setValueV4ui; // _VEC4 case 0x8b5e: // SAMPLER_2D case 0x8d66: // SAMPLER_EXTERNAL_OES case 0x8dca: // INT_SAMPLER_2D case 0x8dd2: // UNSIGNED_INT_SAMPLER_2D case 0x8b62: // SAMPLER_2D_SHADOW return setValueT1; case 0x8b5f: // SAMPLER_3D case 0x8dcb: // INT_SAMPLER_3D case 0x8dd3: // UNSIGNED_INT_SAMPLER_3D return setValueT3D1; case 0x8b60: // SAMPLER_CUBE case 0x8dcc: // INT_SAMPLER_CUBE case 0x8dd4: // UNSIGNED_INT_SAMPLER_CUBE case 0x8dc5: // SAMPLER_CUBE_SHADOW return setValueT6; case 0x8dc1: // SAMPLER_2D_ARRAY case 0x8dcf: // INT_SAMPLER_2D_ARRAY case 0x8dd7: // UNSIGNED_INT_SAMPLER_2D_ARRAY case 0x8dc4: // SAMPLER_2D_ARRAY_SHADOW return setValueT2DArray1; } } // Array of scalars function setValueV1fArray( gl, v ) { gl.uniform1fv( this.addr, v ); } // Array of vectors (from flat array or array of THREE.VectorN) function setValueV2fArray( gl, v ) { const data = flatten( v, this.size, 2 ); gl.uniform2fv( this.addr, data ); } function setValueV3fArray( gl, v ) { const data = flatten( v, this.size, 3 ); gl.uniform3fv( this.addr, data ); } function setValueV4fArray( gl, v ) { const data = flatten( v, this.size, 4 ); gl.uniform4fv( this.addr, data ); } // Array of matrices (from flat array or array of THREE.MatrixN) function setValueM2Array( gl, v ) { const data = flatten( v, this.size, 4 ); gl.uniformMatrix2fv( this.addr, false, data ); } function setValueM3Array( gl, v ) { const data = flatten( v, this.size, 9 ); gl.uniformMatrix3fv( this.addr, false, data ); } function setValueM4Array( gl, v ) { const data = flatten( v, this.size, 16 ); gl.uniformMatrix4fv( this.addr, false, data ); } // Array of integer / boolean function setValueV1iArray( gl, v ) { gl.uniform1iv( this.addr, v ); } // Array of integer / boolean vectors (from flat array) function setValueV2iArray( gl, v ) { gl.uniform2iv( this.addr, v ); } function setValueV3iArray( gl, v ) { gl.uniform3iv( this.addr, v ); } function setValueV4iArray( gl, v ) { gl.uniform4iv( this.addr, v ); } // Array of unsigned integer function setValueV1uiArray( gl, v ) { gl.uniform1uiv( this.addr, v ); } // Array of unsigned integer vectors (from flat array) function setValueV2uiArray( gl, v ) { gl.uniform2uiv( this.addr, v ); } function setValueV3uiArray( gl, v ) { gl.uniform3uiv( this.addr, v ); } function setValueV4uiArray( gl, v ) { gl.uniform4uiv( this.addr, v ); } // Array of textures (2D / 3D / Cube / 2DArray) function setValueT1Array( gl, v, textures ) { const cache = this.cache; const n = v.length; const units = allocTexUnits( textures, n ); if ( ! arraysEqual( cache, units ) ) { gl.uniform1iv( this.addr, units ); copyArray( cache, units ); } for ( let i = 0; i !== n; ++ i ) { textures.setTexture2D( v[ i ] || emptyTexture, units[ i ] ); } } function setValueT3DArray( gl, v, textures ) { const cache = this.cache; const n = v.length; const units = allocTexUnits( textures, n ); if ( ! arraysEqual( cache, units ) ) { gl.uniform1iv( this.addr, units ); copyArray( cache, units ); } for ( let i = 0; i !== n; ++ i ) { textures.setTexture3D( v[ i ] || empty3dTexture, units[ i ] ); } } function setValueT6Array( gl, v, textures ) { const cache = this.cache; const n = v.length; const units = allocTexUnits( textures, n ); if ( ! arraysEqual( cache, units ) ) { gl.uniform1iv( this.addr, units ); copyArray( cache, units ); } for ( let i = 0; i !== n; ++ i ) { textures.setTextureCube( v[ i ] || emptyCubeTexture, units[ i ] ); } } function setValueT2DArrayArray( gl, v, textures ) { const cache = this.cache; const n = v.length; const units = allocTexUnits( textures, n ); if ( ! arraysEqual( cache, units ) ) { gl.uniform1iv( this.addr, units ); copyArray( cache, units ); } for ( let i = 0; i !== n; ++ i ) { textures.setTexture2DArray( v[ i ] || emptyArrayTexture, units[ i ] ); } } // Helper to pick the right setter for a pure (bottom-level) array function getPureArraySetter( type ) { switch ( type ) { case 0x1406: return setValueV1fArray; // FLOAT case 0x8b50: return setValueV2fArray; // _VEC2 case 0x8b51: return setValueV3fArray; // _VEC3 case 0x8b52: return setValueV4fArray; // _VEC4 case 0x8b5a: return setValueM2Array; // _MAT2 case 0x8b5b: return setValueM3Array; // _MAT3 case 0x8b5c: return setValueM4Array; // _MAT4 case 0x1404: case 0x8b56: return setValueV1iArray; // INT, BOOL case 0x8b53: case 0x8b57: return setValueV2iArray; // _VEC2 case 0x8b54: case 0x8b58: return setValueV3iArray; // _VEC3 case 0x8b55: case 0x8b59: return setValueV4iArray; // _VEC4 case 0x1405: return setValueV1uiArray; // UINT case 0x8dc6: return setValueV2uiArray; // _VEC2 case 0x8dc7: return setValueV3uiArray; // _VEC3 case 0x8dc8: return setValueV4uiArray; // _VEC4 case 0x8b5e: // SAMPLER_2D case 0x8d66: // SAMPLER_EXTERNAL_OES case 0x8dca: // INT_SAMPLER_2D case 0x8dd2: // UNSIGNED_INT_SAMPLER_2D case 0x8b62: // SAMPLER_2D_SHADOW return setValueT1Array; case 0x8b5f: // SAMPLER_3D case 0x8dcb: // INT_SAMPLER_3D case 0x8dd3: // UNSIGNED_INT_SAMPLER_3D return setValueT3DArray; case 0x8b60: // SAMPLER_CUBE case 0x8dcc: // INT_SAMPLER_CUBE case 0x8dd4: // UNSIGNED_INT_SAMPLER_CUBE case 0x8dc5: // SAMPLER_CUBE_SHADOW return setValueT6Array; case 0x8dc1: // SAMPLER_2D_ARRAY case 0x8dcf: // INT_SAMPLER_2D_ARRAY case 0x8dd7: // UNSIGNED_INT_SAMPLER_2D_ARRAY case 0x8dc4: // SAMPLER_2D_ARRAY_SHADOW return setValueT2DArrayArray; } } // --- Uniform Classes --- class SingleUniform { constructor( id, activeInfo, addr ) { this.id = id; this.addr = addr; this.cache = []; this.setValue = getSingularSetter( activeInfo.type ); // this.path = activeInfo.name; // DEBUG } } class PureArrayUniform { constructor( id, activeInfo, addr ) { this.id = id; this.addr = addr; this.cache = []; this.size = activeInfo.size; this.setValue = getPureArraySetter( activeInfo.type ); // this.path = activeInfo.name; // DEBUG } } class StructuredUniform { constructor( id ) { this.id = id; this.seq = []; this.map = {}; } setValue( gl, value, textures ) { const seq = this.seq; for ( let i = 0, n = seq.length; i !== n; ++ i ) { const u = seq[ i ]; u.setValue( gl, value[ u.id ], textures ); } } } // --- Top-level --- // Parser - builds up the property tree from the path strings const RePathPart = /(w+)(])?([|.)?/g; // extracts // - the identifier (member name or array index) // - followed by an optional right bracket (found when array index) // - followed by an optional left bracket or dot (type of subscript) // // Note: These portions can be read in a non-overlapping fashion and // allow straightforward parsing of the hierarchy that WebGL encodes // in the uniform names. function addUniform( container, uniformObject ) { container.seq.push( uniformObject ); container.map[ uniformObject.id ] = uniformObject; } function parseUniform( activeInfo, addr, container ) { const path = activeInfo.name, pathLength = path.length; // reset RegExp object, because of the early exit of a previous run RePathPart.lastIndex = 0; while ( true ) { const match = RePathPart.exec( path ), matchEnd = RePathPart.lastIndex; let id = match[ 1 ]; const idIsIndex = match[ 2 ] === "]", subscript = match[ 3 ]; if ( idIsIndex ) id = id | 0; // convert to integer if ( subscript === undefined || subscript === "[" && matchEnd + 2 === pathLength ) { // bare name or "pure" bottom-level array "[0]" suffix addUniform( container, subscript === undefined ? new SingleUniform( id, activeInfo, addr ) : new PureArrayUniform( id, activeInfo, addr ) ); break; } else { // step into inner node / create it in case it doesn"t exist const map = container.map; let next = map[ id ]; if ( next === undefined ) { next = new StructuredUniform( id ); addUniform( container, next ); } container = next; } } } // Root Container class WebGLUniforms { constructor( gl, program ) { this.seq = []; this.map = {}; const n = gl.getProgramParameter( program, gl.ACTIVE_UNIFORMS ); for ( let i = 0; i < n; ++ i ) { const info = gl.getActiveUniform( program, i ), addr = gl.getUniformLocation( program, info.name ); parseUniform( info, addr, this ); } } setValue( gl, name, value, textures ) { const u = this.map[ name ]; if ( u !== undefined ) u.setValue( gl, value, textures ); } setOptional( gl, object, name ) { const v = object[ name ]; if ( v !== undefined ) this.setValue( gl, name, v ); } static upload( gl, seq, values, textures ) { for ( let i = 0, n = seq.length; i !== n; ++ i ) { const u = seq[ i ], v = values[ u.id ]; if ( v.needsUpdate !== false ) { // note: always updating when .needsUpdate is undefined u.setValue( gl, v.value, textures ); } } } static seqWithValue( seq, values ) { const r = []; for ( let i = 0, n = seq.length; i !== n; ++ i ) { const u = seq[ i ]; if ( u.id in values ) r.push( u ); } return r; } } function WebGLShader( gl, type, string ) { const shader = gl.createShader( type ); gl.shaderSource( shader, string ); gl.compileShader( shader ); return shader; } let programIdCount = 0; function handleSource( string, errorLine ) { const lines = string.split( " " ); const lines2 = []; const from = Math.max( errorLine - 6, 0 ); const to = Math.min( errorLine + 6, lines.length ); for ( let i = from; i < to; i ++ ) { const line = i + 1; lines2.push( `${line === errorLine ? ">" : " "} ${line}: ${lines[ i ]}` ); } return lines2.join( " " ); } function getEncodingComponents( colorSpace ) { switch ( colorSpace ) { case LinearSRGBColorSpace: return [ "Linear", "( value )" ]; case SRGBColorSpace: return [ "sRGB", "( value )" ]; default: console.warn( "THREE.WebGLProgram: Unsupported color space:", colorSpace ); return [ "Linear", "( value )" ]; } } function getShaderErrors( gl, shader, type ) { const status = gl.getShaderParameter( shader, gl.COMPILE_STATUS ); const errors = gl.getShaderInfoLog( shader ).trim(); if ( status && errors === "" ) return ""; const errorMatches = /ERROR: 0:(d+)/.exec( errors ); if ( errorMatches ) { // --enable-privileged-webgl-extension // console.log( "**" + type + "**", gl.getExtension( "WEBGL_debug_shaders" ).getTranslatedShaderSource( shader ) ); const errorLine = parseInt( errorMatches[ 1 ] ); return type.toUpperCase() + " " + errors + " " + handleSource( gl.getShaderSource( shader ), errorLine ); } else { return errors; } } function getTexelEncodingFunction( functionName, colorSpace ) { const components = getEncodingComponents( colorSpace ); return "vec4 " + functionName + "( vec4 value ) { return LinearTo" + components[ 0 ] + components[ 1 ] + "; }"; } function getToneMappingFunction( functionName, toneMapping ) { let toneMappingName; switch ( toneMapping ) { case LinearToneMapping: toneMappingName = "Linear"; break; case ReinhardToneMapping: toneMappingName = "Reinhard"; break; case CineonToneMapping: toneMappingName = "OptimizedCineon"; break; case ACESFilmicToneMapping: toneMappingName = "ACESFilmic"; break; case CustomToneMapping: toneMappingName = "Custom"; break; default: console.warn( "THREE.WebGLProgram: Unsupported toneMapping:", toneMapping ); toneMappingName = "Linear"; } return "vec3 " + functionName + "( vec3 color ) { return " + toneMappingName + "ToneMapping( color ); }"; } function generateExtensions( parameters ) { const chunks = [ ( parameters.extensionDerivatives || !! parameters.envMapCubeUVHeight || parameters.bumpMap || parameters.normalMapTangentSpace || parameters.clearcoatNormalMap || parameters.flatShading || parameters.shaderID === "physical" ) ? "#extension GL_OES_standard_derivatives : enable" : "", ( parameters.extensionFragDepth || parameters.logarithmicDepthBuffer ) && parameters.rendererExtensionFragDepth ? "#extension GL_EXT_frag_depth : enable" : "", ( parameters.extensionDrawBuffers && parameters.rendererExtensionDrawBuffers ) ? "#extension GL_EXT_draw_buffers : require" : "", ( parameters.extensionShaderTextureLOD || parameters.envMap || parameters.transmission ) && parameters.rendererExtensionShaderTextureLod ? "#extension GL_EXT_shader_texture_lod : enable" : "" ]; return chunks.filter( filterEmptyLine ).join( " " ); } function generateDefines( defines ) { const chunks = []; for ( const name in defines ) { const value = defines[ name ]; if ( value === false ) continue; chunks.push( "#define " + name + " " + value ); } return chunks.join( " " ); } function fetchAttributeLocations( gl, program ) { const attributes = {}; const n = gl.getProgramParameter( program, gl.ACTIVE_ATTRIBUTES ); for ( let i = 0; i < n; i ++ ) { const info = gl.getActiveAttrib( program, i ); const name = info.name; let locationSize = 1; if ( info.type === gl.FLOAT_MAT2 ) locationSize = 2; if ( info.type === gl.FLOAT_MAT3 ) locationSize = 3; if ( info.type === gl.FLOAT_MAT4 ) locationSize = 4; // console.log( "THREE.WebGLProgram: ACTIVE VERTEX ATTRIBUTE:", name, i ); attributes[ name ] = { type: info.type, location: gl.getAttribLocation( program, name ), locationSize: locationSize }; } return attributes; } function filterEmptyLine( string ) { return string !== ""; } function replaceLightNums( string, parameters ) { const numSpotLightCoords = parameters.numSpotLightShadows + parameters.numSpotLightMaps - parameters.numSpotLightShadowsWithMaps; return string .replace( /NUM_DIR_LIGHTS/g, parameters.numDirLights ) .replace( /NUM_SPOT_LIGHTS/g, parameters.numSpotLights ) .replace( /NUM_SPOT_LIGHT_MAPS/g, parameters.numSpotLightMaps ) .replace( /NUM_SPOT_LIGHT_COORDS/g, numSpotLightCoords ) .replace( /NUM_RECT_AREA_LIGHTS/g, parameters.numRectAreaLights ) .replace( /NUM_POINT_LIGHTS/g, parameters.numPointLights ) .replace( /NUM_HEMI_LIGHTS/g, parameters.numHemiLights ) .replace( /NUM_DIR_LIGHT_SHADOWS/g, parameters.numDirLightShadows ) .replace( /NUM_SPOT_LIGHT_SHADOWS_WITH_MAPS/g, parameters.numSpotLightShadowsWithMaps ) .replace( /NUM_SPOT_LIGHT_SHADOWS/g, parameters.numSpotLightShadows ) .replace( /NUM_POINT_LIGHT_SHADOWS/g, parameters.numPointLightShadows ); } function replaceClippingPlaneNums( string, parameters ) { return string .replace( /NUM_CLIPPING_PLANES/g, parameters.numClippingPlanes ) .replace( /UNION_CLIPPING_PLANES/g, ( parameters.numClippingPlanes - parameters.numClipIntersection ) ); } // Resolve Includes const includePattern$1 = /^[ ]*#include +<([wd./]+)>/gm; function resolveIncludes$1( string ) { return string.replace( includePattern$1, includeReplacer$1 ); } function includeReplacer$1( match, include ) { const string = ShaderChunk$1[ include ]; if ( string === undefined ) { throw new Error( "Can not resolve #include <" + include + ">" ); } return resolveIncludes$1( string ); } // Unroll Loops const unrollLoopPattern = /#pragma unroll_loop_starts+fors*(s*ints+is*=s*(d+)s*;s*is* 0 ) { prefixVertex += " "; } prefixFragment = [ customExtensions, customDefines ].filter( filterEmptyLine ).join( " " ); if ( prefixFragment.length > 0 ) { prefixFragment += " "; } } else { prefixVertex = [ generatePrecision( parameters ), "#define SHADER_NAME " + parameters.shaderName, customDefines, parameters.instancing ? "#define USE_INSTANCING" : "", parameters.instancingColor ? "#define USE_INSTANCING_COLOR" : "", parameters.useFog && parameters.fog ? "#define USE_FOG" : "", parameters.useFog && parameters.fogExp2 ? "#define FOG_EXP2" : "", parameters.map ? "#define USE_MAP" : "", parameters.envMap ? "#define USE_ENVMAP" : "", parameters.envMap ? "#define " + envMapModeDefine : "", parameters.lightMap ? "#define USE_LIGHTMAP" : "", parameters.aoMap ? "#define USE_AOMAP" : "", parameters.bumpMap ? "#define USE_BUMPMAP" : "", parameters.normalMap ? "#define USE_NORMALMAP" : "", parameters.normalMapObjectSpace ? "#define USE_NORMALMAP_OBJECTSPACE" : "", parameters.normalMapTangentSpace ? "#define USE_NORMALMAP_TANGENTSPACE" : "", parameters.displacementMap ? "#define USE_DISPLACEMENTMAP" : "", parameters.emissiveMap ? "#define USE_EMISSIVEMAP" : "", parameters.clearcoatMap ? "#define USE_CLEARCOATMAP" : "", parameters.clearcoatRoughnessMap ? "#define USE_CLEARCOAT_ROUGHNESSMAP" : "", parameters.clearcoatNormalMap ? "#define USE_CLEARCOAT_NORMALMAP" : "", parameters.iridescenceMap ? "#define USE_IRIDESCENCEMAP" : "", parameters.iridescenceThicknessMap ? "#define USE_IRIDESCENCE_THICKNESSMAP" : "", parameters.specularMap ? "#define USE_SPECULARMAP" : "", parameters.specularColorMap ? "#define USE_SPECULAR_COLORMAP" : "", parameters.specularIntensityMap ? "#define USE_SPECULAR_INTENSITYMAP" : "", parameters.roughnessMap ? "#define USE_ROUGHNESSMAP" : "", parameters.metalnessMap ? "#define USE_METALNESSMAP" : "", parameters.alphaMap ? "#define USE_ALPHAMAP" : "", parameters.transmission ? "#define USE_TRANSMISSION" : "", parameters.transmissionMap ? "#define USE_TRANSMISSIONMAP" : "", parameters.thicknessMap ? "#define USE_THICKNESSMAP" : "", parameters.sheenColorMap ? "#define USE_SHEEN_COLORMAP" : "", parameters.sheenRoughnessMap ? "#define USE_SHEEN_ROUGHNESSMAP" : "", // parameters.mapUv ? "#define MAP_UV " + parameters.mapUv : "", parameters.alphaMapUv ? "#define ALPHAMAP_UV " + parameters.alphaMapUv : "", parameters.lightMapUv ? "#define LIGHTMAP_UV " + parameters.lightMapUv : "", parameters.aoMapUv ? "#define AOMAP_UV " + parameters.aoMapUv : "", parameters.emissiveMapUv ? "#define EMISSIVEMAP_UV " + parameters.emissiveMapUv : "", parameters.bumpMapUv ? "#define BUMPMAP_UV " + parameters.bumpMapUv : "", parameters.normalMapUv ? "#define NORMALMAP_UV " + parameters.normalMapUv : "", parameters.displacementMapUv ? "#define DISPLACEMENTMAP_UV " + parameters.displacementMapUv : "", parameters.metalnessMapUv ? "#define METALNESSMAP_UV " + parameters.metalnessMapUv : "", parameters.roughnessMapUv ? "#define ROUGHNESSMAP_UV " + parameters.roughnessMapUv : "", parameters.clearcoatMapUv ? "#define CLEARCOATMAP_UV " + parameters.clearcoatMapUv : "", parameters.clearcoatNormalMapUv ? "#define CLEARCOAT_NORMALMAP_UV " + parameters.clearcoatNormalMapUv : "", parameters.clearcoatRoughnessMapUv ? "#define CLEARCOAT_ROUGHNESSMAP_UV " + parameters.clearcoatRoughnessMapUv : "", parameters.iridescenceMapUv ? "#define IRIDESCENCEMAP_UV " + parameters.iridescenceMapUv : "", parameters.iridescenceThicknessMapUv ? "#define IRIDESCENCE_THICKNESSMAP_UV " + parameters.iridescenceThicknessMapUv : "", parameters.sheenColorMapUv ? "#define SHEEN_COLORMAP_UV " + parameters.sheenColorMapUv : "", parameters.sheenRoughnessMapUv ? "#define SHEEN_ROUGHNESSMAP_UV " + parameters.sheenRoughnessMapUv : "", parameters.specularMapUv ? "#define SPECULARMAP_UV " + parameters.specularMapUv : "", parameters.specularColorMapUv ? "#define SPECULAR_COLORMAP_UV " + parameters.specularColorMapUv : "", parameters.specularIntensityMapUv ? "#define SPECULAR_INTENSITYMAP_UV " + parameters.specularIntensityMapUv : "", parameters.transmissionMapUv ? "#define TRANSMISSIONMAP_UV " + parameters.transmissionMapUv : "", parameters.thicknessMapUv ? "#define THICKNESSMAP_UV " + parameters.thicknessMapUv : "", // parameters.vertexTangents ? "#define USE_TANGENT" : "", parameters.vertexColors ? "#define USE_COLOR" : "", parameters.vertexAlphas ? "#define USE_COLOR_ALPHA" : "", parameters.vertexUv1s ? "#define USE_UV1" : "", parameters.vertexUv2s ? "#define USE_UV2" : "", parameters.vertexUv3s ? "#define USE_UV3" : "", parameters.pointsUvs ? "#define USE_POINTS_UV" : "", parameters.flatShading ? "#define FLAT_SHADED" : "", parameters.skinning ? "#define USE_SKINNING" : "", parameters.morphTargets ? "#define USE_MORPHTARGETS" : "", parameters.morphNormals && parameters.flatShading === false ? "#define USE_MORPHNORMALS" : "", ( parameters.morphColors && parameters.isWebGL2 ) ? "#define USE_MORPHCOLORS" : "", ( parameters.morphTargetsCount > 0 && parameters.isWebGL2 ) ? "#define MORPHTARGETS_TEXTURE" : "", ( parameters.morphTargetsCount > 0 && parameters.isWebGL2 ) ? "#define MORPHTARGETS_TEXTURE_STRIDE " + parameters.morphTextureStride : "", ( parameters.morphTargetsCount > 0 && parameters.isWebGL2 ) ? "#define MORPHTARGETS_COUNT " + parameters.morphTargetsCount : "", parameters.doubleSided ? "#define DOUBLE_SIDED" : "", parameters.flipSided ? "#define FLIP_SIDED" : "", parameters.shadowMapEnabled ? "#define USE_SHADOWMAP" : "", parameters.shadowMapEnabled ? "#define " + shadowMapTypeDefine : "", parameters.sizeAttenuation ? "#define USE_SIZEATTENUATION" : "", parameters.logarithmicDepthBuffer ? "#define USE_LOGDEPTHBUF" : "", ( parameters.logarithmicDepthBuffer && parameters.rendererExtensionFragDepth ) ? "#define USE_LOGDEPTHBUF_EXT" : "", "uniform mat4 modelMatrix;", "uniform mat4 modelViewMatrix;", "uniform mat4 projectionMatrix;", "uniform mat4 viewMatrix;", "uniform mat3 normalMatrix;", "uniform vec3 cameraPosition;", "uniform bool isOrthographic;", "#ifdef USE_INSTANCING", " attribute mat4 instanceMatrix;", "#endif", "#ifdef USE_INSTANCING_COLOR", " attribute vec3 instanceColor;", "#endif", "attribute vec3 position;", "attribute vec3 normal;", "attribute vec2 uv;", "#ifdef USE_UV1", " attribute vec2 uv1;", "#endif", "#ifdef USE_UV2", " attribute vec2 uv2;", "#endif", "#ifdef USE_UV3", " attribute vec2 uv3;", "#endif", "#ifdef USE_TANGENT", " attribute vec4 tangent;", "#endif", "#if defined( USE_COLOR_ALPHA )", " attribute vec4 color;", "#elif defined( USE_COLOR )", " attribute vec3 color;", "#endif", "#if ( defined( USE_MORPHTARGETS ) && ! defined( MORPHTARGETS_TEXTURE ) )", " attribute vec3 morphTarget0;", " attribute vec3 morphTarget1;", " attribute vec3 morphTarget2;", " attribute vec3 morphTarget3;", " #ifdef USE_MORPHNORMALS", " attribute vec3 morphNormal0;", " attribute vec3 morphNormal1;", " attribute vec3 morphNormal2;", " attribute vec3 morphNormal3;", " #else", " attribute vec3 morphTarget4;", " attribute vec3 morphTarget5;", " attribute vec3 morphTarget6;", " attribute vec3 morphTarget7;", " #endif", "#endif", "#ifdef USE_SKINNING", " attribute vec4 skinIndex;", " attribute vec4 skinWeight;", "#endif", " " ].filter( filterEmptyLine ).join( " " ); prefixFragment = [ customExtensions, generatePrecision( parameters ), "#define SHADER_NAME " + parameters.shaderName, customDefines, parameters.useFog && parameters.fog ? "#define USE_FOG" : "", parameters.useFog && parameters.fogExp2 ? "#define FOG_EXP2" : "", parameters.map ? "#define USE_MAP" : "", parameters.matcap ? "#define USE_MATCAP" : "", parameters.envMap ? "#define USE_ENVMAP" : "", parameters.envMap ? "#define " + envMapTypeDefine : "", parameters.envMap ? "#define " + envMapModeDefine : "", parameters.envMap ? "#define " + envMapBlendingDefine : "", envMapCubeUVSize ? "#define CUBEUV_TEXEL_WIDTH " + envMapCubeUVSize.texelWidth : "", envMapCubeUVSize ? "#define CUBEUV_TEXEL_HEIGHT " + envMapCubeUVSize.texelHeight : "", envMapCubeUVSize ? "#define CUBEUV_MAX_MIP " + envMapCubeUVSize.maxMip + ".0" : "", parameters.lightMap ? "#define USE_LIGHTMAP" : "", parameters.aoMap ? "#define USE_AOMAP" : "", parameters.bumpMap ? "#define USE_BUMPMAP" : "", parameters.normalMap ? "#define USE_NORMALMAP" : "", parameters.normalMapObjectSpace ? "#define USE_NORMALMAP_OBJECTSPACE" : "", parameters.normalMapTangentSpace ? "#define USE_NORMALMAP_TANGENTSPACE" : "", parameters.emissiveMap ? "#define USE_EMISSIVEMAP" : "", parameters.clearcoat ? "#define USE_CLEARCOAT" : "", parameters.clearcoatMap ? "#define USE_CLEARCOATMAP" : "", parameters.clearcoatRoughnessMap ? "#define USE_CLEARCOAT_ROUGHNESSMAP" : "", parameters.clearcoatNormalMap ? "#define USE_CLEARCOAT_NORMALMAP" : "", parameters.iridescence ? "#define USE_IRIDESCENCE" : "", parameters.iridescenceMap ? "#define USE_IRIDESCENCEMAP" : "", parameters.iridescenceThicknessMap ? "#define USE_IRIDESCENCE_THICKNESSMAP" : "", parameters.specularMap ? "#define USE_SPECULARMAP" : "", parameters.specularColorMap ? "#define USE_SPECULAR_COLORMAP" : "", parameters.specularIntensityMap ? "#define USE_SPECULAR_INTENSITYMAP" : "", parameters.roughnessMap ? "#define USE_ROUGHNESSMAP" : "", parameters.metalnessMap ? "#define USE_METALNESSMAP" : "", parameters.alphaMap ? "#define USE_ALPHAMAP" : "", parameters.alphaTest ? "#define USE_ALPHATEST" : "", parameters.sheen ? "#define USE_SHEEN" : "", parameters.sheenColorMap ? "#define USE_SHEEN_COLORMAP" : "", parameters.sheenRoughnessMap ? "#define USE_SHEEN_ROUGHNESSMAP" : "", parameters.transmission ? "#define USE_TRANSMISSION" : "", parameters.transmissionMap ? "#define USE_TRANSMISSIONMAP" : "", parameters.thicknessMap ? "#define USE_THICKNESSMAP" : "", parameters.vertexTangents ? "#define USE_TANGENT" : "", parameters.vertexColors || parameters.instancingColor ? "#define USE_COLOR" : "", parameters.vertexAlphas ? "#define USE_COLOR_ALPHA" : "", parameters.vertexUv1s ? "#define USE_UV1" : "", parameters.vertexUv2s ? "#define USE_UV2" : "", parameters.vertexUv3s ? "#define USE_UV3" : "", parameters.pointsUvs ? "#define USE_POINTS_UV" : "", parameters.gradientMap ? "#define USE_GRADIENTMAP" : "", parameters.flatShading ? "#define FLAT_SHADED" : "", parameters.doubleSided ? "#define DOUBLE_SIDED" : "", parameters.flipSided ? "#define FLIP_SIDED" : "", parameters.shadowMapEnabled ? "#define USE_SHADOWMAP" : "", parameters.shadowMapEnabled ? "#define " + shadowMapTypeDefine : "", parameters.premultipliedAlpha ? "#define PREMULTIPLIED_ALPHA" : "", parameters.useLegacyLights ? "#define LEGACY_LIGHTS" : "", parameters.logarithmicDepthBuffer ? "#define USE_LOGDEPTHBUF" : "", ( parameters.logarithmicDepthBuffer && parameters.rendererExtensionFragDepth ) ? "#define USE_LOGDEPTHBUF_EXT" : "", "uniform mat4 viewMatrix;", "uniform vec3 cameraPosition;", "uniform bool isOrthographic;", ( parameters.toneMapping !== NoToneMapping ) ? "#define TONE_MAPPING" : "", ( parameters.toneMapping !== NoToneMapping ) ? ShaderChunk$1[ "tonemapping_pars_fragment" ] : "", // this code is required here because it is used by the toneMapping() function defined below ( parameters.toneMapping !== NoToneMapping ) ? getToneMappingFunction( "toneMapping", parameters.toneMapping ) : "", parameters.dithering ? "#define DITHERING" : "", parameters.opaque ? "#define OPAQUE" : "", ShaderChunk$1[ "encodings_pars_fragment" ], // this code is required here because it is used by the various encoding/decoding function defined below getTexelEncodingFunction( "linearToOutputTexel", parameters.outputColorSpace ), parameters.useDepthPacking ? "#define DEPTH_PACKING " + parameters.depthPacking : "", " " ].filter( filterEmptyLine ).join( " " ); } vertexShader = resolveIncludes$1( vertexShader ); vertexShader = replaceLightNums( vertexShader, parameters ); vertexShader = replaceClippingPlaneNums( vertexShader, parameters ); fragmentShader = resolveIncludes$1( fragmentShader ); fragmentShader = replaceLightNums( fragmentShader, parameters ); fragmentShader = replaceClippingPlaneNums( fragmentShader, parameters ); vertexShader = unrollLoops( vertexShader ); fragmentShader = unrollLoops( fragmentShader ); if ( parameters.isWebGL2 && parameters.isRawShaderMaterial !== true ) { // GLSL 3.0 conversion for built-in materials and ShaderMaterial versionString = "#version 300 es "; prefixVertex = [ "precision mediump sampler2DArray;", "#define attribute in", "#define varying out", "#define texture2D texture" ].join( " " ) + " " + prefixVertex; prefixFragment = [ "#define varying in", ( parameters.glslVersion === GLSL3 ) ? "" : "layout(location = 0) out highp vec4 pc_fragColor;", ( parameters.glslVersion === GLSL3 ) ? "" : "#define gl_FragColor pc_fragColor", "#define gl_FragDepthEXT gl_FragDepth", "#define texture2D texture", "#define textureCube texture", "#define texture2DProj textureProj", "#define texture2DLodEXT textureLod", "#define texture2DProjLodEXT textureProjLod", "#define textureCubeLodEXT textureLod", "#define texture2DGradEXT textureGrad", "#define texture2DProjGradEXT textureProjGrad", "#define textureCubeGradEXT textureGrad" ].join( " " ) + " " + prefixFragment; } const vertexGlsl = versionString + prefixVertex + vertexShader; const fragmentGlsl = versionString + prefixFragment + fragmentShader; // console.log( "*VERTEX*", vertexGlsl ); // console.log( "*FRAGMENT*", fragmentGlsl ); const glVertexShader = WebGLShader( gl, gl.VERTEX_SHADER, vertexGlsl ); const glFragmentShader = WebGLShader( gl, gl.FRAGMENT_SHADER, fragmentGlsl ); gl.attachShader( program, glVertexShader ); gl.attachShader( program, glFragmentShader ); // Force a particular attribute to index 0. if ( parameters.index0AttributeName !== undefined ) { gl.bindAttribLocation( program, 0, parameters.index0AttributeName ); } else if ( parameters.morphTargets === true ) { // programs with morphTargets displace position out of attribute 0 gl.bindAttribLocation( program, 0, "position" ); } gl.linkProgram( program ); // check for link errors if ( renderer.debug.checkShaderErrors ) { const programLog = gl.getProgramInfoLog( program ).trim(); const vertexLog = gl.getShaderInfoLog( glVertexShader ).trim(); const fragmentLog = gl.getShaderInfoLog( glFragmentShader ).trim(); let runnable = true; let haveDiagnostics = true; if ( gl.getProgramParameter( program, gl.LINK_STATUS ) === false ) { runnable = false; if ( typeof renderer.debug.onShaderError === "function" ) { renderer.debug.onShaderError( gl, program, glVertexShader, glFragmentShader ); } else { // default error reporting const vertexErrors = getShaderErrors( gl, glVertexShader, "vertex" ); const fragmentErrors = getShaderErrors( gl, glFragmentShader, "fragment" ); console.error( "THREE.WebGLProgram: Shader Error " + gl.getError() + " - " + "VALIDATE_STATUS " + gl.getProgramParameter( program, gl.VALIDATE_STATUS ) + " " + "Program Info Log: " + programLog + " " + vertexErrors + " " + fragmentErrors ); } } else if ( programLog !== "" ) { console.warn( "THREE.WebGLProgram: Program Info Log:", programLog ); } else if ( vertexLog === "" || fragmentLog === "" ) { haveDiagnostics = false; } if ( haveDiagnostics ) { this.diagnostics = { runnable: runnable, programLog: programLog, vertexShader: { log: vertexLog, prefix: prefixVertex }, fragmentShader: { log: fragmentLog, prefix: prefixFragment } }; } } // Clean up // Crashes in iOS9 and iOS10. #18402 // gl.detachShader( program, glVertexShader ); // gl.detachShader( program, glFragmentShader ); gl.deleteShader( glVertexShader ); gl.deleteShader( glFragmentShader ); // set up caching for uniform locations let cachedUniforms; this.getUniforms = function () { if ( cachedUniforms === undefined ) { cachedUniforms = new WebGLUniforms( gl, program ); } return cachedUniforms; }; // set up caching for attribute locations let cachedAttributes; this.getAttributes = function () { if ( cachedAttributes === undefined ) { cachedAttributes = fetchAttributeLocations( gl, program ); } return cachedAttributes; }; // free resource this.destroy = function () { bindingStates.releaseStatesOfProgram( this ); gl.deleteProgram( program ); this.program = undefined; }; // this.name = parameters.shaderName; this.id = programIdCount ++; this.cacheKey = cacheKey; this.usedTimes = 1; this.program = program; this.vertexShader = glVertexShader; this.fragmentShader = glFragmentShader; return this; } let _id = 0; class WebGLShaderCache { constructor() { this.shaderCache = new Map(); this.materialCache = new Map(); } update( material ) { const vertexShader = material.vertexShader; const fragmentShader = material.fragmentShader; const vertexShaderStage = this._getShaderStage( vertexShader ); const fragmentShaderStage = this._getShaderStage( fragmentShader ); const materialShaders = this._getShaderCacheForMaterial( material ); if ( materialShaders.has( vertexShaderStage ) === false ) { materialShaders.add( vertexShaderStage ); vertexShaderStage.usedTimes ++; } if ( materialShaders.has( fragmentShaderStage ) === false ) { materialShaders.add( fragmentShaderStage ); fragmentShaderStage.usedTimes ++; } return this; } remove( material ) { const materialShaders = this.materialCache.get( material ); for ( const shaderStage of materialShaders ) { shaderStage.usedTimes --; if ( shaderStage.usedTimes === 0 ) this.shaderCache.delete( shaderStage.code ); } this.materialCache.delete( material ); return this; } getVertexShaderID( material ) { return this._getShaderStage( material.vertexShader ).id; } getFragmentShaderID( material ) { return this._getShaderStage( material.fragmentShader ).id; } dispose() { this.shaderCache.clear(); this.materialCache.clear(); } _getShaderCacheForMaterial( material ) { const cache = this.materialCache; let set = cache.get( material ); if ( set === undefined ) { set = new Set(); cache.set( material, set ); } return set; } _getShaderStage( code ) { const cache = this.shaderCache; let stage = cache.get( code ); if ( stage === undefined ) { stage = new WebGLShaderStage( code ); cache.set( code, stage ); } return stage; } } class WebGLShaderStage { constructor( code ) { this.id = _id ++; this.code = code; this.usedTimes = 0; } } function WebGLPrograms( renderer, cubemaps, cubeuvmaps, extensions, capabilities, bindingStates, clipping ) { const _programLayers = new Layers(); const _customShaders = new WebGLShaderCache(); const programs = []; const IS_WEBGL2 = capabilities.isWebGL2; const logarithmicDepthBuffer = capabilities.logarithmicDepthBuffer; const SUPPORTS_VERTEX_TEXTURES = capabilities.vertexTextures; let precision = capabilities.precision; const shaderIDs = { MeshDepthMaterial: "depth", MeshDistanceMaterial: "distanceRGBA", MeshNormalMaterial: "normal", MeshBasicMaterial: "basic", MeshLambertMaterial: "lambert", MeshPhongMaterial: "phong", MeshToonMaterial: "toon", MeshStandardMaterial: "physical", MeshPhysicalMaterial: "physical", MeshMatcapMaterial: "matcap", LineBasicMaterial: "basic", LineDashedMaterial: "dashed", PointsMaterial: "points", ShadowMaterial: "shadow", SpriteMaterial: "sprite" }; function getChannel( value ) { if ( value === 1 ) return "uv1"; if ( value === 2 ) return "uv2"; if ( value === 3 ) return "uv3"; return "uv"; } function getParameters( material, lights, shadows, scene, object ) { const fog = scene.fog; const geometry = object.geometry; const environment = material.isMeshStandardMaterial ? scene.environment : null; const envMap = ( material.isMeshStandardMaterial ? cubeuvmaps : cubemaps ).get( material.envMap || environment ); const envMapCubeUVHeight = ( !! envMap ) && ( envMap.mapping === CubeUVReflectionMapping ) ? envMap.image.height : null; const shaderID = shaderIDs[ material.type ]; // heuristics to create shader parameters according to lights in the scene // (not to blow over maxLights budget) if ( material.precision !== null ) { precision = capabilities.getMaxPrecision( material.precision ); if ( precision !== material.precision ) { console.warn( "THREE.WebGLProgram.getParameters:", material.precision, "not supported, using", precision, "instead." ); } } // const morphAttribute = geometry.morphAttributes.position || geometry.morphAttributes.normal || geometry.morphAttributes.color; const morphTargetsCount = ( morphAttribute !== undefined ) ? morphAttribute.length : 0; let morphTextureStride = 0; if ( geometry.morphAttributes.position !== undefined ) morphTextureStride = 1; if ( geometry.morphAttributes.normal !== undefined ) morphTextureStride = 2; if ( geometry.morphAttributes.color !== undefined ) morphTextureStride = 3; // let vertexShader, fragmentShader; let customVertexShaderID, customFragmentShaderID; if ( shaderID ) { const shader = ShaderLib[ shaderID ]; vertexShader = shader.vertexShader; fragmentShader = shader.fragmentShader; } else { vertexShader = material.vertexShader; fragmentShader = material.fragmentShader; _customShaders.update( material ); customVertexShaderID = _customShaders.getVertexShaderID( material ); customFragmentShaderID = _customShaders.getFragmentShaderID( material ); } const currentRenderTarget = renderer.getRenderTarget(); const IS_INSTANCEDMESH = object.isInstancedMesh === true; const HAS_MAP = !! material.map; const HAS_MATCAP = !! material.matcap; const HAS_ENVMAP = !! envMap; const HAS_AOMAP = !! material.aoMap; const HAS_LIGHTMAP = !! material.lightMap; const HAS_BUMPMAP = !! material.bumpMap; const HAS_NORMALMAP = !! material.normalMap; const HAS_DISPLACEMENTMAP = !! material.displacementMap; const HAS_EMISSIVEMAP = !! material.emissiveMap; const HAS_METALNESSMAP = !! material.metalnessMap; const HAS_ROUGHNESSMAP = !! material.roughnessMap; const HAS_CLEARCOAT = material.clearcoat > 0; const HAS_IRIDESCENCE = material.iridescence > 0; const HAS_SHEEN = material.sheen > 0; const HAS_TRANSMISSION = material.transmission > 0; const HAS_CLEARCOATMAP = HAS_CLEARCOAT && !! material.clearcoatMap; const HAS_CLEARCOAT_NORMALMAP = HAS_CLEARCOAT && !! material.clearcoatNormalMap; const HAS_CLEARCOAT_ROUGHNESSMAP = HAS_CLEARCOAT && !! material.clearcoatRoughnessMap; const HAS_IRIDESCENCEMAP = HAS_IRIDESCENCE && !! material.iridescenceMap; const HAS_IRIDESCENCE_THICKNESSMAP = HAS_IRIDESCENCE && !! material.iridescenceThicknessMap; const HAS_SHEEN_COLORMAP = HAS_SHEEN && !! material.sheenColorMap; const HAS_SHEEN_ROUGHNESSMAP = HAS_SHEEN && !! material.sheenRoughnessMap; const HAS_SPECULARMAP = !! material.specularMap; const HAS_SPECULAR_COLORMAP = !! material.specularColorMap; const HAS_SPECULAR_INTENSITYMAP = !! material.specularIntensityMap; const HAS_TRANSMISSIONMAP = HAS_TRANSMISSION && !! material.transmissionMap; const HAS_THICKNESSMAP = HAS_TRANSMISSION && !! material.thicknessMap; const HAS_GRADIENTMAP = !! material.gradientMap; const HAS_ALPHAMAP = !! material.alphaMap; const HAS_ALPHATEST = material.alphaTest > 0; const HAS_EXTENSIONS = !! material.extensions; const HAS_ATTRIBUTE_UV1 = !! geometry.attributes.uv1; const HAS_ATTRIBUTE_UV2 = !! geometry.attributes.uv2; const HAS_ATTRIBUTE_UV3 = !! geometry.attributes.uv3; const parameters = { isWebGL2: IS_WEBGL2, shaderID: shaderID, shaderName: material.type, vertexShader: vertexShader, fragmentShader: fragmentShader, defines: material.defines, customVertexShaderID: customVertexShaderID, customFragmentShaderID: customFragmentShaderID, isRawShaderMaterial: material.isRawShaderMaterial === true, glslVersion: material.glslVersion, precision: precision, instancing: IS_INSTANCEDMESH, instancingColor: IS_INSTANCEDMESH && object.instanceColor !== null, supportsVertexTextures: SUPPORTS_VERTEX_TEXTURES, outputColorSpace: ( currentRenderTarget === null ) ? renderer.outputColorSpace : ( currentRenderTarget.isXRRenderTarget === true ? currentRenderTarget.texture.colorSpace : LinearSRGBColorSpace ), map: HAS_MAP, matcap: HAS_MATCAP, envMap: HAS_ENVMAP, envMapMode: HAS_ENVMAP && envMap.mapping, envMapCubeUVHeight: envMapCubeUVHeight, aoMap: HAS_AOMAP, lightMap: HAS_LIGHTMAP, bumpMap: HAS_BUMPMAP, normalMap: HAS_NORMALMAP, displacementMap: SUPPORTS_VERTEX_TEXTURES && HAS_DISPLACEMENTMAP, emissiveMap: HAS_EMISSIVEMAP, normalMapObjectSpace: HAS_NORMALMAP && material.normalMapType === ObjectSpaceNormalMap, normalMapTangentSpace: HAS_NORMALMAP && material.normalMapType === TangentSpaceNormalMap, metalnessMap: HAS_METALNESSMAP, roughnessMap: HAS_ROUGHNESSMAP, clearcoat: HAS_CLEARCOAT, clearcoatMap: HAS_CLEARCOATMAP, clearcoatNormalMap: HAS_CLEARCOAT_NORMALMAP, clearcoatRoughnessMap: HAS_CLEARCOAT_ROUGHNESSMAP, iridescence: HAS_IRIDESCENCE, iridescenceMap: HAS_IRIDESCENCEMAP, iridescenceThicknessMap: HAS_IRIDESCENCE_THICKNESSMAP, sheen: HAS_SHEEN, sheenColorMap: HAS_SHEEN_COLORMAP, sheenRoughnessMap: HAS_SHEEN_ROUGHNESSMAP, specularMap: HAS_SPECULARMAP, specularColorMap: HAS_SPECULAR_COLORMAP, specularIntensityMap: HAS_SPECULAR_INTENSITYMAP, transmission: HAS_TRANSMISSION, transmissionMap: HAS_TRANSMISSIONMAP, thicknessMap: HAS_THICKNESSMAP, gradientMap: HAS_GRADIENTMAP, opaque: material.transparent === false && material.blending === NormalBlending, alphaMap: HAS_ALPHAMAP, alphaTest: HAS_ALPHATEST, combine: material.combine, // mapUv: HAS_MAP && getChannel( material.map.channel ), aoMapUv: HAS_AOMAP && getChannel( material.aoMap.channel ), lightMapUv: HAS_LIGHTMAP && getChannel( material.lightMap.channel ), bumpMapUv: HAS_BUMPMAP && getChannel( material.bumpMap.channel ), normalMapUv: HAS_NORMALMAP && getChannel( material.normalMap.channel ), displacementMapUv: HAS_DISPLACEMENTMAP && getChannel( material.displacementMap.channel ), emissiveMapUv: HAS_EMISSIVEMAP && getChannel( material.emissiveMap.channel ), metalnessMapUv: HAS_METALNESSMAP && getChannel( material.metalnessMap.channel ), roughnessMapUv: HAS_ROUGHNESSMAP && getChannel( material.roughnessMap.channel ), clearcoatMapUv: HAS_CLEARCOATMAP && getChannel( material.clearcoatMap.channel ), clearcoatNormalMapUv: HAS_CLEARCOAT_NORMALMAP && getChannel( material.clearcoatNormalMap.channel ), clearcoatRoughnessMapUv: HAS_CLEARCOAT_ROUGHNESSMAP && getChannel( material.clearcoatRoughnessMap.channel ), iridescenceMapUv: HAS_IRIDESCENCEMAP && getChannel( material.iridescenceMap.channel ), iridescenceThicknessMapUv: HAS_IRIDESCENCE_THICKNESSMAP && getChannel( material.iridescenceThicknessMap.channel ), sheenColorMapUv: HAS_SHEEN_COLORMAP && getChannel( material.sheenColorMap.channel ), sheenRoughnessMapUv: HAS_SHEEN_ROUGHNESSMAP && getChannel( material.sheenRoughnessMap.channel ), specularMapUv: HAS_SPECULARMAP && getChannel( material.specularMap.channel ), specularColorMapUv: HAS_SPECULAR_COLORMAP && getChannel( material.specularColorMap.channel ), specularIntensityMapUv: HAS_SPECULAR_INTENSITYMAP && getChannel( material.specularIntensityMap.channel ), transmissionMapUv: HAS_TRANSMISSIONMAP && getChannel( material.transmissionMap.channel ), thicknessMapUv: HAS_THICKNESSMAP && getChannel( material.thicknessMap.channel ), alphaMapUv: HAS_ALPHAMAP && getChannel( material.alphaMap.channel ), // vertexTangents: HAS_NORMALMAP && !! geometry.attributes.tangent, vertexColors: material.vertexColors, vertexAlphas: material.vertexColors === true && !! geometry.attributes.color && geometry.attributes.color.itemSize === 4, vertexUv1s: HAS_ATTRIBUTE_UV1, vertexUv2s: HAS_ATTRIBUTE_UV2, vertexUv3s: HAS_ATTRIBUTE_UV3, pointsUvs: object.isPoints === true && !! geometry.attributes.uv && ( HAS_MAP || HAS_ALPHAMAP ), fog: !! fog, useFog: material.fog === true, fogExp2: ( fog && fog.isFogExp2 ), flatShading: material.flatShading === true, sizeAttenuation: material.sizeAttenuation === true, logarithmicDepthBuffer: logarithmicDepthBuffer, skinning: object.isSkinnedMesh === true, morphTargets: geometry.morphAttributes.position !== undefined, morphNormals: geometry.morphAttributes.normal !== undefined, morphColors: geometry.morphAttributes.color !== undefined, morphTargetsCount: morphTargetsCount, morphTextureStride: morphTextureStride, numDirLights: lights.directional.length, numPointLights: lights.point.length, numSpotLights: lights.spot.length, numSpotLightMaps: lights.spotLightMap.length, numRectAreaLights: lights.rectArea.length, numHemiLights: lights.hemi.length, numDirLightShadows: lights.directionalShadowMap.length, numPointLightShadows: lights.pointShadowMap.length, numSpotLightShadows: lights.spotShadowMap.length, numSpotLightShadowsWithMaps: lights.numSpotLightShadowsWithMaps, numClippingPlanes: clipping.numPlanes, numClipIntersection: clipping.numIntersection, dithering: material.dithering, shadowMapEnabled: renderer.shadowMap.enabled && shadows.length > 0, shadowMapType: renderer.shadowMap.type, toneMapping: material.toneMapped ? renderer.toneMapping : NoToneMapping, useLegacyLights: renderer.useLegacyLights, premultipliedAlpha: material.premultipliedAlpha, doubleSided: material.side === DoubleSide, flipSided: material.side === BackSide, useDepthPacking: material.depthPacking >= 0, depthPacking: material.depthPacking || 0, index0AttributeName: material.index0AttributeName, extensionDerivatives: HAS_EXTENSIONS && material.extensions.derivatives === true, extensionFragDepth: HAS_EXTENSIONS && material.extensions.fragDepth === true, extensionDrawBuffers: HAS_EXTENSIONS && material.extensions.drawBuffers === true, extensionShaderTextureLOD: HAS_EXTENSIONS && material.extensions.shaderTextureLOD === true, rendererExtensionFragDepth: IS_WEBGL2 || extensions.has( "EXT_frag_depth" ), rendererExtensionDrawBuffers: IS_WEBGL2 || extensions.has( "WEBGL_draw_buffers" ), rendererExtensionShaderTextureLod: IS_WEBGL2 || extensions.has( "EXT_shader_texture_lod" ), customProgramCacheKey: material.customProgramCacheKey() }; return parameters; } function getProgramCacheKey( parameters ) { const array = []; if ( parameters.shaderID ) { array.push( parameters.shaderID ); } else { array.push( parameters.customVertexShaderID ); array.push( parameters.customFragmentShaderID ); } if ( parameters.defines !== undefined ) { for ( const name in parameters.defines ) { array.push( name ); array.push( parameters.defines[ name ] ); } } if ( parameters.isRawShaderMaterial === false ) { getProgramCacheKeyParameters( array, parameters ); getProgramCacheKeyBooleans( array, parameters ); array.push( renderer.outputColorSpace ); } array.push( parameters.customProgramCacheKey ); return array.join(); } function getProgramCacheKeyParameters( array, parameters ) { array.push( parameters.precision ); array.push( parameters.outputColorSpace ); array.push( parameters.envMapMode ); array.push( parameters.envMapCubeUVHeight ); array.push( parameters.mapUv ); array.push( parameters.alphaMapUv ); array.push( parameters.lightMapUv ); array.push( parameters.aoMapUv ); array.push( parameters.bumpMapUv ); array.push( parameters.normalMapUv ); array.push( parameters.displacementMapUv ); array.push( parameters.emissiveMapUv ); array.push( parameters.metalnessMapUv ); array.push( parameters.roughnessMapUv ); array.push( parameters.clearcoatMapUv ); array.push( parameters.clearcoatNormalMapUv ); array.push( parameters.clearcoatRoughnessMapUv ); array.push( parameters.iridescenceMapUv ); array.push( parameters.iridescenceThicknessMapUv ); array.push( parameters.sheenColorMapUv ); array.push( parameters.sheenRoughnessMapUv ); array.push( parameters.specularMapUv ); array.push( parameters.specularColorMapUv ); array.push( parameters.specularIntensityMapUv ); array.push( parameters.transmissionMapUv ); array.push( parameters.thicknessMapUv ); array.push( parameters.combine ); array.push( parameters.fogExp2 ); array.push( parameters.sizeAttenuation ); array.push( parameters.morphTargetsCount ); array.push( parameters.morphAttributeCount ); array.push( parameters.numDirLights ); array.push( parameters.numPointLights ); array.push( parameters.numSpotLights ); array.push( parameters.numSpotLightMaps ); array.push( parameters.numHemiLights ); array.push( parameters.numRectAreaLights ); array.push( parameters.numDirLightShadows ); array.push( parameters.numPointLightShadows ); array.push( parameters.numSpotLightShadows ); array.push( parameters.numSpotLightShadowsWithMaps ); array.push( parameters.shadowMapType ); array.push( parameters.toneMapping ); array.push( parameters.numClippingPlanes ); array.push( parameters.numClipIntersection ); array.push( parameters.depthPacking ); } function getProgramCacheKeyBooleans( array, parameters ) { _programLayers.disableAll(); if ( parameters.isWebGL2 ) _programLayers.enable( 0 ); if ( parameters.supportsVertexTextures ) _programLayers.enable( 1 ); if ( parameters.instancing ) _programLayers.enable( 2 ); if ( parameters.instancingColor ) _programLayers.enable( 3 ); if ( parameters.matcap ) _programLayers.enable( 4 ); if ( parameters.envMap ) _programLayers.enable( 5 ); if ( parameters.normalMapObjectSpace ) _programLayers.enable( 6 ); if ( parameters.normalMapTangentSpace ) _programLayers.enable( 7 ); if ( parameters.clearcoat ) _programLayers.enable( 8 ); if ( parameters.iridescence ) _programLayers.enable( 9 ); if ( parameters.alphaTest ) _programLayers.enable( 10 ); if ( parameters.vertexColors ) _programLayers.enable( 11 ); if ( parameters.vertexAlphas ) _programLayers.enable( 12 ); if ( parameters.vertexUv1s ) _programLayers.enable( 13 ); if ( parameters.vertexUv2s ) _programLayers.enable( 14 ); if ( parameters.vertexUv3s ) _programLayers.enable( 15 ); if ( parameters.vertexTangents ) _programLayers.enable( 16 ); array.push( _programLayers.mask ); _programLayers.disableAll(); if ( parameters.fog ) _programLayers.enable( 0 ); if ( parameters.useFog ) _programLayers.enable( 1 ); if ( parameters.flatShading ) _programLayers.enable( 2 ); if ( parameters.logarithmicDepthBuffer ) _programLayers.enable( 3 ); if ( parameters.skinning ) _programLayers.enable( 4 ); if ( parameters.morphTargets ) _programLayers.enable( 5 ); if ( parameters.morphNormals ) _programLayers.enable( 6 ); if ( parameters.morphColors ) _programLayers.enable( 7 ); if ( parameters.premultipliedAlpha ) _programLayers.enable( 8 ); if ( parameters.shadowMapEnabled ) _programLayers.enable( 9 ); if ( parameters.useLegacyLights ) _programLayers.enable( 10 ); if ( parameters.doubleSided ) _programLayers.enable( 11 ); if ( parameters.flipSided ) _programLayers.enable( 12 ); if ( parameters.useDepthPacking ) _programLayers.enable( 13 ); if ( parameters.dithering ) _programLayers.enable( 14 ); if ( parameters.transmission ) _programLayers.enable( 15 ); if ( parameters.sheen ) _programLayers.enable( 16 ); if ( parameters.opaque ) _programLayers.enable( 17 ); if ( parameters.pointsUvs ) _programLayers.enable( 18 ); array.push( _programLayers.mask ); } function getUniforms( material ) { const shaderID = shaderIDs[ material.type ]; let uniforms; if ( shaderID ) { const shader = ShaderLib[ shaderID ]; uniforms = UniformsUtils.clone( shader.uniforms ); } else { uniforms = material.uniforms; } return uniforms; } function acquireProgram( parameters, cacheKey ) { let program; // Check if code has been already compiled for ( let p = 0, pl = programs.length; p < pl; p ++ ) { const preexistingProgram = programs[ p ]; if ( preexistingProgram.cacheKey === cacheKey ) { program = preexistingProgram; ++ program.usedTimes; break; } } if ( program === undefined ) { program = new WebGLProgram( renderer, cacheKey, parameters, bindingStates ); programs.push( program ); } return program; } function releaseProgram( program ) { if ( -- program.usedTimes === 0 ) { // Remove from unordered set const i = programs.indexOf( program ); programs[ i ] = programs[ programs.length - 1 ]; programs.pop(); // Free WebGL resources program.destroy(); } } function releaseShaderCache( material ) { _customShaders.remove( material ); } function dispose() { _customShaders.dispose(); } return { getParameters: getParameters, getProgramCacheKey: getProgramCacheKey, getUniforms: getUniforms, acquireProgram: acquireProgram, releaseProgram: releaseProgram, releaseShaderCache: releaseShaderCache, // Exposed for resource monitoring & error feedback via renderer.info: programs: programs, dispose: dispose }; } function WebGLProperties() { let properties = new WeakMap(); function get( object ) { let map = properties.get( object ); if ( map === undefined ) { map = {}; properties.set( object, map ); } return map; } function remove( object ) { properties.delete( object ); } function update( object, key, value ) { properties.get( object )[ key ] = value; } function dispose() { properties = new WeakMap(); } return { get: get, remove: remove, update: update, dispose: dispose }; } function painterSortStable( a, b ) { if ( a.groupOrder !== b.groupOrder ) { return a.groupOrder - b.groupOrder; } else if ( a.renderOrder !== b.renderOrder ) { return a.renderOrder - b.renderOrder; } else if ( a.material.id !== b.material.id ) { return a.material.id - b.material.id; } else if ( a.z !== b.z ) { return a.z - b.z; } else { return a.id - b.id; } } function reversePainterSortStable( a, b ) { if ( a.groupOrder !== b.groupOrder ) { return a.groupOrder - b.groupOrder; } else if ( a.renderOrder !== b.renderOrder ) { return a.renderOrder - b.renderOrder; } else if ( a.z !== b.z ) { return b.z - a.z; } else { return a.id - b.id; } } function WebGLRenderList() { const renderItems = []; let renderItemsIndex = 0; const opaque = []; const transmissive = []; const transparent = []; function init() { renderItemsIndex = 0; opaque.length = 0; transmissive.length = 0; transparent.length = 0; } function getNextRenderItem( object, geometry, material, groupOrder, z, group ) { let renderItem = renderItems[ renderItemsIndex ]; if ( renderItem === undefined ) { renderItem = { id: object.id, object: object, geometry: geometry, material: material, groupOrder: groupOrder, renderOrder: object.renderOrder, z: z, group: group }; renderItems[ renderItemsIndex ] = renderItem; } else { renderItem.id = object.id; renderItem.object = object; renderItem.geometry = geometry; renderItem.material = material; renderItem.groupOrder = groupOrder; renderItem.renderOrder = object.renderOrder; renderItem.z = z; renderItem.group = group; } renderItemsIndex ++; return renderItem; } function push( object, geometry, material, groupOrder, z, group ) { const renderItem = getNextRenderItem( object, geometry, material, groupOrder, z, group ); if ( material.transmission > 0.0 ) { transmissive.push( renderItem ); } else if ( material.transparent === true ) { transparent.push( renderItem ); } else { opaque.push( renderItem ); } } function unshift( object, geometry, material, groupOrder, z, group ) { const renderItem = getNextRenderItem( object, geometry, material, groupOrder, z, group ); if ( material.transmission > 0.0 ) { transmissive.unshift( renderItem ); } else if ( material.transparent === true ) { transparent.unshift( renderItem ); } else { opaque.unshift( renderItem ); } } function sort( customOpaqueSort, customTransparentSort ) { if ( opaque.length > 1 ) opaque.sort( customOpaqueSort || painterSortStable ); if ( transmissive.length > 1 ) transmissive.sort( customTransparentSort || reversePainterSortStable ); if ( transparent.length > 1 ) transparent.sort( customTransparentSort || reversePainterSortStable ); } function finish() { // Clear references from inactive renderItems in the list for ( let i = renderItemsIndex, il = renderItems.length; i < il; i ++ ) { const renderItem = renderItems[ i ]; if ( renderItem.id === null ) break; renderItem.id = null; renderItem.object = null; renderItem.geometry = null; renderItem.material = null; renderItem.group = null; } } return { opaque: opaque, transmissive: transmissive, transparent: transparent, init: init, push: push, unshift: unshift, finish: finish, sort: sort }; } function WebGLRenderLists() { let lists = new WeakMap(); function get( scene, renderCallDepth ) { const listArray = lists.get( scene ); let list; if ( listArray === undefined ) { list = new WebGLRenderList(); lists.set( scene, [ list ] ); } else { if ( renderCallDepth >= listArray.length ) { list = new WebGLRenderList(); listArray.push( list ); } else { list = listArray[ renderCallDepth ]; } } return list; } function dispose() { lists = new WeakMap(); } return { get: get, dispose: dispose }; } function UniformsCache() { const lights = {}; return { get: function ( light ) { if ( lights[ light.id ] !== undefined ) { return lights[ light.id ]; } let uniforms; switch ( light.type ) { case "DirectionalLight": uniforms = { direction: new Vector3(), color: new Color() }; break; case "SpotLight": uniforms = { position: new Vector3(), direction: new Vector3(), color: new Color(), distance: 0, coneCos: 0, penumbraCos: 0, decay: 0 }; break; case "PointLight": uniforms = { position: new Vector3(), color: new Color(), distance: 0, decay: 0 }; break; case "HemisphereLight": uniforms = { direction: new Vector3(), skyColor: new Color(), groundColor: new Color() }; break; case "RectAreaLight": uniforms = { color: new Color(), position: new Vector3(), halfWidth: new Vector3(), halfHeight: new Vector3() }; break; } lights[ light.id ] = uniforms; return uniforms; } }; } function ShadowUniformsCache() { const lights = {}; return { get: function ( light ) { if ( lights[ light.id ] !== undefined ) { return lights[ light.id ]; } let uniforms; switch ( light.type ) { case "DirectionalLight": uniforms = { shadowBias: 0, shadowNormalBias: 0, shadowRadius: 1, shadowMapSize: new Vector2() }; break; case "SpotLight": uniforms = { shadowBias: 0, shadowNormalBias: 0, shadowRadius: 1, shadowMapSize: new Vector2() }; break; case "PointLight": uniforms = { shadowBias: 0, shadowNormalBias: 0, shadowRadius: 1, shadowMapSize: new Vector2(), shadowCameraNear: 1, shadowCameraFar: 1000 }; break; // TODO (abelnation): set RectAreaLight shadow uniforms } lights[ light.id ] = uniforms; return uniforms; } }; } let nextVersion = 0; function shadowCastingAndTexturingLightsFirst( lightA, lightB ) { return ( lightB.castShadow ? 2 : 0 ) - ( lightA.castShadow ? 2 : 0 ) + ( lightB.map ? 1 : 0 ) - ( lightA.map ? 1 : 0 ); } function WebGLLights( extensions, capabilities ) { const cache = new UniformsCache(); const shadowCache = ShadowUniformsCache(); const state = { version: 0, hash: { directionalLength: - 1, pointLength: - 1, spotLength: - 1, rectAreaLength: - 1, hemiLength: - 1, numDirectionalShadows: - 1, numPointShadows: - 1, numSpotShadows: - 1, numSpotMaps: - 1 }, ambient: [ 0, 0, 0 ], probe: [], directional: [], directionalShadow: [], directionalShadowMap: [], directionalShadowMatrix: [], spot: [], spotLightMap: [], spotShadow: [], spotShadowMap: [], spotLightMatrix: [], rectArea: [], rectAreaLTC1: null, rectAreaLTC2: null, point: [], pointShadow: [], pointShadowMap: [], pointShadowMatrix: [], hemi: [], numSpotLightShadowsWithMaps: 0 }; for ( let i = 0; i < 9; i ++ ) state.probe.push( new Vector3() ); const vector3 = new Vector3(); const matrix4 = new Matrix4(); const matrix42 = new Matrix4(); function setup( lights, useLegacyLights ) { let r = 0, g = 0, b = 0; for ( let i = 0; i < 9; i ++ ) state.probe[ i ].set( 0, 0, 0 ); let directionalLength = 0; let pointLength = 0; let spotLength = 0; let rectAreaLength = 0; let hemiLength = 0; let numDirectionalShadows = 0; let numPointShadows = 0; let numSpotShadows = 0; let numSpotMaps = 0; let numSpotShadowsWithMaps = 0; // ordering : [shadow casting + map texturing, map texturing, shadow casting, none ] lights.sort( shadowCastingAndTexturingLightsFirst ); // artist-friendly light intensity scaling factor const scaleFactor = ( useLegacyLights === true ) ? Math.PI : 1; for ( let i = 0, l = lights.length; i < l; i ++ ) { const light = lights[ i ]; const color = light.color; const intensity = light.intensity; const distance = light.distance; const shadowMap = ( light.shadow && light.shadow.map ) ? light.shadow.map.texture : null; if ( light.isAmbientLight ) { r += color.r * intensity * scaleFactor; g += color.g * intensity * scaleFactor; b += color.b * intensity * scaleFactor; } else if ( light.isLightProbe ) { for ( let j = 0; j < 9; j ++ ) { state.probe[ j ].addScaledVector( light.sh.coefficients[ j ], intensity ); } } else if ( light.isDirectionalLight ) { const uniforms = cache.get( light ); uniforms.color.copy( light.color ).multiplyScalar( light.intensity * scaleFactor ); if ( light.castShadow ) { const shadow = light.shadow; const shadowUniforms = shadowCache.get( light ); shadowUniforms.shadowBias = shadow.bias; shadowUniforms.shadowNormalBias = shadow.normalBias; shadowUniforms.shadowRadius = shadow.radius; shadowUniforms.shadowMapSize = shadow.mapSize; state.directionalShadow[ directionalLength ] = shadowUniforms; state.directionalShadowMap[ directionalLength ] = shadowMap; state.directionalShadowMatrix[ directionalLength ] = light.shadow.matrix; numDirectionalShadows ++; } state.directional[ directionalLength ] = uniforms; directionalLength ++; } else if ( light.isSpotLight ) { const uniforms = cache.get( light ); uniforms.position.setFromMatrixPosition( light.matrixWorld ); uniforms.color.copy( color ).multiplyScalar( intensity * scaleFactor ); uniforms.distance = distance; uniforms.coneCos = Math.cos( light.angle ); uniforms.penumbraCos = Math.cos( light.angle * ( 1 - light.penumbra ) ); uniforms.decay = light.decay; state.spot[ spotLength ] = uniforms; const shadow = light.shadow; if ( light.map ) { state.spotLightMap[ numSpotMaps ] = light.map; numSpotMaps ++; // make sure the lightMatrix is up to date // TODO : do it if required only shadow.updateMatrices( light ); if ( light.castShadow ) numSpotShadowsWithMaps ++; } state.spotLightMatrix[ spotLength ] = shadow.matrix; if ( light.castShadow ) { const shadowUniforms = shadowCache.get( light ); shadowUniforms.shadowBias = shadow.bias; shadowUniforms.shadowNormalBias = shadow.normalBias; shadowUniforms.shadowRadius = shadow.radius; shadowUniforms.shadowMapSize = shadow.mapSize; state.spotShadow[ spotLength ] = shadowUniforms; state.spotShadowMap[ spotLength ] = shadowMap; numSpotShadows ++; } spotLength ++; } else if ( light.isRectAreaLight ) { const uniforms = cache.get( light ); uniforms.color.copy( color ).multiplyScalar( intensity ); uniforms.halfWidth.set( light.width * 0.5, 0.0, 0.0 ); uniforms.halfHeight.set( 0.0, light.height * 0.5, 0.0 ); state.rectArea[ rectAreaLength ] = uniforms; rectAreaLength ++; } else if ( light.isPointLight ) { const uniforms = cache.get( light ); uniforms.color.copy( light.color ).multiplyScalar( light.intensity * scaleFactor ); uniforms.distance = light.distance; uniforms.decay = light.decay; if ( light.castShadow ) { const shadow = light.shadow; const shadowUniforms = shadowCache.get( light ); shadowUniforms.shadowBias = shadow.bias; shadowUniforms.shadowNormalBias = shadow.normalBias; shadowUniforms.shadowRadius = shadow.radius; shadowUniforms.shadowMapSize = shadow.mapSize; shadowUniforms.shadowCameraNear = shadow.camera.near; shadowUniforms.shadowCameraFar = shadow.camera.far; state.pointShadow[ pointLength ] = shadowUniforms; state.pointShadowMap[ pointLength ] = shadowMap; state.pointShadowMatrix[ pointLength ] = light.shadow.matrix; numPointShadows ++; } state.point[ pointLength ] = uniforms; pointLength ++; } else if ( light.isHemisphereLight ) { const uniforms = cache.get( light ); uniforms.skyColor.copy( light.color ).multiplyScalar( intensity * scaleFactor ); uniforms.groundColor.copy( light.groundColor ).multiplyScalar( intensity * scaleFactor ); state.hemi[ hemiLength ] = uniforms; hemiLength ++; } } if ( rectAreaLength > 0 ) { if ( capabilities.isWebGL2 ) { // WebGL 2 state.rectAreaLTC1 = UniformsLib.LTC_FLOAT_1; state.rectAreaLTC2 = UniformsLib.LTC_FLOAT_2; } else { // WebGL 1 if ( extensions.has( "OES_texture_float_linear" ) === true ) { state.rectAreaLTC1 = UniformsLib.LTC_FLOAT_1; state.rectAreaLTC2 = UniformsLib.LTC_FLOAT_2; } else if ( extensions.has( "OES_texture_half_float_linear" ) === true ) { state.rectAreaLTC1 = UniformsLib.LTC_HALF_1; state.rectAreaLTC2 = UniformsLib.LTC_HALF_2; } else { console.error( "THREE.WebGLRenderer: Unable to use RectAreaLight. Missing WebGL extensions." ); } } } state.ambient[ 0 ] = r; state.ambient[ 1 ] = g; state.ambient[ 2 ] = b; const hash = state.hash; if ( hash.directionalLength !== directionalLength || hash.pointLength !== pointLength || hash.spotLength !== spotLength || hash.rectAreaLength !== rectAreaLength || hash.hemiLength !== hemiLength || hash.numDirectionalShadows !== numDirectionalShadows || hash.numPointShadows !== numPointShadows || hash.numSpotShadows !== numSpotShadows || hash.numSpotMaps !== numSpotMaps ) { state.directional.length = directionalLength; state.spot.length = spotLength; state.rectArea.length = rectAreaLength; state.point.length = pointLength; state.hemi.length = hemiLength; state.directionalShadow.length = numDirectionalShadows; state.directionalShadowMap.length = numDirectionalShadows; state.pointShadow.length = numPointShadows; state.pointShadowMap.length = numPointShadows; state.spotShadow.length = numSpotShadows; state.spotShadowMap.length = numSpotShadows; state.directionalShadowMatrix.length = numDirectionalShadows; state.pointShadowMatrix.length = numPointShadows; state.spotLightMatrix.length = numSpotShadows + numSpotMaps - numSpotShadowsWithMaps; state.spotLightMap.length = numSpotMaps; state.numSpotLightShadowsWithMaps = numSpotShadowsWithMaps; hash.directionalLength = directionalLength; hash.pointLength = pointLength; hash.spotLength = spotLength; hash.rectAreaLength = rectAreaLength; hash.hemiLength = hemiLength; hash.numDirectionalShadows = numDirectionalShadows; hash.numPointShadows = numPointShadows; hash.numSpotShadows = numSpotShadows; hash.numSpotMaps = numSpotMaps; state.version = nextVersion ++; } } function setupView( lights, camera ) { let directionalLength = 0; let pointLength = 0; let spotLength = 0; let rectAreaLength = 0; let hemiLength = 0; const viewMatrix = camera.matrixWorldInverse; for ( let i = 0, l = lights.length; i < l; i ++ ) { const light = lights[ i ]; if ( light.isDirectionalLight ) { const uniforms = state.directional[ directionalLength ]; uniforms.direction.setFromMatrixPosition( light.matrixWorld ); vector3.setFromMatrixPosition( light.target.matrixWorld ); uniforms.direction.sub( vector3 ); uniforms.direction.transformDirection( viewMatrix ); directionalLength ++; } else if ( light.isSpotLight ) { const uniforms = state.spot[ spotLength ]; uniforms.position.setFromMatrixPosition( light.matrixWorld ); uniforms.position.applyMatrix4( viewMatrix ); uniforms.direction.setFromMatrixPosition( light.matrixWorld ); vector3.setFromMatrixPosition( light.target.matrixWorld ); uniforms.direction.sub( vector3 ); uniforms.direction.transformDirection( viewMatrix ); spotLength ++; } else if ( light.isRectAreaLight ) { const uniforms = state.rectArea[ rectAreaLength ]; uniforms.position.setFromMatrixPosition( light.matrixWorld ); uniforms.position.applyMatrix4( viewMatrix ); // extract local rotation of light to derive width/height half vectors matrix42.identity(); matrix4.copy( light.matrixWorld ); matrix4.premultiply( viewMatrix ); matrix42.extractRotation( matrix4 ); uniforms.halfWidth.set( light.width * 0.5, 0.0, 0.0 ); uniforms.halfHeight.set( 0.0, light.height * 0.5, 0.0 ); uniforms.halfWidth.applyMatrix4( matrix42 ); uniforms.halfHeight.applyMatrix4( matrix42 ); rectAreaLength ++; } else if ( light.isPointLight ) { const uniforms = state.point[ pointLength ]; uniforms.position.setFromMatrixPosition( light.matrixWorld ); uniforms.position.applyMatrix4( viewMatrix ); pointLength ++; } else if ( light.isHemisphereLight ) { const uniforms = state.hemi[ hemiLength ]; uniforms.direction.setFromMatrixPosition( light.matrixWorld ); uniforms.direction.transformDirection( viewMatrix ); hemiLength ++; } } } return { setup: setup, setupView: setupView, state: state }; } function WebGLRenderState( extensions, capabilities ) { const lights = new WebGLLights( extensions, capabilities ); const lightsArray = []; const shadowsArray = []; function init() { lightsArray.length = 0; shadowsArray.length = 0; } function pushLight( light ) { lightsArray.push( light ); } function pushShadow( shadowLight ) { shadowsArray.push( shadowLight ); } function setupLights( useLegacyLights ) { lights.setup( lightsArray, useLegacyLights ); } function setupLightsView( camera ) { lights.setupView( lightsArray, camera ); } const state = { lightsArray: lightsArray, shadowsArray: shadowsArray, lights: lights }; return { init: init, state: state, setupLights: setupLights, setupLightsView: setupLightsView, pushLight: pushLight, pushShadow: pushShadow }; } function WebGLRenderStates( extensions, capabilities ) { let renderStates = new WeakMap(); function get( scene, renderCallDepth = 0 ) { const renderStateArray = renderStates.get( scene ); let renderState; if ( renderStateArray === undefined ) { renderState = new WebGLRenderState( extensions, capabilities ); renderStates.set( scene, [ renderState ] ); } else { if ( renderCallDepth >= renderStateArray.length ) { renderState = new WebGLRenderState( extensions, capabilities ); renderStateArray.push( renderState ); } else { renderState = renderStateArray[ renderCallDepth ]; } } return renderState; } function dispose() { renderStates = new WeakMap(); } return { get: get, dispose: dispose }; } class MeshDepthMaterial extends Material { constructor( parameters ) { super(); this.isMeshDepthMaterial = true; this.type = "MeshDepthMaterial"; this.depthPacking = BasicDepthPacking; this.map = null; this.alphaMap = null; this.displacementMap = null; this.displacementScale = 1; this.displacementBias = 0; this.wireframe = false; this.wireframeLinewidth = 1; this.setValues( parameters ); } copy( source ) { super.copy( source ); this.depthPacking = source.depthPacking; this.map = source.map; this.alphaMap = source.alphaMap; this.displacementMap = source.displacementMap; this.displacementScale = source.displacementScale; this.displacementBias = source.displacementBias; this.wireframe = source.wireframe; this.wireframeLinewidth = source.wireframeLinewidth; return this; } } class MeshDistanceMaterial extends Material { constructor( parameters ) { super(); this.isMeshDistanceMaterial = true; this.type = "MeshDistanceMaterial"; this.map = null; this.alphaMap = null; this.displacementMap = null; this.displacementScale = 1; this.displacementBias = 0; this.setValues( parameters ); } copy( source ) { super.copy( source ); this.map = source.map; this.alphaMap = source.alphaMap; this.displacementMap = source.displacementMap; this.displacementScale = source.displacementScale; this.displacementBias = source.displacementBias; return this; } } const vertex$i = "void main() { gl_Position = vec4( position, 1.0 ); }"; const fragment$i = "uniform sampler2D shadow_pass; uniform vec2 resolution; uniform float radius; #include void main() { const float samples = float( VSM_SAMPLES ); float mean = 0.0; float squared_mean = 0.0; float uvStride = samples <= 1.0 ? 0.0 : 2.0 / ( samples - 1.0 ); float uvStart = samples <= 1.0 ? 0.0 : - 1.0; for ( float i = 0.0; i < samples; i ++ ) { float uvOffset = uvStart + i * uvStride; #ifdef HORIZONTAL_PASS vec2 distribution = unpackRGBATo2Half( texture2D( shadow_pass, ( gl_FragCoord.xy + vec2( uvOffset, 0.0 ) * radius ) / resolution ) ); mean += distribution.x; squared_mean += distribution.y * distribution.y + distribution.x * distribution.x; #else float depth = unpackRGBAToDepth( texture2D( shadow_pass, ( gl_FragCoord.xy + vec2( 0.0, uvOffset ) * radius ) / resolution ) ); mean += depth; squared_mean += depth * depth; #endif } mean = mean / samples; squared_mean = squared_mean / samples; float std_dev = sqrt( squared_mean - mean * mean ); gl_FragColor = pack2HalfToRGBA( vec2( mean, std_dev ) ); }"; function WebGLShadowMap( _renderer, _objects, _capabilities ) { let _frustum = new Frustum(); const _shadowMapSize = new Vector2(), _viewportSize = new Vector2(), _viewport = new Vector4(), _depthMaterial = new MeshDepthMaterial( { depthPacking: RGBADepthPacking } ), _distanceMaterial = new MeshDistanceMaterial(), _materialCache = {}, _maxTextureSize = _capabilities.maxTextureSize; const shadowSide = { [ FrontSide ]: BackSide, [ BackSide ]: FrontSide, [ DoubleSide ]: DoubleSide }; const shadowMaterialVertical = new ShaderMaterial( { defines: { VSM_SAMPLES: 8 }, uniforms: { shadow_pass: { value: null }, resolution: { value: new Vector2() }, radius: { value: 4.0 } }, vertexShader: vertex$i, fragmentShader: fragment$i } ); const shadowMaterialHorizontal = shadowMaterialVertical.clone(); shadowMaterialHorizontal.defines.HORIZONTAL_PASS = 1; const fullScreenTri = new BufferGeometry(); fullScreenTri.setAttribute( "position", new BufferAttribute( new Float32Array( [ - 1, - 1, 0.5, 3, - 1, 0.5, - 1, 3, 0.5 ] ), 3 ) ); const fullScreenMesh = new Mesh( fullScreenTri, shadowMaterialVertical ); const scope = this; this.enabled = false; this.autoUpdate = true; this.needsUpdate = false; this.type = PCFShadowMap; let _previousType = this.type; this.render = function ( lights, scene, camera ) { if ( scope.enabled === false ) return; if ( scope.autoUpdate === false && scope.needsUpdate === false ) return; if ( lights.length === 0 ) return; const currentRenderTarget = _renderer.getRenderTarget(); const activeCubeFace = _renderer.getActiveCubeFace(); const activeMipmapLevel = _renderer.getActiveMipmapLevel(); const _state = _renderer.state; // Set GL state for depth map. _state.setBlending( NoBlending ); _state.buffers.color.setClear( 1, 1, 1, 1 ); _state.buffers.depth.setTest( true ); _state.setScissorTest( false ); // check for shadow map type changes const toVSM = ( _previousType !== VSMShadowMap && this.type === VSMShadowMap ); const fromVSM = ( _previousType === VSMShadowMap && this.type !== VSMShadowMap ); // render depth map for ( let i = 0, il = lights.length; i < il; i ++ ) { const light = lights[ i ]; const shadow = light.shadow; if ( shadow === undefined ) { console.warn( "THREE.WebGLShadowMap:", light, "has no shadow." ); continue; } if ( shadow.autoUpdate === false && shadow.needsUpdate === false ) continue; _shadowMapSize.copy( shadow.mapSize ); const shadowFrameExtents = shadow.getFrameExtents(); _shadowMapSize.multiply( shadowFrameExtents ); _viewportSize.copy( shadow.mapSize ); if ( _shadowMapSize.x > _maxTextureSize || _shadowMapSize.y > _maxTextureSize ) { if ( _shadowMapSize.x > _maxTextureSize ) { _viewportSize.x = Math.floor( _maxTextureSize / shadowFrameExtents.x ); _shadowMapSize.x = _viewportSize.x * shadowFrameExtents.x; shadow.mapSize.x = _viewportSize.x; } if ( _shadowMapSize.y > _maxTextureSize ) { _viewportSize.y = Math.floor( _maxTextureSize / shadowFrameExtents.y ); _shadowMapSize.y = _viewportSize.y * shadowFrameExtents.y; shadow.mapSize.y = _viewportSize.y; } } if ( shadow.map === null || toVSM === true || fromVSM === true ) { const pars = ( this.type !== VSMShadowMap ) ? { minFilter: NearestFilter, magFilter: NearestFilter } : {}; if ( shadow.map !== null ) { shadow.map.dispose(); } shadow.map = new WebGLRenderTarget( _shadowMapSize.x, _shadowMapSize.y, pars ); shadow.map.texture.name = light.name + ".shadowMap"; shadow.camera.updateProjectionMatrix(); } _renderer.setRenderTarget( shadow.map ); _renderer.clear(); const viewportCount = shadow.getViewportCount(); for ( let vp = 0; vp < viewportCount; vp ++ ) { const viewport = shadow.getViewport( vp ); _viewport.set( _viewportSize.x * viewport.x, _viewportSize.y * viewport.y, _viewportSize.x * viewport.z, _viewportSize.y * viewport.w ); _state.viewport( _viewport ); shadow.updateMatrices( light, vp ); _frustum = shadow.getFrustum(); renderObject( scene, camera, shadow.camera, light, this.type ); } // do blur pass for VSM if ( shadow.isPointLightShadow !== true && this.type === VSMShadowMap ) { VSMPass( shadow, camera ); } shadow.needsUpdate = false; } _previousType = this.type; scope.needsUpdate = false; _renderer.setRenderTarget( currentRenderTarget, activeCubeFace, activeMipmapLevel ); }; function VSMPass( shadow, camera ) { const geometry = _objects.update( fullScreenMesh ); if ( shadowMaterialVertical.defines.VSM_SAMPLES !== shadow.blurSamples ) { shadowMaterialVertical.defines.VSM_SAMPLES = shadow.blurSamples; shadowMaterialHorizontal.defines.VSM_SAMPLES = shadow.blurSamples; shadowMaterialVertical.needsUpdate = true; shadowMaterialHorizontal.needsUpdate = true; } if ( shadow.mapPass === null ) { shadow.mapPass = new WebGLRenderTarget( _shadowMapSize.x, _shadowMapSize.y ); } // vertical pass shadowMaterialVertical.uniforms.shadow_pass.value = shadow.map.texture; shadowMaterialVertical.uniforms.resolution.value = shadow.mapSize; shadowMaterialVertical.uniforms.radius.value = shadow.radius; _renderer.setRenderTarget( shadow.mapPass ); _renderer.clear(); _renderer.renderBufferDirect( camera, null, geometry, shadowMaterialVertical, fullScreenMesh, null ); // horizontal pass shadowMaterialHorizontal.uniforms.shadow_pass.value = shadow.mapPass.texture; shadowMaterialHorizontal.uniforms.resolution.value = shadow.mapSize; shadowMaterialHorizontal.uniforms.radius.value = shadow.radius; _renderer.setRenderTarget( shadow.map ); _renderer.clear(); _renderer.renderBufferDirect( camera, null, geometry, shadowMaterialHorizontal, fullScreenMesh, null ); } function getDepthMaterial( object, material, light, type ) { let result = null; const customMaterial = ( light.isPointLight === true ) ? object.customDistanceMaterial : object.customDepthMaterial; if ( customMaterial !== undefined ) { result = customMaterial; } else { result = ( light.isPointLight === true ) ? _distanceMaterial : _depthMaterial; if ( ( _renderer.localClippingEnabled && material.clipShadows === true && Array.isArray( material.clippingPlanes ) && material.clippingPlanes.length !== 0 ) || ( material.displacementMap && material.displacementScale !== 0 ) || ( material.alphaMap && material.alphaTest > 0 ) || ( material.map && material.alphaTest > 0 ) ) { // in this case we need a unique material instance reflecting the // appropriate state const keyA = result.uuid, keyB = material.uuid; let materialsForVariant = _materialCache[ keyA ]; if ( materialsForVariant === undefined ) { materialsForVariant = {}; _materialCache[ keyA ] = materialsForVariant; } let cachedMaterial = materialsForVariant[ keyB ]; if ( cachedMaterial === undefined ) { cachedMaterial = result.clone(); materialsForVariant[ keyB ] = cachedMaterial; } result = cachedMaterial; } } result.visible = material.visible; result.wireframe = material.wireframe; if ( type === VSMShadowMap ) { result.side = ( material.shadowSide !== null ) ? material.shadowSide : material.side; } else { result.side = ( material.shadowSide !== null ) ? material.shadowSide : shadowSide[ material.side ]; } result.alphaMap = material.alphaMap; result.alphaTest = material.alphaTest; result.map = material.map; result.clipShadows = material.clipShadows; result.clippingPlanes = material.clippingPlanes; result.clipIntersection = material.clipIntersection; result.displacementMap = material.displacementMap; result.displacementScale = material.displacementScale; result.displacementBias = material.displacementBias; result.wireframeLinewidth = material.wireframeLinewidth; result.linewidth = material.linewidth; if ( light.isPointLight === true && result.isMeshDistanceMaterial === true ) { const materialProperties = _renderer.properties.get( result ); materialProperties.light = light; } return result; } function renderObject( object, camera, shadowCamera, light, type ) { if ( object.visible === false ) return; const visible = object.layers.test( camera.layers ); if ( visible && ( object.isMesh || object.isLine || object.isPoints ) ) { if ( ( object.castShadow || ( object.receiveShadow && type === VSMShadowMap ) ) && ( ! object.frustumCulled || _frustum.intersectsObject( object ) ) ) { object.modelViewMatrix.multiplyMatrices( shadowCamera.matrixWorldInverse, object.matrixWorld ); const geometry = _objects.update( object ); const material = object.material; if ( Array.isArray( material ) ) { const groups = geometry.groups; for ( let k = 0, kl = groups.length; k < kl; k ++ ) { const group = groups[ k ]; const groupMaterial = material[ group.materialIndex ]; if ( groupMaterial && groupMaterial.visible ) { const depthMaterial = getDepthMaterial( object, groupMaterial, light, type ); _renderer.renderBufferDirect( shadowCamera, null, geometry, depthMaterial, object, group ); } } } else if ( material.visible ) { const depthMaterial = getDepthMaterial( object, material, light, type ); _renderer.renderBufferDirect( shadowCamera, null, geometry, depthMaterial, object, null ); } } } const children = object.children; for ( let i = 0, l = children.length; i < l; i ++ ) { renderObject( children[ i ], camera, shadowCamera, light, type ); } } } function WebGLState( gl, extensions, capabilities ) { const isWebGL2 = capabilities.isWebGL2; function ColorBuffer() { let locked = false; const color = new Vector4(); let currentColorMask = null; const currentColorClear = new Vector4( 0, 0, 0, 0 ); return { setMask: function ( colorMask ) { if ( currentColorMask !== colorMask && ! locked ) { gl.colorMask( colorMask, colorMask, colorMask, colorMask ); currentColorMask = colorMask; } }, setLocked: function ( lock ) { locked = lock; }, setClear: function ( r, g, b, a, premultipliedAlpha ) { if ( premultipliedAlpha === true ) { r *= a; g *= a; b *= a; } color.set( r, g, b, a ); if ( currentColorClear.equals( color ) === false ) { gl.clearColor( r, g, b, a ); currentColorClear.copy( color ); } }, reset: function () { locked = false; currentColorMask = null; currentColorClear.set( - 1, 0, 0, 0 ); // set to invalid state } }; } function DepthBuffer() { let locked = false; let currentDepthMask = null; let currentDepthFunc = null; let currentDepthClear = null; return { setTest: function ( depthTest ) { if ( depthTest ) { enable( gl.DEPTH_TEST ); } else { disable( gl.DEPTH_TEST ); } }, setMask: function ( depthMask ) { if ( currentDepthMask !== depthMask && ! locked ) { gl.depthMask( depthMask ); currentDepthMask = depthMask; } }, setFunc: function ( depthFunc ) { if ( currentDepthFunc !== depthFunc ) { switch ( depthFunc ) { case NeverDepth: gl.depthFunc( gl.NEVER ); break; case AlwaysDepth: gl.depthFunc( gl.ALWAYS ); break; case LessDepth: gl.depthFunc( gl.LESS ); break; case LessEqualDepth: gl.depthFunc( gl.LEQUAL ); break; case EqualDepth: gl.depthFunc( gl.EQUAL ); break; case GreaterEqualDepth: gl.depthFunc( gl.GEQUAL ); break; case GreaterDepth: gl.depthFunc( gl.GREATER ); break; case NotEqualDepth: gl.depthFunc( gl.NOTEQUAL ); break; default: gl.depthFunc( gl.LEQUAL ); } currentDepthFunc = depthFunc; } }, setLocked: function ( lock ) { locked = lock; }, setClear: function ( depth ) { if ( currentDepthClear !== depth ) { gl.clearDepth( depth ); currentDepthClear = depth; } }, reset: function () { locked = false; currentDepthMask = null; currentDepthFunc = null; currentDepthClear = null; } }; } function StencilBuffer() { let locked = false; let currentStencilMask = null; let currentStencilFunc = null; let currentStencilRef = null; let currentStencilFuncMask = null; let currentStencilFail = null; let currentStencilZFail = null; let currentStencilZPass = null; let currentStencilClear = null; return { setTest: function ( stencilTest ) { if ( ! locked ) { if ( stencilTest ) { enable( gl.STENCIL_TEST ); } else { disable( gl.STENCIL_TEST ); } } }, setMask: function ( stencilMask ) { if ( currentStencilMask !== stencilMask && ! locked ) { gl.stencilMask( stencilMask ); currentStencilMask = stencilMask; } }, setFunc: function ( stencilFunc, stencilRef, stencilMask ) { if ( currentStencilFunc !== stencilFunc || currentStencilRef !== stencilRef || currentStencilFuncMask !== stencilMask ) { gl.stencilFunc( stencilFunc, stencilRef, stencilMask ); currentStencilFunc = stencilFunc; currentStencilRef = stencilRef; currentStencilFuncMask = stencilMask; } }, setOp: function ( stencilFail, stencilZFail, stencilZPass ) { if ( currentStencilFail !== stencilFail || currentStencilZFail !== stencilZFail || currentStencilZPass !== stencilZPass ) { gl.stencilOp( stencilFail, stencilZFail, stencilZPass ); currentStencilFail = stencilFail; currentStencilZFail = stencilZFail; currentStencilZPass = stencilZPass; } }, setLocked: function ( lock ) { locked = lock; }, setClear: function ( stencil ) { if ( currentStencilClear !== stencil ) { gl.clearStencil( stencil ); currentStencilClear = stencil; } }, reset: function () { locked = false; currentStencilMask = null; currentStencilFunc = null; currentStencilRef = null; currentStencilFuncMask = null; currentStencilFail = null; currentStencilZFail = null; currentStencilZPass = null; currentStencilClear = null; } }; } // const colorBuffer = new ColorBuffer(); const depthBuffer = new DepthBuffer(); const stencilBuffer = new StencilBuffer(); const uboBindings = new WeakMap(); const uboProgramMap = new WeakMap(); let enabledCapabilities = {}; let currentBoundFramebuffers = {}; let currentDrawbuffers = new WeakMap(); let defaultDrawbuffers = []; let currentProgram = null; let currentBlendingEnabled = false; let currentBlending = null; let currentBlendEquation = null; let currentBlendSrc = null; let currentBlendDst = null; let currentBlendEquationAlpha = null; let currentBlendSrcAlpha = null; let currentBlendDstAlpha = null; let currentPremultipledAlpha = false; let currentFlipSided = null; let currentCullFace = null; let currentLineWidth = null; let currentPolygonOffsetFactor = null; let currentPolygonOffsetUnits = null; const maxTextures = gl.getParameter( gl.MAX_COMBINED_TEXTURE_IMAGE_UNITS ); let lineWidthAvailable = false; let version = 0; const glVersion = gl.getParameter( gl.VERSION ); if ( glVersion.indexOf( "WebGL" ) !== - 1 ) { version = parseFloat( /^WebGL (d)/.exec( glVersion )[ 1 ] ); lineWidthAvailable = ( version >= 1.0 ); } else if ( glVersion.indexOf( "OpenGL ES" ) !== - 1 ) { version = parseFloat( /^OpenGL ES (d)/.exec( glVersion )[ 1 ] ); lineWidthAvailable = ( version >= 2.0 ); } let currentTextureSlot = null; let currentBoundTextures = {}; const scissorParam = gl.getParameter( gl.SCISSOR_BOX ); const viewportParam = gl.getParameter( gl.VIEWPORT ); const currentScissor = new Vector4().fromArray( scissorParam ); const currentViewport = new Vector4().fromArray( viewportParam ); function createTexture( type, target, count, dimensions ) { const data = new Uint8Array( 4 ); // 4 is required to match default unpack alignment of 4. const texture = gl.createTexture(); gl.bindTexture( type, texture ); gl.texParameteri( type, gl.TEXTURE_MIN_FILTER, gl.NEAREST ); gl.texParameteri( type, gl.TEXTURE_MAG_FILTER, gl.NEAREST ); for ( let i = 0; i < count; i ++ ) { if ( isWebGL2 && ( type === gl.TEXTURE_3D || type === gl.TEXTURE_2D_ARRAY ) ) { gl.texImage3D( target, 0, gl.RGBA, 1, 1, dimensions, 0, gl.RGBA, gl.UNSIGNED_BYTE, data ); } else { gl.texImage2D( target + i, 0, gl.RGBA, 1, 1, 0, gl.RGBA, gl.UNSIGNED_BYTE, data ); } } return texture; } const emptyTextures = {}; emptyTextures[ gl.TEXTURE_2D ] = createTexture( gl.TEXTURE_2D, gl.TEXTURE_2D, 1 ); emptyTextures[ gl.TEXTURE_CUBE_MAP ] = createTexture( gl.TEXTURE_CUBE_MAP, gl.TEXTURE_CUBE_MAP_POSITIVE_X, 6 ); if ( isWebGL2 ) { emptyTextures[ gl.TEXTURE_2D_ARRAY ] = createTexture( gl.TEXTURE_2D_ARRAY, gl.TEXTURE_2D_ARRAY, 1, 1 ); emptyTextures[ gl.TEXTURE_3D ] = createTexture( gl.TEXTURE_3D, gl.TEXTURE_3D, 1, 1 ); } // init colorBuffer.setClear( 0, 0, 0, 1 ); depthBuffer.setClear( 1 ); stencilBuffer.setClear( 0 ); enable( gl.DEPTH_TEST ); depthBuffer.setFunc( LessEqualDepth ); setFlipSided( false ); setCullFace( CullFaceBack ); enable( gl.CULL_FACE ); setBlending( NoBlending ); // function enable( id ) { if ( enabledCapabilities[ id ] !== true ) { gl.enable( id ); enabledCapabilities[ id ] = true; } } function disable( id ) { if ( enabledCapabilities[ id ] !== false ) { gl.disable( id ); enabledCapabilities[ id ] = false; } } function bindFramebuffer( target, framebuffer ) { if ( currentBoundFramebuffers[ target ] !== framebuffer ) { gl.bindFramebuffer( target, framebuffer ); currentBoundFramebuffers[ target ] = framebuffer; if ( isWebGL2 ) { // gl.DRAW_FRAMEBUFFER is equivalent to gl.FRAMEBUFFER if ( target === gl.DRAW_FRAMEBUFFER ) { currentBoundFramebuffers[ gl.FRAMEBUFFER ] = framebuffer; } if ( target === gl.FRAMEBUFFER ) { currentBoundFramebuffers[ gl.DRAW_FRAMEBUFFER ] = framebuffer; } } return true; } return false; } function drawBuffers( renderTarget, framebuffer ) { let drawBuffers = defaultDrawbuffers; let needsUpdate = false; if ( renderTarget ) { drawBuffers = currentDrawbuffers.get( framebuffer ); if ( drawBuffers === undefined ) { drawBuffers = []; currentDrawbuffers.set( framebuffer, drawBuffers ); } if ( renderTarget.isWebGLMultipleRenderTargets ) { const textures = renderTarget.texture; if ( drawBuffers.length !== textures.length || drawBuffers[ 0 ] !== gl.COLOR_ATTACHMENT0 ) { for ( let i = 0, il = textures.length; i < il; i ++ ) { drawBuffers[ i ] = gl.COLOR_ATTACHMENT0 + i; } drawBuffers.length = textures.length; needsUpdate = true; } } else { if ( drawBuffers[ 0 ] !== gl.COLOR_ATTACHMENT0 ) { drawBuffers[ 0 ] = gl.COLOR_ATTACHMENT0; needsUpdate = true; } } } else { if ( drawBuffers[ 0 ] !== gl.BACK ) { drawBuffers[ 0 ] = gl.BACK; needsUpdate = true; } } if ( needsUpdate ) { if ( capabilities.isWebGL2 ) { gl.drawBuffers( drawBuffers ); } else { extensions.get( "WEBGL_draw_buffers" ).drawBuffersWEBGL( drawBuffers ); } } } function useProgram( program ) { if ( currentProgram !== program ) { gl.useProgram( program ); currentProgram = program; return true; } return false; } const equationToGL = { [ AddEquation ]: gl.FUNC_ADD, [ SubtractEquation ]: gl.FUNC_SUBTRACT, [ ReverseSubtractEquation ]: gl.FUNC_REVERSE_SUBTRACT }; if ( isWebGL2 ) { equationToGL[ MinEquation ] = gl.MIN; equationToGL[ MaxEquation ] = gl.MAX; } else { const extension = extensions.get( "EXT_blend_minmax" ); if ( extension !== null ) { equationToGL[ MinEquation ] = extension.MIN_EXT; equationToGL[ MaxEquation ] = extension.MAX_EXT; } } const factorToGL = { [ ZeroFactor ]: gl.ZERO, [ OneFactor ]: gl.ONE, [ SrcColorFactor ]: gl.SRC_COLOR, [ SrcAlphaFactor ]: gl.SRC_ALPHA, [ SrcAlphaSaturateFactor ]: gl.SRC_ALPHA_SATURATE, [ DstColorFactor ]: gl.DST_COLOR, [ DstAlphaFactor ]: gl.DST_ALPHA, [ OneMinusSrcColorFactor ]: gl.ONE_MINUS_SRC_COLOR, [ OneMinusSrcAlphaFactor ]: gl.ONE_MINUS_SRC_ALPHA, [ OneMinusDstColorFactor ]: gl.ONE_MINUS_DST_COLOR, [ OneMinusDstAlphaFactor ]: gl.ONE_MINUS_DST_ALPHA }; function setBlending( blending, blendEquation, blendSrc, blendDst, blendEquationAlpha, blendSrcAlpha, blendDstAlpha, premultipliedAlpha ) { if ( blending === NoBlending ) { if ( currentBlendingEnabled === true ) { disable( gl.BLEND ); currentBlendingEnabled = false; } return; } if ( currentBlendingEnabled === false ) { enable( gl.BLEND ); currentBlendingEnabled = true; } if ( blending !== CustomBlending ) { if ( blending !== currentBlending || premultipliedAlpha !== currentPremultipledAlpha ) { if ( currentBlendEquation !== AddEquation || currentBlendEquationAlpha !== AddEquation ) { gl.blendEquation( gl.FUNC_ADD ); currentBlendEquation = AddEquation; currentBlendEquationAlpha = AddEquation; } if ( premultipliedAlpha ) { switch ( blending ) { case NormalBlending: gl.blendFuncSeparate( gl.ONE, gl.ONE_MINUS_SRC_ALPHA, gl.ONE, gl.ONE_MINUS_SRC_ALPHA ); break; case AdditiveBlending: gl.blendFunc( gl.ONE, gl.ONE ); break; case SubtractiveBlending: gl.blendFuncSeparate( gl.ZERO, gl.ONE_MINUS_SRC_COLOR, gl.ZERO, gl.ONE ); break; case MultiplyBlending: gl.blendFuncSeparate( gl.ZERO, gl.SRC_COLOR, gl.ZERO, gl.SRC_ALPHA ); break; default: console.error( "THREE.WebGLState: Invalid blending: ", blending ); break; } } else { switch ( blending ) { case NormalBlending: gl.blendFuncSeparate( gl.SRC_ALPHA, gl.ONE_MINUS_SRC_ALPHA, gl.ONE, gl.ONE_MINUS_SRC_ALPHA ); break; case AdditiveBlending: gl.blendFunc( gl.SRC_ALPHA, gl.ONE ); break; case SubtractiveBlending: gl.blendFuncSeparate( gl.ZERO, gl.ONE_MINUS_SRC_COLOR, gl.ZERO, gl.ONE ); break; case MultiplyBlending: gl.blendFunc( gl.ZERO, gl.SRC_COLOR ); break; default: console.error( "THREE.WebGLState: Invalid blending: ", blending ); break; } } currentBlendSrc = null; currentBlendDst = null; currentBlendSrcAlpha = null; currentBlendDstAlpha = null; currentBlending = blending; currentPremultipledAlpha = premultipliedAlpha; } return; } // custom blending blendEquationAlpha = blendEquationAlpha || blendEquation; blendSrcAlpha = blendSrcAlpha || blendSrc; blendDstAlpha = blendDstAlpha || blendDst; if ( blendEquation !== currentBlendEquation || blendEquationAlpha !== currentBlendEquationAlpha ) { gl.blendEquationSeparate( equationToGL[ blendEquation ], equationToGL[ blendEquationAlpha ] ); currentBlendEquation = blendEquation; currentBlendEquationAlpha = blendEquationAlpha; } if ( blendSrc !== currentBlendSrc || blendDst !== currentBlendDst || blendSrcAlpha !== currentBlendSrcAlpha || blendDstAlpha !== currentBlendDstAlpha ) { gl.blendFuncSeparate( factorToGL[ blendSrc ], factorToGL[ blendDst ], factorToGL[ blendSrcAlpha ], factorToGL[ blendDstAlpha ] ); currentBlendSrc = blendSrc; currentBlendDst = blendDst; currentBlendSrcAlpha = blendSrcAlpha; currentBlendDstAlpha = blendDstAlpha; } currentBlending = blending; currentPremultipledAlpha = false; } function setMaterial( material, frontFaceCW ) { material.side === DoubleSide ? disable( gl.CULL_FACE ) : enable( gl.CULL_FACE ); let flipSided = ( material.side === BackSide ); if ( frontFaceCW ) flipSided = ! flipSided; setFlipSided( flipSided ); ( material.blending === NormalBlending && material.transparent === false ) ? setBlending( NoBlending ) : setBlending( material.blending, material.blendEquation, material.blendSrc, material.blendDst, material.blendEquationAlpha, material.blendSrcAlpha, material.blendDstAlpha, material.premultipliedAlpha ); depthBuffer.setFunc( material.depthFunc ); depthBuffer.setTest( material.depthTest ); depthBuffer.setMask( material.depthWrite ); colorBuffer.setMask( material.colorWrite ); const stencilWrite = material.stencilWrite; stencilBuffer.setTest( stencilWrite ); if ( stencilWrite ) { stencilBuffer.setMask( material.stencilWriteMask ); stencilBuffer.setFunc( material.stencilFunc, material.stencilRef, material.stencilFuncMask ); stencilBuffer.setOp( material.stencilFail, material.stencilZFail, material.stencilZPass ); } setPolygonOffset( material.polygonOffset, material.polygonOffsetFactor, material.polygonOffsetUnits ); material.alphaToCoverage === true ? enable( gl.SAMPLE_ALPHA_TO_COVERAGE ) : disable( gl.SAMPLE_ALPHA_TO_COVERAGE ); } // function setFlipSided( flipSided ) { if ( currentFlipSided !== flipSided ) { if ( flipSided ) { gl.frontFace( gl.CW ); } else { gl.frontFace( gl.CCW ); } currentFlipSided = flipSided; } } function setCullFace( cullFace ) { if ( cullFace !== CullFaceNone ) { enable( gl.CULL_FACE ); if ( cullFace !== currentCullFace ) { if ( cullFace === CullFaceBack ) { gl.cullFace( gl.BACK ); } else if ( cullFace === CullFaceFront ) { gl.cullFace( gl.FRONT ); } else { gl.cullFace( gl.FRONT_AND_BACK ); } } } else { disable( gl.CULL_FACE ); } currentCullFace = cullFace; } function setLineWidth( width ) { if ( width !== currentLineWidth ) { if ( lineWidthAvailable ) gl.lineWidth( width ); currentLineWidth = width; } } function setPolygonOffset( polygonOffset, factor, units ) { if ( polygonOffset ) { enable( gl.POLYGON_OFFSET_FILL ); if ( currentPolygonOffsetFactor !== factor || currentPolygonOffsetUnits !== units ) { gl.polygonOffset( factor, units ); currentPolygonOffsetFactor = factor; currentPolygonOffsetUnits = units; } } else { disable( gl.POLYGON_OFFSET_FILL ); } } function setScissorTest( scissorTest ) { if ( scissorTest ) { enable( gl.SCISSOR_TEST ); } else { disable( gl.SCISSOR_TEST ); } } // texture function activeTexture( webglSlot ) { if ( webglSlot === undefined ) webglSlot = gl.TEXTURE0 + maxTextures - 1; if ( currentTextureSlot !== webglSlot ) { gl.activeTexture( webglSlot ); currentTextureSlot = webglSlot; } } function bindTexture( webglType, webglTexture, webglSlot ) { if ( webglSlot === undefined ) { if ( currentTextureSlot === null ) { webglSlot = gl.TEXTURE0 + maxTextures - 1; } else { webglSlot = currentTextureSlot; } } let boundTexture = currentBoundTextures[ webglSlot ]; if ( boundTexture === undefined ) { boundTexture = { type: undefined, texture: undefined }; currentBoundTextures[ webglSlot ] = boundTexture; } if ( boundTexture.type !== webglType || boundTexture.texture !== webglTexture ) { if ( currentTextureSlot !== webglSlot ) { gl.activeTexture( webglSlot ); currentTextureSlot = webglSlot; } gl.bindTexture( webglType, webglTexture || emptyTextures[ webglType ] ); boundTexture.type = webglType; boundTexture.texture = webglTexture; } } function unbindTexture() { const boundTexture = currentBoundTextures[ currentTextureSlot ]; if ( boundTexture !== undefined && boundTexture.type !== undefined ) { gl.bindTexture( boundTexture.type, null ); boundTexture.type = undefined; boundTexture.texture = undefined; } } function compressedTexImage2D() { try { gl.compressedTexImage2D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function compressedTexImage3D() { try { gl.compressedTexImage3D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function texSubImage2D() { try { gl.texSubImage2D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function texSubImage3D() { try { gl.texSubImage3D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function compressedTexSubImage2D() { try { gl.compressedTexSubImage2D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function compressedTexSubImage3D() { try { gl.compressedTexSubImage3D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function texStorage2D() { try { gl.texStorage2D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function texStorage3D() { try { gl.texStorage3D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function texImage2D() { try { gl.texImage2D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } function texImage3D() { try { gl.texImage3D.apply( gl, arguments ); } catch ( error ) { console.error( "THREE.WebGLState:", error ); } } // function scissor( scissor ) { if ( currentScissor.equals( scissor ) === false ) { gl.scissor( scissor.x, scissor.y, scissor.z, scissor.w ); currentScissor.copy( scissor ); } } function viewport( viewport ) { if ( currentViewport.equals( viewport ) === false ) { gl.viewport( viewport.x, viewport.y, viewport.z, viewport.w ); currentViewport.copy( viewport ); } } function updateUBOMapping( uniformsGroup, program ) { let mapping = uboProgramMap.get( program ); if ( mapping === undefined ) { mapping = new WeakMap(); uboProgramMap.set( program, mapping ); } let blockIndex = mapping.get( uniformsGroup ); if ( blockIndex === undefined ) { blockIndex = gl.getUniformBlockIndex( program, uniformsGroup.name ); mapping.set( uniformsGroup, blockIndex ); } } function uniformBlockBinding( uniformsGroup, program ) { const mapping = uboProgramMap.get( program ); const blockIndex = mapping.get( uniformsGroup ); if ( uboBindings.get( program ) !== blockIndex ) { // bind shader specific block index to global block point gl.uniformBlockBinding( program, blockIndex, uniformsGroup.__bindingPointIndex ); uboBindings.set( program, blockIndex ); } } // function reset() { // reset state gl.disable( gl.BLEND ); gl.disable( gl.CULL_FACE ); gl.disable( gl.DEPTH_TEST ); gl.disable( gl.POLYGON_OFFSET_FILL ); gl.disable( gl.SCISSOR_TEST ); gl.disable( gl.STENCIL_TEST ); gl.disable( gl.SAMPLE_ALPHA_TO_COVERAGE ); gl.blendEquation( gl.FUNC_ADD ); gl.blendFunc( gl.ONE, gl.ZERO ); gl.blendFuncSeparate( gl.ONE, gl.ZERO, gl.ONE, gl.ZERO ); gl.colorMask( true, true, true, true ); gl.clearColor( 0, 0, 0, 0 ); gl.depthMask( true ); gl.depthFunc( gl.LESS ); gl.clearDepth( 1 ); gl.stencilMask( 0xffffffff ); gl.stencilFunc( gl.ALWAYS, 0, 0xffffffff ); gl.stencilOp( gl.KEEP, gl.KEEP, gl.KEEP ); gl.clearStencil( 0 ); gl.cullFace( gl.BACK ); gl.frontFace( gl.CCW ); gl.polygonOffset( 0, 0 ); gl.activeTexture( gl.TEXTURE0 ); gl.bindFramebuffer( gl.FRAMEBUFFER, null ); if ( isWebGL2 === true ) { gl.bindFramebuffer( gl.DRAW_FRAMEBUFFER, null ); gl.bindFramebuffer( gl.READ_FRAMEBUFFER, null ); } gl.useProgram( null ); gl.lineWidth( 1 ); gl.scissor( 0, 0, gl.canvas.width, gl.canvas.height ); gl.viewport( 0, 0, gl.canvas.width, gl.canvas.height ); // reset internals enabledCapabilities = {}; currentTextureSlot = null; currentBoundTextures = {}; currentBoundFramebuffers = {}; currentDrawbuffers = new WeakMap(); defaultDrawbuffers = []; currentProgram = null; currentBlendingEnabled = false; currentBlending = null; currentBlendEquation = null; currentBlendSrc = null; currentBlendDst = null; currentBlendEquationAlpha = null; currentBlendSrcAlpha = null; currentBlendDstAlpha = null; currentPremultipledAlpha = false; currentFlipSided = null; currentCullFace = null; currentLineWidth = null; currentPolygonOffsetFactor = null; currentPolygonOffsetUnits = null; currentScissor.set( 0, 0, gl.canvas.width, gl.canvas.height ); currentViewport.set( 0, 0, gl.canvas.width, gl.canvas.height ); colorBuffer.reset(); depthBuffer.reset(); stencilBuffer.reset(); } return { buffers: { color: colorBuffer, depth: depthBuffer, stencil: stencilBuffer }, enable: enable, disable: disable, bindFramebuffer: bindFramebuffer, drawBuffers: drawBuffers, useProgram: useProgram, setBlending: setBlending, setMaterial: setMaterial, setFlipSided: setFlipSided, setCullFace: setCullFace, setLineWidth: setLineWidth, setPolygonOffset: setPolygonOffset, setScissorTest: setScissorTest, activeTexture: activeTexture, bindTexture: bindTexture, unbindTexture: unbindTexture, compressedTexImage2D: compressedTexImage2D, compressedTexImage3D: compressedTexImage3D, texImage2D: texImage2D, texImage3D: texImage3D, updateUBOMapping: updateUBOMapping, uniformBlockBinding: uniformBlockBinding, texStorage2D: texStorage2D, texStorage3D: texStorage3D, texSubImage2D: texSubImage2D, texSubImage3D: texSubImage3D, compressedTexSubImage2D: compressedTexSubImage2D, compressedTexSubImage3D: compressedTexSubImage3D, scissor: scissor, viewport: viewport, reset: reset }; } function WebGLTextures( _gl, extensions, state, properties, capabilities, utils, info ) { const isWebGL2 = capabilities.isWebGL2; const maxTextures = capabilities.maxTextures; const maxCubemapSize = capabilities.maxCubemapSize; const maxTextureSize = capabilities.maxTextureSize; const maxSamples = capabilities.maxSamples; const multisampledRTTExt = extensions.has( "WEBGL_multisampled_render_to_texture" ) ? extensions.get( "WEBGL_multisampled_render_to_texture" ) : null; const supportsInvalidateFramebuffer = typeof navigator === "undefined" ? false : /OculusBrowser/g.test( navigator.userAgent ); const _videoTextures = new WeakMap(); let _canvas; const _sources = new WeakMap(); // maps WebglTexture objects to instances of Source // cordova iOS (as of 5.0) still uses UIWebView, which provides OffscreenCanvas, // also OffscreenCanvas.getContext("webgl"), but not OffscreenCanvas.getContext("2d")! // Some implementations may only implement OffscreenCanvas partially (e.g. lacking 2d). let useOffscreenCanvas = false; try { useOffscreenCanvas = typeof OffscreenCanvas !== "undefined" // eslint-disable-next-line compat/compat && ( new OffscreenCanvas( 1, 1 ).getContext( "2d" ) ) !== null; } catch ( err ) { // Ignore any errors } function createCanvas( width, height ) { // Use OffscreenCanvas when available. Specially needed in web workers return useOffscreenCanvas ? // eslint-disable-next-line compat/compat new OffscreenCanvas( width, height ) : createElementNS( "canvas" ); } function resizeImage( image, needsPowerOfTwo, needsNewCanvas, maxSize ) { let scale = 1; // handle case if texture exceeds max size if ( image.width > maxSize || image.height > maxSize ) { scale = maxSize / Math.max( image.width, image.height ); } // only perform resize if necessary if ( scale < 1 || needsPowerOfTwo === true ) { // only perform resize for certain image types if ( ( typeof HTMLImageElement !== "undefined" && image instanceof HTMLImageElement ) || ( typeof HTMLCanvasElement !== "undefined" && image instanceof HTMLCanvasElement ) || ( typeof ImageBitmap !== "undefined" && image instanceof ImageBitmap ) ) { const floor = needsPowerOfTwo ? floorPowerOfTwo : Math.floor; const width = floor( scale * image.width ); const height = floor( scale * image.height ); if ( _canvas === undefined ) _canvas = createCanvas( width, height ); // cube textures can"t reuse the same canvas const canvas = needsNewCanvas ? createCanvas( width, height ) : _canvas; canvas.width = width; canvas.height = height; const context = canvas.getContext( "2d" ); context.drawImage( image, 0, 0, width, height ); console.warn( "THREE.WebGLRenderer: Texture has been resized from (" + image.width + "x" + image.height + ") to (" + width + "x" + height + ")." ); return canvas; } else { if ( "data" in image ) { console.warn( "THREE.WebGLRenderer: Image in DataTexture is too big (" + image.width + "x" + image.height + ")." ); } return image; } } return image; } function isPowerOfTwo$1( image ) { return isPowerOfTwo( image.width ) && isPowerOfTwo( image.height ); } function textureNeedsPowerOfTwo( texture ) { if ( isWebGL2 ) return false; return ( texture.wrapS !== ClampToEdgeWrapping || texture.wrapT !== ClampToEdgeWrapping ) || ( texture.minFilter !== NearestFilter && texture.minFilter !== LinearFilter ); } function textureNeedsGenerateMipmaps( texture, supportsMips ) { return texture.generateMipmaps && supportsMips && texture.minFilter !== NearestFilter && texture.minFilter !== LinearFilter; } function generateMipmap( target ) { _gl.generateMipmap( target ); } function getInternalFormat( internalFormatName, glFormat, glType, colorSpace, forceLinearTransfer = false ) { if ( isWebGL2 === false ) return glFormat; if ( internalFormatName !== null ) { if ( _gl[ internalFormatName ] !== undefined ) return _gl[ internalFormatName ]; console.warn( "THREE.WebGLRenderer: Attempt to use non-existing WebGL internal format "" + internalFormatName + """ ); } let internalFormat = glFormat; if ( glFormat === _gl.RED ) { if ( glType === _gl.FLOAT ) internalFormat = _gl.R32F; if ( glType === _gl.HALF_FLOAT ) internalFormat = _gl.R16F; if ( glType === _gl.UNSIGNED_BYTE ) internalFormat = _gl.R8; } if ( glFormat === _gl.RG ) { if ( glType === _gl.FLOAT ) internalFormat = _gl.RG32F; if ( glType === _gl.HALF_FLOAT ) internalFormat = _gl.RG16F; if ( glType === _gl.UNSIGNED_BYTE ) internalFormat = _gl.RG8; } if ( glFormat === _gl.RGBA ) { if ( glType === _gl.FLOAT ) internalFormat = _gl.RGBA32F; if ( glType === _gl.HALF_FLOAT ) internalFormat = _gl.RGBA16F; if ( glType === _gl.UNSIGNED_BYTE ) internalFormat = ( colorSpace === SRGBColorSpace && forceLinearTransfer === false ) ? _gl.SRGB8_ALPHA8 : _gl.RGBA8; if ( glType === _gl.UNSIGNED_SHORT_4_4_4_4 ) internalFormat = _gl.RGBA4; if ( glType === _gl.UNSIGNED_SHORT_5_5_5_1 ) internalFormat = _gl.RGB5_A1; } if ( internalFormat === _gl.R16F || internalFormat === _gl.R32F || internalFormat === _gl.RG16F || internalFormat === _gl.RG32F || internalFormat === _gl.RGBA16F || internalFormat === _gl.RGBA32F ) { extensions.get( "EXT_color_buffer_float" ); } return internalFormat; } function getMipLevels( texture, image, supportsMips ) { if ( textureNeedsGenerateMipmaps( texture, supportsMips ) === true || ( texture.isFramebufferTexture && texture.minFilter !== NearestFilter && texture.minFilter !== LinearFilter ) ) { return Math.log2( Math.max( image.width, image.height ) ) + 1; } else if ( texture.mipmaps !== undefined && texture.mipmaps.length > 0 ) { // user-defined mipmaps return texture.mipmaps.length; } else if ( texture.isCompressedTexture && Array.isArray( texture.image ) ) { return image.mipmaps.length; } else { // texture without mipmaps (only base level) return 1; } } // Fallback filters for non-power-of-2 textures function filterFallback( f ) { if ( f === NearestFilter || f === NearestMipmapNearestFilter || f === NearestMipmapLinearFilter ) { return _gl.NEAREST; } return _gl.LINEAR; } // function onTextureDispose( event ) { const texture = event.target; texture.removeEventListener( "dispose", onTextureDispose ); deallocateTexture( texture ); if ( texture.isVideoTexture ) { _videoTextures.delete( texture ); } } function onRenderTargetDispose( event ) { const renderTarget = event.target; renderTarget.removeEventListener( "dispose", onRenderTargetDispose ); deallocateRenderTarget( renderTarget ); } // function deallocateTexture( texture ) { const textureProperties = properties.get( texture ); if ( textureProperties.__webglInit === undefined ) return; // check if it"s necessary to remove the WebGLTexture object const source = texture.source; const webglTextures = _sources.get( source ); if ( webglTextures ) { const webglTexture = webglTextures[ textureProperties.__cacheKey ]; webglTexture.usedTimes --; // the WebGLTexture object is not used anymore, remove it if ( webglTexture.usedTimes === 0 ) { deleteTexture( texture ); } // remove the weak map entry if no WebGLTexture uses the source anymore if ( Object.keys( webglTextures ).length === 0 ) { _sources.delete( source ); } } properties.remove( texture ); } function deleteTexture( texture ) { const textureProperties = properties.get( texture ); _gl.deleteTexture( textureProperties.__webglTexture ); const source = texture.source; const webglTextures = _sources.get( source ); delete webglTextures[ textureProperties.__cacheKey ]; info.memory.textures --; } function deallocateRenderTarget( renderTarget ) { const texture = renderTarget.texture; const renderTargetProperties = properties.get( renderTarget ); const textureProperties = properties.get( texture ); if ( textureProperties.__webglTexture !== undefined ) { _gl.deleteTexture( textureProperties.__webglTexture ); info.memory.textures --; } if ( renderTarget.depthTexture ) { renderTarget.depthTexture.dispose(); } if ( renderTarget.isWebGLCubeRenderTarget ) { for ( let i = 0; i < 6; i ++ ) { _gl.deleteFramebuffer( renderTargetProperties.__webglFramebuffer[ i ] ); if ( renderTargetProperties.__webglDepthbuffer ) _gl.deleteRenderbuffer( renderTargetProperties.__webglDepthbuffer[ i ] ); } } else { _gl.deleteFramebuffer( renderTargetProperties.__webglFramebuffer ); if ( renderTargetProperties.__webglDepthbuffer ) _gl.deleteRenderbuffer( renderTargetProperties.__webglDepthbuffer ); if ( renderTargetProperties.__webglMultisampledFramebuffer ) _gl.deleteFramebuffer( renderTargetProperties.__webglMultisampledFramebuffer ); if ( renderTargetProperties.__webglColorRenderbuffer ) { for ( let i = 0; i < renderTargetProperties.__webglColorRenderbuffer.length; i ++ ) { if ( renderTargetProperties.__webglColorRenderbuffer[ i ] ) _gl.deleteRenderbuffer( renderTargetProperties.__webglColorRenderbuffer[ i ] ); } } if ( renderTargetProperties.__webglDepthRenderbuffer ) _gl.deleteRenderbuffer( renderTargetProperties.__webglDepthRenderbuffer ); } if ( renderTarget.isWebGLMultipleRenderTargets ) { for ( let i = 0, il = texture.length; i < il; i ++ ) { const attachmentProperties = properties.get( texture[ i ] ); if ( attachmentProperties.__webglTexture ) { _gl.deleteTexture( attachmentProperties.__webglTexture ); info.memory.textures --; } properties.remove( texture[ i ] ); } } properties.remove( texture ); properties.remove( renderTarget ); } // let textureUnits = 0; function resetTextureUnits() { textureUnits = 0; } function allocateTextureUnit() { const textureUnit = textureUnits; if ( textureUnit >= maxTextures ) { console.warn( "THREE.WebGLTextures: Trying to use " + textureUnit + " texture units while this GPU supports only " + maxTextures ); } textureUnits += 1; return textureUnit; } function getTextureCacheKey( texture ) { const array = []; array.push( texture.wrapS ); array.push( texture.wrapT ); array.push( texture.wrapR || 0 ); array.push( texture.magFilter ); array.push( texture.minFilter ); array.push( texture.anisotropy ); array.push( texture.internalFormat ); array.push( texture.format ); array.push( texture.type ); array.push( texture.generateMipmaps ); array.push( texture.premultiplyAlpha ); array.push( texture.flipY ); array.push( texture.unpackAlignment ); array.push( texture.colorSpace ); return array.join(); } // function setTexture2D( texture, slot ) { const textureProperties = properties.get( texture ); if ( texture.isVideoTexture ) updateVideoTexture( texture ); if ( texture.isRenderTargetTexture === false && texture.version > 0 && textureProperties.__version !== texture.version ) { const image = texture.image; if ( image === null ) { console.warn( "THREE.WebGLRenderer: Texture marked for update but no image data found." ); } else if ( image.complete === false ) { console.warn( "THREE.WebGLRenderer: Texture marked for update but image is incomplete" ); } else { uploadTexture( textureProperties, texture, slot ); return; } } state.bindTexture( _gl.TEXTURE_2D, textureProperties.__webglTexture, _gl.TEXTURE0 + slot ); } function setTexture2DArray( texture, slot ) { const textureProperties = properties.get( texture ); if ( texture.version > 0 && textureProperties.__version !== texture.version ) { uploadTexture( textureProperties, texture, slot ); return; } state.bindTexture( _gl.TEXTURE_2D_ARRAY, textureProperties.__webglTexture, _gl.TEXTURE0 + slot ); } function setTexture3D( texture, slot ) { const textureProperties = properties.get( texture ); if ( texture.version > 0 && textureProperties.__version !== texture.version ) { uploadTexture( textureProperties, texture, slot ); return; } state.bindTexture( _gl.TEXTURE_3D, textureProperties.__webglTexture, _gl.TEXTURE0 + slot ); } function setTextureCube( texture, slot ) { const textureProperties = properties.get( texture ); if ( texture.version > 0 && textureProperties.__version !== texture.version ) { uploadCubeTexture( textureProperties, texture, slot ); return; } state.bindTexture( _gl.TEXTURE_CUBE_MAP, textureProperties.__webglTexture, _gl.TEXTURE0 + slot ); } const wrappingToGL = { [ RepeatWrapping ]: _gl.REPEAT, [ ClampToEdgeWrapping ]: _gl.CLAMP_TO_EDGE, [ MirroredRepeatWrapping ]: _gl.MIRRORED_REPEAT }; const filterToGL = { [ NearestFilter ]: _gl.NEAREST, [ NearestMipmapNearestFilter ]: _gl.NEAREST_MIPMAP_NEAREST, [ NearestMipmapLinearFilter ]: _gl.NEAREST_MIPMAP_LINEAR, [ LinearFilter ]: _gl.LINEAR, [ LinearMipmapNearestFilter ]: _gl.LINEAR_MIPMAP_NEAREST, [ LinearMipmapLinearFilter ]: _gl.LINEAR_MIPMAP_LINEAR }; function setTextureParameters( textureType, texture, supportsMips ) { if ( supportsMips ) { _gl.texParameteri( textureType, _gl.TEXTURE_WRAP_S, wrappingToGL[ texture.wrapS ] ); _gl.texParameteri( textureType, _gl.TEXTURE_WRAP_T, wrappingToGL[ texture.wrapT ] ); if ( textureType === _gl.TEXTURE_3D || textureType === _gl.TEXTURE_2D_ARRAY ) { _gl.texParameteri( textureType, _gl.TEXTURE_WRAP_R, wrappingToGL[ texture.wrapR ] ); } _gl.texParameteri( textureType, _gl.TEXTURE_MAG_FILTER, filterToGL[ texture.magFilter ] ); _gl.texParameteri( textureType, _gl.TEXTURE_MIN_FILTER, filterToGL[ texture.minFilter ] ); } else { _gl.texParameteri( textureType, _gl.TEXTURE_WRAP_S, _gl.CLAMP_TO_EDGE ); _gl.texParameteri( textureType, _gl.TEXTURE_WRAP_T, _gl.CLAMP_TO_EDGE ); if ( textureType === _gl.TEXTURE_3D || textureType === _gl.TEXTURE_2D_ARRAY ) { _gl.texParameteri( textureType, _gl.TEXTURE_WRAP_R, _gl.CLAMP_TO_EDGE ); } if ( texture.wrapS !== ClampToEdgeWrapping || texture.wrapT !== ClampToEdgeWrapping ) { console.warn( "THREE.WebGLRenderer: Texture is not power of two. Texture.wrapS and Texture.wrapT should be set to THREE.ClampToEdgeWrapping." ); } _gl.texParameteri( textureType, _gl.TEXTURE_MAG_FILTER, filterFallback( texture.magFilter ) ); _gl.texParameteri( textureType, _gl.TEXTURE_MIN_FILTER, filterFallback( texture.minFilter ) ); if ( texture.minFilter !== NearestFilter && texture.minFilter !== LinearFilter ) { console.warn( "THREE.WebGLRenderer: Texture is not power of two. Texture.minFilter should be set to THREE.NearestFilter or THREE.LinearFilter." ); } } if ( extensions.has( "EXT_texture_filter_anisotropic" ) === true ) { const extension = extensions.get( "EXT_texture_filter_anisotropic" ); if ( texture.magFilter === NearestFilter ) return; if ( texture.minFilter !== NearestMipmapLinearFilter && texture.minFilter !== LinearMipmapLinearFilter ) return; if ( texture.type === FloatType && extensions.has( "OES_texture_float_linear" ) === false ) return; // verify extension for WebGL 1 and WebGL 2 if ( isWebGL2 === false && ( texture.type === HalfFloatType && extensions.has( "OES_texture_half_float_linear" ) === false ) ) return; // verify extension for WebGL 1 only if ( texture.anisotropy > 1 || properties.get( texture ).__currentAnisotropy ) { _gl.texParameterf( textureType, extension.TEXTURE_MAX_ANISOTROPY_EXT, Math.min( texture.anisotropy, capabilities.getMaxAnisotropy() ) ); properties.get( texture ).__currentAnisotropy = texture.anisotropy; } } } function initTexture( textureProperties, texture ) { let forceUpload = false; if ( textureProperties.__webglInit === undefined ) { textureProperties.__webglInit = true; texture.addEventListener( "dispose", onTextureDispose ); } // create Source <-> WebGLTextures mapping if necessary const source = texture.source; let webglTextures = _sources.get( source ); if ( webglTextures === undefined ) { webglTextures = {}; _sources.set( source, webglTextures ); } // check if there is already a WebGLTexture object for the given texture parameters const textureCacheKey = getTextureCacheKey( texture ); if ( textureCacheKey !== textureProperties.__cacheKey ) { // if not, create a new instance of WebGLTexture if ( webglTextures[ textureCacheKey ] === undefined ) { // create new entry webglTextures[ textureCacheKey ] = { texture: _gl.createTexture(), usedTimes: 0 }; info.memory.textures ++; // when a new instance of WebGLTexture was created, a texture upload is required // even if the image contents are identical forceUpload = true; } webglTextures[ textureCacheKey ].usedTimes ++; // every time the texture cache key changes, it"s necessary to check if an instance of // WebGLTexture can be deleted in order to avoid a memory leak. const webglTexture = webglTextures[ textureProperties.__cacheKey ]; if ( webglTexture !== undefined ) { webglTextures[ textureProperties.__cacheKey ].usedTimes --; if ( webglTexture.usedTimes === 0 ) { deleteTexture( texture ); } } // store references to cache key and WebGLTexture object textureProperties.__cacheKey = textureCacheKey; textureProperties.__webglTexture = webglTextures[ textureCacheKey ].texture; } return forceUpload; } function uploadTexture( textureProperties, texture, slot ) { let textureType = _gl.TEXTURE_2D; if ( texture.isDataArrayTexture || texture.isCompressedArrayTexture ) textureType = _gl.TEXTURE_2D_ARRAY; if ( texture.isData3DTexture ) textureType = _gl.TEXTURE_3D; const forceUpload = initTexture( textureProperties, texture ); const source = texture.source; state.bindTexture( textureType, textureProperties.__webglTexture, _gl.TEXTURE0 + slot ); const sourceProperties = properties.get( source ); if ( source.version !== sourceProperties.__version || forceUpload === true ) { state.activeTexture( _gl.TEXTURE0 + slot ); _gl.pixelStorei( _gl.UNPACK_FLIP_Y_WEBGL, texture.flipY ); _gl.pixelStorei( _gl.UNPACK_PREMULTIPLY_ALPHA_WEBGL, texture.premultiplyAlpha ); _gl.pixelStorei( _gl.UNPACK_ALIGNMENT, texture.unpackAlignment ); _gl.pixelStorei( _gl.UNPACK_COLORSPACE_CONVERSION_WEBGL, _gl.NONE ); const needsPowerOfTwo = textureNeedsPowerOfTwo( texture ) && isPowerOfTwo$1( texture.image ) === false; let image = resizeImage( texture.image, needsPowerOfTwo, false, maxTextureSize ); image = verifyColorSpace( texture, image ); const supportsMips = isPowerOfTwo$1( image ) || isWebGL2, glFormat = utils.convert( texture.format, texture.colorSpace ); let glType = utils.convert( texture.type ), glInternalFormat = getInternalFormat( texture.internalFormat, glFormat, glType, texture.colorSpace ); setTextureParameters( textureType, texture, supportsMips ); let mipmap; const mipmaps = texture.mipmaps; const useTexStorage = ( isWebGL2 && texture.isVideoTexture !== true ); const allocateMemory = ( sourceProperties.__version === undefined ) || ( forceUpload === true ); const levels = getMipLevels( texture, image, supportsMips ); if ( texture.isDepthTexture ) { // populate depth texture with dummy data glInternalFormat = _gl.DEPTH_COMPONENT; if ( isWebGL2 ) { if ( texture.type === FloatType ) { glInternalFormat = _gl.DEPTH_COMPONENT32F; } else if ( texture.type === UnsignedIntType ) { glInternalFormat = _gl.DEPTH_COMPONENT24; } else if ( texture.type === UnsignedInt248Type ) { glInternalFormat = _gl.DEPTH24_STENCIL8; } else { glInternalFormat = _gl.DEPTH_COMPONENT16; // WebGL2 requires sized internalformat for glTexImage2D } } else { if ( texture.type === FloatType ) { console.error( "WebGLRenderer: Floating point depth texture requires WebGL2." ); } } // validation checks for WebGL 1 if ( texture.format === DepthFormat && glInternalFormat === _gl.DEPTH_COMPONENT ) { // The error INVALID_OPERATION is generated by texImage2D if format and internalformat are // DEPTH_COMPONENT and type is not UNSIGNED_SHORT or UNSIGNED_INT // (https://www.khronos.org/registry/webgl/extensions/WEBGL_depth_texture/) if ( texture.type !== UnsignedShortType && texture.type !== UnsignedIntType ) { console.warn( "THREE.WebGLRenderer: Use UnsignedShortType or UnsignedIntType for DepthFormat DepthTexture." ); texture.type = UnsignedIntType; glType = utils.convert( texture.type ); } } if ( texture.format === DepthStencilFormat && glInternalFormat === _gl.DEPTH_COMPONENT ) { // Depth stencil textures need the DEPTH_STENCIL internal format // (https://www.khronos.org/registry/webgl/extensions/WEBGL_depth_texture/) glInternalFormat = _gl.DEPTH_STENCIL; // The error INVALID_OPERATION is generated by texImage2D if format and internalformat are // DEPTH_STENCIL and type is not UNSIGNED_INT_24_8_WEBGL. // (https://www.khronos.org/registry/webgl/extensions/WEBGL_depth_texture/) if ( texture.type !== UnsignedInt248Type ) { console.warn( "THREE.WebGLRenderer: Use UnsignedInt248Type for DepthStencilFormat DepthTexture." ); texture.type = UnsignedInt248Type; glType = utils.convert( texture.type ); } } // if ( allocateMemory ) { if ( useTexStorage ) { state.texStorage2D( _gl.TEXTURE_2D, 1, glInternalFormat, image.width, image.height ); } else { state.texImage2D( _gl.TEXTURE_2D, 0, glInternalFormat, image.width, image.height, 0, glFormat, glType, null ); } } } else if ( texture.isDataTexture ) { // use manually created mipmaps if available // if there are no manual mipmaps // set 0 level mipmap and then use GL to generate other mipmap levels if ( mipmaps.length > 0 && supportsMips ) { if ( useTexStorage && allocateMemory ) { state.texStorage2D( _gl.TEXTURE_2D, levels, glInternalFormat, mipmaps[ 0 ].width, mipmaps[ 0 ].height ); } for ( let i = 0, il = mipmaps.length; i < il; i ++ ) { mipmap = mipmaps[ i ]; if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_2D, i, 0, 0, mipmap.width, mipmap.height, glFormat, glType, mipmap.data ); } else { state.texImage2D( _gl.TEXTURE_2D, i, glInternalFormat, mipmap.width, mipmap.height, 0, glFormat, glType, mipmap.data ); } } texture.generateMipmaps = false; } else { if ( useTexStorage ) { if ( allocateMemory ) { state.texStorage2D( _gl.TEXTURE_2D, levels, glInternalFormat, image.width, image.height ); } state.texSubImage2D( _gl.TEXTURE_2D, 0, 0, 0, image.width, image.height, glFormat, glType, image.data ); } else { state.texImage2D( _gl.TEXTURE_2D, 0, glInternalFormat, image.width, image.height, 0, glFormat, glType, image.data ); } } } else if ( texture.isCompressedTexture ) { if ( texture.isCompressedArrayTexture ) { if ( useTexStorage && allocateMemory ) { state.texStorage3D( _gl.TEXTURE_2D_ARRAY, levels, glInternalFormat, mipmaps[ 0 ].width, mipmaps[ 0 ].height, image.depth ); } for ( let i = 0, il = mipmaps.length; i < il; i ++ ) { mipmap = mipmaps[ i ]; if ( texture.format !== RGBAFormat ) { if ( glFormat !== null ) { if ( useTexStorage ) { state.compressedTexSubImage3D( _gl.TEXTURE_2D_ARRAY, i, 0, 0, 0, mipmap.width, mipmap.height, image.depth, glFormat, mipmap.data, 0, 0 ); } else { state.compressedTexImage3D( _gl.TEXTURE_2D_ARRAY, i, glInternalFormat, mipmap.width, mipmap.height, image.depth, 0, mipmap.data, 0, 0 ); } } else { console.warn( "THREE.WebGLRenderer: Attempt to load unsupported compressed texture format in .uploadTexture()" ); } } else { if ( useTexStorage ) { state.texSubImage3D( _gl.TEXTURE_2D_ARRAY, i, 0, 0, 0, mipmap.width, mipmap.height, image.depth, glFormat, glType, mipmap.data ); } else { state.texImage3D( _gl.TEXTURE_2D_ARRAY, i, glInternalFormat, mipmap.width, mipmap.height, image.depth, 0, glFormat, glType, mipmap.data ); } } } } else { if ( useTexStorage && allocateMemory ) { state.texStorage2D( _gl.TEXTURE_2D, levels, glInternalFormat, mipmaps[ 0 ].width, mipmaps[ 0 ].height ); } for ( let i = 0, il = mipmaps.length; i < il; i ++ ) { mipmap = mipmaps[ i ]; if ( texture.format !== RGBAFormat ) { if ( glFormat !== null ) { if ( useTexStorage ) { state.compressedTexSubImage2D( _gl.TEXTURE_2D, i, 0, 0, mipmap.width, mipmap.height, glFormat, mipmap.data ); } else { state.compressedTexImage2D( _gl.TEXTURE_2D, i, glInternalFormat, mipmap.width, mipmap.height, 0, mipmap.data ); } } else { console.warn( "THREE.WebGLRenderer: Attempt to load unsupported compressed texture format in .uploadTexture()" ); } } else { if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_2D, i, 0, 0, mipmap.width, mipmap.height, glFormat, glType, mipmap.data ); } else { state.texImage2D( _gl.TEXTURE_2D, i, glInternalFormat, mipmap.width, mipmap.height, 0, glFormat, glType, mipmap.data ); } } } } } else if ( texture.isDataArrayTexture ) { if ( useTexStorage ) { if ( allocateMemory ) { state.texStorage3D( _gl.TEXTURE_2D_ARRAY, levels, glInternalFormat, image.width, image.height, image.depth ); } state.texSubImage3D( _gl.TEXTURE_2D_ARRAY, 0, 0, 0, 0, image.width, image.height, image.depth, glFormat, glType, image.data ); } else { state.texImage3D( _gl.TEXTURE_2D_ARRAY, 0, glInternalFormat, image.width, image.height, image.depth, 0, glFormat, glType, image.data ); } } else if ( texture.isData3DTexture ) { if ( useTexStorage ) { if ( allocateMemory ) { state.texStorage3D( _gl.TEXTURE_3D, levels, glInternalFormat, image.width, image.height, image.depth ); } state.texSubImage3D( _gl.TEXTURE_3D, 0, 0, 0, 0, image.width, image.height, image.depth, glFormat, glType, image.data ); } else { state.texImage3D( _gl.TEXTURE_3D, 0, glInternalFormat, image.width, image.height, image.depth, 0, glFormat, glType, image.data ); } } else if ( texture.isFramebufferTexture ) { if ( allocateMemory ) { if ( useTexStorage ) { state.texStorage2D( _gl.TEXTURE_2D, levels, glInternalFormat, image.width, image.height ); } else { let width = image.width, height = image.height; for ( let i = 0; i < levels; i ++ ) { state.texImage2D( _gl.TEXTURE_2D, i, glInternalFormat, width, height, 0, glFormat, glType, null ); width >>= 1; height >>= 1; } } } } else { // regular Texture (image, video, canvas) // use manually created mipmaps if available // if there are no manual mipmaps // set 0 level mipmap and then use GL to generate other mipmap levels if ( mipmaps.length > 0 && supportsMips ) { if ( useTexStorage && allocateMemory ) { state.texStorage2D( _gl.TEXTURE_2D, levels, glInternalFormat, mipmaps[ 0 ].width, mipmaps[ 0 ].height ); } for ( let i = 0, il = mipmaps.length; i < il; i ++ ) { mipmap = mipmaps[ i ]; if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_2D, i, 0, 0, glFormat, glType, mipmap ); } else { state.texImage2D( _gl.TEXTURE_2D, i, glInternalFormat, glFormat, glType, mipmap ); } } texture.generateMipmaps = false; } else { if ( useTexStorage ) { if ( allocateMemory ) { state.texStorage2D( _gl.TEXTURE_2D, levels, glInternalFormat, image.width, image.height ); } state.texSubImage2D( _gl.TEXTURE_2D, 0, 0, 0, glFormat, glType, image ); } else { state.texImage2D( _gl.TEXTURE_2D, 0, glInternalFormat, glFormat, glType, image ); } } } if ( textureNeedsGenerateMipmaps( texture, supportsMips ) ) { generateMipmap( textureType ); } sourceProperties.__version = source.version; if ( texture.onUpdate ) texture.onUpdate( texture ); } textureProperties.__version = texture.version; } function uploadCubeTexture( textureProperties, texture, slot ) { if ( texture.image.length !== 6 ) return; const forceUpload = initTexture( textureProperties, texture ); const source = texture.source; state.bindTexture( _gl.TEXTURE_CUBE_MAP, textureProperties.__webglTexture, _gl.TEXTURE0 + slot ); const sourceProperties = properties.get( source ); if ( source.version !== sourceProperties.__version || forceUpload === true ) { state.activeTexture( _gl.TEXTURE0 + slot ); _gl.pixelStorei( _gl.UNPACK_FLIP_Y_WEBGL, texture.flipY ); _gl.pixelStorei( _gl.UNPACK_PREMULTIPLY_ALPHA_WEBGL, texture.premultiplyAlpha ); _gl.pixelStorei( _gl.UNPACK_ALIGNMENT, texture.unpackAlignment ); _gl.pixelStorei( _gl.UNPACK_COLORSPACE_CONVERSION_WEBGL, _gl.NONE ); const isCompressed = ( texture.isCompressedTexture || texture.image[ 0 ].isCompressedTexture ); const isDataTexture = ( texture.image[ 0 ] && texture.image[ 0 ].isDataTexture ); const cubeImage = []; for ( let i = 0; i < 6; i ++ ) { if ( ! isCompressed && ! isDataTexture ) { cubeImage[ i ] = resizeImage( texture.image[ i ], false, true, maxCubemapSize ); } else { cubeImage[ i ] = isDataTexture ? texture.image[ i ].image : texture.image[ i ]; } cubeImage[ i ] = verifyColorSpace( texture, cubeImage[ i ] ); } const image = cubeImage[ 0 ], supportsMips = isPowerOfTwo$1( image ) || isWebGL2, glFormat = utils.convert( texture.format, texture.colorSpace ), glType = utils.convert( texture.type ), glInternalFormat = getInternalFormat( texture.internalFormat, glFormat, glType, texture.colorSpace ); const useTexStorage = ( isWebGL2 && texture.isVideoTexture !== true ); const allocateMemory = ( sourceProperties.__version === undefined ) || ( forceUpload === true ); let levels = getMipLevels( texture, image, supportsMips ); setTextureParameters( _gl.TEXTURE_CUBE_MAP, texture, supportsMips ); let mipmaps; if ( isCompressed ) { if ( useTexStorage && allocateMemory ) { state.texStorage2D( _gl.TEXTURE_CUBE_MAP, levels, glInternalFormat, image.width, image.height ); } for ( let i = 0; i < 6; i ++ ) { mipmaps = cubeImage[ i ].mipmaps; for ( let j = 0; j < mipmaps.length; j ++ ) { const mipmap = mipmaps[ j ]; if ( texture.format !== RGBAFormat ) { if ( glFormat !== null ) { if ( useTexStorage ) { state.compressedTexSubImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j, 0, 0, mipmap.width, mipmap.height, glFormat, mipmap.data ); } else { state.compressedTexImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j, glInternalFormat, mipmap.width, mipmap.height, 0, mipmap.data ); } } else { console.warn( "THREE.WebGLRenderer: Attempt to load unsupported compressed texture format in .setTextureCube()" ); } } else { if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j, 0, 0, mipmap.width, mipmap.height, glFormat, glType, mipmap.data ); } else { state.texImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j, glInternalFormat, mipmap.width, mipmap.height, 0, glFormat, glType, mipmap.data ); } } } } } else { mipmaps = texture.mipmaps; if ( useTexStorage && allocateMemory ) { // TODO: Uniformly handle mipmap definitions // Normal textures and compressed cube textures define base level + mips with their mipmap array // Uncompressed cube textures use their mipmap array only for mips (no base level) if ( mipmaps.length > 0 ) levels ++; state.texStorage2D( _gl.TEXTURE_CUBE_MAP, levels, glInternalFormat, cubeImage[ 0 ].width, cubeImage[ 0 ].height ); } for ( let i = 0; i < 6; i ++ ) { if ( isDataTexture ) { if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, 0, 0, 0, cubeImage[ i ].width, cubeImage[ i ].height, glFormat, glType, cubeImage[ i ].data ); } else { state.texImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, 0, glInternalFormat, cubeImage[ i ].width, cubeImage[ i ].height, 0, glFormat, glType, cubeImage[ i ].data ); } for ( let j = 0; j < mipmaps.length; j ++ ) { const mipmap = mipmaps[ j ]; const mipmapImage = mipmap.image[ i ].image; if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j + 1, 0, 0, mipmapImage.width, mipmapImage.height, glFormat, glType, mipmapImage.data ); } else { state.texImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j + 1, glInternalFormat, mipmapImage.width, mipmapImage.height, 0, glFormat, glType, mipmapImage.data ); } } } else { if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, 0, 0, 0, glFormat, glType, cubeImage[ i ] ); } else { state.texImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, 0, glInternalFormat, glFormat, glType, cubeImage[ i ] ); } for ( let j = 0; j < mipmaps.length; j ++ ) { const mipmap = mipmaps[ j ]; if ( useTexStorage ) { state.texSubImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j + 1, 0, 0, glFormat, glType, mipmap.image[ i ] ); } else { state.texImage2D( _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i, j + 1, glInternalFormat, glFormat, glType, mipmap.image[ i ] ); } } } } } if ( textureNeedsGenerateMipmaps( texture, supportsMips ) ) { // We assume images for cube map have the same size. generateMipmap( _gl.TEXTURE_CUBE_MAP ); } sourceProperties.__version = source.version; if ( texture.onUpdate ) texture.onUpdate( texture ); } textureProperties.__version = texture.version; } // Render targets // Setup storage for target texture and bind it to correct framebuffer function setupFrameBufferTexture( framebuffer, renderTarget, texture, attachment, textureTarget ) { const glFormat = utils.convert( texture.format, texture.colorSpace ); const glType = utils.convert( texture.type ); const glInternalFormat = getInternalFormat( texture.internalFormat, glFormat, glType, texture.colorSpace ); const renderTargetProperties = properties.get( renderTarget ); if ( ! renderTargetProperties.__hasExternalTextures ) { if ( textureTarget === _gl.TEXTURE_3D || textureTarget === _gl.TEXTURE_2D_ARRAY ) { state.texImage3D( textureTarget, 0, glInternalFormat, renderTarget.width, renderTarget.height, renderTarget.depth, 0, glFormat, glType, null ); } else { state.texImage2D( textureTarget, 0, glInternalFormat, renderTarget.width, renderTarget.height, 0, glFormat, glType, null ); } } state.bindFramebuffer( _gl.FRAMEBUFFER, framebuffer ); if ( useMultisampledRTT( renderTarget ) ) { multisampledRTTExt.framebufferTexture2DMultisampleEXT( _gl.FRAMEBUFFER, attachment, textureTarget, properties.get( texture ).__webglTexture, 0, getRenderTargetSamples( renderTarget ) ); } else if ( textureTarget === _gl.TEXTURE_2D || ( textureTarget >= _gl.TEXTURE_CUBE_MAP_POSITIVE_X && textureTarget <= _gl.TEXTURE_CUBE_MAP_NEGATIVE_Z ) ) { // see #24753 _gl.framebufferTexture2D( _gl.FRAMEBUFFER, attachment, textureTarget, properties.get( texture ).__webglTexture, 0 ); } state.bindFramebuffer( _gl.FRAMEBUFFER, null ); } // Setup storage for internal depth/stencil buffers and bind to correct framebuffer function setupRenderBufferStorage( renderbuffer, renderTarget, isMultisample ) { _gl.bindRenderbuffer( _gl.RENDERBUFFER, renderbuffer ); if ( renderTarget.depthBuffer && ! renderTarget.stencilBuffer ) { let glInternalFormat = _gl.DEPTH_COMPONENT16; if ( isMultisample || useMultisampledRTT( renderTarget ) ) { const depthTexture = renderTarget.depthTexture; if ( depthTexture && depthTexture.isDepthTexture ) { if ( depthTexture.type === FloatType ) { glInternalFormat = _gl.DEPTH_COMPONENT32F; } else if ( depthTexture.type === UnsignedIntType ) { glInternalFormat = _gl.DEPTH_COMPONENT24; } } const samples = getRenderTargetSamples( renderTarget ); if ( useMultisampledRTT( renderTarget ) ) { multisampledRTTExt.renderbufferStorageMultisampleEXT( _gl.RENDERBUFFER, samples, glInternalFormat, renderTarget.width, renderTarget.height ); } else { _gl.renderbufferStorageMultisample( _gl.RENDERBUFFER, samples, glInternalFormat, renderTarget.width, renderTarget.height ); } } else { _gl.renderbufferStorage( _gl.RENDERBUFFER, glInternalFormat, renderTarget.width, renderTarget.height ); } _gl.framebufferRenderbuffer( _gl.FRAMEBUFFER, _gl.DEPTH_ATTACHMENT, _gl.RENDERBUFFER, renderbuffer ); } else if ( renderTarget.depthBuffer && renderTarget.stencilBuffer ) { const samples = getRenderTargetSamples( renderTarget ); if ( isMultisample && useMultisampledRTT( renderTarget ) === false ) { _gl.renderbufferStorageMultisample( _gl.RENDERBUFFER, samples, _gl.DEPTH24_STENCIL8, renderTarget.width, renderTarget.height ); } else if ( useMultisampledRTT( renderTarget ) ) { multisampledRTTExt.renderbufferStorageMultisampleEXT( _gl.RENDERBUFFER, samples, _gl.DEPTH24_STENCIL8, renderTarget.width, renderTarget.height ); } else { _gl.renderbufferStorage( _gl.RENDERBUFFER, _gl.DEPTH_STENCIL, renderTarget.width, renderTarget.height ); } _gl.framebufferRenderbuffer( _gl.FRAMEBUFFER, _gl.DEPTH_STENCIL_ATTACHMENT, _gl.RENDERBUFFER, renderbuffer ); } else { const textures = renderTarget.isWebGLMultipleRenderTargets === true ? renderTarget.texture : [ renderTarget.texture ]; for ( let i = 0; i < textures.length; i ++ ) { const texture = textures[ i ]; const glFormat = utils.convert( texture.format, texture.colorSpace ); const glType = utils.convert( texture.type ); const glInternalFormat = getInternalFormat( texture.internalFormat, glFormat, glType, texture.colorSpace ); const samples = getRenderTargetSamples( renderTarget ); if ( isMultisample && useMultisampledRTT( renderTarget ) === false ) { _gl.renderbufferStorageMultisample( _gl.RENDERBUFFER, samples, glInternalFormat, renderTarget.width, renderTarget.height ); } else if ( useMultisampledRTT( renderTarget ) ) { multisampledRTTExt.renderbufferStorageMultisampleEXT( _gl.RENDERBUFFER, samples, glInternalFormat, renderTarget.width, renderTarget.height ); } else { _gl.renderbufferStorage( _gl.RENDERBUFFER, glInternalFormat, renderTarget.width, renderTarget.height ); } } } _gl.bindRenderbuffer( _gl.RENDERBUFFER, null ); } // Setup resources for a Depth Texture for a FBO (needs an extension) function setupDepthTexture( framebuffer, renderTarget ) { const isCube = ( renderTarget && renderTarget.isWebGLCubeRenderTarget ); if ( isCube ) throw new Error( "Depth Texture with cube render targets is not supported" ); state.bindFramebuffer( _gl.FRAMEBUFFER, framebuffer ); if ( ! ( renderTarget.depthTexture && renderTarget.depthTexture.isDepthTexture ) ) { throw new Error( "renderTarget.depthTexture must be an instance of THREE.DepthTexture" ); } // upload an empty depth texture with framebuffer size if ( ! properties.get( renderTarget.depthTexture ).__webglTexture || renderTarget.depthTexture.image.width !== renderTarget.width || renderTarget.depthTexture.image.height !== renderTarget.height ) { renderTarget.depthTexture.image.width = renderTarget.width; renderTarget.depthTexture.image.height = renderTarget.height; renderTarget.depthTexture.needsUpdate = true; } setTexture2D( renderTarget.depthTexture, 0 ); const webglDepthTexture = properties.get( renderTarget.depthTexture ).__webglTexture; const samples = getRenderTargetSamples( renderTarget ); if ( renderTarget.depthTexture.format === DepthFormat ) { if ( useMultisampledRTT( renderTarget ) ) { multisampledRTTExt.framebufferTexture2DMultisampleEXT( _gl.FRAMEBUFFER, _gl.DEPTH_ATTACHMENT, _gl.TEXTURE_2D, webglDepthTexture, 0, samples ); } else { _gl.framebufferTexture2D( _gl.FRAMEBUFFER, _gl.DEPTH_ATTACHMENT, _gl.TEXTURE_2D, webglDepthTexture, 0 ); } } else if ( renderTarget.depthTexture.format === DepthStencilFormat ) { if ( useMultisampledRTT( renderTarget ) ) { multisampledRTTExt.framebufferTexture2DMultisampleEXT( _gl.FRAMEBUFFER, _gl.DEPTH_STENCIL_ATTACHMENT, _gl.TEXTURE_2D, webglDepthTexture, 0, samples ); } else { _gl.framebufferTexture2D( _gl.FRAMEBUFFER, _gl.DEPTH_STENCIL_ATTACHMENT, _gl.TEXTURE_2D, webglDepthTexture, 0 ); } } else { throw new Error( "Unknown depthTexture format" ); } } // Setup GL resources for a non-texture depth buffer function setupDepthRenderbuffer( renderTarget ) { const renderTargetProperties = properties.get( renderTarget ); const isCube = ( renderTarget.isWebGLCubeRenderTarget === true ); if ( renderTarget.depthTexture && ! renderTargetProperties.__autoAllocateDepthBuffer ) { if ( isCube ) throw new Error( "target.depthTexture not supported in Cube render targets" ); setupDepthTexture( renderTargetProperties.__webglFramebuffer, renderTarget ); } else { if ( isCube ) { renderTargetProperties.__webglDepthbuffer = []; for ( let i = 0; i < 6; i ++ ) { state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglFramebuffer[ i ] ); renderTargetProperties.__webglDepthbuffer[ i ] = _gl.createRenderbuffer(); setupRenderBufferStorage( renderTargetProperties.__webglDepthbuffer[ i ], renderTarget, false ); } } else { state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglFramebuffer ); renderTargetProperties.__webglDepthbuffer = _gl.createRenderbuffer(); setupRenderBufferStorage( renderTargetProperties.__webglDepthbuffer, renderTarget, false ); } } state.bindFramebuffer( _gl.FRAMEBUFFER, null ); } // rebind framebuffer with external textures function rebindTextures( renderTarget, colorTexture, depthTexture ) { const renderTargetProperties = properties.get( renderTarget ); if ( colorTexture !== undefined ) { setupFrameBufferTexture( renderTargetProperties.__webglFramebuffer, renderTarget, renderTarget.texture, _gl.COLOR_ATTACHMENT0, _gl.TEXTURE_2D ); } if ( depthTexture !== undefined ) { setupDepthRenderbuffer( renderTarget ); } } // Set up GL resources for the render target function setupRenderTarget( renderTarget ) { const texture = renderTarget.texture; const renderTargetProperties = properties.get( renderTarget ); const textureProperties = properties.get( texture ); renderTarget.addEventListener( "dispose", onRenderTargetDispose ); if ( renderTarget.isWebGLMultipleRenderTargets !== true ) { if ( textureProperties.__webglTexture === undefined ) { textureProperties.__webglTexture = _gl.createTexture(); } textureProperties.__version = texture.version; info.memory.textures ++; } const isCube = ( renderTarget.isWebGLCubeRenderTarget === true ); const isMultipleRenderTargets = ( renderTarget.isWebGLMultipleRenderTargets === true ); const supportsMips = isPowerOfTwo$1( renderTarget ) || isWebGL2; // Setup framebuffer if ( isCube ) { renderTargetProperties.__webglFramebuffer = []; for ( let i = 0; i < 6; i ++ ) { renderTargetProperties.__webglFramebuffer[ i ] = _gl.createFramebuffer(); } } else { renderTargetProperties.__webglFramebuffer = _gl.createFramebuffer(); if ( isMultipleRenderTargets ) { if ( capabilities.drawBuffers ) { const textures = renderTarget.texture; for ( let i = 0, il = textures.length; i < il; i ++ ) { const attachmentProperties = properties.get( textures[ i ] ); if ( attachmentProperties.__webglTexture === undefined ) { attachmentProperties.__webglTexture = _gl.createTexture(); info.memory.textures ++; } } } else { console.warn( "THREE.WebGLRenderer: WebGLMultipleRenderTargets can only be used with WebGL2 or WEBGL_draw_buffers extension." ); } } if ( ( isWebGL2 && renderTarget.samples > 0 ) && useMultisampledRTT( renderTarget ) === false ) { const textures = isMultipleRenderTargets ? texture : [ texture ]; renderTargetProperties.__webglMultisampledFramebuffer = _gl.createFramebuffer(); renderTargetProperties.__webglColorRenderbuffer = []; state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglMultisampledFramebuffer ); for ( let i = 0; i < textures.length; i ++ ) { const texture = textures[ i ]; renderTargetProperties.__webglColorRenderbuffer[ i ] = _gl.createRenderbuffer(); _gl.bindRenderbuffer( _gl.RENDERBUFFER, renderTargetProperties.__webglColorRenderbuffer[ i ] ); const glFormat = utils.convert( texture.format, texture.colorSpace ); const glType = utils.convert( texture.type ); const glInternalFormat = getInternalFormat( texture.internalFormat, glFormat, glType, texture.colorSpace, renderTarget.isXRRenderTarget === true ); const samples = getRenderTargetSamples( renderTarget ); _gl.renderbufferStorageMultisample( _gl.RENDERBUFFER, samples, glInternalFormat, renderTarget.width, renderTarget.height ); _gl.framebufferRenderbuffer( _gl.FRAMEBUFFER, _gl.COLOR_ATTACHMENT0 + i, _gl.RENDERBUFFER, renderTargetProperties.__webglColorRenderbuffer[ i ] ); } _gl.bindRenderbuffer( _gl.RENDERBUFFER, null ); if ( renderTarget.depthBuffer ) { renderTargetProperties.__webglDepthRenderbuffer = _gl.createRenderbuffer(); setupRenderBufferStorage( renderTargetProperties.__webglDepthRenderbuffer, renderTarget, true ); } state.bindFramebuffer( _gl.FRAMEBUFFER, null ); } } // Setup color buffer if ( isCube ) { state.bindTexture( _gl.TEXTURE_CUBE_MAP, textureProperties.__webglTexture ); setTextureParameters( _gl.TEXTURE_CUBE_MAP, texture, supportsMips ); for ( let i = 0; i < 6; i ++ ) { setupFrameBufferTexture( renderTargetProperties.__webglFramebuffer[ i ], renderTarget, texture, _gl.COLOR_ATTACHMENT0, _gl.TEXTURE_CUBE_MAP_POSITIVE_X + i ); } if ( textureNeedsGenerateMipmaps( texture, supportsMips ) ) { generateMipmap( _gl.TEXTURE_CUBE_MAP ); } state.unbindTexture(); } else if ( isMultipleRenderTargets ) { const textures = renderTarget.texture; for ( let i = 0, il = textures.length; i < il; i ++ ) { const attachment = textures[ i ]; const attachmentProperties = properties.get( attachment ); state.bindTexture( _gl.TEXTURE_2D, attachmentProperties.__webglTexture ); setTextureParameters( _gl.TEXTURE_2D, attachment, supportsMips ); setupFrameBufferTexture( renderTargetProperties.__webglFramebuffer, renderTarget, attachment, _gl.COLOR_ATTACHMENT0 + i, _gl.TEXTURE_2D ); if ( textureNeedsGenerateMipmaps( attachment, supportsMips ) ) { generateMipmap( _gl.TEXTURE_2D ); } } state.unbindTexture(); } else { let glTextureType = _gl.TEXTURE_2D; if ( renderTarget.isWebGL3DRenderTarget || renderTarget.isWebGLArrayRenderTarget ) { if ( isWebGL2 ) { glTextureType = renderTarget.isWebGL3DRenderTarget ? _gl.TEXTURE_3D : _gl.TEXTURE_2D_ARRAY; } else { console.error( "THREE.WebGLTextures: THREE.Data3DTexture and THREE.DataArrayTexture only supported with WebGL2." ); } } state.bindTexture( glTextureType, textureProperties.__webglTexture ); setTextureParameters( glTextureType, texture, supportsMips ); setupFrameBufferTexture( renderTargetProperties.__webglFramebuffer, renderTarget, texture, _gl.COLOR_ATTACHMENT0, glTextureType ); if ( textureNeedsGenerateMipmaps( texture, supportsMips ) ) { generateMipmap( glTextureType ); } state.unbindTexture(); } // Setup depth and stencil buffers if ( renderTarget.depthBuffer ) { setupDepthRenderbuffer( renderTarget ); } } function updateRenderTargetMipmap( renderTarget ) { const supportsMips = isPowerOfTwo$1( renderTarget ) || isWebGL2; const textures = renderTarget.isWebGLMultipleRenderTargets === true ? renderTarget.texture : [ renderTarget.texture ]; for ( let i = 0, il = textures.length; i < il; i ++ ) { const texture = textures[ i ]; if ( textureNeedsGenerateMipmaps( texture, supportsMips ) ) { const target = renderTarget.isWebGLCubeRenderTarget ? _gl.TEXTURE_CUBE_MAP : _gl.TEXTURE_2D; const webglTexture = properties.get( texture ).__webglTexture; state.bindTexture( target, webglTexture ); generateMipmap( target ); state.unbindTexture(); } } } function updateMultisampleRenderTarget( renderTarget ) { if ( ( isWebGL2 && renderTarget.samples > 0 ) && useMultisampledRTT( renderTarget ) === false ) { const textures = renderTarget.isWebGLMultipleRenderTargets ? renderTarget.texture : [ renderTarget.texture ]; const width = renderTarget.width; const height = renderTarget.height; let mask = _gl.COLOR_BUFFER_BIT; const invalidationArray = []; const depthStyle = renderTarget.stencilBuffer ? _gl.DEPTH_STENCIL_ATTACHMENT : _gl.DEPTH_ATTACHMENT; const renderTargetProperties = properties.get( renderTarget ); const isMultipleRenderTargets = ( renderTarget.isWebGLMultipleRenderTargets === true ); // If MRT we need to remove FBO attachments if ( isMultipleRenderTargets ) { for ( let i = 0; i < textures.length; i ++ ) { state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglMultisampledFramebuffer ); _gl.framebufferRenderbuffer( _gl.FRAMEBUFFER, _gl.COLOR_ATTACHMENT0 + i, _gl.RENDERBUFFER, null ); state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglFramebuffer ); _gl.framebufferTexture2D( _gl.DRAW_FRAMEBUFFER, _gl.COLOR_ATTACHMENT0 + i, _gl.TEXTURE_2D, null, 0 ); } } state.bindFramebuffer( _gl.READ_FRAMEBUFFER, renderTargetProperties.__webglMultisampledFramebuffer ); state.bindFramebuffer( _gl.DRAW_FRAMEBUFFER, renderTargetProperties.__webglFramebuffer ); for ( let i = 0; i < textures.length; i ++ ) { invalidationArray.push( _gl.COLOR_ATTACHMENT0 + i ); if ( renderTarget.depthBuffer ) { invalidationArray.push( depthStyle ); } const ignoreDepthValues = ( renderTargetProperties.__ignoreDepthValues !== undefined ) ? renderTargetProperties.__ignoreDepthValues : false; if ( ignoreDepthValues === false ) { if ( renderTarget.depthBuffer ) mask |= _gl.DEPTH_BUFFER_BIT; if ( renderTarget.stencilBuffer ) mask |= _gl.STENCIL_BUFFER_BIT; } if ( isMultipleRenderTargets ) { _gl.framebufferRenderbuffer( _gl.READ_FRAMEBUFFER, _gl.COLOR_ATTACHMENT0, _gl.RENDERBUFFER, renderTargetProperties.__webglColorRenderbuffer[ i ] ); } if ( ignoreDepthValues === true ) { _gl.invalidateFramebuffer( _gl.READ_FRAMEBUFFER, [ depthStyle ] ); _gl.invalidateFramebuffer( _gl.DRAW_FRAMEBUFFER, [ depthStyle ] ); } if ( isMultipleRenderTargets ) { const webglTexture = properties.get( textures[ i ] ).__webglTexture; _gl.framebufferTexture2D( _gl.DRAW_FRAMEBUFFER, _gl.COLOR_ATTACHMENT0, _gl.TEXTURE_2D, webglTexture, 0 ); } _gl.blitFramebuffer( 0, 0, width, height, 0, 0, width, height, mask, _gl.NEAREST ); if ( supportsInvalidateFramebuffer ) { _gl.invalidateFramebuffer( _gl.READ_FRAMEBUFFER, invalidationArray ); } } state.bindFramebuffer( _gl.READ_FRAMEBUFFER, null ); state.bindFramebuffer( _gl.DRAW_FRAMEBUFFER, null ); // If MRT since pre-blit we removed the FBO we need to reconstruct the attachments if ( isMultipleRenderTargets ) { for ( let i = 0; i < textures.length; i ++ ) { state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglMultisampledFramebuffer ); _gl.framebufferRenderbuffer( _gl.FRAMEBUFFER, _gl.COLOR_ATTACHMENT0 + i, _gl.RENDERBUFFER, renderTargetProperties.__webglColorRenderbuffer[ i ] ); const webglTexture = properties.get( textures[ i ] ).__webglTexture; state.bindFramebuffer( _gl.FRAMEBUFFER, renderTargetProperties.__webglFramebuffer ); _gl.framebufferTexture2D( _gl.DRAW_FRAMEBUFFER, _gl.COLOR_ATTACHMENT0 + i, _gl.TEXTURE_2D, webglTexture, 0 ); } } state.bindFramebuffer( _gl.DRAW_FRAMEBUFFER, renderTargetProperties.__webglMultisampledFramebuffer ); } } function getRenderTargetSamples( renderTarget ) { return Math.min( maxSamples, renderTarget.samples ); } function useMultisampledRTT( renderTarget ) { const renderTargetProperties = properties.get( renderTarget ); return isWebGL2 && renderTarget.samples > 0 && extensions.has( "WEBGL_multisampled_render_to_texture" ) === true && renderTargetProperties.__useRenderToTexture !== false; } function updateVideoTexture( texture ) { const frame = info.render.frame; // Check the last frame we updated the VideoTexture if ( _videoTextures.get( texture ) !== frame ) { _videoTextures.set( texture, frame ); texture.update(); } } function verifyColorSpace( texture, image ) { const colorSpace = texture.colorSpace; const format = texture.format; const type = texture.type; if ( texture.isCompressedTexture === true || texture.format === _SRGBAFormat ) return image; if ( colorSpace !== LinearSRGBColorSpace && colorSpace !== NoColorSpace ) { // sRGB if ( colorSpace === SRGBColorSpace ) { if ( isWebGL2 === false ) { // in WebGL 1, try to use EXT_sRGB extension and unsized formats if ( extensions.has( "EXT_sRGB" ) === true && format === RGBAFormat ) { texture.format = _SRGBAFormat; // it"s not possible to generate mips in WebGL 1 with this extension texture.minFilter = LinearFilter; texture.generateMipmaps = false; } else { // slow fallback (CPU decode) image = ImageUtils.sRGBToLinear( image ); } } else { // in WebGL 2 uncompressed textures can only be sRGB encoded if they have the RGBA8 format if ( format !== RGBAFormat || type !== UnsignedByteType ) { console.warn( "THREE.WebGLTextures: sRGB encoded textures have to use RGBAFormat and UnsignedByteType." ); } } } else { console.error( "THREE.WebGLTextures: Unsupported texture color space:", colorSpace ); } } return image; } // this.allocateTextureUnit = allocateTextureUnit; this.resetTextureUnits = resetTextureUnits; this.setTexture2D = setTexture2D; this.setTexture2DArray = setTexture2DArray; this.setTexture3D = setTexture3D; this.setTextureCube = setTextureCube; this.rebindTextures = rebindTextures; this.setupRenderTarget = setupRenderTarget; this.updateRenderTargetMipmap = updateRenderTargetMipmap; this.updateMultisampleRenderTarget = updateMultisampleRenderTarget; this.setupDepthRenderbuffer = setupDepthRenderbuffer; this.setupFrameBufferTexture = setupFrameBufferTexture; this.useMultisampledRTT = useMultisampledRTT; } function WebGLUtils( gl, extensions, capabilities ) { const isWebGL2 = capabilities.isWebGL2; function convert( p, colorSpace = NoColorSpace ) { let extension; if ( p === UnsignedByteType ) return gl.UNSIGNED_BYTE; if ( p === UnsignedShort4444Type ) return gl.UNSIGNED_SHORT_4_4_4_4; if ( p === UnsignedShort5551Type ) return gl.UNSIGNED_SHORT_5_5_5_1; if ( p === ByteType ) return gl.BYTE; if ( p === ShortType ) return gl.SHORT; if ( p === UnsignedShortType ) return gl.UNSIGNED_SHORT; if ( p === IntType ) return gl.INT; if ( p === UnsignedIntType ) return gl.UNSIGNED_INT; if ( p === FloatType ) return gl.FLOAT; if ( p === HalfFloatType ) { if ( isWebGL2 ) return gl.HALF_FLOAT; extension = extensions.get( "OES_texture_half_float" ); if ( extension !== null ) { return extension.HALF_FLOAT_OES; } else { return null; } } if ( p === AlphaFormat ) return gl.ALPHA; if ( p === RGBAFormat ) return gl.RGBA; if ( p === LuminanceFormat ) return gl.LUMINANCE; if ( p === LuminanceAlphaFormat ) return gl.LUMINANCE_ALPHA; if ( p === DepthFormat ) return gl.DEPTH_COMPONENT; if ( p === DepthStencilFormat ) return gl.DEPTH_STENCIL; // WebGL 1 sRGB fallback if ( p === _SRGBAFormat ) { extension = extensions.get( "EXT_sRGB" ); if ( extension !== null ) { return extension.SRGB_ALPHA_EXT; } else { return null; } } // WebGL2 formats. if ( p === RedFormat ) return gl.RED; if ( p === RedIntegerFormat ) return gl.RED_INTEGER; if ( p === RGFormat ) return gl.RG; if ( p === RGIntegerFormat ) return gl.RG_INTEGER; if ( p === RGBAIntegerFormat ) return gl.RGBA_INTEGER; // S3TC if ( p === RGB_S3TC_DXT1_Format || p === RGBA_S3TC_DXT1_Format || p === RGBA_S3TC_DXT3_Format || p === RGBA_S3TC_DXT5_Format ) { if ( colorSpace === SRGBColorSpace ) { extension = extensions.get( "WEBGL_compressed_texture_s3tc_srgb" ); if ( extension !== null ) { if ( p === RGB_S3TC_DXT1_Format ) return extension.COMPRESSED_SRGB_S3TC_DXT1_EXT; if ( p === RGBA_S3TC_DXT1_Format ) return extension.COMPRESSED_SRGB_ALPHA_S3TC_DXT1_EXT; if ( p === RGBA_S3TC_DXT3_Format ) return extension.COMPRESSED_SRGB_ALPHA_S3TC_DXT3_EXT; if ( p === RGBA_S3TC_DXT5_Format ) return extension.COMPRESSED_SRGB_ALPHA_S3TC_DXT5_EXT; } else { return null; } } else { extension = extensions.get( "WEBGL_compressed_texture_s3tc" ); if ( extension !== null ) { if ( p === RGB_S3TC_DXT1_Format ) return extension.COMPRESSED_RGB_S3TC_DXT1_EXT; if ( p === RGBA_S3TC_DXT1_Format ) return extension.COMPRESSED_RGBA_S3TC_DXT1_EXT; if ( p === RGBA_S3TC_DXT3_Format ) return extension.COMPRESSED_RGBA_S3TC_DXT3_EXT; if ( p === RGBA_S3TC_DXT5_Format ) return extension.COMPRESSED_RGBA_S3TC_DXT5_EXT; } else { return null; } } } // PVRTC if ( p === RGB_PVRTC_4BPPV1_Format || p === RGB_PVRTC_2BPPV1_Format || p === RGBA_PVRTC_4BPPV1_Format || p === RGBA_PVRTC_2BPPV1_Format ) { extension = extensions.get( "WEBGL_compressed_texture_pvrtc" ); if ( extension !== null ) { if ( p === RGB_PVRTC_4BPPV1_Format ) return extension.COMPRESSED_RGB_PVRTC_4BPPV1_IMG; if ( p === RGB_PVRTC_2BPPV1_Format ) return extension.COMPRESSED_RGB_PVRTC_2BPPV1_IMG; if ( p === RGBA_PVRTC_4BPPV1_Format ) return extension.COMPRESSED_RGBA_PVRTC_4BPPV1_IMG; if ( p === RGBA_PVRTC_2BPPV1_Format ) return extension.COMPRESSED_RGBA_PVRTC_2BPPV1_IMG; } else { return null; } } // ETC1 if ( p === RGB_ETC1_Format ) { extension = extensions.get( "WEBGL_compressed_texture_etc1" ); if ( extension !== null ) { return extension.COMPRESSED_RGB_ETC1_WEBGL; } else { return null; } } // ETC2 if ( p === RGB_ETC2_Format || p === RGBA_ETC2_EAC_Format ) { extension = extensions.get( "WEBGL_compressed_texture_etc" ); if ( extension !== null ) { if ( p === RGB_ETC2_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ETC2 : extension.COMPRESSED_RGB8_ETC2; if ( p === RGBA_ETC2_EAC_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ETC2_EAC : extension.COMPRESSED_RGBA8_ETC2_EAC; } else { return null; } } // ASTC if ( p === RGBA_ASTC_4x4_Format || p === RGBA_ASTC_5x4_Format || p === RGBA_ASTC_5x5_Format || p === RGBA_ASTC_6x5_Format || p === RGBA_ASTC_6x6_Format || p === RGBA_ASTC_8x5_Format || p === RGBA_ASTC_8x6_Format || p === RGBA_ASTC_8x8_Format || p === RGBA_ASTC_10x5_Format || p === RGBA_ASTC_10x6_Format || p === RGBA_ASTC_10x8_Format || p === RGBA_ASTC_10x10_Format || p === RGBA_ASTC_12x10_Format || p === RGBA_ASTC_12x12_Format ) { extension = extensions.get( "WEBGL_compressed_texture_astc" ); if ( extension !== null ) { if ( p === RGBA_ASTC_4x4_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_4x4_KHR : extension.COMPRESSED_RGBA_ASTC_4x4_KHR; if ( p === RGBA_ASTC_5x4_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_5x4_KHR : extension.COMPRESSED_RGBA_ASTC_5x4_KHR; if ( p === RGBA_ASTC_5x5_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_5x5_KHR : extension.COMPRESSED_RGBA_ASTC_5x5_KHR; if ( p === RGBA_ASTC_6x5_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_6x5_KHR : extension.COMPRESSED_RGBA_ASTC_6x5_KHR; if ( p === RGBA_ASTC_6x6_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_6x6_KHR : extension.COMPRESSED_RGBA_ASTC_6x6_KHR; if ( p === RGBA_ASTC_8x5_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_8x5_KHR : extension.COMPRESSED_RGBA_ASTC_8x5_KHR; if ( p === RGBA_ASTC_8x6_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_8x6_KHR : extension.COMPRESSED_RGBA_ASTC_8x6_KHR; if ( p === RGBA_ASTC_8x8_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_8x8_KHR : extension.COMPRESSED_RGBA_ASTC_8x8_KHR; if ( p === RGBA_ASTC_10x5_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_10x5_KHR : extension.COMPRESSED_RGBA_ASTC_10x5_KHR; if ( p === RGBA_ASTC_10x6_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_10x6_KHR : extension.COMPRESSED_RGBA_ASTC_10x6_KHR; if ( p === RGBA_ASTC_10x8_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_10x8_KHR : extension.COMPRESSED_RGBA_ASTC_10x8_KHR; if ( p === RGBA_ASTC_10x10_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_10x10_KHR : extension.COMPRESSED_RGBA_ASTC_10x10_KHR; if ( p === RGBA_ASTC_12x10_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_12x10_KHR : extension.COMPRESSED_RGBA_ASTC_12x10_KHR; if ( p === RGBA_ASTC_12x12_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB8_ALPHA8_ASTC_12x12_KHR : extension.COMPRESSED_RGBA_ASTC_12x12_KHR; } else { return null; } } // BPTC if ( p === RGBA_BPTC_Format ) { extension = extensions.get( "EXT_texture_compression_bptc" ); if ( extension !== null ) { if ( p === RGBA_BPTC_Format ) return ( colorSpace === SRGBColorSpace ) ? extension.COMPRESSED_SRGB_ALPHA_BPTC_UNORM_EXT : extension.COMPRESSED_RGBA_BPTC_UNORM_EXT; } else { return null; } } // RGTC if ( p === RED_RGTC1_Format || p === SIGNED_RED_RGTC1_Format || p === RED_GREEN_RGTC2_Format || p === SIGNED_RED_GREEN_RGTC2_Format ) { extension = extensions.get( "EXT_texture_compression_rgtc" ); if ( extension !== null ) { if ( p === RGBA_BPTC_Format ) return extension.COMPRESSED_RED_RGTC1_EXT; if ( p === SIGNED_RED_RGTC1_Format ) return extension.COMPRESSED_SIGNED_RED_RGTC1_EXT; if ( p === RED_GREEN_RGTC2_Format ) return extension.COMPRESSED_RED_GREEN_RGTC2_EXT; if ( p === SIGNED_RED_GREEN_RGTC2_Format ) return extension.COMPRESSED_SIGNED_RED_GREEN_RGTC2_EXT; } else { return null; } } // if ( p === UnsignedInt248Type ) { if ( isWebGL2 ) return gl.UNSIGNED_INT_24_8; extension = extensions.get( "WEBGL_depth_texture" ); if ( extension !== null ) { return extension.UNSIGNED_INT_24_8_WEBGL; } else { return null; } } // if "p" can"t be resolved, assume the user defines a WebGL constant as a string (fallback/workaround for packed RGB formats) return ( gl[ p ] !== undefined ) ? gl[ p ] : null; } return { convert: convert }; } class ArrayCamera extends PerspectiveCamera$1 { constructor( array = [] ) { super(); this.isArrayCamera = true; this.cameras = array; } } class Group extends Object3D { constructor() { super(); this.isGroup = true; this.type = "Group"; } } const _moveEvent = { type: "move" }; class WebXRController { constructor() { this._targetRay = null; this._grip = null; this._hand = null; } getHandSpace() { if ( this._hand === null ) { this._hand = new Group(); this._hand.matrixAutoUpdate = false; this._hand.visible = false; this._hand.joints = {}; this._hand.inputState = { pinching: false }; } return this._hand; } getTargetRaySpace() { if ( this._targetRay === null ) { this._targetRay = new Group(); this._targetRay.matrixAutoUpdate = false; this._targetRay.visible = false; this._targetRay.hasLinearVelocity = false; this._targetRay.linearVelocity = new Vector3(); this._targetRay.hasAngularVelocity = false; this._targetRay.angularVelocity = new Vector3(); } return this._targetRay; } getGripSpace() { if ( this._grip === null ) { this._grip = new Group(); this._grip.matrixAutoUpdate = false; this._grip.visible = false; this._grip.hasLinearVelocity = false; this._grip.linearVelocity = new Vector3(); this._grip.hasAngularVelocity = false; this._grip.angularVelocity = new Vector3(); } return this._grip; } dispatchEvent( event ) { if ( this._targetRay !== null ) { this._targetRay.dispatchEvent( event ); } if ( this._grip !== null ) { this._grip.dispatchEvent( event ); } if ( this._hand !== null ) { this._hand.dispatchEvent( event ); } return this; } connect( inputSource ) { if ( inputSource && inputSource.hand ) { const hand = this._hand; if ( hand ) { for ( const inputjoint of inputSource.hand.values() ) { // Initialize hand with joints when connected this._getHandJoint( hand, inputjoint ); } } } this.dispatchEvent( { type: "connected", data: inputSource } ); return this; } disconnect( inputSource ) { this.dispatchEvent( { type: "disconnected", data: inputSource } ); if ( this._targetRay !== null ) { this._targetRay.visible = false; } if ( this._grip !== null ) { this._grip.visible = false; } if ( this._hand !== null ) { this._hand.visible = false; } return this; } update( inputSource, frame, referenceSpace ) { let inputPose = null; let gripPose = null; let handPose = null; const targetRay = this._targetRay; const grip = this._grip; const hand = this._hand; if ( inputSource && frame.session.visibilityState !== "visible-blurred" ) { if ( hand && inputSource.hand ) { handPose = true; for ( const inputjoint of inputSource.hand.values() ) { // Update the joints groups with the XRJoint poses const jointPose = frame.getJointPose( inputjoint, referenceSpace ); // The transform of this joint will be updated with the joint pose on each frame const joint = this._getHandJoint( hand, inputjoint ); if ( jointPose !== null ) { joint.matrix.fromArray( jointPose.transform.matrix ); joint.matrix.decompose( joint.position, joint.rotation, joint.scale ); joint.matrixWorldNeedsUpdate = true; joint.jointRadius = jointPose.radius; } joint.visible = jointPose !== null; } // Custom events // Check pinchz const indexTip = hand.joints[ "index-finger-tip" ]; const thumbTip = hand.joints[ "thumb-tip" ]; const distance = indexTip.position.distanceTo( thumbTip.position ); const distanceToPinch = 0.02; const threshold = 0.005; if ( hand.inputState.pinching && distance > distanceToPinch + threshold ) { hand.inputState.pinching = false; this.dispatchEvent( { type: "pinchend", handedness: inputSource.handedness, target: this } ); } else if ( ! hand.inputState.pinching && distance <= distanceToPinch - threshold ) { hand.inputState.pinching = true; this.dispatchEvent( { type: "pinchstart", handedness: inputSource.handedness, target: this } ); } } else { if ( grip !== null && inputSource.gripSpace ) { gripPose = frame.getPose( inputSource.gripSpace, referenceSpace ); if ( gripPose !== null ) { grip.matrix.fromArray( gripPose.transform.matrix ); grip.matrix.decompose( grip.position, grip.rotation, grip.scale ); grip.matrixWorldNeedsUpdate = true; if ( gripPose.linearVelocity ) { grip.hasLinearVelocity = true; grip.linearVelocity.copy( gripPose.linearVelocity ); } else { grip.hasLinearVelocity = false; } if ( gripPose.angularVelocity ) { grip.hasAngularVelocity = true; grip.angularVelocity.copy( gripPose.angularVelocity ); } else { grip.hasAngularVelocity = false; } } } } if ( targetRay !== null ) { inputPose = frame.getPose( inputSource.targetRaySpace, referenceSpace ); // Some runtimes (namely Vive Cosmos with Vive OpenXR Runtime) have only grip space and ray space is equal to it if ( inputPose === null && gripPose !== null ) { inputPose = gripPose; } if ( inputPose !== null ) { targetRay.matrix.fromArray( inputPose.transform.matrix ); targetRay.matrix.decompose( targetRay.position, targetRay.rotation, targetRay.scale ); targetRay.matrixWorldNeedsUpdate = true; if ( inputPose.linearVelocity ) { targetRay.hasLinearVelocity = true; targetRay.linearVelocity.copy( inputPose.linearVelocity ); } else { targetRay.hasLinearVelocity = false; } if ( inputPose.angularVelocity ) { targetRay.hasAngularVelocity = true; targetRay.angularVelocity.copy( inputPose.angularVelocity ); } else { targetRay.hasAngularVelocity = false; } this.dispatchEvent( _moveEvent ); } } } if ( targetRay !== null ) { targetRay.visible = ( inputPose !== null ); } if ( grip !== null ) { grip.visible = ( gripPose !== null ); } if ( hand !== null ) { hand.visible = ( handPose !== null ); } return this; } // private method _getHandJoint( hand, inputjoint ) { if ( hand.joints[ inputjoint.jointName ] === undefined ) { const joint = new Group(); joint.matrixAutoUpdate = false; joint.visible = false; hand.joints[ inputjoint.jointName ] = joint; hand.add( joint ); } return hand.joints[ inputjoint.jointName ]; } } class DepthTexture extends Texture { constructor( width, height, type, mapping, wrapS, wrapT, magFilter, minFilter, anisotropy, format ) { format = format !== undefined ? format : DepthFormat; if ( format !== DepthFormat && format !== DepthStencilFormat ) { throw new Error( "DepthTexture format must be either THREE.DepthFormat or THREE.DepthStencilFormat" ); } if ( type === undefined && format === DepthFormat ) type = UnsignedIntType; if ( type === undefined && format === DepthStencilFormat ) type = UnsignedInt248Type; super( null, mapping, wrapS, wrapT, magFilter, minFilter, format, type, anisotropy ); this.isDepthTexture = true; this.image = { width: width, height: height }; this.magFilter = magFilter !== undefined ? magFilter : NearestFilter; this.minFilter = minFilter !== undefined ? minFilter : NearestFilter; this.flipY = false; this.generateMipmaps = false; } } class WebXRManager extends EventDispatcher { constructor( renderer, gl ) { super(); const scope = this; let session = null; let framebufferScaleFactor = 1.0; let referenceSpace = null; let referenceSpaceType = "local-floor"; // Set default foveation to maximum. let foveation = 1.0; let customReferenceSpace = null; let pose = null; let glBinding = null; let glProjLayer = null; let glBaseLayer = null; let xrFrame = null; const attributes = gl.getContextAttributes(); let initialRenderTarget = null; let newRenderTarget = null; const controllers = []; const controllerInputSources = []; const planes = new Set(); const planesLastChangedTimes = new Map(); // const cameraL = new PerspectiveCamera$1(); cameraL.layers.enable( 1 ); cameraL.viewport = new Vector4(); const cameraR = new PerspectiveCamera$1(); cameraR.layers.enable( 2 ); cameraR.viewport = new Vector4(); const cameras = [ cameraL, cameraR ]; const cameraVR = new ArrayCamera(); cameraVR.layers.enable( 1 ); cameraVR.layers.enable( 2 ); let _currentDepthNear = null; let _currentDepthFar = null; // this.cameraAutoUpdate = true; this.enabled = false; this.isPresenting = false; this.getController = function ( index ) { let controller = controllers[ index ]; if ( controller === undefined ) { controller = new WebXRController(); controllers[ index ] = controller; } return controller.getTargetRaySpace(); }; this.getControllerGrip = function ( index ) { let controller = controllers[ index ]; if ( controller === undefined ) { controller = new WebXRController(); controllers[ index ] = controller; } return controller.getGripSpace(); }; this.getHand = function ( index ) { let controller = controllers[ index ]; if ( controller === undefined ) { controller = new WebXRController(); controllers[ index ] = controller; } return controller.getHandSpace(); }; // function onSessionEvent( event ) { const controllerIndex = controllerInputSources.indexOf( event.inputSource ); if ( controllerIndex === - 1 ) { return; } const controller = controllers[ controllerIndex ]; if ( controller !== undefined ) { controller.update( event.inputSource, event.frame, customReferenceSpace || referenceSpace ); controller.dispatchEvent( { type: event.type, data: event.inputSource } ); } } function onSessionEnd() { session.removeEventListener( "select", onSessionEvent ); session.removeEventListener( "selectstart", onSessionEvent ); session.removeEventListener( "selectend", onSessionEvent ); session.removeEventListener( "squeeze", onSessionEvent ); session.removeEventListener( "squeezestart", onSessionEvent ); session.removeEventListener( "squeezeend", onSessionEvent ); session.removeEventListener( "end", onSessionEnd ); session.removeEventListener( "inputsourceschange", onInputSourcesChange ); for ( let i = 0; i < controllers.length; i ++ ) { const inputSource = controllerInputSources[ i ]; if ( inputSource === null ) continue; controllerInputSources[ i ] = null; controllers[ i ].disconnect( inputSource ); } _currentDepthNear = null; _currentDepthFar = null; // restore framebuffer/rendering state renderer.setRenderTarget( initialRenderTarget ); glBaseLayer = null; glProjLayer = null; glBinding = null; session = null; newRenderTarget = null; // animation.stop(); scope.isPresenting = false; scope.dispatchEvent( { type: "sessionend" } ); } this.setFramebufferScaleFactor = function ( value ) { framebufferScaleFactor = value; if ( scope.isPresenting === true ) { console.warn( "THREE.WebXRManager: Cannot change framebuffer scale while presenting." ); } }; this.setReferenceSpaceType = function ( value ) { referenceSpaceType = value; if ( scope.isPresenting === true ) { console.warn( "THREE.WebXRManager: Cannot change reference space type while presenting." ); } }; this.getReferenceSpace = function () { return customReferenceSpace || referenceSpace; }; this.setReferenceSpace = function ( space ) { customReferenceSpace = space; }; this.getBaseLayer = function () { return glProjLayer !== null ? glProjLayer : glBaseLayer; }; this.getBinding = function () { return glBinding; }; this.getFrame = function () { return xrFrame; }; this.getSession = function () { return session; }; this.setSession = async function ( value ) { session = value; if ( session !== null ) { initialRenderTarget = renderer.getRenderTarget(); session.addEventListener( "select", onSessionEvent ); session.addEventListener( "selectstart", onSessionEvent ); session.addEventListener( "selectend", onSessionEvent ); session.addEventListener( "squeeze", onSessionEvent ); session.addEventListener( "squeezestart", onSessionEvent ); session.addEventListener( "squeezeend", onSessionEvent ); session.addEventListener( "end", onSessionEnd ); session.addEventListener( "inputsourceschange", onInputSourcesChange ); if ( attributes.xrCompatible !== true ) { await gl.makeXRCompatible(); } if ( ( session.renderState.layers === undefined ) || ( renderer.capabilities.isWebGL2 === false ) ) { const layerInit = { antialias: ( session.renderState.layers === undefined ) ? attributes.antialias : true, alpha: true, depth: attributes.depth, stencil: attributes.stencil, framebufferScaleFactor: framebufferScaleFactor }; glBaseLayer = new XRWebGLLayer( session, gl, layerInit ); session.updateRenderState( { baseLayer: glBaseLayer } ); newRenderTarget = new WebGLRenderTarget( glBaseLayer.framebufferWidth, glBaseLayer.framebufferHeight, { format: RGBAFormat, type: UnsignedByteType, colorSpace: renderer.outputColorSpace, stencilBuffer: attributes.stencil } ); } else { let depthFormat = null; let depthType = null; let glDepthFormat = null; if ( attributes.depth ) { glDepthFormat = attributes.stencil ? gl.DEPTH24_STENCIL8 : gl.DEPTH_COMPONENT24; depthFormat = attributes.stencil ? DepthStencilFormat : DepthFormat; depthType = attributes.stencil ? UnsignedInt248Type : UnsignedIntType; } const projectionlayerInit = { colorFormat: gl.RGBA8, depthFormat: glDepthFormat, scaleFactor: framebufferScaleFactor }; glBinding = new XRWebGLBinding( session, gl ); glProjLayer = glBinding.createProjectionLayer( projectionlayerInit ); session.updateRenderState( { layers: [ glProjLayer ] } ); newRenderTarget = new WebGLRenderTarget( glProjLayer.textureWidth, glProjLayer.textureHeight, { format: RGBAFormat, type: UnsignedByteType, depthTexture: new DepthTexture( glProjLayer.textureWidth, glProjLayer.textureHeight, depthType, undefined, undefined, undefined, undefined, undefined, undefined, depthFormat ), stencilBuffer: attributes.stencil, colorSpace: renderer.outputColorSpace, samples: attributes.antialias ? 4 : 0 } ); const renderTargetProperties = renderer.properties.get( newRenderTarget ); renderTargetProperties.__ignoreDepthValues = glProjLayer.ignoreDepthValues; } newRenderTarget.isXRRenderTarget = true; // TODO Remove this when possible, see #23278 this.setFoveation( foveation ); customReferenceSpace = null; referenceSpace = await session.requestReferenceSpace( referenceSpaceType ); animation.setContext( session ); animation.start(); scope.isPresenting = true; scope.dispatchEvent( { type: "sessionstart" } ); } }; this.getEnvironmentBlendMode = function () { if ( session !== null ) { return session.environmentBlendMode; } }; function onInputSourcesChange( event ) { // Notify disconnected for ( let i = 0; i < event.removed.length; i ++ ) { const inputSource = event.removed[ i ]; const index = controllerInputSources.indexOf( inputSource ); if ( index >= 0 ) { controllerInputSources[ index ] = null; controllers[ index ].disconnect( inputSource ); } } // Notify connected for ( let i = 0; i < event.added.length; i ++ ) { const inputSource = event.added[ i ]; let controllerIndex = controllerInputSources.indexOf( inputSource ); if ( controllerIndex === - 1 ) { // Assign input source a controller that currently has no input source for ( let i = 0; i < controllers.length; i ++ ) { if ( i >= controllerInputSources.length ) { controllerInputSources.push( inputSource ); controllerIndex = i; break; } else if ( controllerInputSources[ i ] === null ) { controllerInputSources[ i ] = inputSource; controllerIndex = i; break; } } // If all controllers do currently receive input we ignore new ones if ( controllerIndex === - 1 ) break; } const controller = controllers[ controllerIndex ]; if ( controller ) { controller.connect( inputSource ); } } } // const cameraLPos = new Vector3(); const cameraRPos = new Vector3(); /** * Assumes 2 cameras that are parallel and share an X-axis, and that * the cameras" projection and world matrices have already been set. * And that near and far planes are identical for both cameras. * Visualization of this technique: https://computergraphics.stackexchange.com/a/4765 */ function setProjectionFromUnion( camera, cameraL, cameraR ) { cameraLPos.setFromMatrixPosition( cameraL.matrixWorld ); cameraRPos.setFromMatrixPosition( cameraR.matrixWorld ); const ipd = cameraLPos.distanceTo( cameraRPos ); const projL = cameraL.projectionMatrix.elements; const projR = cameraR.projectionMatrix.elements; // VR systems will have identical far and near planes, and // most likely identical top and bottom frustum extents. // Use the left camera for these values. const near = projL[ 14 ] / ( projL[ 10 ] - 1 ); const far = projL[ 14 ] / ( projL[ 10 ] + 1 ); const topFov = ( projL[ 9 ] + 1 ) / projL[ 5 ]; const bottomFov = ( projL[ 9 ] - 1 ) / projL[ 5 ]; const leftFov = ( projL[ 8 ] - 1 ) / projL[ 0 ]; const rightFov = ( projR[ 8 ] + 1 ) / projR[ 0 ]; const left = near * leftFov; const right = near * rightFov; // Calculate the new camera"s position offset from the // left camera. xOffset should be roughly half `ipd`. const zOffset = ipd / ( - leftFov + rightFov ); const xOffset = zOffset * - leftFov; // TODO: Better way to apply this offset? cameraL.matrixWorld.decompose( camera.position, camera.quaternion, camera.scale ); camera.translateX( xOffset ); camera.translateZ( zOffset ); camera.matrixWorld.compose( camera.position, camera.quaternion, camera.scale ); camera.matrixWorldInverse.copy( camera.matrixWorld ).invert(); // Find the union of the frustum values of the cameras and scale // the values so that the near plane"s position does not change in world space, // although must now be relative to the new union camera. const near2 = near + zOffset; const far2 = far + zOffset; const left2 = left - xOffset; const right2 = right + ( ipd - xOffset ); const top2 = topFov * far / far2 * near2; const bottom2 = bottomFov * far / far2 * near2; camera.projectionMatrix.makePerspective( left2, right2, top2, bottom2, near2, far2 ); camera.projectionMatrixInverse.copy( camera.projectionMatrix ).invert(); } function updateCamera( camera, parent ) { if ( parent === null ) { camera.matrixWorld.copy( camera.matrix ); } else { camera.matrixWorld.multiplyMatrices( parent.matrixWorld, camera.matrix ); } camera.matrixWorldInverse.copy( camera.matrixWorld ).invert(); } this.updateCamera = function ( camera ) { if ( session === null ) return; cameraVR.near = cameraR.near = cameraL.near = camera.near; cameraVR.far = cameraR.far = cameraL.far = camera.far; if ( _currentDepthNear !== cameraVR.near || _currentDepthFar !== cameraVR.far ) { // Note that the new renderState won"t apply until the next frame. See #18320 session.updateRenderState( { depthNear: cameraVR.near, depthFar: cameraVR.far } ); _currentDepthNear = cameraVR.near; _currentDepthFar = cameraVR.far; } const parent = camera.parent; const cameras = cameraVR.cameras; updateCamera( cameraVR, parent ); for ( let i = 0; i < cameras.length; i ++ ) { updateCamera( cameras[ i ], parent ); } // update projection matrix for proper view frustum culling if ( cameras.length === 2 ) { setProjectionFromUnion( cameraVR, cameraL, cameraR ); } else { // assume single camera setup (AR) cameraVR.projectionMatrix.copy( cameraL.projectionMatrix ); } // update user camera and its children updateUserCamera( camera, cameraVR, parent ); }; function updateUserCamera( camera, cameraVR, parent ) { if ( parent === null ) { camera.matrix.copy( cameraVR.matrixWorld ); } else { camera.matrix.copy( parent.matrixWorld ); camera.matrix.invert(); camera.matrix.multiply( cameraVR.matrixWorld ); } camera.matrix.decompose( camera.position, camera.quaternion, camera.scale ); camera.updateMatrixWorld( true ); const children = camera.children; for ( let i = 0, l = children.length; i < l; i ++ ) { children[ i ].updateMatrixWorld( true ); } camera.projectionMatrix.copy( cameraVR.projectionMatrix ); camera.projectionMatrixInverse.copy( cameraVR.projectionMatrixInverse ); if ( camera.isPerspectiveCamera ) { camera.fov = RAD2DEG$1 * 2 * Math.atan( 1 / camera.projectionMatrix.elements[ 5 ] ); camera.zoom = 1; } } this.getCamera = function () { return cameraVR; }; this.getFoveation = function () { if ( glProjLayer === null && glBaseLayer === null ) { return undefined; } return foveation; }; this.setFoveation = function ( value ) { // 0 = no foveation = full resolution // 1 = maximum foveation = the edges render at lower resolution foveation = value; if ( glProjLayer !== null ) { glProjLayer.fixedFoveation = value; } if ( glBaseLayer !== null && glBaseLayer.fixedFoveation !== undefined ) { glBaseLayer.fixedFoveation = value; } }; this.getPlanes = function () { return planes; }; // Animation Loop let onAnimationFrameCallback = null; function onAnimationFrame( time, frame ) { pose = frame.getViewerPose( customReferenceSpace || referenceSpace ); xrFrame = frame; if ( pose !== null ) { const views = pose.views; if ( glBaseLayer !== null ) { renderer.setRenderTargetFramebuffer( newRenderTarget, glBaseLayer.framebuffer ); renderer.setRenderTarget( newRenderTarget ); } let cameraVRNeedsUpdate = false; // check if it"s necessary to rebuild cameraVR"s camera list if ( views.length !== cameraVR.cameras.length ) { cameraVR.cameras.length = 0; cameraVRNeedsUpdate = true; } for ( let i = 0; i < views.length; i ++ ) { const view = views[ i ]; let viewport = null; if ( glBaseLayer !== null ) { viewport = glBaseLayer.getViewport( view ); } else { const glSubImage = glBinding.getViewSubImage( glProjLayer, view ); viewport = glSubImage.viewport; // For side-by-side projection, we only produce a single texture for both eyes. if ( i === 0 ) { renderer.setRenderTargetTextures( newRenderTarget, glSubImage.colorTexture, glProjLayer.ignoreDepthValues ? undefined : glSubImage.depthStencilTexture ); renderer.setRenderTarget( newRenderTarget ); } } let camera = cameras[ i ]; if ( camera === undefined ) { camera = new PerspectiveCamera$1(); camera.layers.enable( i ); camera.viewport = new Vector4(); cameras[ i ] = camera; } camera.matrix.fromArray( view.transform.matrix ); camera.matrix.decompose( camera.position, camera.quaternion, camera.scale ); camera.projectionMatrix.fromArray( view.projectionMatrix ); camera.projectionMatrixInverse.copy( camera.projectionMatrix ).invert(); camera.viewport.set( viewport.x, viewport.y, viewport.width, viewport.height ); if ( i === 0 ) { cameraVR.matrix.copy( camera.matrix ); cameraVR.matrix.decompose( cameraVR.position, cameraVR.quaternion, cameraVR.scale ); } if ( cameraVRNeedsUpdate === true ) { cameraVR.cameras.push( camera ); } } } // for ( let i = 0; i < controllers.length; i ++ ) { const inputSource = controllerInputSources[ i ]; const controller = controllers[ i ]; if ( inputSource !== null && controller !== undefined ) { controller.update( inputSource, frame, customReferenceSpace || referenceSpace ); } } if ( onAnimationFrameCallback ) onAnimationFrameCallback( time, frame ); if ( frame.detectedPlanes ) { scope.dispatchEvent( { type: "planesdetected", data: frame.detectedPlanes } ); let planesToRemove = null; for ( const plane of planes ) { if ( ! frame.detectedPlanes.has( plane ) ) { if ( planesToRemove === null ) { planesToRemove = []; } planesToRemove.push( plane ); } } if ( planesToRemove !== null ) { for ( const plane of planesToRemove ) { planes.delete( plane ); planesLastChangedTimes.delete( plane ); scope.dispatchEvent( { type: "planeremoved", data: plane } ); } } for ( const plane of frame.detectedPlanes ) { if ( ! planes.has( plane ) ) { planes.add( plane ); planesLastChangedTimes.set( plane, frame.lastChangedTime ); scope.dispatchEvent( { type: "planeadded", data: plane } ); } else { const lastKnownTime = planesLastChangedTimes.get( plane ); if ( plane.lastChangedTime > lastKnownTime ) { planesLastChangedTimes.set( plane, plane.lastChangedTime ); scope.dispatchEvent( { type: "planechanged", data: plane } ); } } } } xrFrame = null; } const animation = new WebGLAnimation(); animation.setAnimationLoop( onAnimationFrame ); this.setAnimationLoop = function ( callback ) { onAnimationFrameCallback = callback; }; this.dispose = function () {}; } } function WebGLMaterials( renderer, properties ) { function refreshTransformUniform( map, uniform ) { if ( map.matrixAutoUpdate === true ) { map.updateMatrix(); } uniform.value.copy( map.matrix ); } function refreshFogUniforms( uniforms, fog ) { fog.color.getRGB( uniforms.fogColor.value, getUnlitUniformColorSpace( renderer ) ); if ( fog.isFog ) { uniforms.fogNear.value = fog.near; uniforms.fogFar.value = fog.far; } else if ( fog.isFogExp2 ) { uniforms.fogDensity.value = fog.density; } } function refreshMaterialUniforms( uniforms, material, pixelRatio, height, transmissionRenderTarget ) { if ( material.isMeshBasicMaterial ) { refreshUniformsCommon( uniforms, material ); } else if ( material.isMeshLambertMaterial ) { refreshUniformsCommon( uniforms, material ); } else if ( material.isMeshToonMaterial ) { refreshUniformsCommon( uniforms, material ); refreshUniformsToon( uniforms, material ); } else if ( material.isMeshPhongMaterial ) { refreshUniformsCommon( uniforms, material ); refreshUniformsPhong( uniforms, material ); } else if ( material.isMeshStandardMaterial ) { refreshUniformsCommon( uniforms, material ); refreshUniformsStandard( uniforms, material ); if ( material.isMeshPhysicalMaterial ) { refreshUniformsPhysical( uniforms, material, transmissionRenderTarget ); } } else if ( material.isMeshMatcapMaterial ) { refreshUniformsCommon( uniforms, material ); refreshUniformsMatcap( uniforms, material ); } else if ( material.isMeshDepthMaterial ) { refreshUniformsCommon( uniforms, material ); } else if ( material.isMeshDistanceMaterial ) { refreshUniformsCommon( uniforms, material ); refreshUniformsDistance( uniforms, material ); } else if ( material.isMeshNormalMaterial ) { refreshUniformsCommon( uniforms, material ); } else if ( material.isLineBasicMaterial ) { refreshUniformsLine( uniforms, material ); if ( material.isLineDashedMaterial ) { refreshUniformsDash( uniforms, material ); } } else if ( material.isPointsMaterial ) { refreshUniformsPoints( uniforms, material, pixelRatio, height ); } else if ( material.isSpriteMaterial ) { refreshUniformsSprites( uniforms, material ); } else if ( material.isShadowMaterial ) { uniforms.color.value.copy( material.color ); uniforms.opacity.value = material.opacity; } else if ( material.isShaderMaterial ) { material.uniformsNeedUpdate = false; // #15581 } } function refreshUniformsCommon( uniforms, material ) { uniforms.opacity.value = material.opacity; if ( material.color ) { uniforms.diffuse.value.copy( material.color ); } if ( material.emissive ) { uniforms.emissive.value.copy( material.emissive ).multiplyScalar( material.emissiveIntensity ); } if ( material.map ) { uniforms.map.value = material.map; refreshTransformUniform( material.map, uniforms.mapTransform ); } if ( material.alphaMap ) { uniforms.alphaMap.value = material.alphaMap; refreshTransformUniform( material.alphaMap, uniforms.alphaMapTransform ); } if ( material.bumpMap ) { uniforms.bumpMap.value = material.bumpMap; refreshTransformUniform( material.bumpMap, uniforms.bumpMapTransform ); uniforms.bumpScale.value = material.bumpScale; if ( material.side === BackSide ) { uniforms.bumpScale.value *= - 1; } } if ( material.normalMap ) { uniforms.normalMap.value = material.normalMap; refreshTransformUniform( material.normalMap, uniforms.normalMapTransform ); uniforms.normalScale.value.copy( material.normalScale ); if ( material.side === BackSide ) { uniforms.normalScale.value.negate(); } } if ( material.displacementMap ) { uniforms.displacementMap.value = material.displacementMap; refreshTransformUniform( material.displacementMap, uniforms.displacementMapTransform ); uniforms.displacementScale.value = material.displacementScale; uniforms.displacementBias.value = material.displacementBias; } if ( material.emissiveMap ) { uniforms.emissiveMap.value = material.emissiveMap; refreshTransformUniform( material.emissiveMap, uniforms.emissiveMapTransform ); } if ( material.specularMap ) { uniforms.specularMap.value = material.specularMap; refreshTransformUniform( material.specularMap, uniforms.specularMapTransform ); } if ( material.alphaTest > 0 ) { uniforms.alphaTest.value = material.alphaTest; } const envMap = properties.get( material ).envMap; if ( envMap ) { uniforms.envMap.value = envMap; uniforms.flipEnvMap.value = ( envMap.isCubeTexture && envMap.isRenderTargetTexture === false ) ? - 1 : 1; uniforms.reflectivity.value = material.reflectivity; uniforms.ior.value = material.ior; uniforms.refractionRatio.value = material.refractionRatio; } if ( material.lightMap ) { uniforms.lightMap.value = material.lightMap; // artist-friendly light intensity scaling factor const scaleFactor = ( renderer.useLegacyLights === true ) ? Math.PI : 1; uniforms.lightMapIntensity.value = material.lightMapIntensity * scaleFactor; refreshTransformUniform( material.lightMap, uniforms.lightMapTransform ); } if ( material.aoMap ) { uniforms.aoMap.value = material.aoMap; uniforms.aoMapIntensity.value = material.aoMapIntensity; refreshTransformUniform( material.aoMap, uniforms.aoMapTransform ); } } function refreshUniformsLine( uniforms, material ) { uniforms.diffuse.value.copy( material.color ); uniforms.opacity.value = material.opacity; if ( material.map ) { uniforms.map.value = material.map; refreshTransformUniform( material.map, uniforms.mapTransform ); } } function refreshUniformsDash( uniforms, material ) { uniforms.dashSize.value = material.dashSize; uniforms.totalSize.value = material.dashSize + material.gapSize; uniforms.scale.value = material.scale; } function refreshUniformsPoints( uniforms, material, pixelRatio, height ) { uniforms.diffuse.value.copy( material.color ); uniforms.opacity.value = material.opacity; uniforms.size.value = material.size * pixelRatio; uniforms.scale.value = height * 0.5; if ( material.map ) { uniforms.map.value = material.map; refreshTransformUniform( material.map, uniforms.uvTransform ); } if ( material.alphaMap ) { uniforms.alphaMap.value = material.alphaMap; } if ( material.alphaTest > 0 ) { uniforms.alphaTest.value = material.alphaTest; } } function refreshUniformsSprites( uniforms, material ) { uniforms.diffuse.value.copy( material.color ); uniforms.opacity.value = material.opacity; uniforms.rotation.value = material.rotation; if ( material.map ) { uniforms.map.value = material.map; refreshTransformUniform( material.map, uniforms.mapTransform ); } if ( material.alphaMap ) { uniforms.alphaMap.value = material.alphaMap; } if ( material.alphaTest > 0 ) { uniforms.alphaTest.value = material.alphaTest; } } function refreshUniformsPhong( uniforms, material ) { uniforms.specular.value.copy( material.specular ); uniforms.shininess.value = Math.max( material.shininess, 1e-4 ); // to prevent pow( 0.0, 0.0 ) } function refreshUniformsToon( uniforms, material ) { if ( material.gradientMap ) { uniforms.gradientMap.value = material.gradientMap; } } function refreshUniformsStandard( uniforms, material ) { uniforms.metalness.value = material.metalness; if ( material.metalnessMap ) { uniforms.metalnessMap.value = material.metalnessMap; refreshTransformUniform( material.metalnessMap, uniforms.metalnessMapTransform ); } uniforms.roughness.value = material.roughness; if ( material.roughnessMap ) { uniforms.roughnessMap.value = material.roughnessMap; refreshTransformUniform( material.roughnessMap, uniforms.roughnessMapTransform ); } const envMap = properties.get( material ).envMap; if ( envMap ) { //uniforms.envMap.value = material.envMap; // part of uniforms common uniforms.envMapIntensity.value = material.envMapIntensity; } } function refreshUniformsPhysical( uniforms, material, transmissionRenderTarget ) { uniforms.ior.value = material.ior; // also part of uniforms common if ( material.sheen > 0 ) { uniforms.sheenColor.value.copy( material.sheenColor ).multiplyScalar( material.sheen ); uniforms.sheenRoughness.value = material.sheenRoughness; if ( material.sheenColorMap ) { uniforms.sheenColorMap.value = material.sheenColorMap; refreshTransformUniform( material.sheenColorMap, uniforms.sheenColorMapTransform ); } if ( material.sheenRoughnessMap ) { uniforms.sheenRoughnessMap.value = material.sheenRoughnessMap; refreshTransformUniform( material.sheenRoughnessMap, uniforms.sheenRoughnessMapTransform ); } } if ( material.clearcoat > 0 ) { uniforms.clearcoat.value = material.clearcoat; uniforms.clearcoatRoughness.value = material.clearcoatRoughness; if ( material.clearcoatMap ) { uniforms.clearcoatMap.value = material.clearcoatMap; refreshTransformUniform( material.clearcoatMap, uniforms.clearcoatMapTransform ); } if ( material.clearcoatRoughnessMap ) { uniforms.clearcoatRoughnessMap.value = material.clearcoatRoughnessMap; refreshTransformUniform( material.clearcoatRoughnessMap, uniforms.clearcoatRoughnessMapTransform ); } if ( material.clearcoatNormalMap ) { uniforms.clearcoatNormalMap.value = material.clearcoatNormalMap; refreshTransformUniform( material.clearcoatNormalMap, uniforms.clearcoatNormalMapTransform ); uniforms.clearcoatNormalScale.value.copy( material.clearcoatNormalScale ); if ( material.side === BackSide ) { uniforms.clearcoatNormalScale.value.negate(); } } } if ( material.iridescence > 0 ) { uniforms.iridescence.value = material.iridescence; uniforms.iridescenceIOR.value = material.iridescenceIOR; uniforms.iridescenceThicknessMinimum.value = material.iridescenceThicknessRange[ 0 ]; uniforms.iridescenceThicknessMaximum.value = material.iridescenceThicknessRange[ 1 ]; if ( material.iridescenceMap ) { uniforms.iridescenceMap.value = material.iridescenceMap; refreshTransformUniform( material.iridescenceMap, uniforms.iridescenceMapTransform ); } if ( material.iridescenceThicknessMap ) { uniforms.iridescenceThicknessMap.value = material.iridescenceThicknessMap; refreshTransformUniform( material.iridescenceThicknessMap, uniforms.iridescenceThicknessMapTransform ); } } if ( material.transmission > 0 ) { uniforms.transmission.value = material.transmission; uniforms.transmissionSamplerMap.value = transmissionRenderTarget.texture; uniforms.transmissionSamplerSize.value.set( transmissionRenderTarget.width, transmissionRenderTarget.height ); if ( material.transmissionMap ) { uniforms.transmissionMap.value = material.transmissionMap; refreshTransformUniform( material.transmissionMap, uniforms.transmissionMapTransform ); } uniforms.thickness.value = material.thickness; if ( material.thicknessMap ) { uniforms.thicknessMap.value = material.thicknessMap; refreshTransformUniform( material.thicknessMap, uniforms.thicknessMapTransform ); } uniforms.attenuationDistance.value = material.attenuationDistance; uniforms.attenuationColor.value.copy( material.attenuationColor ); } uniforms.specularIntensity.value = material.specularIntensity; uniforms.specularColor.value.copy( material.specularColor ); if ( material.specularColorMap ) { uniforms.specularColorMap.value = material.specularColorMap; refreshTransformUniform( material.specularColorMap, uniforms.specularColorMapTransform ); } if ( material.specularIntensityMap ) { uniforms.specularIntensityMap.value = material.specularIntensityMap; refreshTransformUniform( material.specularIntensityMap, uniforms.specularIntensityMapTransform ); } } function refreshUniformsMatcap( uniforms, material ) { if ( material.matcap ) { uniforms.matcap.value = material.matcap; } } function refreshUniformsDistance( uniforms, material ) { const light = properties.get( material ).light; uniforms.referencePosition.value.setFromMatrixPosition( light.matrixWorld ); uniforms.nearDistance.value = light.shadow.camera.near; uniforms.farDistance.value = light.shadow.camera.far; } return { refreshFogUniforms: refreshFogUniforms, refreshMaterialUniforms: refreshMaterialUniforms }; } function WebGLUniformsGroups( gl, info, capabilities, state ) { let buffers = {}; let updateList = {}; let allocatedBindingPoints = []; const maxBindingPoints = ( capabilities.isWebGL2 ) ? gl.getParameter( gl.MAX_UNIFORM_BUFFER_BINDINGS ) : 0; // binding points are global whereas block indices are per shader program function bind( uniformsGroup, program ) { const webglProgram = program.program; state.uniformBlockBinding( uniformsGroup, webglProgram ); } function update( uniformsGroup, program ) { let buffer = buffers[ uniformsGroup.id ]; if ( buffer === undefined ) { prepareUniformsGroup( uniformsGroup ); buffer = createBuffer( uniformsGroup ); buffers[ uniformsGroup.id ] = buffer; uniformsGroup.addEventListener( "dispose", onUniformsGroupsDispose ); } // ensure to update the binding points/block indices mapping for this program const webglProgram = program.program; state.updateUBOMapping( uniformsGroup, webglProgram ); // update UBO once per frame const frame = info.render.frame; if ( updateList[ uniformsGroup.id ] !== frame ) { updateBufferData( uniformsGroup ); updateList[ uniformsGroup.id ] = frame; } } function createBuffer( uniformsGroup ) { // the setup of an UBO is independent of a particular shader program but global const bindingPointIndex = allocateBindingPointIndex(); uniformsGroup.__bindingPointIndex = bindingPointIndex; const buffer = gl.createBuffer(); const size = uniformsGroup.__size; const usage = uniformsGroup.usage; gl.bindBuffer( gl.UNIFORM_BUFFER, buffer ); gl.bufferData( gl.UNIFORM_BUFFER, size, usage ); gl.bindBuffer( gl.UNIFORM_BUFFER, null ); gl.bindBufferBase( gl.UNIFORM_BUFFER, bindingPointIndex, buffer ); return buffer; } function allocateBindingPointIndex() { for ( let i = 0; i < maxBindingPoints; i ++ ) { if ( allocatedBindingPoints.indexOf( i ) === - 1 ) { allocatedBindingPoints.push( i ); return i; } } console.error( "THREE.WebGLRenderer: Maximum number of simultaneously usable uniforms groups reached." ); return 0; } function updateBufferData( uniformsGroup ) { const buffer = buffers[ uniformsGroup.id ]; const uniforms = uniformsGroup.uniforms; const cache = uniformsGroup.__cache; gl.bindBuffer( gl.UNIFORM_BUFFER, buffer ); for ( let i = 0, il = uniforms.length; i < il; i ++ ) { const uniform = uniforms[ i ]; // partly update the buffer if necessary if ( hasUniformChanged( uniform, i, cache ) === true ) { const offset = uniform.__offset; const values = Array.isArray( uniform.value ) ? uniform.value : [ uniform.value ]; let arrayOffset = 0; for ( let i = 0; i < values.length; i ++ ) { const value = values[ i ]; const info = getUniformSize( value ); if ( typeof value === "number" ) { uniform.__data[ 0 ] = value; gl.bufferSubData( gl.UNIFORM_BUFFER, offset + arrayOffset, uniform.__data ); } else if ( value.isMatrix3 ) { // manually converting 3x3 to 3x4 uniform.__data[ 0 ] = value.elements[ 0 ]; uniform.__data[ 1 ] = value.elements[ 1 ]; uniform.__data[ 2 ] = value.elements[ 2 ]; uniform.__data[ 3 ] = value.elements[ 0 ]; uniform.__data[ 4 ] = value.elements[ 3 ]; uniform.__data[ 5 ] = value.elements[ 4 ]; uniform.__data[ 6 ] = value.elements[ 5 ]; uniform.__data[ 7 ] = value.elements[ 0 ]; uniform.__data[ 8 ] = value.elements[ 6 ]; uniform.__data[ 9 ] = value.elements[ 7 ]; uniform.__data[ 10 ] = value.elements[ 8 ]; uniform.__data[ 11 ] = value.elements[ 0 ]; } else { value.toArray( uniform.__data, arrayOffset ); arrayOffset += info.storage / Float32Array.BYTES_PER_ELEMENT; } } gl.bufferSubData( gl.UNIFORM_BUFFER, offset, uniform.__data ); } } gl.bindBuffer( gl.UNIFORM_BUFFER, null ); } function hasUniformChanged( uniform, index, cache ) { const value = uniform.value; if ( cache[ index ] === undefined ) { // cache entry does not exist so far if ( typeof value === "number" ) { cache[ index ] = value; } else { const values = Array.isArray( value ) ? value : [ value ]; const tempValues = []; for ( let i = 0; i < values.length; i ++ ) { tempValues.push( values[ i ].clone() ); } cache[ index ] = tempValues; } return true; } else { // compare current value with cached entry if ( typeof value === "number" ) { if ( cache[ index ] !== value ) { cache[ index ] = value; return true; } } else { const cachedObjects = Array.isArray( cache[ index ] ) ? cache[ index ] : [ cache[ index ] ]; const values = Array.isArray( value ) ? value : [ value ]; for ( let i = 0; i < cachedObjects.length; i ++ ) { const cachedObject = cachedObjects[ i ]; if ( cachedObject.equals( values[ i ] ) === false ) { cachedObject.copy( values[ i ] ); return true; } } } } return false; } function prepareUniformsGroup( uniformsGroup ) { // determine total buffer size according to the STD140 layout // Hint: STD140 is the only supported layout in WebGL 2 const uniforms = uniformsGroup.uniforms; let offset = 0; // global buffer offset in bytes const chunkSize = 16; // size of a chunk in bytes let chunkOffset = 0; // offset within a single chunk in bytes for ( let i = 0, l = uniforms.length; i < l; i ++ ) { const uniform = uniforms[ i ]; const infos = { boundary: 0, // bytes storage: 0 // bytes }; const values = Array.isArray( uniform.value ) ? uniform.value : [ uniform.value ]; for ( let j = 0, jl = values.length; j < jl; j ++ ) { const value = values[ j ]; const info = getUniformSize( value ); infos.boundary += info.boundary; infos.storage += info.storage; } // the following two properties will be used for partial buffer updates uniform.__data = new Float32Array( infos.storage / Float32Array.BYTES_PER_ELEMENT ); uniform.__offset = offset; // if ( i > 0 ) { chunkOffset = offset % chunkSize; const remainingSizeInChunk = chunkSize - chunkOffset; // check for chunk overflow if ( chunkOffset !== 0 && ( remainingSizeInChunk - infos.boundary ) < 0 ) { // add padding and adjust offset offset += ( chunkSize - chunkOffset ); uniform.__offset = offset; } } offset += infos.storage; } // ensure correct final padding chunkOffset = offset % chunkSize; if ( chunkOffset > 0 ) offset += ( chunkSize - chunkOffset ); // uniformsGroup.__size = offset; uniformsGroup.__cache = {}; return this; } function getUniformSize( value ) { const info = { boundary: 0, // bytes storage: 0 // bytes }; // determine sizes according to STD140 if ( typeof value === "number" ) { // float/int info.boundary = 4; info.storage = 4; } else if ( value.isVector2 ) { // vec2 info.boundary = 8; info.storage = 8; } else if ( value.isVector3 || value.isColor ) { // vec3 info.boundary = 16; info.storage = 12; // evil: vec3 must start on a 16-byte boundary but it only consumes 12 bytes } else if ( value.isVector4 ) { // vec4 info.boundary = 16; info.storage = 16; } else if ( value.isMatrix3 ) { // mat3 (in STD140 a 3x3 matrix is represented as 3x4) info.boundary = 48; info.storage = 48; } else if ( value.isMatrix4 ) { // mat4 info.boundary = 64; info.storage = 64; } else if ( value.isTexture ) { console.warn( "THREE.WebGLRenderer: Texture samplers can not be part of an uniforms group." ); } else { console.warn( "THREE.WebGLRenderer: Unsupported uniform value type.", value ); } return info; } function onUniformsGroupsDispose( event ) { const uniformsGroup = event.target; uniformsGroup.removeEventListener( "dispose", onUniformsGroupsDispose ); const index = allocatedBindingPoints.indexOf( uniformsGroup.__bindingPointIndex ); allocatedBindingPoints.splice( index, 1 ); gl.deleteBuffer( buffers[ uniformsGroup.id ] ); delete buffers[ uniformsGroup.id ]; delete updateList[ uniformsGroup.id ]; } function dispose() { for ( const id in buffers ) { gl.deleteBuffer( buffers[ id ] ); } allocatedBindingPoints = []; buffers = {}; updateList = {}; } return { bind: bind, update: update, dispose: dispose }; } function createCanvasElement() { const canvas = createElementNS( "canvas" ); canvas.style.display = "block"; return canvas; } class WebGLRenderer { constructor( parameters = {} ) { const { canvas = createCanvasElement(), context = null, depth = true, stencil = true, alpha = false, antialias = false, premultipliedAlpha = true, preserveDrawingBuffer = false, powerPreference = "default", failIfMajorPerformanceCaveat = false, } = parameters; this.isWebGLRenderer = true; let _alpha; if ( context !== null ) { _alpha = context.getContextAttributes().alpha; } else { _alpha = alpha; } let currentRenderList = null; let currentRenderState = null; // render() can be called from within a callback triggered by another render. // We track this so that the nested render call gets its list and state isolated from the parent render call. const renderListStack = []; const renderStateStack = []; // public properties this.domElement = canvas; // Debug configuration container this.debug = { /** * Enables error checking and reporting when shader programs are being compiled * @type {boolean} */ checkShaderErrors: true, /** * Callback for custom error reporting. * @type {?Function} */ onShaderError: null }; // clearing this.autoClear = true; this.autoClearColor = true; this.autoClearDepth = true; this.autoClearStencil = true; // scene graph this.sortObjects = true; // user-defined clipping this.clippingPlanes = []; this.localClippingEnabled = false; // physically based shading this.outputColorSpace = SRGBColorSpace; // physical lights this.useLegacyLights = true; // tone mapping this.toneMapping = NoToneMapping; this.toneMappingExposure = 1.0; // internal properties const _this = this; let _isContextLost = false; // internal state cache let _currentActiveCubeFace = 0; let _currentActiveMipmapLevel = 0; let _currentRenderTarget = null; let _currentMaterialId = - 1; let _currentCamera = null; const _currentViewport = new Vector4(); const _currentScissor = new Vector4(); let _currentScissorTest = null; // let _width = canvas.width; let _height = canvas.height; let _pixelRatio = 1; let _opaqueSort = null; let _transparentSort = null; const _viewport = new Vector4( 0, 0, _width, _height ); const _scissor = new Vector4( 0, 0, _width, _height ); let _scissorTest = false; // frustum const _frustum = new Frustum(); // clipping let _clippingEnabled = false; let _localClippingEnabled = false; // transmission let _transmissionRenderTarget = null; // camera matrices cache const _projScreenMatrix = new Matrix4(); const _vector3 = new Vector3(); const _emptyScene = { background: null, fog: null, environment: null, overrideMaterial: null, isScene: true }; function getTargetPixelRatio() { return _currentRenderTarget === null ? _pixelRatio : 1; } // initialize let _gl = context; function getContext( contextNames, contextAttributes ) { for ( let i = 0; i < contextNames.length; i ++ ) { const contextName = contextNames[ i ]; const context = canvas.getContext( contextName, contextAttributes ); if ( context !== null ) return context; } return null; } try { const contextAttributes = { alpha: true, depth, stencil, antialias, premultipliedAlpha, preserveDrawingBuffer, powerPreference, failIfMajorPerformanceCaveat, }; // OffscreenCanvas does not have setAttribute, see #22811 if ( "setAttribute" in canvas ) canvas.setAttribute( "data-engine", `three.js r${REVISION}` ); // event listeners must be registered before WebGL context is created, see #12753 canvas.addEventListener( "webglcontextlost", onContextLost, false ); canvas.addEventListener( "webglcontextrestored", onContextRestore, false ); canvas.addEventListener( "webglcontextcreationerror", onContextCreationError, false ); if ( _gl === null ) { const contextNames = [ "webgl2", "webgl", "experimental-webgl" ]; if ( _this.isWebGL1Renderer === true ) { contextNames.shift(); } _gl = getContext( contextNames, contextAttributes ); if ( _gl === null ) { if ( getContext( contextNames ) ) { throw new Error( "Error creating WebGL context with your selected attributes." ); } else { throw new Error( "Error creating WebGL context." ); } } } // Some experimental-webgl implementations do not have getShaderPrecisionFormat if ( _gl.getShaderPrecisionFormat === undefined ) { _gl.getShaderPrecisionFormat = function () { return { "rangeMin": 1, "rangeMax": 1, "precision": 1 }; }; } } catch ( error ) { console.error( "THREE.WebGLRenderer: " + error.message ); throw error; } let extensions, capabilities, state, info; let properties, textures, cubemaps, cubeuvmaps, attributes, geometries, objects; let programCache, materials, renderLists, renderStates, clipping, shadowMap; let background, morphtargets, bufferRenderer, indexedBufferRenderer; let utils, bindingStates, uniformsGroups; function initGLContext() { extensions = new WebGLExtensions( _gl ); capabilities = new WebGLCapabilities( _gl, extensions, parameters ); extensions.init( capabilities ); utils = new WebGLUtils( _gl, extensions, capabilities ); state = new WebGLState( _gl, extensions, capabilities ); info = new WebGLInfo( _gl ); properties = new WebGLProperties(); textures = new WebGLTextures( _gl, extensions, state, properties, capabilities, utils, info ); cubemaps = new WebGLCubeMaps( _this ); cubeuvmaps = new WebGLCubeUVMaps( _this ); attributes = new WebGLAttributes( _gl, capabilities ); bindingStates = new WebGLBindingStates( _gl, extensions, attributes, capabilities ); geometries = new WebGLGeometries( _gl, attributes, info, bindingStates ); objects = new WebGLObjects( _gl, geometries, attributes, info ); morphtargets = new WebGLMorphtargets( _gl, capabilities, textures ); clipping = new WebGLClipping( properties ); programCache = new WebGLPrograms( _this, cubemaps, cubeuvmaps, extensions, capabilities, bindingStates, clipping ); materials = new WebGLMaterials( _this, properties ); renderLists = new WebGLRenderLists(); renderStates = new WebGLRenderStates( extensions, capabilities ); background = new WebGLBackground( _this, cubemaps, cubeuvmaps, state, objects, _alpha, premultipliedAlpha ); shadowMap = new WebGLShadowMap( _this, objects, capabilities ); uniformsGroups = new WebGLUniformsGroups( _gl, info, capabilities, state ); bufferRenderer = new WebGLBufferRenderer( _gl, extensions, info, capabilities ); indexedBufferRenderer = new WebGLIndexedBufferRenderer( _gl, extensions, info, capabilities ); info.programs = programCache.programs; _this.capabilities = capabilities; _this.extensions = extensions; _this.properties = properties; _this.renderLists = renderLists; _this.shadowMap = shadowMap; _this.state = state; _this.info = info; } initGLContext(); // xr const xr = new WebXRManager( _this, _gl ); this.xr = xr; // API this.getContext = function () { return _gl; }; this.getContextAttributes = function () { return _gl.getContextAttributes(); }; this.forceContextLoss = function () { const extension = extensions.get( "WEBGL_lose_context" ); if ( extension ) extension.loseContext(); }; this.forceContextRestore = function () { const extension = extensions.get( "WEBGL_lose_context" ); if ( extension ) extension.restoreContext(); }; this.getPixelRatio = function () { return _pixelRatio; }; this.setPixelRatio = function ( value ) { if ( value === undefined ) return; _pixelRatio = value; this.setSize( _width, _height, false ); }; this.getSize = function ( target ) { return target.set( _width, _height ); }; this.setSize = function ( width, height, updateStyle = true ) { if ( xr.isPresenting ) { console.warn( "THREE.WebGLRenderer: Can"t change size while VR device is presenting." ); return; } _width = width; _height = height; canvas.width = Math.floor( width * _pixelRatio ); canvas.height = Math.floor( height * _pixelRatio ); if ( updateStyle === true ) { canvas.style.width = width + "px"; canvas.style.height = height + "px"; } this.setViewport( 0, 0, width, height ); }; this.getDrawingBufferSize = function ( target ) { return target.set( _width * _pixelRatio, _height * _pixelRatio ).floor(); }; this.setDrawingBufferSize = function ( width, height, pixelRatio ) { _width = width; _height = height; _pixelRatio = pixelRatio; canvas.width = Math.floor( width * pixelRatio ); canvas.height = Math.floor( height * pixelRatio ); this.setViewport( 0, 0, width, height ); }; this.getCurrentViewport = function ( target ) { return target.copy( _currentViewport ); }; this.getViewport = function ( target ) { return target.copy( _viewport ); }; this.setViewport = function ( x, y, width, height ) { if ( x.isVector4 ) { _viewport.set( x.x, x.y, x.z, x.w ); } else { _viewport.set( x, y, width, height ); } state.viewport( _currentViewport.copy( _viewport ).multiplyScalar( _pixelRatio ).floor() ); }; this.getScissor = function ( target ) { return target.copy( _scissor ); }; this.setScissor = function ( x, y, width, height ) { if ( x.isVector4 ) { _scissor.set( x.x, x.y, x.z, x.w ); } else { _scissor.set( x, y, width, height ); } state.scissor( _currentScissor.copy( _scissor ).multiplyScalar( _pixelRatio ).floor() ); }; this.getScissorTest = function () { return _scissorTest; }; this.setScissorTest = function ( boolean ) { state.setScissorTest( _scissorTest = boolean ); }; this.setOpaqueSort = function ( method ) { _opaqueSort = method; }; this.setTransparentSort = function ( method ) { _transparentSort = method; }; // Clearing this.getClearColor = function ( target ) { return target.copy( background.getClearColor() ); }; this.setClearColor = function () { background.setClearColor.apply( background, arguments ); }; this.getClearAlpha = function () { return background.getClearAlpha(); }; this.setClearAlpha = function () { background.setClearAlpha.apply( background, arguments ); }; this.clear = function ( color = true, depth = true, stencil = true ) { let bits = 0; if ( color ) bits |= _gl.COLOR_BUFFER_BIT; if ( depth ) bits |= _gl.DEPTH_BUFFER_BIT; if ( stencil ) bits |= _gl.STENCIL_BUFFER_BIT; _gl.clear( bits ); }; this.clearColor = function () { this.clear( true, false, false ); }; this.clearDepth = function () { this.clear( false, true, false ); }; this.clearStencil = function () { this.clear( false, false, true ); }; // this.dispose = function () { canvas.removeEventListener( "webglcontextlost", onContextLost, false ); canvas.removeEventListener( "webglcontextrestored", onContextRestore, false ); canvas.removeEventListener( "webglcontextcreationerror", onContextCreationError, false ); renderLists.dispose(); renderStates.dispose(); properties.dispose(); cubemaps.dispose(); cubeuvmaps.dispose(); objects.dispose(); bindingStates.dispose(); uniformsGroups.dispose(); programCache.dispose(); xr.dispose(); xr.removeEventListener( "sessionstart", onXRSessionStart ); xr.removeEventListener( "sessionend", onXRSessionEnd ); if ( _transmissionRenderTarget ) { _transmissionRenderTarget.dispose(); _transmissionRenderTarget = null; } animation.stop(); }; // Events function onContextLost( event ) { event.preventDefault(); console.log( "THREE.WebGLRenderer: Context Lost." ); _isContextLost = true; } function onContextRestore( /* event */ ) { console.log( "THREE.WebGLRenderer: Context Restored." ); _isContextLost = false; const infoAutoReset = info.autoReset; const shadowMapEnabled = shadowMap.enabled; const shadowMapAutoUpdate = shadowMap.autoUpdate; const shadowMapNeedsUpdate = shadowMap.needsUpdate; const shadowMapType = shadowMap.type; initGLContext(); info.autoReset = infoAutoReset; shadowMap.enabled = shadowMapEnabled; shadowMap.autoUpdate = shadowMapAutoUpdate; shadowMap.needsUpdate = shadowMapNeedsUpdate; shadowMap.type = shadowMapType; } function onContextCreationError( event ) { console.error( "THREE.WebGLRenderer: A WebGL context could not be created. Reason: ", event.statusMessage ); } function onMaterialDispose( event ) { const material = event.target; material.removeEventListener( "dispose", onMaterialDispose ); deallocateMaterial( material ); } // Buffer deallocation function deallocateMaterial( material ) { releaseMaterialProgramReferences( material ); properties.remove( material ); } function releaseMaterialProgramReferences( material ) { const programs = properties.get( material ).programs; if ( programs !== undefined ) { programs.forEach( function ( program ) { programCache.releaseProgram( program ); } ); if ( material.isShaderMaterial ) { programCache.releaseShaderCache( material ); } } } // Buffer rendering this.renderBufferDirect = function ( camera, scene, geometry, material, object, group ) { if ( scene === null ) scene = _emptyScene; // renderBufferDirect second parameter used to be fog (could be null) const frontFaceCW = ( object.isMesh && object.matrixWorld.determinant() < 0 ); const program = setProgram( camera, scene, geometry, material, object ); state.setMaterial( material, frontFaceCW ); // let index = geometry.index; let rangeFactor = 1; if ( material.wireframe === true ) { index = geometries.getWireframeAttribute( geometry ); rangeFactor = 2; } // const drawRange = geometry.drawRange; const position = geometry.attributes.position; let drawStart = drawRange.start * rangeFactor; let drawEnd = ( drawRange.start + drawRange.count ) * rangeFactor; if ( group !== null ) { drawStart = Math.max( drawStart, group.start * rangeFactor ); drawEnd = Math.min( drawEnd, ( group.start + group.count ) * rangeFactor ); } if ( index !== null ) { drawStart = Math.max( drawStart, 0 ); drawEnd = Math.min( drawEnd, index.count ); } else if ( position !== undefined && position !== null ) { drawStart = Math.max( drawStart, 0 ); drawEnd = Math.min( drawEnd, position.count ); } const drawCount = drawEnd - drawStart; if ( drawCount < 0 || drawCount === Infinity ) return; // bindingStates.setup( object, material, program, geometry, index ); let attribute; let renderer = bufferRenderer; if ( index !== null ) { attribute = attributes.get( index ); renderer = indexedBufferRenderer; renderer.setIndex( attribute ); } // if ( object.isMesh ) { if ( material.wireframe === true ) { state.setLineWidth( material.wireframeLinewidth * getTargetPixelRatio() ); renderer.setMode( _gl.LINES ); } else { renderer.setMode( _gl.TRIANGLES ); } } else if ( object.isLine ) { let lineWidth = material.linewidth; if ( lineWidth === undefined ) lineWidth = 1; // Not using Line*Material state.setLineWidth( lineWidth * getTargetPixelRatio() ); if ( object.isLineSegments ) { renderer.setMode( _gl.LINES ); } else if ( object.isLineLoop ) { renderer.setMode( _gl.LINE_LOOP ); } else { renderer.setMode( _gl.LINE_STRIP ); } } else if ( object.isPoints ) { renderer.setMode( _gl.POINTS ); } else if ( object.isSprite ) { renderer.setMode( _gl.TRIANGLES ); } if ( object.isInstancedMesh ) { renderer.renderInstances( drawStart, drawCount, object.count ); } else if ( geometry.isInstancedBufferGeometry ) { const maxInstanceCount = geometry._maxInstanceCount !== undefined ? geometry._maxInstanceCount : Infinity; const instanceCount = Math.min( geometry.instanceCount, maxInstanceCount ); renderer.renderInstances( drawStart, drawCount, instanceCount ); } else { renderer.render( drawStart, drawCount ); } }; // Compile this.compile = function ( scene, camera ) { function prepare( material, scene, object ) { if ( material.transparent === true && material.side === DoubleSide && material.forceSinglePass === false ) { material.side = BackSide; material.needsUpdate = true; getProgram( material, scene, object ); material.side = FrontSide; material.needsUpdate = true; getProgram( material, scene, object ); material.side = DoubleSide; } else { getProgram( material, scene, object ); } } currentRenderState = renderStates.get( scene ); currentRenderState.init(); renderStateStack.push( currentRenderState ); scene.traverseVisible( function ( object ) { if ( object.isLight && object.layers.test( camera.layers ) ) { currentRenderState.pushLight( object ); if ( object.castShadow ) { currentRenderState.pushShadow( object ); } } } ); currentRenderState.setupLights( _this.useLegacyLights ); scene.traverse( function ( object ) { const material = object.material; if ( material ) { if ( Array.isArray( material ) ) { for ( let i = 0; i < material.length; i ++ ) { const material2 = material[ i ]; prepare( material2, scene, object ); } } else { prepare( material, scene, object ); } } } ); renderStateStack.pop(); currentRenderState = null; }; // Animation Loop let onAnimationFrameCallback = null; function onAnimationFrame( time ) { if ( onAnimationFrameCallback ) onAnimationFrameCallback( time ); } function onXRSessionStart() { animation.stop(); } function onXRSessionEnd() { animation.start(); } const animation = new WebGLAnimation(); animation.setAnimationLoop( onAnimationFrame ); if ( typeof self !== "undefined" ) animation.setContext( self ); this.setAnimationLoop = function ( callback ) { onAnimationFrameCallback = callback; xr.setAnimationLoop( callback ); ( callback === null ) ? animation.stop() : animation.start(); }; xr.addEventListener( "sessionstart", onXRSessionStart ); xr.addEventListener( "sessionend", onXRSessionEnd ); // Rendering this.render = function ( scene, camera ) { if ( camera !== undefined && camera.isCamera !== true ) { console.error( "THREE.WebGLRenderer.render: camera is not an instance of THREE.Camera." ); return; } if ( _isContextLost === true ) return; // update scene graph if ( scene.matrixWorldAutoUpdate === true ) scene.updateMatrixWorld(); // update camera matrices and frustum if ( camera.parent === null && camera.matrixWorldAutoUpdate === true ) camera.updateMatrixWorld(); if ( xr.enabled === true && xr.isPresenting === true ) { if ( xr.cameraAutoUpdate === true ) xr.updateCamera( camera ); camera = xr.getCamera(); // use XR camera for rendering } // if ( scene.isScene === true ) scene.onBeforeRender( _this, scene, camera, _currentRenderTarget ); currentRenderState = renderStates.get( scene, renderStateStack.length ); currentRenderState.init(); renderStateStack.push( currentRenderState ); _projScreenMatrix.multiplyMatrices( camera.projectionMatrix, camera.matrixWorldInverse ); _frustum.setFromProjectionMatrix( _projScreenMatrix ); _localClippingEnabled = this.localClippingEnabled; _clippingEnabled = clipping.init( this.clippingPlanes, _localClippingEnabled ); currentRenderList = renderLists.get( scene, renderListStack.length ); currentRenderList.init(); renderListStack.push( currentRenderList ); projectObject( scene, camera, 0, _this.sortObjects ); currentRenderList.finish(); if ( _this.sortObjects === true ) { currentRenderList.sort( _opaqueSort, _transparentSort ); } // if ( _clippingEnabled === true ) clipping.beginShadows(); const shadowsArray = currentRenderState.state.shadowsArray; shadowMap.render( shadowsArray, scene, camera ); if ( _clippingEnabled === true ) clipping.endShadows(); // if ( this.info.autoReset === true ) this.info.reset(); // background.render( currentRenderList, scene ); // render scene currentRenderState.setupLights( _this.useLegacyLights ); if ( camera.isArrayCamera ) { const cameras = camera.cameras; for ( let i = 0, l = cameras.length; i < l; i ++ ) { const camera2 = cameras[ i ]; renderScene( currentRenderList, scene, camera2, camera2.viewport ); } } else { renderScene( currentRenderList, scene, camera ); } // if ( _currentRenderTarget !== null ) { // resolve multisample renderbuffers to a single-sample texture if necessary textures.updateMultisampleRenderTarget( _currentRenderTarget ); // Generate mipmap if we"re using any kind of mipmap filtering textures.updateRenderTargetMipmap( _currentRenderTarget ); } // if ( scene.isScene === true ) scene.onAfterRender( _this, scene, camera ); // _gl.finish(); bindingStates.resetDefaultState(); _currentMaterialId = - 1; _currentCamera = null; renderStateStack.pop(); if ( renderStateStack.length > 0 ) { currentRenderState = renderStateStack[ renderStateStack.length - 1 ]; } else { currentRenderState = null; } renderListStack.pop(); if ( renderListStack.length > 0 ) { currentRenderList = renderListStack[ renderListStack.length - 1 ]; } else { currentRenderList = null; } }; function projectObject( object, camera, groupOrder, sortObjects ) { if ( object.visible === false ) return; const visible = object.layers.test( camera.layers ); if ( visible ) { if ( object.isGroup ) { groupOrder = object.renderOrder; } else if ( object.isLOD ) { if ( object.autoUpdate === true ) object.update( camera ); } else if ( object.isLight ) { currentRenderState.pushLight( object ); if ( object.castShadow ) { currentRenderState.pushShadow( object ); } } else if ( object.isSprite ) { if ( ! object.frustumCulled || _frustum.intersectsSprite( object ) ) { if ( sortObjects ) { _vector3.setFromMatrixPosition( object.matrixWorld ) .applyMatrix4( _projScreenMatrix ); } const geometry = objects.update( object ); const material = object.material; if ( material.visible ) { currentRenderList.push( object, geometry, material, groupOrder, _vector3.z, null ); } } } else if ( object.isMesh || object.isLine || object.isPoints ) { if ( ! object.frustumCulled || _frustum.intersectsObject( object ) ) { if ( object.isSkinnedMesh ) { // update skeleton only once in a frame if ( object.skeleton.frame !== info.render.frame ) { object.skeleton.update(); object.skeleton.frame = info.render.frame; } } const geometry = objects.update( object ); const material = object.material; if ( sortObjects ) { if ( geometry.boundingSphere === null ) geometry.computeBoundingSphere(); _vector3 .copy( geometry.boundingSphere.center ) .applyMatrix4( object.matrixWorld ) .applyMatrix4( _projScreenMatrix ); } if ( Array.isArray( material ) ) { const groups = geometry.groups; for ( let i = 0, l = groups.length; i < l; i ++ ) { const group = groups[ i ]; const groupMaterial = material[ group.materialIndex ]; if ( groupMaterial && groupMaterial.visible ) { currentRenderList.push( object, geometry, groupMaterial, groupOrder, _vector3.z, group ); } } } else if ( material.visible ) { currentRenderList.push( object, geometry, material, groupOrder, _vector3.z, null ); } } } } const children = object.children; for ( let i = 0, l = children.length; i < l; i ++ ) { projectObject( children[ i ], camera, groupOrder, sortObjects ); } } function renderScene( currentRenderList, scene, camera, viewport ) { const opaqueObjects = currentRenderList.opaque; const transmissiveObjects = currentRenderList.transmissive; const transparentObjects = currentRenderList.transparent; currentRenderState.setupLightsView( camera ); if ( _clippingEnabled === true ) clipping.setGlobalState( _this.clippingPlanes, camera ); if ( transmissiveObjects.length > 0 ) renderTransmissionPass( opaqueObjects, transmissiveObjects, scene, camera ); if ( viewport ) state.viewport( _currentViewport.copy( viewport ) ); if ( opaqueObjects.length > 0 ) renderObjects( opaqueObjects, scene, camera ); if ( transmissiveObjects.length > 0 ) renderObjects( transmissiveObjects, scene, camera ); if ( transparentObjects.length > 0 ) renderObjects( transparentObjects, scene, camera ); // Ensure depth buffer writing is enabled so it can be cleared on next render state.buffers.depth.setTest( true ); state.buffers.depth.setMask( true ); state.buffers.color.setMask( true ); state.setPolygonOffset( false ); } function renderTransmissionPass( opaqueObjects, transmissiveObjects, scene, camera ) { if ( _transmissionRenderTarget === null ) { const isWebGL2 = capabilities.isWebGL2; _transmissionRenderTarget = new WebGLRenderTarget( 1024, 1024, { generateMipmaps: true, type: extensions.has( "EXT_color_buffer_half_float" ) ? HalfFloatType : UnsignedByteType, minFilter: LinearMipmapLinearFilter, samples: ( isWebGL2 && antialias === true ) ? 4 : 0 } ); // debug /* const geometry = new PlaneGeometry(); const material = new MeshBasicMaterial( { map: _transmissionRenderTarget.texture } ); const mesh = new Mesh( geometry, material ); scene.add( mesh ); */ } // const currentRenderTarget = _this.getRenderTarget(); _this.setRenderTarget( _transmissionRenderTarget ); _this.clear(); // Turn off the features which can affect the frag color for opaque objects pass. // Otherwise they are applied twice in opaque objects pass and transmission objects pass. const currentToneMapping = _this.toneMapping; _this.toneMapping = NoToneMapping; renderObjects( opaqueObjects, scene, camera ); textures.updateMultisampleRenderTarget( _transmissionRenderTarget ); textures.updateRenderTargetMipmap( _transmissionRenderTarget ); let renderTargetNeedsUpdate = false; for ( let i = 0, l = transmissiveObjects.length; i < l; i ++ ) { const renderItem = transmissiveObjects[ i ]; const object = renderItem.object; const geometry = renderItem.geometry; const material = renderItem.material; const group = renderItem.group; if ( material.side === DoubleSide && object.layers.test( camera.layers ) ) { const currentSide = material.side; material.side = BackSide; material.needsUpdate = true; renderObject( object, scene, camera, geometry, material, group ); material.side = currentSide; material.needsUpdate = true; renderTargetNeedsUpdate = true; } } if ( renderTargetNeedsUpdate === true ) { textures.updateMultisampleRenderTarget( _transmissionRenderTarget ); textures.updateRenderTargetMipmap( _transmissionRenderTarget ); } _this.setRenderTarget( currentRenderTarget ); _this.toneMapping = currentToneMapping; } function renderObjects( renderList, scene, camera ) { const overrideMaterial = scene.isScene === true ? scene.overrideMaterial : null; for ( let i = 0, l = renderList.length; i < l; i ++ ) { const renderItem = renderList[ i ]; const object = renderItem.object; const geometry = renderItem.geometry; const material = overrideMaterial === null ? renderItem.material : overrideMaterial; const group = renderItem.group; if ( object.layers.test( camera.layers ) ) { renderObject( object, scene, camera, geometry, material, group ); } } } function renderObject( object, scene, camera, geometry, material, group ) { object.onBeforeRender( _this, scene, camera, geometry, material, group ); object.modelViewMatrix.multiplyMatrices( camera.matrixWorldInverse, object.matrixWorld ); object.normalMatrix.getNormalMatrix( object.modelViewMatrix ); material.onBeforeRender( _this, scene, camera, geometry, object, group ); if ( material.transparent === true && material.side === DoubleSide && material.forceSinglePass === false ) { material.side = BackSide; material.needsUpdate = true; _this.renderBufferDirect( camera, scene, geometry, material, object, group ); material.side = FrontSide; material.needsUpdate = true; _this.renderBufferDirect( camera, scene, geometry, material, object, group ); material.side = DoubleSide; } else { _this.renderBufferDirect( camera, scene, geometry, material, object, group ); } object.onAfterRender( _this, scene, camera, geometry, material, group ); } function getProgram( material, scene, object ) { if ( scene.isScene !== true ) scene = _emptyScene; // scene could be a Mesh, Line, Points, ... const materialProperties = properties.get( material ); const lights = currentRenderState.state.lights; const shadowsArray = currentRenderState.state.shadowsArray; const lightsStateVersion = lights.state.version; const parameters = programCache.getParameters( material, lights.state, shadowsArray, scene, object ); const programCacheKey = programCache.getProgramCacheKey( parameters ); let programs = materialProperties.programs; // always update environment and fog - changing these trigger an getProgram call, but it"s possible that the program doesn"t change materialProperties.environment = material.isMeshStandardMaterial ? scene.environment : null; materialProperties.fog = scene.fog; materialProperties.envMap = ( material.isMeshStandardMaterial ? cubeuvmaps : cubemaps ).get( material.envMap || materialProperties.environment ); if ( programs === undefined ) { // new material material.addEventListener( "dispose", onMaterialDispose ); programs = new Map(); materialProperties.programs = programs; } let program = programs.get( programCacheKey ); if ( program !== undefined ) { // early out if program and light state is identical if ( materialProperties.currentProgram === program && materialProperties.lightsStateVersion === lightsStateVersion ) { updateCommonMaterialProperties( material, parameters ); return program; } } else { parameters.uniforms = programCache.getUniforms( material ); material.onBuild( object, parameters, _this ); material.onBeforeCompile( parameters, _this ); program = programCache.acquireProgram( parameters, programCacheKey ); programs.set( programCacheKey, program ); materialProperties.uniforms = parameters.uniforms; } const uniforms = materialProperties.uniforms; if ( ( ! material.isShaderMaterial && ! material.isRawShaderMaterial ) || material.clipping === true ) { uniforms.clippingPlanes = clipping.uniform; } updateCommonMaterialProperties( material, parameters ); // store the light setup it was created for materialProperties.needsLights = materialNeedsLights( material ); materialProperties.lightsStateVersion = lightsStateVersion; if ( materialProperties.needsLights ) { // wire up the material to this renderer"s lighting state uniforms.ambientLightColor.value = lights.state.ambient; uniforms.lightProbe.value = lights.state.probe; uniforms.directionalLights.value = lights.state.directional; uniforms.directionalLightShadows.value = lights.state.directionalShadow; uniforms.spotLights.value = lights.state.spot; uniforms.spotLightShadows.value = lights.state.spotShadow; uniforms.rectAreaLights.value = lights.state.rectArea; uniforms.ltc_1.value = lights.state.rectAreaLTC1; uniforms.ltc_2.value = lights.state.rectAreaLTC2; uniforms.pointLights.value = lights.state.point; uniforms.pointLightShadows.value = lights.state.pointShadow; uniforms.hemisphereLights.value = lights.state.hemi; uniforms.directionalShadowMap.value = lights.state.directionalShadowMap; uniforms.directionalShadowMatrix.value = lights.state.directionalShadowMatrix; uniforms.spotShadowMap.value = lights.state.spotShadowMap; uniforms.spotLightMatrix.value = lights.state.spotLightMatrix; uniforms.spotLightMap.value = lights.state.spotLightMap; uniforms.pointShadowMap.value = lights.state.pointShadowMap; uniforms.pointShadowMatrix.value = lights.state.pointShadowMatrix; // TODO (abelnation): add area lights shadow info to uniforms } const progUniforms = program.getUniforms(); const uniformsList = WebGLUniforms.seqWithValue( progUniforms.seq, uniforms ); materialProperties.currentProgram = program; materialProperties.uniformsList = uniformsList; return program; } function updateCommonMaterialProperties( material, parameters ) { const materialProperties = properties.get( material ); materialProperties.outputColorSpace = parameters.outputColorSpace; materialProperties.instancing = parameters.instancing; materialProperties.skinning = parameters.skinning; materialProperties.morphTargets = parameters.morphTargets; materialProperties.morphNormals = parameters.morphNormals; materialProperties.morphColors = parameters.morphColors; materialProperties.morphTargetsCount = parameters.morphTargetsCount; materialProperties.numClippingPlanes = parameters.numClippingPlanes; materialProperties.numIntersection = parameters.numClipIntersection; materialProperties.vertexAlphas = parameters.vertexAlphas; materialProperties.vertexTangents = parameters.vertexTangents; materialProperties.toneMapping = parameters.toneMapping; } function setProgram( camera, scene, geometry, material, object ) { if ( scene.isScene !== true ) scene = _emptyScene; // scene could be a Mesh, Line, Points, ... textures.resetTextureUnits(); const fog = scene.fog; const environment = material.isMeshStandardMaterial ? scene.environment : null; const colorSpace = ( _currentRenderTarget === null ) ? _this.outputColorSpace : ( _currentRenderTarget.isXRRenderTarget === true ? _currentRenderTarget.texture.colorSpace : LinearSRGBColorSpace ); const envMap = ( material.isMeshStandardMaterial ? cubeuvmaps : cubemaps ).get( material.envMap || environment ); const vertexAlphas = material.vertexColors === true && !! geometry.attributes.color && geometry.attributes.color.itemSize === 4; const vertexTangents = !! material.normalMap && !! geometry.attributes.tangent; const morphTargets = !! geometry.morphAttributes.position; const morphNormals = !! geometry.morphAttributes.normal; const morphColors = !! geometry.morphAttributes.color; const toneMapping = material.toneMapped ? _this.toneMapping : NoToneMapping; const morphAttribute = geometry.morphAttributes.position || geometry.morphAttributes.normal || geometry.morphAttributes.color; const morphTargetsCount = ( morphAttribute !== undefined ) ? morphAttribute.length : 0; const materialProperties = properties.get( material ); const lights = currentRenderState.state.lights; if ( _clippingEnabled === true ) { if ( _localClippingEnabled === true || camera !== _currentCamera ) { const useCache = camera === _currentCamera && material.id === _currentMaterialId; // we might want to call this function with some ClippingGroup // object instead of the material, once it becomes feasible // (#8465, #8379) clipping.setState( material, camera, useCache ); } } // let needsProgramChange = false; if ( material.version === materialProperties.__version ) { if ( materialProperties.needsLights && ( materialProperties.lightsStateVersion !== lights.state.version ) ) { needsProgramChange = true; } else if ( materialProperties.outputColorSpace !== colorSpace ) { needsProgramChange = true; } else if ( object.isInstancedMesh && materialProperties.instancing === false ) { needsProgramChange = true; } else if ( ! object.isInstancedMesh && materialProperties.instancing === true ) { needsProgramChange = true; } else if ( object.isSkinnedMesh && materialProperties.skinning === false ) { needsProgramChange = true; } else if ( ! object.isSkinnedMesh && materialProperties.skinning === true ) { needsProgramChange = true; } else if ( materialProperties.envMap !== envMap ) { needsProgramChange = true; } else if ( material.fog === true && materialProperties.fog !== fog ) { needsProgramChange = true; } else if ( materialProperties.numClippingPlanes !== undefined && ( materialProperties.numClippingPlanes !== clipping.numPlanes || materialProperties.numIntersection !== clipping.numIntersection ) ) { needsProgramChange = true; } else if ( materialProperties.vertexAlphas !== vertexAlphas ) { needsProgramChange = true; } else if ( materialProperties.vertexTangents !== vertexTangents ) { needsProgramChange = true; } else if ( materialProperties.morphTargets !== morphTargets ) { needsProgramChange = true; } else if ( materialProperties.morphNormals !== morphNormals ) { needsProgramChange = true; } else if ( materialProperties.morphColors !== morphColors ) { needsProgramChange = true; } else if ( materialProperties.toneMapping !== toneMapping ) { needsProgramChange = true; } else if ( capabilities.isWebGL2 === true && materialProperties.morphTargetsCount !== morphTargetsCount ) { needsProgramChange = true; } } else { needsProgramChange = true; materialProperties.__version = material.version; } // let program = materialProperties.currentProgram; if ( needsProgramChange === true ) { program = getProgram( material, scene, object ); } let refreshProgram = false; let refreshMaterial = false; let refreshLights = false; const p_uniforms = program.getUniforms(), m_uniforms = materialProperties.uniforms; if ( state.useProgram( program.program ) ) { refreshProgram = true; refreshMaterial = true; refreshLights = true; } if ( material.id !== _currentMaterialId ) { _currentMaterialId = material.id; refreshMaterial = true; } if ( refreshProgram || _currentCamera !== camera ) { p_uniforms.setValue( _gl, "projectionMatrix", camera.projectionMatrix ); if ( capabilities.logarithmicDepthBuffer ) { p_uniforms.setValue( _gl, "logDepthBufFC", 2.0 / ( Math.log( camera.far + 1.0 ) / Math.LN2 ) ); } if ( _currentCamera !== camera ) { _currentCamera = camera; // lighting uniforms depend on the camera so enforce an update // now, in case this material supports lights - or later, when // the next material that does gets activated: refreshMaterial = true; // set to true on material change refreshLights = true; // remains set until update done } // load material specific uniforms // (shader material also gets them for the sake of genericity) if ( material.isShaderMaterial || material.isMeshPhongMaterial || material.isMeshToonMaterial || material.isMeshStandardMaterial || material.envMap ) { const uCamPos = p_uniforms.map.cameraPosition; if ( uCamPos !== undefined ) { uCamPos.setValue( _gl, _vector3.setFromMatrixPosition( camera.matrixWorld ) ); } } if ( material.isMeshPhongMaterial || material.isMeshToonMaterial || material.isMeshLambertMaterial || material.isMeshBasicMaterial || material.isMeshStandardMaterial || material.isShaderMaterial ) { p_uniforms.setValue( _gl, "isOrthographic", camera.isOrthographicCamera === true ); } if ( material.isMeshPhongMaterial || material.isMeshToonMaterial || material.isMeshLambertMaterial || material.isMeshBasicMaterial || material.isMeshStandardMaterial || material.isShaderMaterial || material.isShadowMaterial || object.isSkinnedMesh ) { p_uniforms.setValue( _gl, "viewMatrix", camera.matrixWorldInverse ); } } // skinning and morph target uniforms must be set even if material didn"t change // auto-setting of texture unit for bone and morph texture must go before other textures // otherwise textures used for skinning and morphing can take over texture units reserved for other material textures if ( object.isSkinnedMesh ) { p_uniforms.setOptional( _gl, object, "bindMatrix" ); p_uniforms.setOptional( _gl, object, "bindMatrixInverse" ); const skeleton = object.skeleton; if ( skeleton ) { if ( capabilities.floatVertexTextures ) { if ( skeleton.boneTexture === null ) skeleton.computeBoneTexture(); p_uniforms.setValue( _gl, "boneTexture", skeleton.boneTexture, textures ); p_uniforms.setValue( _gl, "boneTextureSize", skeleton.boneTextureSize ); } else { console.warn( "THREE.WebGLRenderer: SkinnedMesh can only be used with WebGL 2. With WebGL 1 OES_texture_float and vertex textures support is required." ); } } } const morphAttributes = geometry.morphAttributes; if ( morphAttributes.position !== undefined || morphAttributes.normal !== undefined || ( morphAttributes.color !== undefined && capabilities.isWebGL2 === true ) ) { morphtargets.update( object, geometry, program ); } if ( refreshMaterial || materialProperties.receiveShadow !== object.receiveShadow ) { materialProperties.receiveShadow = object.receiveShadow; p_uniforms.setValue( _gl, "receiveShadow", object.receiveShadow ); } // https://github.com/mrdoob/three.js/pull/24467#issuecomment-1209031512 if ( material.isMeshGouraudMaterial && material.envMap !== null ) { m_uniforms.envMap.value = envMap; m_uniforms.flipEnvMap.value = ( envMap.isCubeTexture && envMap.isRenderTargetTexture === false ) ? - 1 : 1; } if ( refreshMaterial ) { p_uniforms.setValue( _gl, "toneMappingExposure", _this.toneMappingExposure ); if ( materialProperties.needsLights ) { // the current material requires lighting info // note: all lighting uniforms are always set correctly // they simply reference the renderer"s state for their // values // // use the current material"s .needsUpdate flags to set // the GL state when required markUniformsLightsNeedsUpdate( m_uniforms, refreshLights ); } // refresh uniforms common to several materials if ( fog && material.fog === true ) { materials.refreshFogUniforms( m_uniforms, fog ); } materials.refreshMaterialUniforms( m_uniforms, material, _pixelRatio, _height, _transmissionRenderTarget ); WebGLUniforms.upload( _gl, materialProperties.uniformsList, m_uniforms, textures ); } if ( material.isShaderMaterial && material.uniformsNeedUpdate === true ) { WebGLUniforms.upload( _gl, materialProperties.uniformsList, m_uniforms, textures ); material.uniformsNeedUpdate = false; } if ( material.isSpriteMaterial ) { p_uniforms.setValue( _gl, "center", object.center ); } // common matrices p_uniforms.setValue( _gl, "modelViewMatrix", object.modelViewMatrix ); p_uniforms.setValue( _gl, "normalMatrix", object.normalMatrix ); p_uniforms.setValue( _gl, "modelMatrix", object.matrixWorld ); // UBOs if ( material.isShaderMaterial || material.isRawShaderMaterial ) { const groups = material.uniformsGroups; for ( let i = 0, l = groups.length; i < l; i ++ ) { if ( capabilities.isWebGL2 ) { const group = groups[ i ]; uniformsGroups.update( group, program ); uniformsGroups.bind( group, program ); } else { console.warn( "THREE.WebGLRenderer: Uniform Buffer Objects can only be used with WebGL 2." ); } } } return program; } // If uniforms are marked as clean, they don"t need to be loaded to the GPU. function markUniformsLightsNeedsUpdate( uniforms, value ) { uniforms.ambientLightColor.needsUpdate = value; uniforms.lightProbe.needsUpdate = value; uniforms.directionalLights.needsUpdate = value; uniforms.directionalLightShadows.needsUpdate = value; uniforms.pointLights.needsUpdate = value; uniforms.pointLightShadows.needsUpdate = value; uniforms.spotLights.needsUpdate = value; uniforms.spotLightShadows.needsUpdate = value; uniforms.rectAreaLights.needsUpdate = value; uniforms.hemisphereLights.needsUpdate = value; } function materialNeedsLights( material ) { return material.isMeshLambertMaterial || material.isMeshToonMaterial || material.isMeshPhongMaterial || material.isMeshStandardMaterial || material.isShadowMaterial || ( material.isShaderMaterial && material.lights === true ); } this.getActiveCubeFace = function () { return _currentActiveCubeFace; }; this.getActiveMipmapLevel = function () { return _currentActiveMipmapLevel; }; this.getRenderTarget = function () { return _currentRenderTarget; }; this.setRenderTargetTextures = function ( renderTarget, colorTexture, depthTexture ) { properties.get( renderTarget.texture ).__webglTexture = colorTexture; properties.get( renderTarget.depthTexture ).__webglTexture = depthTexture; const renderTargetProperties = properties.get( renderTarget ); renderTargetProperties.__hasExternalTextures = true; if ( renderTargetProperties.__hasExternalTextures ) { renderTargetProperties.__autoAllocateDepthBuffer = depthTexture === undefined; if ( ! renderTargetProperties.__autoAllocateDepthBuffer ) { // The multisample_render_to_texture extension doesn"t work properly if there // are midframe flushes and an external depth buffer. Disable use of the extension. if ( extensions.has( "WEBGL_multisampled_render_to_texture" ) === true ) { console.warn( "THREE.WebGLRenderer: Render-to-texture extension was disabled because an external texture was provided" ); renderTargetProperties.__useRenderToTexture = false; } } } }; this.setRenderTargetFramebuffer = function ( renderTarget, defaultFramebuffer ) { const renderTargetProperties = properties.get( renderTarget ); renderTargetProperties.__webglFramebuffer = defaultFramebuffer; renderTargetProperties.__useDefaultFramebuffer = defaultFramebuffer === undefined; }; this.setRenderTarget = function ( renderTarget, activeCubeFace = 0, activeMipmapLevel = 0 ) { _currentRenderTarget = renderTarget; _currentActiveCubeFace = activeCubeFace; _currentActiveMipmapLevel = activeMipmapLevel; let useDefaultFramebuffer = true; let framebuffer = null; let isCube = false; let isRenderTarget3D = false; if ( renderTarget ) { const renderTargetProperties = properties.get( renderTarget ); if ( renderTargetProperties.__useDefaultFramebuffer !== undefined ) { // We need to make sure to rebind the framebuffer. state.bindFramebuffer( _gl.FRAMEBUFFER, null ); useDefaultFramebuffer = false; } else if ( renderTargetProperties.__webglFramebuffer === undefined ) { textures.setupRenderTarget( renderTarget ); } else if ( renderTargetProperties.__hasExternalTextures ) { // Color and depth texture must be rebound in order for the swapchain to update. textures.rebindTextures( renderTarget, properties.get( renderTarget.texture ).__webglTexture, properties.get( renderTarget.depthTexture ).__webglTexture ); } const texture = renderTarget.texture; if ( texture.isData3DTexture || texture.isDataArrayTexture || texture.isCompressedArrayTexture ) { isRenderTarget3D = true; } const __webglFramebuffer = properties.get( renderTarget ).__webglFramebuffer; if ( renderTarget.isWebGLCubeRenderTarget ) { framebuffer = __webglFramebuffer[ activeCubeFace ]; isCube = true; } else if ( ( capabilities.isWebGL2 && renderTarget.samples > 0 ) && textures.useMultisampledRTT( renderTarget ) === false ) { framebuffer = properties.get( renderTarget ).__webglMultisampledFramebuffer; } else { framebuffer = __webglFramebuffer; } _currentViewport.copy( renderTarget.viewport ); _currentScissor.copy( renderTarget.scissor ); _currentScissorTest = renderTarget.scissorTest; } else { _currentViewport.copy( _viewport ).multiplyScalar( _pixelRatio ).floor(); _currentScissor.copy( _scissor ).multiplyScalar( _pixelRatio ).floor(); _currentScissorTest = _scissorTest; } const framebufferBound = state.bindFramebuffer( _gl.FRAMEBUFFER, framebuffer ); if ( framebufferBound && capabilities.drawBuffers && useDefaultFramebuffer ) { state.drawBuffers( renderTarget, framebuffer ); } state.viewport( _currentViewport ); state.scissor( _currentScissor ); state.setScissorTest( _currentScissorTest ); if ( isCube ) { const textureProperties = properties.get( renderTarget.texture ); _gl.framebufferTexture2D( _gl.FRAMEBUFFER, _gl.COLOR_ATTACHMENT0, _gl.TEXTURE_CUBE_MAP_POSITIVE_X + activeCubeFace, textureProperties.__webglTexture, activeMipmapLevel ); } else if ( isRenderTarget3D ) { const textureProperties = properties.get( renderTarget.texture ); const layer = activeCubeFace || 0; _gl.framebufferTextureLayer( _gl.FRAMEBUFFER, _gl.COLOR_ATTACHMENT0, textureProperties.__webglTexture, activeMipmapLevel || 0, layer ); } _currentMaterialId = - 1; // reset current material to ensure correct uniform bindings }; this.readRenderTargetPixels = function ( renderTarget, x, y, width, height, buffer, activeCubeFaceIndex ) { if ( ! ( renderTarget && renderTarget.isWebGLRenderTarget ) ) { console.error( "THREE.WebGLRenderer.readRenderTargetPixels: renderTarget is not THREE.WebGLRenderTarget." ); return; } let framebuffer = properties.get( renderTarget ).__webglFramebuffer; if ( renderTarget.isWebGLCubeRenderTarget && activeCubeFaceIndex !== undefined ) { framebuffer = framebuffer[ activeCubeFaceIndex ]; } if ( framebuffer ) { state.bindFramebuffer( _gl.FRAMEBUFFER, framebuffer ); try { const texture = renderTarget.texture; const textureFormat = texture.format; const textureType = texture.type; if ( textureFormat !== RGBAFormat && utils.convert( textureFormat ) !== _gl.getParameter( _gl.IMPLEMENTATION_COLOR_READ_FORMAT ) ) { console.error( "THREE.WebGLRenderer.readRenderTargetPixels: renderTarget is not in RGBA or implementation defined format." ); return; } const halfFloatSupportedByExt = ( textureType === HalfFloatType ) && ( extensions.has( "EXT_color_buffer_half_float" ) || ( capabilities.isWebGL2 && extensions.has( "EXT_color_buffer_float" ) ) ); if ( textureType !== UnsignedByteType && utils.convert( textureType ) !== _gl.getParameter( _gl.IMPLEMENTATION_COLOR_READ_TYPE ) && // Edge and Chrome Mac < 52 (#9513) ! ( textureType === FloatType && ( capabilities.isWebGL2 || extensions.has( "OES_texture_float" ) || extensions.has( "WEBGL_color_buffer_float" ) ) ) && // Chrome Mac >= 52 and Firefox ! halfFloatSupportedByExt ) { console.error( "THREE.WebGLRenderer.readRenderTargetPixels: renderTarget is not in UnsignedByteType or implementation defined type." ); return; } // the following if statement ensures valid read requests (no out-of-bounds pixels, see #8604) if ( ( x >= 0 && x <= ( renderTarget.width - width ) ) && ( y >= 0 && y <= ( renderTarget.height - height ) ) ) { _gl.readPixels( x, y, width, height, utils.convert( textureFormat ), utils.convert( textureType ), buffer ); } } finally { // restore framebuffer of current render target if necessary const framebuffer = ( _currentRenderTarget !== null ) ? properties.get( _currentRenderTarget ).__webglFramebuffer : null; state.bindFramebuffer( _gl.FRAMEBUFFER, framebuffer ); } } }; this.copyFramebufferToTexture = function ( position, texture, level = 0 ) { const levelScale = Math.pow( 2, - level ); const width = Math.floor( texture.image.width * levelScale ); const height = Math.floor( texture.image.height * levelScale ); textures.setTexture2D( texture, 0 ); _gl.copyTexSubImage2D( _gl.TEXTURE_2D, level, 0, 0, position.x, position.y, width, height ); state.unbindTexture(); }; this.copyTextureToTexture = function ( position, srcTexture, dstTexture, level = 0 ) { const width = srcTexture.image.width; const height = srcTexture.image.height; const glFormat = utils.convert( dstTexture.format ); const glType = utils.convert( dstTexture.type ); textures.setTexture2D( dstTexture, 0 ); // As another texture upload may have changed pixelStorei // parameters, make sure they are correct for the dstTexture _gl.pixelStorei( _gl.UNPACK_FLIP_Y_WEBGL, dstTexture.flipY ); _gl.pixelStorei( _gl.UNPACK_PREMULTIPLY_ALPHA_WEBGL, dstTexture.premultiplyAlpha ); _gl.pixelStorei( _gl.UNPACK_ALIGNMENT, dstTexture.unpackAlignment ); if ( srcTexture.isDataTexture ) { _gl.texSubImage2D( _gl.TEXTURE_2D, level, position.x, position.y, width, height, glFormat, glType, srcTexture.image.data ); } else { if ( srcTexture.isCompressedTexture ) { _gl.compressedTexSubImage2D( _gl.TEXTURE_2D, level, position.x, position.y, srcTexture.mipmaps[ 0 ].width, srcTexture.mipmaps[ 0 ].height, glFormat, srcTexture.mipmaps[ 0 ].data ); } else { _gl.texSubImage2D( _gl.TEXTURE_2D, level, position.x, position.y, glFormat, glType, srcTexture.image ); } } // Generate mipmaps only when copying level 0 if ( level === 0 && dstTexture.generateMipmaps ) _gl.generateMipmap( _gl.TEXTURE_2D ); state.unbindTexture(); }; this.copyTextureToTexture3D = function ( sourceBox, position, srcTexture, dstTexture, level = 0 ) { if ( _this.isWebGL1Renderer ) { console.warn( "THREE.WebGLRenderer.copyTextureToTexture3D: can only be used with WebGL2." ); return; } const width = sourceBox.max.x - sourceBox.min.x + 1; const height = sourceBox.max.y - sourceBox.min.y + 1; const depth = sourceBox.max.z - sourceBox.min.z + 1; const glFormat = utils.convert( dstTexture.format ); const glType = utils.convert( dstTexture.type ); let glTarget; if ( dstTexture.isData3DTexture ) { textures.setTexture3D( dstTexture, 0 ); glTarget = _gl.TEXTURE_3D; } else if ( dstTexture.isDataArrayTexture ) { textures.setTexture2DArray( dstTexture, 0 ); glTarget = _gl.TEXTURE_2D_ARRAY; } else { console.warn( "THREE.WebGLRenderer.copyTextureToTexture3D: only supports THREE.DataTexture3D and THREE.DataTexture2DArray." ); return; } _gl.pixelStorei( _gl.UNPACK_FLIP_Y_WEBGL, dstTexture.flipY ); _gl.pixelStorei( _gl.UNPACK_PREMULTIPLY_ALPHA_WEBGL, dstTexture.premultiplyAlpha ); _gl.pixelStorei( _gl.UNPACK_ALIGNMENT, dstTexture.unpackAlignment ); const unpackRowLen = _gl.getParameter( _gl.UNPACK_ROW_LENGTH ); const unpackImageHeight = _gl.getParameter( _gl.UNPACK_IMAGE_HEIGHT ); const unpackSkipPixels = _gl.getParameter( _gl.UNPACK_SKIP_PIXELS ); const unpackSkipRows = _gl.getParameter( _gl.UNPACK_SKIP_ROWS ); const unpackSkipImages = _gl.getParameter( _gl.UNPACK_SKIP_IMAGES ); const image = srcTexture.isCompressedTexture ? srcTexture.mipmaps[ 0 ] : srcTexture.image; _gl.pixelStorei( _gl.UNPACK_ROW_LENGTH, image.width ); _gl.pixelStorei( _gl.UNPACK_IMAGE_HEIGHT, image.height ); _gl.pixelStorei( _gl.UNPACK_SKIP_PIXELS, sourceBox.min.x ); _gl.pixelStorei( _gl.UNPACK_SKIP_ROWS, sourceBox.min.y ); _gl.pixelStorei( _gl.UNPACK_SKIP_IMAGES, sourceBox.min.z ); if ( srcTexture.isDataTexture || srcTexture.isData3DTexture ) { _gl.texSubImage3D( glTarget, level, position.x, position.y, position.z, width, height, depth, glFormat, glType, image.data ); } else { if ( srcTexture.isCompressedArrayTexture ) { console.warn( "THREE.WebGLRenderer.copyTextureToTexture3D: untested support for compressed srcTexture." ); _gl.compressedTexSubImage3D( glTarget, level, position.x, position.y, position.z, width, height, depth, glFormat, image.data ); } else { _gl.texSubImage3D( glTarget, level, position.x, position.y, position.z, width, height, depth, glFormat, glType, image ); } } _gl.pixelStorei( _gl.UNPACK_ROW_LENGTH, unpackRowLen ); _gl.pixelStorei( _gl.UNPACK_IMAGE_HEIGHT, unpackImageHeight ); _gl.pixelStorei( _gl.UNPACK_SKIP_PIXELS, unpackSkipPixels ); _gl.pixelStorei( _gl.UNPACK_SKIP_ROWS, unpackSkipRows ); _gl.pixelStorei( _gl.UNPACK_SKIP_IMAGES, unpackSkipImages ); // Generate mipmaps only when copying level 0 if ( level === 0 && dstTexture.generateMipmaps ) _gl.generateMipmap( glTarget ); state.unbindTexture(); }; this.initTexture = function ( texture ) { if ( texture.isCubeTexture ) { textures.setTextureCube( texture, 0 ); } else if ( texture.isData3DTexture ) { textures.setTexture3D( texture, 0 ); } else if ( texture.isDataArrayTexture || texture.isCompressedArrayTexture ) { textures.setTexture2DArray( texture, 0 ); } else { textures.setTexture2D( texture, 0 ); } state.unbindTexture(); }; this.resetState = function () { _currentActiveCubeFace = 0; _currentActiveMipmapLevel = 0; _currentRenderTarget = null; state.reset(); bindingStates.reset(); }; if ( typeof __THREE_DEVTOOLS__ !== "undefined" ) { __THREE_DEVTOOLS__.dispatchEvent( new CustomEvent( "observe", { detail: this } ) ); } } get physicallyCorrectLights() { // @deprecated, r150 console.warn( "THREE.WebGLRenderer: the property .physicallyCorrectLights has been removed. Set renderer.useLegacyLights instead." ); return ! this.useLegacyLights; } set physicallyCorrectLights( value ) { // @deprecated, r150 console.warn( "THREE.WebGLRenderer: the property .physicallyCorrectLights has been removed. Set renderer.useLegacyLights instead." ); this.useLegacyLights = ! value; } get outputEncoding() { // @deprecated, r152 console.warn( "THREE.WebGLRenderer: Property .outputEncoding has been removed. Use .outputColorSpace instead." ); return this.outputColorSpace === SRGBColorSpace ? sRGBEncoding : LinearEncoding; } set outputEncoding( encoding ) { // @deprecated, r152 console.warn( "THREE.WebGLRenderer: Property .outputEncoding has been removed. Use .outputColorSpace instead." ); this.outputColorSpace = encoding === sRGBEncoding ? SRGBColorSpace : LinearSRGBColorSpace; } } class WebGL1Renderer extends WebGLRenderer {} WebGL1Renderer.prototype.isWebGL1Renderer = true; class Scene extends Object3D { constructor() { super(); this.isScene = true; this.type = "Scene"; this.background = null; this.environment = null; this.fog = null; this.backgroundBlurriness = 0; this.backgroundIntensity = 1; this.overrideMaterial = null; if ( typeof __THREE_DEVTOOLS__ !== "undefined" ) { __THREE_DEVTOOLS__.dispatchEvent( new CustomEvent( "observe", { detail: this } ) ); } } copy( source, recursive ) { super.copy( source, recursive ); if ( source.background !== null ) this.background = source.background.clone(); if ( source.environment !== null ) this.environment = source.environment.clone(); if ( source.fog !== null ) this.fog = source.fog.clone(); this.backgroundBlurriness = source.backgroundBlurriness; this.backgroundIntensity = source.backgroundIntensity; if ( source.overrideMaterial !== null ) this.overrideMaterial = source.overrideMaterial.clone(); this.matrixAutoUpdate = source.matrixAutoUpdate; return this; } toJSON( meta ) { const data = super.toJSON( meta ); if ( this.fog !== null ) data.object.fog = this.fog.toJSON(); if ( this.backgroundBlurriness > 0 ) data.object.backgroundBlurriness = this.backgroundBlurriness; if ( this.backgroundIntensity !== 1 ) data.object.backgroundIntensity = this.backgroundIntensity; return data; } get autoUpdate() { // @deprecated, r144 console.warn( "THREE.Scene: autoUpdate was renamed to matrixWorldAutoUpdate in r144." ); return this.matrixWorldAutoUpdate; } set autoUpdate( value ) { // @deprecated, r144 console.warn( "THREE.Scene: autoUpdate was renamed to matrixWorldAutoUpdate in r144." ); this.matrixWorldAutoUpdate = value; } } class InterleavedBuffer { constructor( array, stride ) { this.isInterleavedBuffer = true; this.array = array; this.stride = stride; this.count = array !== undefined ? array.length / stride : 0; this.usage = StaticDrawUsage; this.updateRange = { offset: 0, count: - 1 }; this.version = 0; this.uuid = generateUUID(); } onUploadCallback() {} set needsUpdate( value ) { if ( value === true ) this.version ++; } setUsage( value ) { this.usage = value; return this; } copy( source ) { this.array = new source.array.constructor( source.array ); this.count = source.count; this.stride = source.stride; this.usage = source.usage; return this; } copyAt( index1, attribute, index2 ) { index1 *= this.stride; index2 *= attribute.stride; for ( let i = 0, l = this.stride; i < l; i ++ ) { this.array[ index1 + i ] = attribute.array[ index2 + i ]; } return this; } set( value, offset = 0 ) { this.array.set( value, offset ); return this; } clone( data ) { if ( data.arrayBuffers === undefined ) { data.arrayBuffers = {}; } if ( this.array.buffer._uuid === undefined ) { this.array.buffer._uuid = generateUUID(); } if ( data.arrayBuffers[ this.array.buffer._uuid ] === undefined ) { data.arrayBuffers[ this.array.buffer._uuid ] = this.array.slice( 0 ).buffer; } const array = new this.array.constructor( data.arrayBuffers[ this.array.buffer._uuid ] ); const ib = new this.constructor( array, this.stride ); ib.setUsage( this.usage ); return ib; } onUpload( callback ) { this.onUploadCallback = callback; return this; } toJSON( data ) { if ( data.arrayBuffers === undefined ) { data.arrayBuffers = {}; } // generate UUID for array buffer if necessary if ( this.array.buffer._uuid === undefined ) { this.array.buffer._uuid = generateUUID(); } if ( data.arrayBuffers[ this.array.buffer._uuid ] === undefined ) { data.arrayBuffers[ this.array.buffer._uuid ] = Array.from( new Uint32Array( this.array.buffer ) ); } // return { uuid: this.uuid, buffer: this.array.buffer._uuid, type: this.array.constructor.name, stride: this.stride }; } } const _vector$5 = /*@__PURE__*/ new Vector3(); class InterleavedBufferAttribute { constructor( interleavedBuffer, itemSize, offset, normalized = false ) { this.isInterleavedBufferAttribute = true; this.name = ""; this.data = interleavedBuffer; this.itemSize = itemSize; this.offset = offset; this.normalized = normalized; } get count() { return this.data.count; } get array() { return this.data.array; } set needsUpdate( value ) { this.data.needsUpdate = value; } applyMatrix4( m ) { for ( let i = 0, l = this.data.count; i < l; i ++ ) { _vector$5.fromBufferAttribute( this, i ); _vector$5.applyMatrix4( m ); this.setXYZ( i, _vector$5.x, _vector$5.y, _vector$5.z ); } return this; } applyNormalMatrix( m ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector$5.fromBufferAttribute( this, i ); _vector$5.applyNormalMatrix( m ); this.setXYZ( i, _vector$5.x, _vector$5.y, _vector$5.z ); } return this; } transformDirection( m ) { for ( let i = 0, l = this.count; i < l; i ++ ) { _vector$5.fromBufferAttribute( this, i ); _vector$5.transformDirection( m ); this.setXYZ( i, _vector$5.x, _vector$5.y, _vector$5.z ); } return this; } setX( index, x ) { if ( this.normalized ) x = normalize( x, this.array ); this.data.array[ index * this.data.stride + this.offset ] = x; return this; } setY( index, y ) { if ( this.normalized ) y = normalize( y, this.array ); this.data.array[ index * this.data.stride + this.offset + 1 ] = y; return this; } setZ( index, z ) { if ( this.normalized ) z = normalize( z, this.array ); this.data.array[ index * this.data.stride + this.offset + 2 ] = z; return this; } setW( index, w ) { if ( this.normalized ) w = normalize( w, this.array ); this.data.array[ index * this.data.stride + this.offset + 3 ] = w; return this; } getX( index ) { let x = this.data.array[ index * this.data.stride + this.offset ]; if ( this.normalized ) x = denormalize( x, this.array ); return x; } getY( index ) { let y = this.data.array[ index * this.data.stride + this.offset + 1 ]; if ( this.normalized ) y = denormalize( y, this.array ); return y; } getZ( index ) { let z = this.data.array[ index * this.data.stride + this.offset + 2 ]; if ( this.normalized ) z = denormalize( z, this.array ); return z; } getW( index ) { let w = this.data.array[ index * this.data.stride + this.offset + 3 ]; if ( this.normalized ) w = denormalize( w, this.array ); return w; } setXY( index, x, y ) { index = index * this.data.stride + this.offset; if ( this.normalized ) { x = normalize( x, this.array ); y = normalize( y, this.array ); } this.data.array[ index + 0 ] = x; this.data.array[ index + 1 ] = y; return this; } setXYZ( index, x, y, z ) { index = index * this.data.stride + this.offset; if ( this.normalized ) { x = normalize( x, this.array ); y = normalize( y, this.array ); z = normalize( z, this.array ); } this.data.array[ index + 0 ] = x; this.data.array[ index + 1 ] = y; this.data.array[ index + 2 ] = z; return this; } setXYZW( index, x, y, z, w ) { index = index * this.data.stride + this.offset; if ( this.normalized ) { x = normalize( x, this.array ); y = normalize( y, this.array ); z = normalize( z, this.array ); w = normalize( w, this.array ); } this.data.array[ index + 0 ] = x; this.data.array[ index + 1 ] = y; this.data.array[ index + 2 ] = z; this.data.array[ index + 3 ] = w; return this; } clone( data ) { if ( data === undefined ) { console.log( "THREE.InterleavedBufferAttribute.clone(): Cloning an interleaved buffer attribute will de-interleave buffer data." ); const array = []; for ( let i = 0; i < this.count; i ++ ) { const index = i * this.data.stride + this.offset; for ( let j = 0; j < this.itemSize; j ++ ) { array.push( this.data.array[ index + j ] ); } } return new BufferAttribute( new this.array.constructor( array ), this.itemSize, this.normalized ); } else { if ( data.interleavedBuffers === undefined ) { data.interleavedBuffers = {}; } if ( data.interleavedBuffers[ this.data.uuid ] === undefined ) { data.interleavedBuffers[ this.data.uuid ] = this.data.clone( data ); } return new InterleavedBufferAttribute( data.interleavedBuffers[ this.data.uuid ], this.itemSize, this.offset, this.normalized ); } } toJSON( data ) { if ( data === undefined ) { console.log( "THREE.InterleavedBufferAttribute.toJSON(): Serializing an interleaved buffer attribute will de-interleave buffer data." ); const array = []; for ( let i = 0; i < this.count; i ++ ) { const index = i * this.data.stride + this.offset; for ( let j = 0; j < this.itemSize; j ++ ) { array.push( this.data.array[ index + j ] ); } } // de-interleave data and save it as an ordinary buffer attribute for now return { itemSize: this.itemSize, type: this.array.constructor.name, array: array, normalized: this.normalized }; } else { // save as true interleaved attribute if ( data.interleavedBuffers === undefined ) { data.interleavedBuffers = {}; } if ( data.interleavedBuffers[ this.data.uuid ] === undefined ) { data.interleavedBuffers[ this.data.uuid ] = this.data.toJSON( data ); } return { isInterleavedBufferAttribute: true, itemSize: this.itemSize, data: this.data.uuid, offset: this.offset, normalized: this.normalized }; } } } class SpriteMaterial extends Material { constructor( parameters ) { super(); this.isSpriteMaterial = true; this.type = "SpriteMaterial"; this.color = new Color( 0xffffff ); this.map = null; this.alphaMap = null; this.rotation = 0; this.sizeAttenuation = true; this.transparent = true; this.fog = true; this.setValues( parameters ); } copy( source ) { super.copy( source ); this.color.copy( source.color ); this.map = source.map; this.alphaMap = source.alphaMap; this.rotation = source.rotation; this.sizeAttenuation = source.sizeAttenuation; this.fog = source.fog; return this; } } let _geometry; const _intersectPoint = /*@__PURE__*/ new Vector3(); const _worldScale = /*@__PURE__*/ new Vector3(); const _mvPosition = /*@__PURE__*/ new Vector3(); const _alignedPosition = /*@__PURE__*/ new Vector2(); const _rotatedPosition = /*@__PURE__*/ new Vector2(); const _viewWorldMatrix = /*@__PURE__*/ new Matrix4(); const _vA = /*@__PURE__*/ new Vector3(); const _vB = /*@__PURE__*/ new Vector3(); const _vC = /*@__PURE__*/ new Vector3(); const _uvA = /*@__PURE__*/ new Vector2(); const _uvB = /*@__PURE__*/ new Vector2(); const _uvC = /*@__PURE__*/ new Vector2(); class Sprite extends Object3D { constructor( material ) { super(); this.isSprite = true; this.type = "Sprite"; if ( _geometry === undefined ) { _geometry = new BufferGeometry(); const float32Array = new Float32Array( [ - 0.5, - 0.5, 0, 0, 0, 0.5, - 0.5, 0, 1, 0, 0.5, 0.5, 0, 1, 1, - 0.5, 0.5, 0, 0, 1 ] ); const interleavedBuffer = new InterleavedBuffer( float32Array, 5 ); _geometry.setIndex( [ 0, 1, 2, 0, 2, 3 ] ); _geometry.setAttribute( "position", new InterleavedBufferAttribute( interleavedBuffer, 3, 0, false ) ); _geometry.setAttribute( "uv", new InterleavedBufferAttribute( interleavedBuffer, 2, 3, false ) ); } this.geometry = _geometry; this.material = ( material !== undefined ) ? material : new SpriteMaterial(); this.center = new Vector2( 0.5, 0.5 ); } raycast( raycaster, intersects ) { if ( raycaster.camera === null ) { console.error( "THREE.Sprite: "Raycaster.camera" needs to be set in order to raycast against sprites." ); } _worldScale.setFromMatrixScale( this.matrixWorld ); _viewWorldMatrix.copy( raycaster.camera.matrixWorld ); this.modelViewMatrix.multiplyMatrices( raycaster.camera.matrixWorldInverse, this.matrixWorld ); _mvPosition.setFromMatrixPosition( this.modelViewMatrix ); if ( raycaster.camera.isPerspectiveCamera && this.material.sizeAttenuation === false ) { _worldScale.multiplyScalar( - _mvPosition.z ); } const rotation = this.material.rotation; let sin, cos; if ( rotation !== 0 ) { cos = Math.cos( rotation ); sin = Math.sin( rotation ); } const center = this.center; transformVertex( _vA.set( - 0.5, - 0.5, 0 ), _mvPosition, center, _worldScale, sin, cos ); transformVertex( _vB.set( 0.5, - 0.5, 0 ), _mvPosition, center, _worldScale, sin, cos ); transformVertex( _vC.set( 0.5, 0.5, 0 ), _mvPosition, center, _worldScale, sin, cos ); _uvA.set( 0, 0 ); _uvB.set( 1, 0 ); _uvC.set( 1, 1 ); // check first triangle let intersect = raycaster.ray.intersectTriangle( _vA, _vB, _vC, false, _intersectPoint ); if ( intersect === null ) { // check second triangle transformVertex( _vB.set( - 0.5, 0.5, 0 ), _mvPosition, center, _worldScale, sin, cos ); _uvB.set( 0, 1 ); intersect = raycaster.ray.intersectTriangle( _vA, _vC, _vB, false, _intersectPoint ); if ( intersect === null ) { return; } } const distance = raycaster.ray.origin.distanceTo( _intersectPoint ); if ( distance < raycaster.near || distance > raycaster.far ) return; intersects.push( { distance: distance, point: _intersectPoint.clone(), uv: Triangle.getInterpolation( _intersectPoint, _vA, _vB, _vC, _uvA, _uvB, _uvC, new Vector2() ), face: null, object: this } ); } copy( source, recursive ) { super.copy( source, recursive ); if ( source.center !== undefined ) this.center.copy( source.center ); this.material = source.material; return this; } } function transformVertex( vertexPosition, mvPosition, center, scale, sin, cos ) { // compute position in camera space _alignedPosition.subVectors( vertexPosition, center ).addScalar( 0.5 ).multiply( scale ); // to check if rotation is not zero if ( sin !== undefined ) { _rotatedPosition.x = ( cos * _alignedPosition.x ) - ( sin * _alignedPosition.y ); _rotatedPosition.y = ( sin * _alignedPosition.x ) + ( cos * _alignedPosition.y ); } else { _rotatedPosition.copy( _alignedPosition ); } vertexPosition.copy( mvPosition ); vertexPosition.x += _rotatedPosition.x; vertexPosition.y += _rotatedPosition.y; // transform to world space vertexPosition.applyMatrix4( _viewWorldMatrix ); } class LineBasicMaterial extends Material { constructor( parameters ) { super(); this.isLineBasicMaterial = true; this.type = "LineBasicMaterial"; this.color = new Color( 0xffffff ); this.map = null; this.linewidth = 1; this.linecap = "round"; this.linejoin = "round"; this.fog = true; this.setValues( parameters ); } copy( source ) { super.copy( source ); this.color.copy( source.color ); this.map = source.map; this.linewidth = source.linewidth; this.linecap = source.linecap; this.linejoin = source.linejoin; this.fog = source.fog; return this; } } const _start$1 = /*@__PURE__*/ new Vector3(); const _end$1 = /*@__PURE__*/ new Vector3(); const _inverseMatrix$1 = /*@__PURE__*/ new Matrix4(); const _ray$1 = /*@__PURE__*/ new Ray(); const _sphere$1 = /*@__PURE__*/ new Sphere(); class Line extends Object3D { constructor( geometry = new BufferGeometry(), material = new LineBasicMaterial() ) { super(); this.isLine = true; this.type = "Line"; this.geometry = geometry; this.material = material; this.updateMorphTargets(); } copy( source, recursive ) { super.copy( source, recursive ); this.material = source.material; this.geometry = source.geometry; return this; } computeLineDistances() { const geometry = this.geometry; // we assume non-indexed geometry if ( geometry.index === null ) { const positionAttribute = geometry.attributes.position; const lineDistances = [ 0 ]; for ( let i = 1, l = positionAttribute.count; i < l; i ++ ) { _start$1.fromBufferAttribute( positionAttribute, i - 1 ); _end$1.fromBufferAttribute( positionAttribute, i ); lineDistances[ i ] = lineDistances[ i - 1 ]; lineDistances[ i ] += _start$1.distanceTo( _end$1 ); } geometry.setAttribute( "lineDistance", new Float32BufferAttribute( lineDistances, 1 ) ); } else { console.warn( "THREE.Line.computeLineDistances(): Computation only possible with non-indexed BufferGeometry." ); } return this; } raycast( raycaster, intersects ) { const geometry = this.geometry; const matrixWorld = this.matrixWorld; const threshold = raycaster.params.Line.threshold; const drawRange = geometry.drawRange; // Checking boundingSphere distance to ray if ( geometry.boundingSphere === null ) geometry.computeBoundingSphere(); _sphere$1.copy( geometry.boundingSphere ); _sphere$1.applyMatrix4( matrixWorld ); _sphere$1.radius += threshold; if ( raycaster.ray.intersectsSphere( _sphere$1 ) === false ) return; // _inverseMatrix$1.copy( matrixWorld ).invert(); _ray$1.copy( raycaster.ray ).applyMatrix4( _inverseMatrix$1 ); const localThreshold = threshold / ( ( this.scale.x + this.scale.y + this.scale.z ) / 3 ); const localThresholdSq = localThreshold * localThreshold; const vStart = new Vector3(); const vEnd = new Vector3(); const interSegment = new Vector3(); const interRay = new Vector3(); const step = this.isLineSegments ? 2 : 1; const index = geometry.index; const attributes = geometry.attributes; const positionAttribute = attributes.position; if ( index !== null ) { const start = Math.max( 0, drawRange.start ); const end = Math.min( index.count, ( drawRange.start + drawRange.count ) ); for ( let i = start, l = end - 1; i < l; i += step ) { const a = index.getX( i ); const b = index.getX( i + 1 ); vStart.fromBufferAttribute( positionAttribute, a ); vEnd.fromBufferAttribute( positionAttribute, b ); const distSq = _ray$1.distanceSqToSegment( vStart, vEnd, interRay, interSegment ); if ( distSq > localThresholdSq ) continue; interRay.applyMatrix4( this.matrixWorld ); //Move back to world space for distance calculation const distance = raycaster.ray.origin.distanceTo( interRay ); if ( distance < raycaster.near || distance > raycaster.far ) continue; intersects.push( { distance: distance, // What do we want? intersection point on the ray or on the segment?? // point: raycaster.ray.at( distance ), point: interSegment.clone().applyMatrix4( this.matrixWorld ), index: i, face: null, faceIndex: null, object: this } ); } } else { const start = Math.max( 0, drawRange.start ); const end = Math.min( positionAttribute.count, ( drawRange.start + drawRange.count ) ); for ( let i = start, l = end - 1; i < l; i += step ) { vStart.fromBufferAttribute( positionAttribute, i ); vEnd.fromBufferAttribute( positionAttribute, i + 1 ); const distSq = _ray$1.distanceSqToSegment( vStart, vEnd, interRay, interSegment ); if ( distSq > localThresholdSq ) continue; interRay.applyMatrix4( this.matrixWorld ); //Move back to world space for distance calculation const distance = raycaster.ray.origin.distanceTo( interRay ); if ( distance < raycaster.near || distance > raycaster.far ) continue; intersects.push( { distance: distance, // What do we want? intersection point on the ray or on the segment?? // point: raycaster.ray.at( distance ), point: interSegment.clone().applyMatrix4( this.matrixWorld ), index: i, face: null, faceIndex: null, object: this } ); } } } updateMorphTargets() { const geometry = this.geometry; const morphAttributes = geometry.morphAttributes; const keys = Object.keys( morphAttributes ); if ( keys.length > 0 ) { const morphAttribute = morphAttributes[ keys[ 0 ] ]; if ( morphAttribute !== undefined ) { this.morphTargetInfluences = []; this.morphTargetDictionary = {}; for ( let m = 0, ml = morphAttribute.length; m < ml; m ++ ) { const name = morphAttribute[ m ].name || String( m ); this.morphTargetInfluences.push( 0 ); this.morphTargetDictionary[ name ] = m; } } } } } const _start = /*@__PURE__*/ new Vector3(); const _end = /*@__PURE__*/ new Vector3(); class LineSegments extends Line { constructor( geometry, material ) { super( geometry, material ); this.isLineSegments = true; this.type = "LineSegments"; } computeLineDistances() { const geometry = this.geometry; // we assume non-indexed geometry if ( geometry.index === null ) { const positionAttribute = geometry.attributes.position; const lineDistances = []; for ( let i = 0, l = positionAttribute.count; i < l; i += 2 ) { _start.fromBufferAttribute( positionAttribute, i ); _end.fromBufferAttribute( positionAttribute, i + 1 ); lineDistances[ i ] = ( i === 0 ) ? 0 : lineDistances[ i - 1 ]; lineDistances[ i + 1 ] = lineDistances[ i ] + _start.distanceTo( _end ); } geometry.setAttribute( "lineDistance", new Float32BufferAttribute( lineDistances, 1 ) ); } else { console.warn( "THREE.LineSegments.computeLineDistances(): Computation only possible with non-indexed BufferGeometry." ); } return this; } } class PointsMaterial extends Material { constructor( parameters ) { super(); this.isPointsMaterial = true; this.type = "PointsMaterial"; this.color = new Color( 0xffffff ); this.map = null; this.alphaMap = null; this.size = 1; this.sizeAttenuation = true; this.fog = true; this.setValues( parameters ); } copy( source ) { super.copy( source ); this.color.copy( source.color ); this.map = source.map; this.alphaMap = source.alphaMap; this.size = source.size; this.sizeAttenuation = source.sizeAttenuation; this.fog = source.fog; return this; } } const _inverseMatrix = /*@__PURE__*/ new Matrix4(); const _ray = /*@__PURE__*/ new Ray(); const _sphere = /*@__PURE__*/ new Sphere(); const _position$2 = /*@__PURE__*/ new Vector3(); class Points extends Object3D { constructor( geometry = new BufferGeometry(), material = new PointsMaterial() ) { super(); this.isPoints = true; this.type = "Points"; this.geometry = geometry; this.material = material; this.updateMorphTargets(); } copy( source, recursive ) { super.copy( source, recursive ); this.material = source.material; this.geometry = source.geometry; return this; } raycast( raycaster, intersects ) { const geometry = this.geometry; const matrixWorld = this.matrixWorld; const threshold = raycaster.params.Points.threshold; const drawRange = geometry.drawRange; // Checking boundingSphere distance to ray if ( geometry.boundingSphere === null ) geometry.computeBoundingSphere(); _sphere.copy( geometry.boundingSphere ); _sphere.applyMatrix4( matrixWorld ); _sphere.radius += threshold; if ( raycaster.ray.intersectsSphere( _sphere ) === false ) return; // _inverseMatrix.copy( matrixWorld ).invert(); _ray.copy( raycaster.ray ).applyMatrix4( _inverseMatrix ); const localThreshold = threshold / ( ( this.scale.x + this.scale.y + this.scale.z ) / 3 ); const localThresholdSq = localThreshold * localThreshold; const index = geometry.index; const attributes = geometry.attributes; const positionAttribute = attributes.position; if ( index !== null ) { const start = Math.max( 0, drawRange.start ); const end = Math.min( index.count, ( drawRange.start + drawRange.count ) ); for ( let i = start, il = end; i < il; i ++ ) { const a = index.getX( i ); _position$2.fromBufferAttribute( positionAttribute, a ); testPoint( _position$2, a, localThresholdSq, matrixWorld, raycaster, intersects, this ); } } else { const start = Math.max( 0, drawRange.start ); const end = Math.min( positionAttribute.count, ( drawRange.start + drawRange.count ) ); for ( let i = start, l = end; i < l; i ++ ) { _position$2.fromBufferAttribute( positionAttribute, i ); testPoint( _position$2, i, localThresholdSq, matrixWorld, raycaster, intersects, this ); } } } updateMorphTargets() { const geometry = this.geometry; const morphAttributes = geometry.morphAttributes; const keys = Object.keys( morphAttributes ); if ( keys.length > 0 ) { const morphAttribute = morphAttributes[ keys[ 0 ] ]; if ( morphAttribute !== undefined ) { this.morphTargetInfluences = []; this.morphTargetDictionary = {}; for ( let m = 0, ml = morphAttribute.length; m < ml; m ++ ) { const name = morphAttribute[ m ].name || String( m ); this.morphTargetInfluences.push( 0 ); this.morphTargetDictionary[ name ] = m; } } } } } function testPoint( point, index, localThresholdSq, matrixWorld, raycaster, intersects, object ) { const rayPointDistanceSq = _ray.distanceSqToPoint( point ); if ( rayPointDistanceSq < localThresholdSq ) { const intersectPoint = new Vector3(); _ray.closestPointToPoint( point, intersectPoint ); intersectPoint.applyMatrix4( matrixWorld ); const distance = raycaster.ray.origin.distanceTo( intersectPoint ); if ( distance < raycaster.near || distance > raycaster.far ) return; intersects.push( { distance: distance, distanceToRay: Math.sqrt( rayPointDistanceSq ), point: intersectPoint, index: index, face: null, object: object } ); } } /** * Extensible curve object. * * Some common of curve methods: * .getPoint( t, optionalTarget ), .getTangent( t, optionalTarget ) * .getPointAt( u, optionalTarget ), .getTangentAt( u, optionalTarget ) * .getPoints(), .getSpacedPoints() * .getLength() * .updateArcLengths() * * This following curves inherit from THREE.Curve: * * -- 2D curves -- * THREE.ArcCurve * THREE.CubicBezierCurve * THREE.EllipseCurve * THREE.LineCurve * THREE.QuadraticBezierCurve * THREE.SplineCurve * * -- 3D curves -- * THREE.CatmullRomCurve3 * THREE.CubicBezierCurve3 * THREE.LineCurve3 * THREE.QuadraticBezierCurve3 * * A series of curves can be represented as a THREE.CurvePath. * **/ class Curve { constructor() { this.type = "Curve"; this.arcLengthDivisions = 200; } // Virtual base class method to overwrite and implement in subclasses // - t [0 .. 1] getPoint( /* t, optionalTarget */ ) { console.warn( "THREE.Curve: .getPoint() not implemented." ); return null; } // Get point at relative position in curve according to arc length // - u [0 .. 1] getPointAt( u, optionalTarget ) { const t = this.getUtoTmapping( u ); return this.getPoint( t, optionalTarget ); } // Get sequence of points using getPoint( t ) getPoints( divisions = 5 ) { const points = []; for ( let d = 0; d <= divisions; d ++ ) { points.push( this.getPoint( d / divisions ) ); } return points; } // Get sequence of points using getPointAt( u ) getSpacedPoints( divisions = 5 ) { const points = []; for ( let d = 0; d <= divisions; d ++ ) { points.push( this.getPointAt( d / divisions ) ); } return points; } // Get total curve arc length getLength() { const lengths = this.getLengths(); return lengths[ lengths.length - 1 ]; } // Get list of cumulative segment lengths getLengths( divisions = this.arcLengthDivisions ) { if ( this.cacheArcLengths && ( this.cacheArcLengths.length === divisions + 1 ) && ! this.needsUpdate ) { return this.cacheArcLengths; } this.needsUpdate = false; const cache = []; let current, last = this.getPoint( 0 ); let sum = 0; cache.push( 0 ); for ( let p = 1; p <= divisions; p ++ ) { current = this.getPoint( p / divisions ); sum += current.distanceTo( last ); cache.push( sum ); last = current; } this.cacheArcLengths = cache; return cache; // { sums: cache, sum: sum }; Sum is in the last element. } updateArcLengths() { this.needsUpdate = true; this.getLengths(); } // Given u ( 0 .. 1 ), get a t to find p. This gives you points which are equidistant getUtoTmapping( u, distance ) { const arcLengths = this.getLengths(); let i = 0; const il = arcLengths.length; let targetArcLength; // The targeted u distance value to get if ( distance ) { targetArcLength = distance; } else { targetArcLength = u * arcLengths[ il - 1 ]; } // binary search for the index with largest value smaller than target u distance let low = 0, high = il - 1, comparison; while ( low <= high ) { i = Math.floor( low + ( high - low ) / 2 ); // less likely to overflow, though probably not issue here, JS doesn"t really have integers, all numbers are floats comparison = arcLengths[ i ] - targetArcLength; if ( comparison < 0 ) { low = i + 1; } else if ( comparison > 0 ) { high = i - 1; } else { high = i; break; // DONE } } i = high; if ( arcLengths[ i ] === targetArcLength ) { return i / ( il - 1 ); } // we could get finer grain at lengths, or use simple interpolation between two points const lengthBefore = arcLengths[ i ]; const lengthAfter = arcLengths[ i + 1 ]; const segmentLength = lengthAfter - lengthBefore; // determine where we are between the "before" and "after" points const segmentFraction = ( targetArcLength - lengthBefore ) / segmentLength; // add that fractional amount to t const t = ( i + segmentFraction ) / ( il - 1 ); return t; } // Returns a unit vector tangent at t // In case any sub curve does not implement its tangent derivation, // 2 points a small delta apart will be used to find its gradient // which seems to give a reasonable approximation getTangent( t, optionalTarget ) { const delta = 0.0001; let t1 = t - delta; let t2 = t + delta; // Capping in case of danger if ( t1 < 0 ) t1 = 0; if ( t2 > 1 ) t2 = 1; const pt1 = this.getPoint( t1 ); const pt2 = this.getPoint( t2 ); const tangent = optionalTarget || ( ( pt1.isVector2 ) ? new Vector2() : new Vector3() ); tangent.copy( pt2 ).sub( pt1 ).normalize(); return tangent; } getTangentAt( u, optionalTarget ) { const t = this.getUtoTmapping( u ); return this.getTangent( t, optionalTarget ); } computeFrenetFrames( segments, closed ) { // see http://www.cs.indiana.edu/pub/techreports/TR425.pdf const normal = new Vector3(); const tangents = []; const normals = []; const binormals = []; const vec = new Vector3(); const mat = new Matrix4(); // compute the tangent vectors for each segment on the curve for ( let i = 0; i <= segments; i ++ ) { const u = i / segments; tangents[ i ] = this.getTangentAt( u, new Vector3() ); } // select an initial normal vector perpendicular to the first tangent vector, // and in the direction of the minimum tangent xyz component normals[ 0 ] = new Vector3(); binormals[ 0 ] = new Vector3(); let min = Number.MAX_VALUE; const tx = Math.abs( tangents[ 0 ].x ); const ty = Math.abs( tangents[ 0 ].y ); const tz = Math.abs( tangents[ 0 ].z ); if ( tx <= min ) { min = tx; normal.set( 1, 0, 0 ); } if ( ty <= min ) { min = ty; normal.set( 0, 1, 0 ); } if ( tz <= min ) { normal.set( 0, 0, 1 ); } vec.crossVectors( tangents[ 0 ], normal ).normalize(); normals[ 0 ].crossVectors( tangents[ 0 ], vec ); binormals[ 0 ].crossVectors( tangents[ 0 ], normals[ 0 ] ); // compute the slowly-varying normal and binormal vectors for each segment on the curve for ( let i = 1; i <= segments; i ++ ) { normals[ i ] = normals[ i - 1 ].clone(); binormals[ i ] = binormals[ i - 1 ].clone(); vec.crossVectors( tangents[ i - 1 ], tangents[ i ] ); if ( vec.length() > Number.EPSILON ) { vec.normalize(); const theta = Math.acos( clamp$1( tangents[ i - 1 ].dot( tangents[ i ] ), - 1, 1 ) ); // clamp for floating pt errors normals[ i ].applyMatrix4( mat.makeRotationAxis( vec, theta ) ); } binormals[ i ].crossVectors( tangents[ i ], normals[ i ] ); } // if the curve is closed, postprocess the vectors so the first and last normal vectors are the same if ( closed === true ) { let theta = Math.acos( clamp$1( normals[ 0 ].dot( normals[ segments ] ), - 1, 1 ) ); theta /= segments; if ( tangents[ 0 ].dot( vec.crossVectors( normals[ 0 ], normals[ segments ] ) ) > 0 ) { theta = - theta; } for ( let i = 1; i <= segments; i ++ ) { // twist a little... normals[ i ].applyMatrix4( mat.makeRotationAxis( tangents[ i ], theta * i ) ); binormals[ i ].crossVectors( tangents[ i ], normals[ i ] ); } } return { tangents: tangents, normals: normals, binormals: binormals }; } clone() { return new this.constructor().copy( this ); } copy( source ) { this.arcLengthDivisions = source.arcLengthDivisions; return this; } toJSON() { const data = { metadata: { version: 4.5, type: "Curve", generator: "Curve.toJSON" } }; data.arcLengthDivisions = this.arcLengthDivisions; data.type = this.type; return data; } fromJSON( json ) { this.arcLengthDivisions = json.arcLengthDivisions; return this; } } /** * Centripetal CatmullRom Curve - which is useful for avoiding * cusps and self-intersections in non-uniform catmull rom curves. * http://www.cemyuksel.com/research/catmullrom_param/catmullrom.pdf * * curve.type accepts centripetal(default), chordal and catmullrom * curve.tension is used for catmullrom which defaults to 0.5 */ /* Based on an optimized c++ solution in - http://stackoverflow.com/questions/9489736/catmull-rom-curve-with-no-cusps-and-no-self-intersections/ - http://ideone.com/NoEbVM This CubicPoly class could be used for reusing some variables and calculations, but for three.js curve use, it could be possible inlined and flatten into a single function call which can be placed in CurveUtils. */ function CubicPoly() { let c0 = 0, c1 = 0, c2 = 0, c3 = 0; /* * Compute coefficients for a cubic polynomial * p(s) = c0 + c1*s + c2*s^2 + c3*s^3 * such that * p(0) = x0, p(1) = x1 * and * p"(0) = t0, p"(1) = t1. */ function init( x0, x1, t0, t1 ) { c0 = x0; c1 = t0; c2 = - 3 * x0 + 3 * x1 - 2 * t0 - t1; c3 = 2 * x0 - 2 * x1 + t0 + t1; } return { initCatmullRom: function ( x0, x1, x2, x3, tension ) { init( x1, x2, tension * ( x2 - x0 ), tension * ( x3 - x1 ) ); }, initNonuniformCatmullRom: function ( x0, x1, x2, x3, dt0, dt1, dt2 ) { // compute tangents when parameterized in [t1,t2] let t1 = ( x1 - x0 ) / dt0 - ( x2 - x0 ) / ( dt0 + dt1 ) + ( x2 - x1 ) / dt1; let t2 = ( x2 - x1 ) / dt1 - ( x3 - x1 ) / ( dt1 + dt2 ) + ( x3 - x2 ) / dt2; // rescale tangents for parametrization in [0,1] t1 *= dt1; t2 *= dt1; init( x1, x2, t1, t2 ); }, calc: function ( t ) { const t2 = t * t; const t3 = t2 * t; return c0 + c1 * t + c2 * t2 + c3 * t3; } }; } // const tmp = /*@__PURE__*/ new Vector3(); const px = /*@__PURE__*/ new CubicPoly(); const py = /*@__PURE__*/ new CubicPoly(); const pz = /*@__PURE__*/ new CubicPoly(); class CatmullRomCurve3 extends Curve { constructor( points = [], closed = false, curveType = "centripetal", tension = 0.5 ) { super(); this.isCatmullRomCurve3 = true; this.type = "CatmullRomCurve3"; this.points = points; this.closed = closed; this.curveType = curveType; this.tension = tension; } getPoint( t, optionalTarget = new Vector3() ) { const point = optionalTarget; const points = this.points; const l = points.length; const p = ( l - ( this.closed ? 0 : 1 ) ) * t; let intPoint = Math.floor( p ); let weight = p - intPoint; if ( this.closed ) { intPoint += intPoint > 0 ? 0 : ( Math.floor( Math.abs( intPoint ) / l ) + 1 ) * l; } else if ( weight === 0 && intPoint === l - 1 ) { intPoint = l - 2; weight = 1; } let p0, p3; // 4 points (p1 & p2 defined below) if ( this.closed || intPoint > 0 ) { p0 = points[ ( intPoint - 1 ) % l ]; } else { // extrapolate first point tmp.subVectors( points[ 0 ], points[ 1 ] ).add( points[ 0 ] ); p0 = tmp; } const p1 = points[ intPoint % l ]; const p2 = points[ ( intPoint + 1 ) % l ]; if ( this.closed || intPoint + 2 < l ) { p3 = points[ ( intPoint + 2 ) % l ]; } else { // extrapolate last point tmp.subVectors( points[ l - 1 ], points[ l - 2 ] ).add( points[ l - 1 ] ); p3 = tmp; } if ( this.curveType === "centripetal" || this.curveType === "chordal" ) { // init Centripetal / Chordal Catmull-Rom const pow = this.curveType === "chordal" ? 0.5 : 0.25; let dt0 = Math.pow( p0.distanceToSquared( p1 ), pow ); let dt1 = Math.pow( p1.distanceToSquared( p2 ), pow ); let dt2 = Math.pow( p2.distanceToSquared( p3 ), pow ); // safety check for repeated points if ( dt1 < 1e-4 ) dt1 = 1.0; if ( dt0 < 1e-4 ) dt0 = dt1; if ( dt2 < 1e-4 ) dt2 = dt1; px.initNonuniformCatmullRom( p0.x, p1.x, p2.x, p3.x, dt0, dt1, dt2 ); py.initNonuniformCatmullRom( p0.y, p1.y, p2.y, p3.y, dt0, dt1, dt2 ); pz.initNonuniformCatmullRom( p0.z, p1.z, p2.z, p3.z, dt0, dt1, dt2 ); } else if ( this.curveType === "catmullrom" ) { px.initCatmullRom( p0.x, p1.x, p2.x, p3.x, this.tension ); py.initCatmullRom( p0.y, p1.y, p2.y, p3.y, this.tension ); pz.initCatmullRom( p0.z, p1.z, p2.z, p3.z, this.tension ); } point.set( px.calc( weight ), py.calc( weight ), pz.calc( weight ) ); return point; } copy( source ) { super.copy( source ); this.points = []; for ( let i = 0, l = source.points.length; i < l; i ++ ) { const point = source.points[ i ]; this.points.push( point.clone() ); } this.closed = source.closed; this.curveType = source.curveType; this.tension = source.tension; return this; } toJSON() { const data = super.toJSON(); data.points = []; for ( let i = 0, l = this.points.length; i < l; i ++ ) { const point = this.points[ i ]; data.points.push( point.toArray() ); } data.closed = this.closed; data.curveType = this.curveType; data.tension = this.tension; return data; } fromJSON( json ) { super.fromJSON( json ); this.points = []; for ( let i = 0, l = json.points.length; i < l; i ++ ) { const point = json.points[ i ]; this.points.push( new Vector3().fromArray( point ) ); } this.closed = json.closed; this.curveType = json.curveType; this.tension = json.tension; return this; } } class CircleGeometry extends BufferGeometry { constructor( radius = 1, segments = 32, thetaStart = 0, thetaLength = Math.PI * 2 ) { super(); this.type = "CircleGeometry"; this.parameters = { radius: radius, segments: segments, thetaStart: thetaStart, thetaLength: thetaLength }; segments = Math.max( 3, segments ); // buffers const indices = []; const vertices = []; const normals = []; const uvs = []; // helper variables const vertex = new Vector3(); const uv = new Vector2(); // center point vertices.push( 0, 0, 0 ); normals.push( 0, 0, 1 ); uvs.push( 0.5, 0.5 ); for ( let s = 0, i = 3; s <= segments; s ++, i += 3 ) { const segment = thetaStart + s / segments * thetaLength; // vertex vertex.x = radius * Math.cos( segment ); vertex.y = radius * Math.sin( segment ); vertices.push( vertex.x, vertex.y, vertex.z ); // normal normals.push( 0, 0, 1 ); // uvs uv.x = ( vertices[ i ] / radius + 1 ) / 2; uv.y = ( vertices[ i + 1 ] / radius + 1 ) / 2; uvs.push( uv.x, uv.y ); } // indices for ( let i = 1; i <= segments; i ++ ) { indices.push( i, i + 1, 0 ); } // build geometry this.setIndex( indices ); this.setAttribute( "position", new Float32BufferAttribute( vertices, 3 ) ); this.setAttribute( "normal", new Float32BufferAttribute( normals, 3 ) ); this.setAttribute( "uv", new Float32BufferAttribute( uvs, 2 ) ); } copy( source ) { super.copy( source ); this.parameters = Object.assign( {}, source.parameters ); return this; } static fromJSON( data ) { return new CircleGeometry( data.radius, data.segments, data.thetaStart, data.thetaLength ); } } class SphereGeometry extends BufferGeometry { constructor( radius = 1, widthSegments = 32, heightSegments = 16, phiStart = 0, phiLength = Math.PI * 2, thetaStart = 0, thetaLength = Math.PI ) { super(); this.type = "SphereGeometry"; this.parameters = { radius: radius, widthSegments: widthSegments, heightSegments: heightSegments, phiStart: phiStart, phiLength: phiLength, thetaStart: thetaStart, thetaLength: thetaLength }; widthSegments = Math.max( 3, Math.floor( widthSegments ) ); heightSegments = Math.max( 2, Math.floor( heightSegments ) ); const thetaEnd = Math.min( thetaStart + thetaLength, Math.PI ); let index = 0; const grid = []; const vertex = new Vector3(); const normal = new Vector3(); // buffers const indices = []; const vertices = []; const normals = []; const uvs = []; // generate vertices, normals and uvs for ( let iy = 0; iy <= heightSegments; iy ++ ) { const verticesRow = []; const v = iy / heightSegments; // special case for the poles let uOffset = 0; if ( iy === 0 && thetaStart === 0 ) { uOffset = 0.5 / widthSegments; } else if ( iy === heightSegments && thetaEnd === Math.PI ) { uOffset = - 0.5 / widthSegments; } for ( let ix = 0; ix <= widthSegments; ix ++ ) { const u = ix / widthSegments; // vertex vertex.x = - radius * Math.cos( phiStart + u * phiLength ) * Math.sin( thetaStart + v * thetaLength ); vertex.y = radius * Math.cos( thetaStart + v * thetaLength ); vertex.z = radius * Math.sin( phiStart + u * phiLength ) * Math.sin( thetaStart + v * thetaLength ); vertices.push( vertex.x, vertex.y, vertex.z ); // normal normal.copy( vertex ).normalize(); normals.push( normal.x, normal.y, normal.z ); // uv uvs.push( u + uOffset, 1 - v ); verticesRow.push( index ++ ); } grid.push( verticesRow ); } // indices for ( let iy = 0; iy < heightSegments; iy ++ ) { for ( let ix = 0; ix < widthSegments; ix ++ ) { const a = grid[ iy ][ ix + 1 ]; const b = grid[ iy ][ ix ]; const c = grid[ iy + 1 ][ ix ]; const d = grid[ iy + 1 ][ ix + 1 ]; if ( iy !== 0 || thetaStart > 0 ) indices.push( a, b, d ); if ( iy !== heightSegments - 1 || thetaEnd < Math.PI ) indices.push( b, c, d ); } } // build geometry this.setIndex( indices ); this.setAttribute( "position", new Float32BufferAttribute( vertices, 3 ) ); this.setAttribute( "normal", new Float32BufferAttribute( normals, 3 ) ); this.setAttribute( "uv", new Float32BufferAttribute( uvs, 2 ) ); } copy( source ) { super.copy( source ); this.parameters = Object.assign( {}, source.parameters ); return this; } static fromJSON( data ) { return new SphereGeometry( data.radius, data.widthSegments, data.heightSegments, data.phiStart, data.phiLength, data.thetaStart, data.thetaLength ); } } class Clock { constructor( autoStart = true ) { this.autoStart = autoStart; this.startTime = 0; this.oldTime = 0; this.elapsedTime = 0; this.running = false; } start() { this.startTime = now(); this.oldTime = this.startTime; this.elapsedTime = 0; this.running = true; } stop() { this.getElapsedTime(); this.running = false; this.autoStart = false; } getElapsedTime() { this.getDelta(); return this.elapsedTime; } getDelta() { let diff = 0; if ( this.autoStart && ! this.running ) { this.start(); return 0; } if ( this.running ) { const newTime = now(); diff = ( newTime - this.oldTime ) / 1000; this.oldTime = newTime; this.elapsedTime += diff; } return diff; } } function now() { return ( typeof performance === "undefined" ? Date : performance ).now(); // see #10732 } class Raycaster { constructor( origin, direction, near = 0, far = Infinity ) { this.ray = new Ray( origin, direction ); // direction is assumed to be normalized (for accurate distance calculations) this.near = near; this.far = far; this.camera = null; this.layers = new Layers(); this.params = { Mesh: {}, Line: { threshold: 1 }, LOD: {}, Points: { threshold: 1 }, Sprite: {} }; } set( origin, direction ) { // direction is assumed to be normalized (for accurate distance calculations) this.ray.set( origin, direction ); } setFromCamera( coords, camera ) { if ( camera.isPerspectiveCamera ) { this.ray.origin.setFromMatrixPosition( camera.matrixWorld ); this.ray.direction.set( coords.x, coords.y, 0.5 ).unproject( camera ).sub( this.ray.origin ).normalize(); this.camera = camera; } else if ( camera.isOrthographicCamera ) { this.ray.origin.set( coords.x, coords.y, ( camera.near + camera.far ) / ( camera.near - camera.far ) ).unproject( camera ); // set origin in plane of camera this.ray.direction.set( 0, 0, - 1 ).transformDirection( camera.matrixWorld ); this.camera = camera; } else { console.error( "THREE.Raycaster: Unsupported camera type: " + camera.type ); } } intersectObject( object, recursive = true, intersects = [] ) { intersectObject( object, this, intersects, recursive ); intersects.sort( ascSort ); return intersects; } intersectObjects( objects, recursive = true, intersects = [] ) { for ( let i = 0, l = objects.length; i < l; i ++ ) { intersectObject( objects[ i ], this, intersects, recursive ); } intersects.sort( ascSort ); return intersects; } } function ascSort( a, b ) { return a.distance - b.distance; } function intersectObject( object, raycaster, intersects, recursive ) { if ( object.layers.test( raycaster.layers ) ) { object.raycast( raycaster, intersects ); } if ( recursive === true ) { const children = object.children; for ( let i = 0, l = children.length; i < l; i ++ ) { intersectObject( children[ i ], raycaster, intersects, true ); } } } if ( typeof __THREE_DEVTOOLS__ !== "undefined" ) { __THREE_DEVTOOLS__.dispatchEvent( new CustomEvent( "register", { detail: { revision: REVISION, } } ) ); } if ( typeof window !== "undefined" ) { if ( window.__THREE__ ) { console.warn( "WARNING: Multiple instances of Three.js being imported." ); } else { window.__THREE__ = REVISION; } } const DEG2RAD = Math.PI / 180; const RAD2DEG = 180 / Math.PI; const WGS84A = 6378137.0; const WGS84B = 6356752.31424518; /** * Convert coordinates from geodetic (WGS84) reference to local topocentric * (ENU) reference. * * @param {number} lng Longitude in degrees. * @param {number} lat Latitude in degrees. * @param {number} alt Altitude in meters. * @param {number} refLng Reference longitude in degrees. * @param {number} refLat Reference latitude in degrees. * @param {number} refAlt Reference altitude in meters. * @returns {Array} The x, y, z local topocentric ENU coordinates. */ function geodeticToEnu(lng, lat, alt, refLng, refLat, refAlt) { const ecef = geodeticToEcef(lng, lat, alt); return ecefToEnu(ecef[0], ecef[1], ecef[2], refLng, refLat, refAlt); } /** * Convert coordinates from local topocentric (ENU) reference to * geodetic (WGS84) reference. * * @param {number} x Topocentric ENU coordinate in East direction. * @param {number} y Topocentric ENU coordinate in North direction. * @param {number} z Topocentric ENU coordinate in Up direction. * @param {number} refLng Reference longitude in degrees. * @param {number} refLat Reference latitude in degrees. * @param {number} refAlt Reference altitude in meters. * @returns {Array} The longitude, latitude in degrees * and altitude in meters. */ function enuToGeodetic(x, y, z, refLng, refLat, refAlt) { const ecef = enuToEcef(x, y, z, refLng, refLat, refAlt); return ecefToGeodetic(ecef[0], ecef[1], ecef[2]); } /** * Convert coordinates from Earth-Centered, Earth-Fixed (ECEF) reference * to local topocentric (ENU) reference. * * @param {number} X ECEF X-value. * @param {number} Y ECEF Y-value. * @param {number} Z ECEF Z-value. * @param {number} refLng Reference longitude in degrees. * @param {number} refLat Reference latitude in degrees. * @param {number} refAlt Reference altitude in meters. * @returns {Array} The x, y, z topocentric ENU coordinates in East, North * and Up directions respectively. */ function ecefToEnu(X, Y, Z, refLng, refLat, refAlt) { const refEcef = geodeticToEcef(refLng, refLat, refAlt); const V = [ X - refEcef[0], Y - refEcef[1], Z - refEcef[2], ]; refLng = refLng * DEG2RAD; refLat = refLat * DEG2RAD; const cosLng = Math.cos(refLng); const sinLng = Math.sin(refLng); const cosLat = Math.cos(refLat); const sinLat = Math.sin(refLat); const x = -sinLng * V[0] + cosLng * V[1]; const y = -sinLat * cosLng * V[0] - sinLat * sinLng * V[1] + cosLat * V[2]; const z = cosLat * cosLng * V[0] + cosLat * sinLng * V[1] + sinLat * V[2]; return [x, y, z]; } /** * Convert coordinates from local topocentric (ENU) reference * to Earth-Centered, Earth-Fixed (ECEF) reference. * * @param {number} x Topocentric ENU coordinate in East direction. * @param {number} y Topocentric ENU coordinate in North direction. * @param {number} z Topocentric ENU coordinate in Up direction. * @param {number} refLng Reference longitude in degrees. * @param {number} refLat Reference latitude in degrees. * @param {number} refAlt Reference altitude in meters. * @returns {Array} The X, Y, Z ECEF coordinates. */ function enuToEcef(x, y, z, refLng, refLat, refAlt) { const refEcef = geodeticToEcef(refLng, refLat, refAlt); refLng = refLng * DEG2RAD; refLat = refLat * DEG2RAD; const cosLng = Math.cos(refLng); const sinLng = Math.sin(refLng); const cosLat = Math.cos(refLat); const sinLat = Math.sin(refLat); const X = -sinLng * x - sinLat * cosLng * y + cosLat * cosLng * z + refEcef[0]; const Y = cosLng * x - sinLat * sinLng * y + cosLat * sinLng * z + refEcef[1]; const Z = cosLat * y + sinLat * z + refEcef[2]; return [X, Y, Z]; } /** * Convert coordinates from geodetic reference (WGS84) to Earth-Centered, * Earth-Fixed (ECEF) reference. * * @param {number} lng Longitude in degrees. * @param {number} lat Latitude in degrees. * @param {number} alt Altitude in meters. * @returns {Array} The X, Y, Z ECEF coordinates. */ function geodeticToEcef(lng, lat, alt) { const a = WGS84A; const b = WGS84B; lng = lng * DEG2RAD; lat = lat * DEG2RAD; const cosLng = Math.cos(lng); const sinLng = Math.sin(lng); const cosLat = Math.cos(lat); const sinLat = Math.sin(lat); const a2 = a * a; const b2 = b * b; const L = 1.0 / Math.sqrt(a2 * cosLat * cosLat + b2 * sinLat * sinLat); const nhcl = (a2 * L + alt) * cosLat; const X = nhcl * cosLng; const Y = nhcl * sinLng; const Z = (b2 * L + alt) * sinLat; return [X, Y, Z]; } /** * Convert coordinates from Earth-Centered, Earth-Fixed (ECEF) reference * to geodetic reference (WGS84). * * @param {number} X ECEF X-value. * @param {number} Y ECEF Y-value. * @param {number} Z ECEF Z-value. * @returns {Array} The longitude, latitude in degrees * and altitude in meters. */ function ecefToGeodetic(X, Y, Z) { const a = WGS84A; const b = WGS84B; const a2 = a * a; const b2 = b * b; const a2mb2 = a2 - b2; const ea = Math.sqrt(a2mb2 / a2); const eb = Math.sqrt(a2mb2 / b2); const p = Math.sqrt(X * X + Y * Y); const theta = Math.atan2(Z * a, p * b); const sinTheta = Math.sin(theta); const cosTheta = Math.cos(theta); const lng = Math.atan2(Y, X); const lat = Math.atan2(Z + eb * eb * b * sinTheta * sinTheta * sinTheta, p - ea * ea * a * cosTheta * cosTheta * cosTheta); const sinLat = Math.sin(lat); const cosLat = Math.cos(lat); const N = a / Math.sqrt(1 - ea * ea * sinLat * sinLat); const alt = p / cosLat - N; return [ lng * RAD2DEG, lat * RAD2DEG, alt ]; } /** * @class GraphCalculator * * @classdesc Represents a calculator for graph entities. */ class GraphCalculator { /** * Get the bounding box corners for a circle with radius of a threshold * with center in a geodetic position. * * @param {LngLat} lngLat - Longitude, latitude to encode. * @param {number} threshold - Threshold distance from the position in meters. * * @returns {Array} The south west and north east corners of the * bounding box. */ boundingBoxCorners(lngLat, threshold) { const sw = enuToGeodetic(-threshold, -threshold, 0, lngLat.lng, lngLat.lat, 0); const ne = enuToGeodetic(threshold, threshold, 0, lngLat.lng, lngLat.lat, 0); return [ { lat: sw[1], lng: sw[0] }, { lat: ne[1], lng: ne[0] }, ]; } /** * Convert a compass angle to an angle axis rotation vector. * * @param {number} compassAngle - The compass angle in degrees. * @param {number} orientation - The orientation of the original image. * * @returns {Array} Angle axis rotation vector. */ rotationFromCompass(compassAngle, orientation) { let x = 0; let y = 0; let z = 0; switch (orientation) { case 1: x = Math.PI / 2; break; case 3: x = -Math.PI / 2; z = Math.PI; break; case 6: y = -Math.PI / 2; z = -Math.PI / 2; break; case 8: y = Math.PI / 2; z = Math.PI / 2; break; } const rz = new Matrix4() .makeRotationZ(z); const euler = new Euler(x, y, compassAngle * Math.PI / 180, "XYZ"); const re = new Matrix4() .makeRotationFromEuler(euler); const rotation = new Vector4() .setAxisAngleFromRotationMatrix(re.multiply(rz)); return rotation .multiplyScalar(rotation.w) .toArray() .slice(0, 3); } } /** * @class Image * * @classdesc Represents a image in the navigation graph. * * Explanation of position and bearing properties: * * When images are uploaded they will have GPS information in the EXIF, this is what * is called `originalLngLat` {@link Image.originalLngLat}. * * When Structure from Motions has been run for a image a `computedLngLat` that * differs from the `originalLngLat` will be created. It is different because * GPS positions are not very exact and SfM aligns the camera positions according * to the 3D reconstruction {@link Image.computedLngLat}. * * At last there exist a `lngLat` property which evaluates to * the `computedLngLat` from SfM if it exists but falls back * to the `originalLngLat` from the EXIF GPS otherwise {@link Image.lngLat}. * * Everything that is done in in the Viewer is based on the SfM positions, * i.e. `computedLngLat`. That is why the smooth transitions go in the right * direction (nd not in strange directions because of bad GPS). * * E.g. when placing a marker in the Viewer it is relative to the SfM * position i.e. the `computedLngLat`. * * The same concept as above also applies to the compass angle (or bearing) properties * `originalCa`, `computedCa` and `ca`. */ let Image$1 = class Image { /** * Create a new image instance. * * @description Images are always created internally by the library. * Images can not be added to the library through any API method. * * @param {CoreImageEnt} core- Raw core image data. * @ignore */ constructor(core) { if (!core) { throw new Error(`Incorrect core image data ${core}`); } this._cache = null; this._core = core; this._spatial = null; } /** * Get assets cached. * * @description The assets that need to be cached for this property * to report true are the following: fill properties, image and mesh. * The library ensures that the current image will always have the * assets cached. * * @returns {boolean} Value indicating whether all assets have been * cached. * * @ignore */ get assetsCached() { return this._core != null && this._spatial != null && this._cache != null && this._cache.camera != null && this._cache.image != null && this._cache.mesh != null; } /** * Get camera. * * @returns {ICamera} Camera of the image * * @ignore */ get camera() { return this._cache.camera; } /** * Get cameraParameters. * * @description Will be undefined if SfM has * not been run. * * Camera type dependent parameters. * * For perspective and fisheye camera types, * the camera parameters array should be * constructed according to * * `[focal, k1, k2]` * * where focal is the camera focal length, * and k1, k2 are radial distortion parameters. * * For spherical camera type the camera * parameters are unset or emtpy array. * * @returns {Array} The parameters * related to the camera type. */ get cameraParameters() { return this._spatial.camera_parameters; } /** * Get cameraType. * * @description Will be undefined if SfM has not been run. * * @returns {string} The camera type that captured the image. */ get cameraType() { return this._spatial.camera_type; } /** * Get capturedAt. * * @description Timestamp of the image capture date * and time represented as a Unix epoch timestamp in milliseconds. * * @returns {number} Timestamp when the image was captured. */ get capturedAt() { return this._spatial.captured_at; } /** * Get clusterId. * * @returns {string} Globally unique id of the SfM cluster to which * the image belongs. */ get clusterId() { return !!this._spatial.cluster ? this._spatial.cluster.id : null; } /** * Get clusterUrl. * * @returns {string} Url to the cluster reconstruction file. * * @ignore */ get clusterUrl() { return !!this._spatial.cluster ? this._spatial.cluster.url : null; } /** * Get compassAngle. * * @description If the SfM computed compass angle exists it will * be returned, otherwise the original EXIF compass angle. * * @returns {number} Compass angle, measured in degrees * clockwise with respect to north. */ get compassAngle() { return this._spatial.computed_compass_angle != null ? this._spatial.computed_compass_angle : this._spatial.compass_angle; } /** * Get complete. * * @description The library ensures that the current image will * always be full. * * @returns {boolean} Value indicating whether the image has all * properties filled. * * @ignore */ get complete() { return this._spatial != null; } /** * Get computedAltitude. * * @description If SfM has not been run the computed altitude is * set to a default value of two meters. * * @returns {number} Altitude, in meters. */ get computedAltitude() { return this._spatial.computed_altitude; } /** * Get computedCompassAngle. * * @description Will not be set if SfM has not been run. * * @returns {number} SfM computed compass angle, measured * in degrees clockwise with respect to north. */ get computedCompassAngle() { return this._spatial.computed_compass_angle; } /** * Get computedLngLat. * * @description Will not be set if SfM has not been run. * * @returns {LngLat} SfM computed longitude, latitude in WGS84 datum, * measured in degrees. */ get computedLngLat() { return this._core.computed_geometry; } /** * Get creatorId. * * @description Note that the creator ID will not be set when using * the Mapillary API. * * @returns {string} Globally unique id of the user who uploaded * the image. */ get creatorId() { return this._spatial.creator.id; } /** * Get creatorUsername. * * @description Note that the creator username will not be set when * using the Mapillary API. * * @returns {string} Username of the creator who uploaded * the image. */ get creatorUsername() { return this._spatial.creator.username; } /** * Get exifOrientation. * * @returns {number} EXIF orientation of original image. */ get exifOrientation() { return this._spatial.exif_orientation; } /** * Get height. * * @returns {number} Height of original image, not adjusted * for orientation. */ get height() { return this._spatial.height; } /** * Get image. * * @description The image will always be set on the current image. * * @returns {HTMLImageElement} Cached image element of the image. */ get image() { return this._cache.image; } /** * Get image$. * * @returns {Observable} Observable emitting * the cached image when it is updated. * * @ignore */ get image$() { return this._cache.image$; } /** * Get id. * * @returns {string} Globally unique id of the image. */ get id() { return this._core.id; } /** * Get is disposed. * * @description If the image has been disposed no properties * are acessible. Image are disposed when the {@link Viewer} * is reset or a new data provider is set. * * @returns {boolean} Value indicating that this image * has been disposed. */ get isDisposed() { return !this._core; } /** * Get is complete. * * @returns {boolean} Value indicating that this image * is complete. * * @ignore */ get isComplete() { return !!this._core && !!this._spatial; } /** * Get lngLat. * * @description If the SfM computed longitude, latitude exist * it will be returned, otherwise the original EXIF latitude * longitude. * * @returns {LngLat} Longitude, latitude in WGS84 datum, * measured in degrees. */ get lngLat() { return this._core.computed_geometry != null ? this._core.computed_geometry : this._core.geometry; } /** * Get merged. * * @returns {boolean} Value indicating whether SfM has been * run on the image and the image has been merged into a * connected component. */ get merged() { return this._spatial != null && this._spatial.merge_id != null; } /** * Get mergeId. * * @description Will not be set if SfM has not yet been run on * image. * * @returns {stirng} Id of connected component to which image * belongs after the aligning merge. */ get mergeId() { return this._spatial.merge_id; } /** * Get mesh. * * @description The mesh will always be set on the current image. * * @returns {MeshContract} SfM triangulated mesh of reconstructed * atomic 3D points. */ get mesh() { return this._cache.mesh; } /** * Get originalAltitude. * * @returns {number} EXIF altitude, in meters, if available. */ get originalAltitude() { return this._spatial.altitude; } /** * Get originalCompassAngle. * * @returns {number} Original EXIF compass angle, measured in * degrees. */ get originalCompassAngle() { return this._spatial.compass_angle; } /** * Get originalLngLat. * * @returns {LngLat} Original EXIF longitude, latitude in * WGS84 datum, measured in degrees. */ get originalLngLat() { return this._core.geometry; } /** * Get ownerId. * * @returns {string} Globally unique id of the owner to which * the image belongs. If the image does not belong to an * owner the owner id will be undefined. */ get ownerId() { return !!this._spatial.owner ? this._spatial.owner.id : null; } /** * Get private. * * @returns {boolean} Value specifying if image is accessible to * organization members only or to everyone. */ get private() { return this._spatial.private; } /** * Get qualityScore. * * @returns {number} A number between zero and one * determining the quality of the image. Blurriness * (motion blur / out-of-focus), occlusion (camera * mount, ego vehicle, water-drops), windshield * reflections, bad illumination (exposure, glare), * and bad weather condition (fog, rain, snow) * affect the quality score. * * @description Value should be on the interval [0, 1]. */ get qualityScore() { return this._spatial.quality_score; } /** * Get rotation. * * @description Will not be set if SfM has not been run. * * @returns {Array} Rotation vector in angle axis representation. */ get rotation() { return this._spatial.computed_rotation; } /** * Get scale. * * @description Will not be set if SfM has not been run. * * @returns {number} Scale of reconstruction the image * belongs to. */ get scale() { return this._spatial.atomic_scale; } /** * Get sequenceId. * * @returns {string} Globally unique id of the sequence * to which the image belongs. */ get sequenceId() { return !!this._core.sequence ? this._core.sequence.id : null; } /** * Get sequenceEdges. * * @returns {NavigationEdgeStatus} Value describing the status of the * sequence edges. * * @ignore */ get sequenceEdges() { return this._cache.sequenceEdges; } /** * Get sequenceEdges$. * * @description Internal observable, should not be used as an API. * * @returns {Observable} Observable emitting * values describing the status of the sequence edges. * * @ignore */ get sequenceEdges$() { return this._cache.sequenceEdges$; } /** * Get spatialEdges. * * @returns {NavigationEdgeStatus} Value describing the status of the * spatial edges. * * @ignore */ get spatialEdges() { return this._cache.spatialEdges; } /** * Get spatialEdges$. * * @description Internal observable, should not be used as an API. * * @returns {Observable} Observable emitting * values describing the status of the spatial edges. * * @ignore */ get spatialEdges$() { return this._cache.spatialEdges$; } /** * Get width. * * @returns {number} Width of original image, not * adjusted for orientation. */ get width() { return this._spatial.width; } /** * Cache the image and mesh assets. * * @description The assets are always cached internally by the * library prior to setting a image as the current image. * * @returns {Observable} Observable emitting this image whenever the * load status has changed and when the mesh or image has been fully loaded. * * @ignore */ cacheAssets$(factory) { this.cacheCamera(factory); return this._cache .cacheAssets$(this._spatial, this.merged) .pipe(map(() => { return this; })); } /** * Cache the image camera. * * @ignore */ cacheCamera(factory) { this._cache.cacheCamera(factory.makeCamera(this._spatial.camera_type, this._spatial.camera_parameters)); } /** * Cache the image asset. * * @description Use for caching a differently sized image than * the one currently held by the image. * * @returns {Observable} Observable emitting this image whenever the * load status has changed and when the mesh or image has been fully loaded. * * @ignore */ cacheImage$() { return this._cache .cacheImage$(this._spatial) .pipe(map(() => { return this; })); } /** * Cache the sequence edges. * * @description The sequence edges are cached asynchronously * internally by the library. * * @param {Array} edges - Sequence edges to cache. * @ignore */ cacheSequenceEdges(edges) { this._cache.cacheSequenceEdges(edges); } /** * Cache the spatial edges. * * @description The spatial edges are cached asynchronously * internally by the library. * * @param {Array} edges - Spatial edges to cache. * @ignore */ cacheSpatialEdges(edges) { this._cache.cacheSpatialEdges(edges); } /** * Dispose the image. * * @description Disposes all cached assets. * @ignore */ dispose() { if (this._cache != null) { this._cache.dispose(); this._cache = null; } this._core = null; this._spatial = null; } /** * Returns a value indicating if the image has an initialized * image cache. * * @description The image cache is initialized internally by * the library. * * @ignore */ hasInitializedCache() { return this._cache != null; } /** * Initialize the image cache. * * @description The image cache is initialized internally by * the library. * * @param {ImageCache} cache - The image cache to set as cache. * @ignore */ initializeCache(cache) { if (this._cache != null) { throw new Error(`Image cache already initialized (${this.id}).`); } this._cache = cache; } /** * Complete an image with spatial properties. * * @description The image is completed internally by * the library. * * @param {SpatialImageEnt} fill - The spatial image struct. * @ignore */ makeComplete(fill) { if (fill == null) { throw new Error("Fill can not be null."); } this._spatial = fill; } /** * Reset the sequence edges. * * @ignore */ resetSequenceEdges() { this._cache.resetSequenceEdges(); } /** * Reset the spatial edges. * * @ignore */ resetSpatialEdges() { this._cache.resetSpatialEdges(); } /** * Clears the image and mesh assets, aborts * any outstanding requests and resets edges. * * @ignore */ uncache() { if (this._cache == null) { return; } this._cache.dispose(); this._cache = null; } }; /** * @class ImageCache * * @classdesc Represents the cached properties of a image. */ class ImageCache { /** * Create a new image cache instance. */ constructor(provider) { this._disposed = false; this._provider = provider; this._camera = null; this._image = null; this._mesh = null; this._sequenceEdges = { cached: false, edges: [] }; this._spatialEdges = { cached: false, edges: [] }; this._imageChanged$ = new Subject(); this._image$ = this._imageChanged$.pipe(startWith(null), publishReplay(1), refCount()); this._iamgeSubscription = this._image$.subscribe(); this._sequenceEdgesChanged$ = new Subject(); this._sequenceEdges$ = this._sequenceEdgesChanged$.pipe(startWith(this._sequenceEdges), publishReplay(1), refCount()); this._sequenceEdgesSubscription = this._sequenceEdges$.subscribe(() => { }); this._spatialEdgesChanged$ = new Subject(); this._spatialEdges$ = this._spatialEdgesChanged$.pipe(startWith(this._spatialEdges), publishReplay(1), refCount()); this._spatialEdgesSubscription = this._spatialEdges$.subscribe(() => { }); this._cachingAssets$ = null; } get camera() { return this._camera; } /** * Get image. * * @description Will not be set when assets have not been cached * or when the object has been disposed. * * @returns {HTMLImageElement} Cached image element of the image. */ get image() { return this._image; } /** * Get image$. * * @returns {Observable} Observable emitting * the cached image when it is updated. */ get image$() { return this._image$; } /** * Get mesh. * * @description Will not be set when assets have not been cached * or when the object has been disposed. * * @returns {MeshContract} SfM triangulated mesh of reconstructed * atomic 3D points. */ get mesh() { return this._mesh; } /** * Get sequenceEdges. * * @returns {NavigationEdgeStatus} Value describing the status of the * sequence edges. */ get sequenceEdges() { return this._sequenceEdges; } /** * Get sequenceEdges$. * * @returns {Observable} Observable emitting * values describing the status of the sequence edges. */ get sequenceEdges$() { return this._sequenceEdges$; } /** * Get spatialEdges. * * @returns {NavigationEdgeStatus} Value describing the status of the * spatial edges. */ get spatialEdges() { return this._spatialEdges; } /** * Get spatialEdges$. * * @returns {Observable} Observable emitting * values describing the status of the spatial edges. */ get spatialEdges$() { return this._spatialEdges$; } cacheCamera(camera) { this._camera = camera; } /** * Cache the image and mesh assets. * * @param {SpatialImageEnt} spatial - Spatial props of the image to cache. * @param {boolean} spherical - Value indicating whether image is a spherical. * @param {boolean} merged - Value indicating whether image is merged. * @returns {Observable} Observable emitting this image * cache whenever the load status has changed and when the mesh or image * has been fully loaded. */ cacheAssets$(spatial, merged) { if (this._cachingAssets$ != null) { return this._cachingAssets$; } const cachingAssets$ = combineLatest(this._cacheImage$(spatial), this._cacheMesh$(spatial, merged)).pipe(map(([image, mesh]) => { this._image = image; this._mesh = mesh; return this; }), finalize(() => { this._cachingAssets$ = null; }), publishReplay(1), refCount()); this._cachingAssets$ = cachingAssets$; cachingAssets$.pipe(first((imageCache) => { return !!imageCache._image; })) .subscribe(() => { this._imageChanged$.next(this._image); }, () => { }); return cachingAssets$; } /** * Cache an image with a higher resolution than the current one. * * @param {SpatialImageEnt} spatial - Spatial props. * @returns {Observable} Observable emitting a single item, * the image cache, when the image has been cached. If supplied image * size is not larger than the current image size the image cache is * returned immediately. */ cacheImage$(spatial) { if (this._image != null) { return of(this); } const cacheImage$ = this._cacheImage$(spatial) .pipe(first((image) => { return !!image; }), tap((image) => { this._disposeImage(); this._image = image; }), map(() => { return this; }), publishReplay(1), refCount()); cacheImage$ .subscribe(() => { this._imageChanged$.next(this._image); }, () => { }); return cacheImage$; } /** * Cache the sequence edges. * * @param {Array} edges - Sequence edges to cache. */ cacheSequenceEdges(edges) { this._sequenceEdges = { cached: true, edges: edges }; this._sequenceEdgesChanged$.next(this._sequenceEdges); } /** * Cache the spatial edges. * * @param {Array} edges - Spatial edges to cache. */ cacheSpatialEdges(edges) { this._spatialEdges = { cached: true, edges: edges }; this._spatialEdgesChanged$.next(this._spatialEdges); } /** * Dispose the image cache. * * @description Disposes all cached assets and unsubscribes to * all streams. */ dispose() { this._iamgeSubscription.unsubscribe(); this._sequenceEdgesSubscription.unsubscribe(); this._spatialEdgesSubscription.unsubscribe(); this._disposeImage(); this._camera = null; this._mesh = null; this._sequenceEdges = { cached: false, edges: [] }; this._spatialEdges = { cached: false, edges: [] }; this._imageChanged$.next(null); this._sequenceEdgesChanged$.next(this._sequenceEdges); this._spatialEdgesChanged$.next(this._spatialEdges); this._disposed = true; if (this._imageAborter != null) { this._imageAborter(); this._imageAborter = null; } if (this._meshAborter != null) { this._meshAborter(); this._meshAborter = null; } } /** * Reset the sequence edges. */ resetSequenceEdges() { this._sequenceEdges = { cached: false, edges: [] }; this._sequenceEdgesChanged$.next(this._sequenceEdges); } /** * Reset the spatial edges. */ resetSpatialEdges() { this._spatialEdges = { cached: false, edges: [] }; this._spatialEdgesChanged$.next(this._spatialEdges); } /** * Cache the image. * * @param {SpatialImageEnt} spatial - Spatial image. * @param {boolean} spherical - Value indicating whether image is a spherical. * @returns {Observable>} Observable * emitting a load status object every time the load status changes * and completes when the image is fully loaded. */ _cacheImage$(spatial) { return Observable.create((subscriber) => { const abort = new Promise((_, reject) => { this._imageAborter = reject; }); const url = spatial.thumb.url; if (!url) { const thumbId = spatial.thumb.id; const message = `Incorrect thumb URL for ${spatial.id} ` + `(${thumbId}, ${url})`; subscriber.error(new Error(message)); return; } this._provider.getImageBuffer(url, abort) .then((buffer) => { this._imageAborter = null; const image = new Image(); image.crossOrigin = "Anonymous"; image.onload = () => { if (this._disposed) { window.URL.revokeObjectURL(image.src); const message = `Image load was aborted (${url})`; subscriber.error(new Error(message)); return; } subscriber.next(image); subscriber.complete(); }; image.onerror = () => { this._imageAborter = null; subscriber.error(new Error(`Failed to load image (${url})`)); }; const blob = new Blob([buffer]); image.src = window.URL.createObjectURL(blob); }, (error) => { this._imageAborter = null; subscriber.error(error); }); }); } /** * Cache the mesh. * * @param {SpatialImageEnt} spatial - Spatial props. * @param {boolean} merged - Value indicating whether image is merged. * @returns {Observable>} Observable emitting * a load status object every time the load status changes and completes * when the mesh is fully loaded. */ _cacheMesh$(spatial, merged) { return Observable.create((subscriber) => { if (!merged) { subscriber.next(this._createEmptyMesh()); subscriber.complete(); return; } const url = spatial.mesh.url; if (!url) { const meshId = spatial.mesh.id; const message = `Incorrect mesh URL for ${spatial.id} ` + `(${meshId}, ${url})`; console.warn(message); subscriber.next(this._createEmptyMesh()); subscriber.complete(); return; } const abort = new Promise((_, reject) => { this._meshAborter = reject; }); this._provider.getMesh(url, abort) .then((mesh) => { this._meshAborter = null; if (this._disposed) { return; } subscriber.next(mesh); subscriber.complete(); }, (error) => { this._meshAborter = null; console.error(error); subscriber.next(this._createEmptyMesh()); subscriber.complete(); }); }); } /** * Create a load status object with an empty mesh. * * @returns {ILoadStatusObject} Load status object * with empty mesh. */ _createEmptyMesh() { return { faces: [], vertices: [] }; } _disposeImage() { if (this._image != null) { window.URL.revokeObjectURL(this._image.src); } this._image = null; } } /** * @class Sequence * * @classdesc Represents a sequence of ordered images. */ class Sequence { /** * Create a new sequene instance. * * @param {SequenceEnt} sequence - Raw sequence data. */ constructor(sequence) { this._id = sequence.id; this._imageIds = sequence.image_ids; } /** * Get id. * * @returns {string} Unique sequence id. */ get id() { return this._id; } /** * Get ids. * * @returns {Array} Array of ordered image ids in the sequence. */ get imageIds() { return this._imageIds; } /** * Dispose the sequence. * * @description Disposes all cached assets. */ dispose() { this._id = null; this._imageIds = null; } /** * Find the next image id in the sequence with respect to * the provided image id. * * @param {string} id - Reference image id. * @returns {string} Next id in sequence if it exists, null otherwise. */ findNext(id) { let i = this._imageIds.indexOf(id); if ((i + 1) >= this._imageIds.length || i === -1) { return null; } else { return this._imageIds[i + 1]; } } /** * Find the previous image id in the sequence with respect to * the provided image id. * * @param {string} id - Reference image id. * @returns {string} Previous id in sequence if it exists, null otherwise. */ findPrev(id) { let i = this._imageIds.indexOf(id); if (i === 0 || i === -1) { return null; } else { return this._imageIds[i - 1]; } } } class EdgeCalculatorCoefficients { constructor() { this.sphericalPreferredDistance = 2; this.sphericalMotion = 2; this.sphericalSequencePenalty = 1; this.sphericalMergeCCPenalty = 4; this.stepPreferredDistance = 4; this.stepMotion = 3; this.stepRotation = 4; this.stepSequencePenalty = 2; this.stepMergeCCPenalty = 6; this.similarDistance = 2; this.similarRotation = 3; this.turnDistance = 4; this.turnMotion = 2; this.turnSequencePenalty = 1; this.turnMergeCCPenalty = 4; } } /** * Enumeration for edge directions * @enum {number} * @readonly * @description Directions for edges in image graph describing * sequence, spatial and image type relations between nodes. */ exports.NavigationDirection = void 0; (function (NavigationDirection) { /** * Next image in the sequence. */ NavigationDirection[NavigationDirection["Next"] = 0] = "Next"; /** * Previous image in the sequence. */ NavigationDirection[NavigationDirection["Prev"] = 1] = "Prev"; /** * Step to the left keeping viewing direction. */ NavigationDirection[NavigationDirection["StepLeft"] = 2] = "StepLeft"; /** * Step to the right keeping viewing direction. */ NavigationDirection[NavigationDirection["StepRight"] = 3] = "StepRight"; /** * Step forward keeping viewing direction. */ NavigationDirection[NavigationDirection["StepForward"] = 4] = "StepForward"; /** * Step backward keeping viewing direction. */ NavigationDirection[NavigationDirection["StepBackward"] = 5] = "StepBackward"; /** * Turn 90 degrees counter clockwise. */ NavigationDirection[NavigationDirection["TurnLeft"] = 6] = "TurnLeft"; /** * Turn 90 degrees clockwise. */ NavigationDirection[NavigationDirection["TurnRight"] = 7] = "TurnRight"; /** * Turn 180 degrees. */ NavigationDirection[NavigationDirection["TurnU"] = 8] = "TurnU"; /** * Spherical in general direction. */ NavigationDirection[NavigationDirection["Spherical"] = 9] = "Spherical"; /** * Looking in roughly the same direction at rougly the same position. */ NavigationDirection[NavigationDirection["Similar"] = 10] = "Similar"; })(exports.NavigationDirection || (exports.NavigationDirection = {})); class EdgeCalculatorDirections { constructor() { this.steps = {}; this.turns = {}; this.spherical = {}; this.steps[exports.NavigationDirection.StepForward] = { direction: exports.NavigationDirection.StepForward, motionChange: 0, useFallback: true, }; this.steps[exports.NavigationDirection.StepBackward] = { direction: exports.NavigationDirection.StepBackward, motionChange: Math.PI, useFallback: true, }; this.steps[exports.NavigationDirection.StepLeft] = { direction: exports.NavigationDirection.StepLeft, motionChange: Math.PI / 2, useFallback: false, }; this.steps[exports.NavigationDirection.StepRight] = { direction: exports.NavigationDirection.StepRight, motionChange: -Math.PI / 2, useFallback: false, }; this.turns[exports.NavigationDirection.TurnLeft] = { direction: exports.NavigationDirection.TurnLeft, directionChange: Math.PI / 2, motionChange: Math.PI / 4, }; this.turns[exports.NavigationDirection.TurnRight] = { direction: exports.NavigationDirection.TurnRight, directionChange: -Math.PI / 2, motionChange: -Math.PI / 4, }; this.turns[exports.NavigationDirection.TurnU] = { direction: exports.NavigationDirection.TurnU, directionChange: Math.PI, motionChange: null, }; this.spherical[exports.NavigationDirection.StepForward] = { direction: exports.NavigationDirection.StepForward, directionChange: 0, next: exports.NavigationDirection.StepLeft, prev: exports.NavigationDirection.StepRight, }; this.spherical[exports.NavigationDirection.StepBackward] = { direction: exports.NavigationDirection.StepBackward, directionChange: Math.PI, next: exports.NavigationDirection.StepRight, prev: exports.NavigationDirection.StepLeft, }; this.spherical[exports.NavigationDirection.StepLeft] = { direction: exports.NavigationDirection.StepLeft, directionChange: Math.PI / 2, next: exports.NavigationDirection.StepBackward, prev: exports.NavigationDirection.StepForward, }; this.spherical[exports.NavigationDirection.StepRight] = { direction: exports.NavigationDirection.StepRight, directionChange: -Math.PI / 2, next: exports.NavigationDirection.StepForward, prev: exports.NavigationDirection.StepBackward, }; } } class EdgeCalculatorSettings { constructor() { this.sphericalMinDistance = 0.1; this.sphericalMaxDistance = 20; this.sphericalPreferredDistance = 5; this.sphericalMaxItems = 4; this.sphericalMaxStepTurnChange = Math.PI / 8; this.rotationMaxDistance = this.turnMaxRigDistance; this.rotationMaxDirectionChange = Math.PI / 6; this.rotationMaxVerticalDirectionChange = Math.PI / 8; this.similarMaxDirectionChange = Math.PI / 8; this.similarMaxDistance = 12; this.similarMinTimeDifference = 12 * 3600 * 1000; this.stepMaxDistance = 20; this.stepMaxDirectionChange = Math.PI / 6; this.stepMaxDrift = Math.PI / 6; this.stepPreferredDistance = 4; this.turnMaxDistance = 15; this.turnMaxDirectionChange = 2 * Math.PI / 9; this.turnMaxRigDistance = 0.65; this.turnMinRigDirectionChange = Math.PI / 6; } get maxDistance() { return Math.max(this.sphericalMaxDistance, this.similarMaxDistance, this.stepMaxDistance, this.turnMaxDistance); } } /** * @class MapillaryError * * @classdesc Generic Mapillary error. */ class MapillaryError extends Error { constructor(message) { super(message); Object.setPrototypeOf(this, MapillaryError.prototype); this.name = "MapillaryError"; } } class ArgumentMapillaryError extends MapillaryError { constructor(message) { super(message != null ? message : "The argument is not valid."); Object.setPrototypeOf(this, ArgumentMapillaryError.prototype); this.name = "ArgumentMapillaryError"; } } /** * @class Spatial * * @classdesc Provides methods for scalar, vector and matrix calculations. */ class Spatial { constructor() { this._epsilon = 1e-9; } /** * Converts azimuthal phi rotation (counter-clockwise with origin on X-axis) to * bearing (clockwise with origin at north or Y-axis). * * @param {number} phi - Azimuthal phi angle in radians. * @returns {number} Bearing in radians. */ azimuthalToBearing(phi) { return -phi + Math.PI / 2; } /** * Converts degrees to radians. * * @param {number} deg - Degrees. * @returns {number} Radians. */ degToRad(deg) { return Math.PI * deg / 180; } /** * Converts radians to degrees. * * @param {number} rad - Radians. * @returns {number} Degrees. */ radToDeg(rad) { return 180 * rad / Math.PI; } /** * Creates a rotation matrix from an angle-axis vector. * * @param {Array} angleAxis - Angle-axis representation of a rotation. * @returns {THREE.Matrix4} Rotation matrix. */ rotationMatrix(angleAxis) { let axis = new Vector3(angleAxis[0], angleAxis[1], angleAxis[2]); let angle = axis.length(); if (angle > 0) { axis.normalize(); } return new Matrix4().makeRotationAxis(axis, angle); } /** * Rotates a vector according to a angle-axis rotation vector. * * @param {Array} vector - Vector to rotate. * @param {Array} angleAxis - Angle-axis representation of a rotation. * @returns {THREE.Vector3} Rotated vector. */ rotate(vector, angleAxis) { let v = new Vector3(vector[0], vector[1], vector[2]); let rotationMatrix = this.rotationMatrix(angleAxis); v.applyMatrix4(rotationMatrix); return v; } /** * Calculates the optical center from a rotation vector * on the angle-axis representation and a translation vector * according to C = -R^T t. * * @param {Array} rotation - Angle-axis representation of a rotation. * @param {Array} translation - Translation vector. * @returns {THREE.Vector3} Optical center. */ opticalCenter(rotation, translation) { let angleAxis = [-rotation[0], -rotation[1], -rotation[2]]; let vector = [-translation[0], -translation[1], -translation[2]]; return this.rotate(vector, angleAxis); } /** * Calculates the viewing direction from a rotation vector * on the angle-axis representation. * * @param {number[]} rotation - Angle-axis representation of a rotation. * @returns {THREE.Vector3} Viewing direction. */ viewingDirection(rotation) { let angleAxis = [-rotation[0], -rotation[1], -rotation[2]]; return this.rotate([0, 0, 1], angleAxis); } /** * Wrap a number on the interval [min, max]. * * @param {number} value - Value to wrap. * @param {number} min - Lower endpoint of interval. * @param {number} max - Upper endpoint of interval. * @returns {number} The wrapped number. */ wrap(value, min, max) { if (max < min) { throw new Error("Invalid arguments: max must be larger than min."); } let interval = (max - min); while (value > max || value < min) { if (value > max) { value = value - interval; } else if (value < min) { value = value + interval; } } return value; } /** * Wrap an angle on the interval [-Pi, Pi]. * * @param {number} angle - Value to wrap. * @returns {number} Wrapped angle. */ wrapAngle(angle) { return this.wrap(angle, -Math.PI, Math.PI); } /** * Limit the value to the interval [min, max] by changing the value to * the nearest available one when it is outside the interval. * * @param {number} value - Value to clamp. * @param {number} min - Minimum of the interval. * @param {number} max - Maximum of the interval. * @returns {number} Clamped value. */ clamp(value, min, max) { if (value < min) { return min; } if (value > max) { return max; } return value; } /** * Calculates the counter-clockwise angle from the first * vector (x1, y1)^T to the second (x2, y2)^T. * * @param {number} x1 - X coordinate of first vector. * @param {number} y1 - Y coordinate of first vector. * @param {number} x2 - X coordinate of second vector. * @param {number} y2 - Y coordinate of second vector. * @returns {number} Counter clockwise angle between the vectors. */ angleBetweenVector2(x1, y1, x2, y2) { let angle = Math.atan2(y2, x2) - Math.atan2(y1, x1); return this.wrapAngle(angle); } /** * Calculates the minimum (absolute) angle change for rotation * from one angle to another on the [-Pi, Pi] interval. * * @param {number} angle1 - Start angle. * @param {number} angle2 - Destination angle. * @returns {number} Absolute angle change between angles. */ angleDifference(angle1, angle2) { let angle = angle2 - angle1; return this.wrapAngle(angle); } /** * Calculates the relative rotation angle between two * angle-axis vectors. * * @param {number} rotation1 - First angle-axis vector. * @param {number} rotation2 - Second angle-axis vector. * @returns {number} Relative rotation angle. */ relativeRotationAngle(rotation1, rotation2) { let R1T = this.rotationMatrix([-rotation1[0], -rotation1[1], -rotation1[2]]); let R2 = this.rotationMatrix(rotation2); let R = R1T.multiply(R2); let elements = R.elements; // from Tr(R) = 1 + 2 * cos(theta) let tr = elements[0] + elements[5] + elements[10]; let theta = Math.acos(Math.max(Math.min((tr - 1) / 2, 1), -1)); return theta; } /** * Calculates the angle from a vector to a plane. * * @param {Array} vector - The vector. * @param {Array} planeNormal - Normal of the plane. * @returns {number} Angle from between plane and vector. */ angleToPlane(vector, planeNormal) { let v = new Vector3().fromArray(vector); let norm = v.length(); if (norm < this._epsilon) { return 0; } let projection = v.dot(new Vector3().fromArray(planeNormal)); return Math.asin(projection / norm); } /** * Calculates the projection of a vector onto a plane. * * @param {Array} vector - The vector. * @param {Array} planeNormal - Normal of the plane. * @returns {number} Projection of vector onto plane. */ projectToPlane(vector, planeNormal) { const directionVector = new Vector3().fromArray(vector); const normalVector = new Vector3().fromArray(planeNormal); const normalProjection = directionVector.clone().dot(normalVector); const planeProjection = directionVector .clone().sub(normalVector.clone().multiplyScalar(normalProjection)); return planeProjection.toArray(); } azimuthal(direction, up) { const directionVector = new Vector3().fromArray(direction); const upVector = new Vector3().fromArray(up); const upProjection = directionVector.clone().dot(upVector); const planeProjection = directionVector.clone().sub(upVector.clone().multiplyScalar(upProjection)); return Math.atan2(planeProjection.y, planeProjection.x); } /** * Calculates the distance between two coordinates * (longitude, latitude pairs) in meters according to * the haversine formula. * * @param {number} lat1 - Latitude of the first coordinate in degrees. * @param {number} lng1 - Longitude of the first coordinate in degrees. * @param {number} lat2 - Latitude of the second coordinate in degrees. * @param {number} lng2 - Longitude of the second coordinate in degrees. * @returns {number} Distance between lat lon positions in meters. */ distanceFromLngLat(lng1, lat1, lng2, lat2) { let r = 6371000; let dLat = this.degToRad(lat2 - lat1); let dLng = this.degToRad(lng2 - lng1); let hav = Math.sin(dLat / 2) * Math.sin(dLat / 2) + Math.cos(this.degToRad(lat1)) * Math.cos(this.degToRad(lat2)) * Math.sin(dLng / 2) * Math.sin(dLng / 2); let d = 2 * r * Math.atan2(Math.sqrt(hav), Math.sqrt(1 - hav)); return d; } } const spatial = new Spatial(); function isSpherical(cameraType) { return cameraType === "spherical"; } function isFisheye(cameraType) { return cameraType === "fisheye"; } function computeTranslation(position, rotation, reference) { const C = geodeticToEnu(position.lng, position.lat, position.alt, reference.lng, reference.lat, reference.alt); const RC = spatial.rotate(C, rotation); const translation = [-RC.x, -RC.y, -RC.z]; return translation; } function computeBearings(transform, basicVertices, basicDirections, pointsPerLine, viewportCoords) { // @ts-ignore const camera = new Camera$2(); camera.up.copy(transform.upVector()); camera.position.copy(new Vector3().fromArray(transform.unprojectSfM([0, 0], 0))); camera.lookAt(new Vector3().fromArray(transform.unprojectSfM([0, 0], 10))); return computeCameraBearings(camera, transform, basicVertices, basicDirections, pointsPerLine, viewportCoords); } function computeCameraBearings(camera, transform, basicVertices, basicDirections, pointsPerLine, viewportCoords) { const basicPoints = []; for (let side = 0; side < basicVertices.length; ++side) { const v = basicVertices[side]; const d = basicDirections[side]; for (let i = 0; i <= pointsPerLine; ++i) { basicPoints.push([ v[0] + d[0] * i / pointsPerLine, v[1] + d[1] * i / pointsPerLine, ]); } } camera.updateMatrix(); camera.updateMatrixWorld(true); const bearings = []; for (const basicPoint of basicPoints) { const worldPoint = transform.unprojectBasic(basicPoint, 10000); const cameraPoint = new Vector3() .fromArray(viewportCoords.worldToCamera(worldPoint, camera)); cameraPoint.normalize(); bearings.push(cameraPoint.toArray()); } return bearings; } /** * @class EdgeCalculator * * @classdesc Represents a class for calculating node edges. */ class EdgeCalculator { /** * Create a new edge calculator instance. * * @param {EdgeCalculatorSettings} settings - Settings struct. * @param {EdgeCalculatorDirections} directions - Directions struct. * @param {EdgeCalculatorCoefficients} coefficients - Coefficients struct. */ constructor(settings, directions, coefficients) { this._spatial = new Spatial(); this._settings = settings != null ? settings : new EdgeCalculatorSettings(); this._directions = directions != null ? directions : new EdgeCalculatorDirections(); this._coefficients = coefficients != null ? coefficients : new EdgeCalculatorCoefficients(); } /** * Returns the potential edges to destination nodes for a set * of nodes with respect to a source node. * * @param {Image} node - Source node. * @param {Array} nodes - Potential destination nodes. * @param {Array} fallbackIds - Ids for destination nodes * that should be returned even if they do not meet the * criteria for a potential edge. * @throws {ArgumentMapillaryError} If node is not full. */ getPotentialEdges(node, potentialImages, fallbackIds) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } if (!node.merged) { return []; } let currentDirection = this._spatial.viewingDirection(node.rotation); let currentVerticalDirection = this._spatial.angleToPlane(currentDirection.toArray(), [0, 0, 1]); let potentialEdges = []; for (let potential of potentialImages) { if (!potential.merged || potential.id === node.id) { continue; } let enu = geodeticToEnu(potential.lngLat.lng, potential.lngLat.lat, potential.computedAltitude, node.lngLat.lng, node.lngLat.lat, node.computedAltitude); let motion = new Vector3(enu[0], enu[1], enu[2]); let distance = motion.length(); if (distance > this._settings.maxDistance && fallbackIds.indexOf(potential.id) < 0) { continue; } let motionChange = this._spatial.angleBetweenVector2(currentDirection.x, currentDirection.y, motion.x, motion.y); let verticalMotion = this._spatial.angleToPlane(motion.toArray(), [0, 0, 1]); let direction = this._spatial.viewingDirection(potential.rotation); let directionChange = this._spatial.angleBetweenVector2(currentDirection.x, currentDirection.y, direction.x, direction.y); let verticalDirection = this._spatial.angleToPlane(direction.toArray(), [0, 0, 1]); let verticalDirectionChange = verticalDirection - currentVerticalDirection; let rotation = this._spatial.relativeRotationAngle(node.rotation, potential.rotation); let worldMotionAzimuth = this._spatial.angleBetweenVector2(1, 0, motion.x, motion.y); let sameSequence = potential.sequenceId != null && node.sequenceId != null && potential.sequenceId === node.sequenceId; let sameMergeCC = potential.mergeId === node.mergeId; let sameUser = potential.creatorId === node.creatorId; let potentialEdge = { capturedAt: potential.capturedAt, directionChange: directionChange, distance: distance, spherical: isSpherical(potential.cameraType), id: potential.id, motionChange: motionChange, rotation: rotation, sameMergeCC: sameMergeCC, sameSequence: sameSequence, sameUser: sameUser, sequenceId: potential.sequenceId, verticalDirectionChange: verticalDirectionChange, verticalMotion: verticalMotion, worldMotionAzimuth: worldMotionAzimuth, }; potentialEdges.push(potentialEdge); } return potentialEdges; } /** * Computes the sequence edges for a node. * * @param {Image} node - Source node. * @throws {ArgumentMapillaryError} If node is not full. */ computeSequenceEdges(node, sequence) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } if (node.sequenceId !== sequence.id) { throw new ArgumentMapillaryError("Image and sequence does not correspond."); } let edges = []; let nextId = sequence.findNext(node.id); if (nextId != null) { edges.push({ data: { direction: exports.NavigationDirection.Next, worldMotionAzimuth: Number.NaN, }, source: node.id, target: nextId, }); } let prevId = sequence.findPrev(node.id); if (prevId != null) { edges.push({ data: { direction: exports.NavigationDirection.Prev, worldMotionAzimuth: Number.NaN, }, source: node.id, target: prevId, }); } return edges; } /** * Computes the similar edges for a node. * * @description Similar edges for perspective images * look roughly in the same direction and are positioned closed to the node. * Similar edges for spherical only target other spherical. * * @param {Image} node - Source node. * @param {Array} potentialEdges - Potential edges. * @throws {ArgumentMapillaryError} If node is not full. */ computeSimilarEdges(node, potentialEdges) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } let nodeSpherical = isSpherical(node.cameraType); let sequenceGroups = {}; for (let potentialEdge of potentialEdges) { if (potentialEdge.sequenceId == null) { continue; } if (potentialEdge.sameSequence) { continue; } if (nodeSpherical) { if (!potentialEdge.spherical) { continue; } } else { if (!potentialEdge.spherical && Math.abs(potentialEdge.directionChange) > this._settings.similarMaxDirectionChange) { continue; } } if (potentialEdge.distance > this._settings.similarMaxDistance) { continue; } if (potentialEdge.sameUser && Math.abs(potentialEdge.capturedAt - node.capturedAt) < this._settings.similarMinTimeDifference) { continue; } if (sequenceGroups[potentialEdge.sequenceId] == null) { sequenceGroups[potentialEdge.sequenceId] = []; } sequenceGroups[potentialEdge.sequenceId].push(potentialEdge); } let similarEdges = []; let calculateScore = isSpherical(node.cameraType) ? (potentialEdge) => { return potentialEdge.distance; } : (potentialEdge) => { return this._coefficients.similarDistance * potentialEdge.distance + this._coefficients.similarRotation * potentialEdge.rotation; }; for (let sequenceId in sequenceGroups) { if (!sequenceGroups.hasOwnProperty(sequenceId)) { continue; } let lowestScore = Number.MAX_VALUE; let similarEdge = null; for (let potentialEdge of sequenceGroups[sequenceId]) { let score = calculateScore(potentialEdge); if (score < lowestScore) { lowestScore = score; similarEdge = potentialEdge; } } if (similarEdge == null) { continue; } similarEdges.push(similarEdge); } return similarEdges .map((potentialEdge) => { return { data: { direction: exports.NavigationDirection.Similar, worldMotionAzimuth: potentialEdge.worldMotionAzimuth, }, source: node.id, target: potentialEdge.id, }; }); } /** * Computes the step edges for a perspective node. * * @description Step edge targets can only be other perspective nodes. * Returns an empty array for spherical. * * @param {Image} node - Source node. * @param {Array} potentialEdges - Potential edges. * @param {string} prevId - Id of previous node in sequence. * @param {string} nextId - Id of next node in sequence. * @throws {ArgumentMapillaryError} If node is not full. */ computeStepEdges(node, potentialEdges, prevId, nextId) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } let edges = []; if (isSpherical(node.cameraType)) { return edges; } for (let k in this._directions.steps) { if (!this._directions.steps.hasOwnProperty(k)) { continue; } let step = this._directions.steps[k]; let lowestScore = Number.MAX_VALUE; let edge = null; let fallback = null; for (let potential of potentialEdges) { if (potential.spherical) { continue; } if (Math.abs(potential.directionChange) > this._settings.stepMaxDirectionChange) { continue; } let motionDifference = this._spatial.angleDifference(step.motionChange, potential.motionChange); let directionMotionDifference = this._spatial.angleDifference(potential.directionChange, motionDifference); let drift = Math.max(Math.abs(motionDifference), Math.abs(directionMotionDifference)); if (Math.abs(drift) > this._settings.stepMaxDrift) { continue; } let potentialId = potential.id; if (step.useFallback && (potentialId === prevId || potentialId === nextId)) { fallback = potential; } if (potential.distance > this._settings.stepMaxDistance) { continue; } motionDifference = Math.sqrt(motionDifference * motionDifference + potential.verticalMotion * potential.verticalMotion); let score = this._coefficients.stepPreferredDistance * Math.abs(potential.distance - this._settings.stepPreferredDistance) / this._settings.stepMaxDistance + this._coefficients.stepMotion * motionDifference / this._settings.stepMaxDrift + this._coefficients.stepRotation * potential.rotation / this._settings.stepMaxDirectionChange + this._coefficients.stepSequencePenalty * (potential.sameSequence ? 0 : 1) + this._coefficients.stepMergeCCPenalty * (potential.sameMergeCC ? 0 : 1); if (score < lowestScore) { lowestScore = score; edge = potential; } } edge = edge == null ? fallback : edge; if (edge != null) { edges.push({ data: { direction: step.direction, worldMotionAzimuth: edge.worldMotionAzimuth, }, source: node.id, target: edge.id, }); } } return edges; } /** * Computes the turn edges for a perspective node. * * @description Turn edge targets can only be other perspective images. * Returns an empty array for spherical. * * @param {Image} node - Source node. * @param {Array} potentialEdges - Potential edges. * @throws {ArgumentMapillaryError} If node is not full. */ computeTurnEdges(node, potentialEdges) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } let edges = []; if (isSpherical(node.cameraType)) { return edges; } for (let k in this._directions.turns) { if (!this._directions.turns.hasOwnProperty(k)) { continue; } let turn = this._directions.turns[k]; let lowestScore = Number.MAX_VALUE; let edge = null; for (let potential of potentialEdges) { if (potential.spherical) { continue; } if (potential.distance > this._settings.turnMaxDistance) { continue; } let rig = turn.direction !== exports.NavigationDirection.TurnU && potential.distance < this._settings.turnMaxRigDistance && Math.abs(potential.directionChange) > this._settings.turnMinRigDirectionChange; let directionDifference = this._spatial.angleDifference(turn.directionChange, potential.directionChange); let score; if (rig && potential.directionChange * turn.directionChange > 0 && Math.abs(potential.directionChange) < Math.abs(turn.directionChange)) { score = -Math.PI / 2 + Math.abs(potential.directionChange); } else { if (Math.abs(directionDifference) > this._settings.turnMaxDirectionChange) { continue; } let motionDifference = turn.motionChange ? this._spatial.angleDifference(turn.motionChange, potential.motionChange) : 0; motionDifference = Math.sqrt(motionDifference * motionDifference + potential.verticalMotion * potential.verticalMotion); score = this._coefficients.turnDistance * potential.distance / this._settings.turnMaxDistance + this._coefficients.turnMotion * motionDifference / Math.PI + this._coefficients.turnSequencePenalty * (potential.sameSequence ? 0 : 1) + this._coefficients.turnMergeCCPenalty * (potential.sameMergeCC ? 0 : 1); } if (score < lowestScore) { lowestScore = score; edge = potential; } } if (edge != null) { edges.push({ data: { direction: turn.direction, worldMotionAzimuth: edge.worldMotionAzimuth, }, source: node.id, target: edge.id, }); } } return edges; } /** * Computes the spherical edges for a perspective node. * * @description Perspective to spherical edge targets can only be * spherical nodes. Returns an empty array for spherical. * * @param {Image} node - Source node. * @param {Array} potentialEdges - Potential edges. * @throws {ArgumentMapillaryError} If node is not full. */ computePerspectiveToSphericalEdges(node, potentialEdges) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } if (isSpherical(node.cameraType)) { return []; } let lowestScore = Number.MAX_VALUE; let edge = null; for (let potential of potentialEdges) { if (!potential.spherical) { continue; } let score = this._coefficients.sphericalPreferredDistance * Math.abs(potential.distance - this._settings.sphericalPreferredDistance) / this._settings.sphericalMaxDistance + this._coefficients.sphericalMotion * Math.abs(potential.motionChange) / Math.PI + this._coefficients.sphericalMergeCCPenalty * (potential.sameMergeCC ? 0 : 1); if (score < lowestScore) { lowestScore = score; edge = potential; } } if (edge == null) { return []; } return [ { data: { direction: exports.NavigationDirection.Spherical, worldMotionAzimuth: edge.worldMotionAzimuth, }, source: node.id, target: edge.id, }, ]; } /** * Computes the spherical and step edges for a spherical node. * * @description Spherical to spherical edge targets can only be * spherical nodes. spherical to step edge targets can only be perspective * nodes. * * @param {Image} node - Source node. * @param {Array} potentialEdges - Potential edges. * @throws {ArgumentMapillaryError} If node is not full. */ computeSphericalEdges(node, potentialEdges) { if (!node.complete) { throw new ArgumentMapillaryError("Image has to be full."); } if (!isSpherical(node.cameraType)) { return []; } let sphericalEdges = []; let potentialSpherical = []; let potentialSteps = []; for (let potential of potentialEdges) { if (potential.distance > this._settings.sphericalMaxDistance) { continue; } if (potential.spherical) { if (potential.distance < this._settings.sphericalMinDistance) { continue; } potentialSpherical.push(potential); } else { for (let k in this._directions.spherical) { if (!this._directions.spherical.hasOwnProperty(k)) { continue; } let spherical = this._directions.spherical[k]; let turn = this._spatial.angleDifference(potential.directionChange, potential.motionChange); let turnChange = this._spatial.angleDifference(spherical.directionChange, turn); if (Math.abs(turnChange) > this._settings.sphericalMaxStepTurnChange) { continue; } potentialSteps.push([spherical.direction, potential]); // break if step direction found break; } } } let maxRotationDifference = Math.PI / this._settings.sphericalMaxItems; let occupiedAngles = []; let stepAngles = []; for (let index = 0; index < this._settings.sphericalMaxItems; index++) { let rotation = index / this._settings.sphericalMaxItems * 2 * Math.PI; let lowestScore = Number.MAX_VALUE; let edge = null; for (let potential of potentialSpherical) { let motionDifference = this._spatial.angleDifference(rotation, potential.motionChange); if (Math.abs(motionDifference) > maxRotationDifference) { continue; } let occupiedDifference = Number.MAX_VALUE; for (let occupiedAngle of occupiedAngles) { let difference = Math.abs(this._spatial.angleDifference(occupiedAngle, potential.motionChange)); if (difference < occupiedDifference) { occupiedDifference = difference; } } if (occupiedDifference <= maxRotationDifference) { continue; } let score = this._coefficients.sphericalPreferredDistance * Math.abs(potential.distance - this._settings.sphericalPreferredDistance) / this._settings.sphericalMaxDistance + this._coefficients.sphericalMotion * Math.abs(motionDifference) / maxRotationDifference + this._coefficients.sphericalSequencePenalty * (potential.sameSequence ? 0 : 1) + this._coefficients.sphericalMergeCCPenalty * (potential.sameMergeCC ? 0 : 1); if (score < lowestScore) { lowestScore = score; edge = potential; } } if (edge != null) { occupiedAngles.push(edge.motionChange); sphericalEdges.push({ data: { direction: exports.NavigationDirection.Spherical, worldMotionAzimuth: edge.worldMotionAzimuth, }, source: node.id, target: edge.id, }); } else { stepAngles.push(rotation); } } let occupiedStepAngles = {}; occupiedStepAngles[exports.NavigationDirection.Spherical] = occupiedAngles; occupiedStepAngles[exports.NavigationDirection.StepForward] = []; occupiedStepAngles[exports.NavigationDirection.StepLeft] = []; occupiedStepAngles[exports.NavigationDirection.StepBackward] = []; occupiedStepAngles[exports.NavigationDirection.StepRight] = []; for (let stepAngle of stepAngles) { let occupations = []; for (let k in this._directions.spherical) { if (!this._directions.spherical.hasOwnProperty(k)) { continue; } let spherical = this._directions.spherical[k]; let allOccupiedAngles = occupiedStepAngles[exports.NavigationDirection.Spherical] .concat(occupiedStepAngles[spherical.direction]) .concat(occupiedStepAngles[spherical.prev]) .concat(occupiedStepAngles[spherical.next]); let lowestScore = Number.MAX_VALUE; let edge = null; for (let potential of potentialSteps) { if (potential[0] !== spherical.direction) { continue; } let motionChange = this._spatial.angleDifference(stepAngle, potential[1].motionChange); if (Math.abs(motionChange) > maxRotationDifference) { continue; } let minOccupiedDifference = Number.MAX_VALUE; for (let occupiedAngle of allOccupiedAngles) { let occupiedDifference = Math.abs(this._spatial.angleDifference(occupiedAngle, potential[1].motionChange)); if (occupiedDifference < minOccupiedDifference) { minOccupiedDifference = occupiedDifference; } } if (minOccupiedDifference <= maxRotationDifference) { continue; } let score = this._coefficients.sphericalPreferredDistance * Math.abs(potential[1].distance - this._settings.sphericalPreferredDistance) / this._settings.sphericalMaxDistance + this._coefficients.sphericalMotion * Math.abs(motionChange) / maxRotationDifference + this._coefficients.sphericalMergeCCPenalty * (potential[1].sameMergeCC ? 0 : 1); if (score < lowestScore) { lowestScore = score; edge = potential; } } if (edge != null) { occupations.push(edge); sphericalEdges.push({ data: { direction: edge[0], worldMotionAzimuth: edge[1].worldMotionAzimuth, }, source: node.id, target: edge[1].id, }); } } for (let occupation of occupations) { occupiedStepAngles[occupation[0]].push(occupation[1].motionChange); } } return sphericalEdges; } } class GraphMapillaryError extends MapillaryError { constructor(message) { super(message); Object.setPrototypeOf(this, GraphMapillaryError.prototype); this.name = "GraphMapillaryError"; } } /** * @class CancelMapillaryError * * @classdesc Error thrown when a move to request has been * cancelled before completing because of a subsequent request. */ class CancelMapillaryError extends MapillaryError { constructor(message) { super(message != null ? message : "The request was cancelled."); Object.setPrototypeOf(this, CancelMapillaryError.prototype); this.name = "CancelMapillaryError"; } } /** * @class Graph * * @classdesc Represents a graph of nodes with edges. */ class Graph { /** * Create a new graph instance. * * @param {APIWrapper} [api] - API instance for retrieving data. * @param {rbush.RBush} [nodeIndex] - Node index for fast spatial retreival. * @param {GraphCalculator} [graphCalculator] - Instance for graph calculations. * @param {EdgeCalculator} [edgeCalculator] - Instance for edge calculations. * @param {FilterCreator} [filterCreator] - Instance for filter creation. * @param {GraphConfiguration} [configuration] - Configuration struct. */ constructor(api, options, nodeIndex, graphCalculator, edgeCalculator, filterCreator, configuration) { var _a; this._api = api; this._computedGraph = (_a = options === null || options === void 0 ? void 0 : options.computedGraph) !== null && _a !== void 0 ? _a : false; this._cachedNodes = {}; this._cachedNodeTiles = {}; this._cachedSequenceNodes = {}; this._cachedSpatialEdges = {}; this._cachedTiles = {}; this._cachingFill$ = {}; this._cachingFull$ = {}; this._cachingSequenceNodes$ = {}; this._cachingSequences$ = {}; this._cachingSpatialArea$ = {}; this._cachingTiles$ = {}; this._changed$ = new Subject(); this._filterCreator = filterCreator !== null && filterCreator !== void 0 ? filterCreator : new FilterCreator(); this._filter = this._filterCreator.createFilter(undefined); this._filterSubject$ = new Subject(); this._filter$ = concat(of(this._filter), this._filterSubject$).pipe(publishReplay(1), refCount()); this._filterSubscription = this._filter$.subscribe(() => { }); this._defaultAlt = 2; this._edgeCalculator = edgeCalculator !== null && edgeCalculator !== void 0 ? edgeCalculator : new EdgeCalculator(); this._graphCalculator = graphCalculator !== null && graphCalculator !== void 0 ? graphCalculator : new GraphCalculator(); this._configuration = configuration !== null && configuration !== void 0 ? configuration : { maxSequences: 50, maxUnusedImages: 100, maxUnusedPreStoredImages: 30, maxUnusedTiles: 20, }; this._clusterNodes = new Map(); this._nodes = {}; this._nodeIndex = nodeIndex !== null && nodeIndex !== void 0 ? nodeIndex : new Graph._spatialIndex(16); this._nodeIndexNodes = new Map(); this._nodeIndexTiles = {}; this._nodeToTile = {}; this._preStored = {}; this._preDeletedNodes = new Map(); this._requiredNodeTiles = {}; this._requiredSpatialArea = {}; this._sequences = {}; this._tileThreshold = 20; } static register(spatialIndex) { Graph._spatialIndex = spatialIndex; } /** * Get api. * * @returns {APIWrapper} The API instance used by * the graph. */ get api() { return this._api; } /** * Get changed$. * * @returns {Observable} Observable emitting * the graph every time it has changed. */ get changed$() { return this._changed$; } /** * Get filter$. * * @returns {Observable} Observable emitting * the filter every time it has changed. */ get filter$() { return this._filter$; } /** * Caches the full node data for all images within a bounding * box. * * @description The node assets are not cached. * * @param {LngLat} sw - South west corner of bounding box. * @param {LngLat} ne - North east corner of bounding box. * @returns {Observable>} Observable emitting * the full nodes in the bounding box. */ cacheBoundingBox$(sw, ne) { const cacheTiles$ = this._api.data.geometry.bboxToCellIds(sw, ne) .filter((h) => { return !(h in this._cachedTiles); }) .map((h) => { return h in this._cachingTiles$ ? this._cachingTiles$[h] : this._cacheTile$(h); }); if (cacheTiles$.length === 0) { cacheTiles$.push(of(this)); } return from(cacheTiles$).pipe(mergeAll(), last(), mergeMap(() => { const nodes = this._nodeIndex .search({ maxX: ne.lng, maxY: ne.lat, minX: sw.lng, minY: sw.lat, }) .map((item) => { return item.node; }); const fullNodes = []; const coreNodes = []; for (const node of nodes) { if (node.complete) { fullNodes.push(node); } else { coreNodes.push(node.id); } } const coreNodeBatches = []; const batchSize = 200; while (coreNodes.length > 0) { coreNodeBatches.push(coreNodes.splice(0, batchSize)); } const fullNodes$ = of(fullNodes); const fillNodes$ = coreNodeBatches .map((batch) => { return this._api .getSpatialImages$(batch) .pipe(map((items) => { const result = []; for (const item of items) { const exists = this .hasNode(item.node_id); if (!exists) { continue; } const node = this .getNode(item.node_id); if (!node.complete) { this._makeFull(node, item.node); } result.push(node); } return result; })); }); return merge(fullNodes$, from(fillNodes$).pipe(mergeAll())); }), reduce((acc, value) => { return acc.concat(value); })); } /** * Caches the full node data for all images of a cell. * * @description The node assets are not cached. * * @param {string} cellId - Cell id. * @returns {Observable>} Observable * emitting the full nodes of the cell. */ cacheCell$(cellId) { const cacheCell$ = cellId in this._cachedTiles ? of(this) : cellId in this._cachingTiles$ ? this._cachingTiles$[cellId] : this._cacheTile$(cellId); return cacheCell$.pipe(mergeMap(() => { const cachedCell = this._cachedTiles[cellId]; cachedCell.accessed = new Date().getTime(); const cellNodes = cachedCell.nodes; const fullNodes = []; const coreNodes = []; for (const node of cellNodes) { if (node.complete) { fullNodes.push(node); } else { coreNodes.push(node.id); } } const coreNodeBatches = []; const batchSize = 200; while (coreNodes.length > 0) { coreNodeBatches.push(coreNodes.splice(0, batchSize)); } const fullNodes$ = of(fullNodes); const fillNodes$ = coreNodeBatches .map((batch) => { return this._api.getSpatialImages$(batch).pipe(map((items) => { const filled = []; for (const item of items) { if (!item.node) { console.warn(`Image is empty (${item.node})`); continue; } const id = item.node_id; if (!this.hasNode(id)) { continue; } const node = this.getNode(id); if (!node.complete) { this._makeFull(node, item.node); } filled.push(node); } return filled; })); }); return merge(fullNodes$, from(fillNodes$).pipe(mergeAll())); }), reduce((acc, value) => { return acc.concat(value); })); } /** * Retrieve and cache node fill properties. * * @param {string} key - Key of node to fill. * @returns {Observable} Observable emitting the graph * when the node has been updated. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheFill$(key) { if (key in this._cachingFull$) { throw new GraphMapillaryError(`Cannot fill node while caching full (${key}).`); } if (!this.hasNode(key)) { throw new GraphMapillaryError(`Cannot fill node that does not exist in graph (${key}).`); } if (key in this._cachingFill$) { return this._cachingFill$[key]; } const node = this.getNode(key); if (node.complete) { throw new GraphMapillaryError(`Cannot fill node that is already full (${key}).`); } this._cachingFill$[key] = this._api.getSpatialImages$([key]).pipe(tap((items) => { for (const item of items) { if (!item.node) { console.warn(`Image is empty ${item.node_id}`); } if (!node.complete) { this._makeFull(node, item.node); } delete this._cachingFill$[item.node_id]; } }), map(() => { return this; }), finalize(() => { if (key in this._cachingFill$) { delete this._cachingFill$[key]; } this._changed$.next(this); }), publish(), refCount()); return this._cachingFill$[key]; } /** * Retrieve and cache full node properties. * * @param {string} key - Key of node to fill. * @returns {Observable} Observable emitting the graph * when the node has been updated. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheFull$(key) { if (key in this._cachingFull$) { return this._cachingFull$[key]; } if (this.hasNode(key)) { throw new GraphMapillaryError(`Cannot cache full node that already exist in graph (${key}).`); } this._cachingFull$[key] = this._api.getImages$([key]).pipe(tap((items) => { for (const item of items) { if (!item.node) { throw new GraphMapillaryError(`Image does not exist (${key}, ${item.node}).`); } const id = item.node_id; if (this.hasNode(id)) { const node = this.getNode(key); if (!node.complete) { this._makeFull(node, item.node); } } else { if (item.node.sequence.id == null) { throw new GraphMapillaryError(`Image has no sequence key (${key}).`); } let node = null; if (this._preDeletedNodes.has(id)) { node = this._unDeleteNode(id); } else { node = new Image$1(item.node); } this._makeFull(node, item.node); const lngLat = this._getNodeLngLat(node); const cellId = this._api.data.geometry .lngLatToCellId(lngLat); this._preStore(cellId, node); this._setNode(node); delete this._cachingFull$[id]; } } }), map(() => this), finalize(() => { if (key in this._cachingFull$) { delete this._cachingFull$[key]; } this._changed$.next(this); }), publish(), refCount()); return this._cachingFull$[key]; } /** * Retrieve and cache a node sequence. * * @param {string} key - Key of node for which to retrieve sequence. * @returns {Observable} Observable emitting the graph * when the sequence has been retrieved. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheNodeSequence$(key) { if (!this.hasNode(key)) { throw new GraphMapillaryError(`Cannot cache sequence edges of node that does not exist in graph (${key}).`); } let node = this.getNode(key); if (node.sequenceId in this._sequences) { throw new GraphMapillaryError(`Sequence already cached (${key}), (${node.sequenceId}).`); } return this._cacheSequence$(node.sequenceId); } /** * Retrieve and cache a sequence. * * @param {string} sequenceKey - Key of sequence to cache. * @returns {Observable} Observable emitting the graph * when the sequence has been retrieved. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheSequence$(sequenceKey) { if (sequenceKey in this._sequences) { throw new GraphMapillaryError(`Sequence already cached (${sequenceKey})`); } return this._cacheSequence$(sequenceKey); } /** * Cache sequence edges for a node. * * @param {string} key - Key of node. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheSequenceEdges(key) { let node = this.getNode(key); if (!(node.sequenceId in this._sequences)) { throw new GraphMapillaryError(`Sequence is not cached (${key}), (${node.sequenceId})`); } let sequence = this._sequences[node.sequenceId].sequence; let edges = this._edgeCalculator.computeSequenceEdges(node, sequence); node.cacheSequenceEdges(edges); } /** * Retrieve and cache full nodes for all keys in a sequence. * * @param {string} sequenceKey - Key of sequence. * @param {string} referenceNodeKey - Key of node to use as reference * for optimized caching. * @returns {Observable} Observable emitting the graph * when the nodes of the sequence has been cached. */ cacheSequenceNodes$(sequenceKey, referenceNodeKey) { if (!this.hasSequence(sequenceKey)) { throw new GraphMapillaryError(`Cannot cache sequence nodes of sequence that does not exist in graph (${sequenceKey}).`); } if (this.hasSequenceNodes(sequenceKey)) { throw new GraphMapillaryError(`Sequence nodes already cached (${sequenceKey}).`); } const sequence = this.getSequence(sequenceKey); if (sequence.id in this._cachingSequenceNodes$) { return this._cachingSequenceNodes$[sequence.id]; } const batches = []; const keys = sequence.imageIds.slice(); const referenceBatchSize = 50; if (!!referenceNodeKey && keys.length > referenceBatchSize) { const referenceIndex = keys.indexOf(referenceNodeKey); const startIndex = Math.max(0, Math.min(referenceIndex - referenceBatchSize / 2, keys.length - referenceBatchSize)); batches.push(keys.splice(startIndex, referenceBatchSize)); } const batchSize = 200; while (keys.length > 0) { batches.push(keys.splice(0, batchSize)); } let batchesToCache = batches.length; const sequenceNodes$ = from(batches).pipe(mergeMap((batch) => { return this._api.getImages$(batch).pipe(tap((items) => { for (const item of items) { if (!item.node) { console.warn(`Image empty (${item.node_id})`); continue; } const id = item.node_id; if (this.hasNode(id)) { const node = this.getNode(id); if (!node.complete) { this._makeFull(node, item.node); } } else { if (item.node.sequence.id == null) { console.warn(`Sequence missing, discarding node (${item.node_id})`); } let node = null; if (this._preDeletedNodes.has(id)) { node = this._unDeleteNode(id); } else { node = new Image$1(item.node); } this._makeFull(node, item.node); const lngLat = this._getNodeLngLat(node); const cellId = this._api.data.geometry .lngLatToCellId(lngLat); this._preStore(cellId, node); this._setNode(node); } } batchesToCache--; }), map(() => this)); }, 6), last(), finalize(() => { delete this._cachingSequenceNodes$[sequence.id]; if (batchesToCache === 0) { this._cachedSequenceNodes[sequence.id] = true; } }), publish(), refCount()); this._cachingSequenceNodes$[sequence.id] = sequenceNodes$; return sequenceNodes$; } /** * Retrieve and cache full nodes for a node spatial area. * * @param {string} key - Key of node for which to retrieve sequence. * @returns {Observable} Observable emitting the graph * when the nodes in the spatial area has been made full. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheSpatialArea$(key) { if (!this.hasNode(key)) { throw new GraphMapillaryError(`Cannot cache spatial area of node that does not exist in graph (${key}).`); } if (key in this._cachedSpatialEdges) { throw new GraphMapillaryError(`Image already spatially cached (${key}).`); } if (!(key in this._requiredSpatialArea)) { throw new GraphMapillaryError(`Spatial area not determined (${key}).`); } let spatialArea = this._requiredSpatialArea[key]; if (Object.keys(spatialArea.cacheNodes).length === 0) { throw new GraphMapillaryError(`Spatial nodes already cached (${key}).`); } if (key in this._cachingSpatialArea$) { return this._cachingSpatialArea$[key]; } let batches = []; while (spatialArea.cacheKeys.length > 0) { batches.push(spatialArea.cacheKeys.splice(0, 200)); } let batchesToCache = batches.length; let spatialArea$ = []; for (let batch of batches) { let spatialNodeBatch$ = this._api.getSpatialImages$(batch).pipe(tap((items) => { const currentSpatialArea = this._requiredSpatialArea[key]; if (currentSpatialArea == null || spatialArea !== currentSpatialArea) { throw new CancelMapillaryError("Required spatial area changed."); } const currentCaching = this._cachingSpatialArea$[key]; if (currentCaching == null || spatialArea$ !== currentCaching) { throw new CancelMapillaryError("Spatial area caching changed."); } for (const item of items) { if (!item.node) { console.warn(`Image is empty (${item.node_id})`); continue; } const id = item.node_id; const spatialNode = spatialArea.cacheNodes[id]; if (spatialNode.complete) { delete spatialArea.cacheNodes[id]; continue; } this._makeFull(spatialNode, item.node); delete spatialArea.cacheNodes[id]; } if (--batchesToCache === 0) { delete this._cachingSpatialArea$[key]; } }), map(() => { return this; }), catchError((error) => { for (let batchKey of batch) { if (batchKey in spatialArea.all) { delete spatialArea.all[batchKey]; } if (batchKey in spatialArea.cacheNodes) { delete spatialArea.cacheNodes[batchKey]; } } const currentCaching = this._cachingSpatialArea$[key]; if (spatialArea$ === currentCaching) { delete this._cachingSpatialArea$[key]; } throw error; }), finalize(() => { if (Object.keys(spatialArea.cacheNodes).length === 0) { this._changed$.next(this); } }), publish(), refCount()); spatialArea$.push(spatialNodeBatch$); } this._cachingSpatialArea$[key] = spatialArea$; return spatialArea$; } /** * Cache spatial edges for a node. * * @param {string} key - Key of node. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheSpatialEdges(key) { if (key in this._cachedSpatialEdges) { throw new GraphMapillaryError(`Spatial edges already cached (${key}).`); } let node = this.getNode(key); let sequence = this._sequences[node.sequenceId].sequence; let fallbackKeys = []; let prevKey = sequence.findPrev(node.id); if (prevKey != null) { fallbackKeys.push(prevKey); } let nextKey = sequence.findNext(node.id); if (nextKey != null) { fallbackKeys.push(nextKey); } let allSpatialNodes = this._requiredSpatialArea[key].all; let potentialNodes = []; let filter = this._filter; for (let spatialNodeKey in allSpatialNodes) { if (!allSpatialNodes.hasOwnProperty(spatialNodeKey)) { continue; } let spatialNode = allSpatialNodes[spatialNodeKey]; if (spatialNode.complete && filter(spatialNode)) { potentialNodes.push(spatialNode); } } let potentialEdges = this._edgeCalculator.getPotentialEdges(node, potentialNodes, fallbackKeys); let edges = this._edgeCalculator.computeStepEdges(node, potentialEdges, prevKey, nextKey); edges = edges.concat(this._edgeCalculator.computeTurnEdges(node, potentialEdges)); edges = edges.concat(this._edgeCalculator.computeSphericalEdges(node, potentialEdges)); edges = edges.concat(this._edgeCalculator.computePerspectiveToSphericalEdges(node, potentialEdges)); edges = edges.concat(this._edgeCalculator.computeSimilarEdges(node, potentialEdges)); node.cacheSpatialEdges(edges); this._cachedSpatialEdges[key] = node; delete this._requiredSpatialArea[key]; delete this._cachedNodeTiles[key]; } /** * Retrieve and cache tiles for a node. * * @param {string} key - Key of node for which to retrieve tiles. * @returns {Array>} Array of observables emitting * the graph for each tile required for the node has been cached. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ cacheTiles$(key) { if (key in this._cachedNodeTiles) { throw new GraphMapillaryError(`Tiles already cached (${key}).`); } if (key in this._cachedSpatialEdges) { throw new GraphMapillaryError(`Spatial edges already cached so tiles considered cached (${key}).`); } if (!(key in this._requiredNodeTiles)) { throw new GraphMapillaryError(`Tiles have not been determined (${key}).`); } let nodeTiles = this._requiredNodeTiles[key]; if (nodeTiles.cache.length === 0 && nodeTiles.caching.length === 0) { throw new GraphMapillaryError(`Tiles already cached (${key}).`); } if (!this.hasNode(key)) { throw new GraphMapillaryError(`Cannot cache tiles of node that does not exist in graph (${key}).`); } let hs = nodeTiles.cache.slice(); nodeTiles.caching = this._requiredNodeTiles[key].caching.concat(hs); nodeTiles.cache = []; let cacheTiles$ = []; for (let h of nodeTiles.caching) { const cacheTile$ = h in this._cachingTiles$ ? this._cachingTiles$[h] : this._cacheTile$(h); cacheTiles$.push(cacheTile$.pipe(tap((graph) => { let index = nodeTiles.caching.indexOf(h); if (index > -1) { nodeTiles.caching.splice(index, 1); } if (nodeTiles.caching.length === 0 && nodeTiles.cache.length === 0) { delete this._requiredNodeTiles[key]; this._cachedNodeTiles[key] = true; } }), catchError((error) => { let index = nodeTiles.caching.indexOf(h); if (index > -1) { nodeTiles.caching.splice(index, 1); } if (nodeTiles.caching.length === 0 && nodeTiles.cache.length === 0) { delete this._requiredNodeTiles[key]; this._cachedNodeTiles[key] = true; } throw error; }), finalize(() => { this._changed$.next(this); }), publish(), refCount())); } return cacheTiles$; } /** * Initialize the cache for a node. * * @param {string} key - Key of node. * @throws {GraphMapillaryError} When the operation is not valid on the * current graph. */ initializeCache(key) { if (key in this._cachedNodes) { throw new GraphMapillaryError(`Image already in cache (${key}).`); } const node = this.getNode(key); const provider = this._api.data; node.initializeCache(new ImageCache(provider)); const accessed = new Date().getTime(); this._cachedNodes[key] = { accessed: accessed, node: node }; this._updateCachedTileAccess(key, accessed); } /** * Get a value indicating if the graph is fill caching a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the node is being fill cached. */ isCachingFill(key) { return key in this._cachingFill$; } /** * Get a value indicating if the graph is fully caching a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the node is being fully cached. */ isCachingFull(key) { return key in this._cachingFull$; } /** * Get a value indicating if the graph is caching a sequence of a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the sequence of a node is * being cached. */ isCachingNodeSequence(key) { let node = this.getNode(key); return node.sequenceId in this._cachingSequences$; } /** * Get a value indicating if the graph is caching a sequence. * * @param {string} sequenceKey - Key of sequence. * @returns {boolean} Value indicating if the sequence is * being cached. */ isCachingSequence(sequenceKey) { return sequenceKey in this._cachingSequences$; } /** * Get a value indicating if the graph is caching sequence nodes. * * @param {string} sequenceKey - Key of sequence. * @returns {boolean} Value indicating if the sequence nodes are * being cached. */ isCachingSequenceNodes(sequenceKey) { return sequenceKey in this._cachingSequenceNodes$; } /** * Get a value indicating if the graph is caching the tiles * required for calculating spatial edges of a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the tiles of * a node are being cached. */ isCachingTiles(key) { return key in this._requiredNodeTiles && this._requiredNodeTiles[key].cache.length === 0 && this._requiredNodeTiles[key].caching.length > 0; } /** * Get a value indicating if the cache has been initialized * for a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the cache has been * initialized for a node. */ hasInitializedCache(key) { return key in this._cachedNodes; } /** * Get a value indicating if a node exist in the graph. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if a node exist in the graph. */ hasNode(key) { let accessed = new Date().getTime(); this._updateCachedNodeAccess(key, accessed); this._updateCachedTileAccess(key, accessed); return key in this._nodes; } /** * Get a value indicating if a node sequence exist in the graph. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if a node sequence exist * in the graph. */ hasNodeSequence(key) { let node = this.getNode(key); let sequenceKey = node.sequenceId; let hasNodeSequence = sequenceKey in this._sequences; if (hasNodeSequence) { this._sequences[sequenceKey].accessed = new Date().getTime(); } return hasNodeSequence; } /** * Get a value indicating if a sequence exist in the graph. * * @param {string} sequenceKey - Key of sequence. * @returns {boolean} Value indicating if a sequence exist * in the graph. */ hasSequence(sequenceKey) { let hasSequence = sequenceKey in this._sequences; if (hasSequence) { this._sequences[sequenceKey].accessed = new Date().getTime(); } return hasSequence; } /** * Get a value indicating if sequence nodes has been cached in the graph. * * @param {string} sequenceKey - Key of sequence. * @returns {boolean} Value indicating if a sequence nodes has been * cached in the graph. */ hasSequenceNodes(sequenceKey) { return sequenceKey in this._cachedSequenceNodes; } /** * Get a value indicating if the graph has fully cached * all nodes in the spatial area of a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the spatial area * of a node has been cached. */ hasSpatialArea(key) { if (!this.hasNode(key)) { throw new GraphMapillaryError(`Spatial area nodes cannot be determined if node not in graph (${key}).`); } if (key in this._cachedSpatialEdges) { return true; } if (key in this._requiredSpatialArea) { return Object .keys(this._requiredSpatialArea[key].cacheNodes) .length === 0; } let node = this.getNode(key); let bbox = this._graphCalculator .boundingBoxCorners(node.lngLat, this._tileThreshold); let spatialItems = this._nodeIndex .search({ maxX: bbox[1].lng, maxY: bbox[1].lat, minX: bbox[0].lng, minY: bbox[0].lat, }); let spatialNodes = { all: {}, cacheKeys: [], cacheNodes: {}, }; for (let spatialItem of spatialItems) { spatialNodes.all[spatialItem.node.id] = spatialItem.node; if (!spatialItem.node.complete) { spatialNodes.cacheKeys.push(spatialItem.node.id); spatialNodes.cacheNodes[spatialItem.node.id] = spatialItem.node; } } this._requiredSpatialArea[key] = spatialNodes; return spatialNodes.cacheKeys.length === 0; } /** * Get a value indicating if the graph has a tiles required * for a node. * * @param {string} key - Key of node. * @returns {boolean} Value indicating if the the tiles required * by a node has been cached. */ hasTiles(key) { if (key in this._cachedNodeTiles) { return true; } if (key in this._cachedSpatialEdges) { return true; } if (!this.hasNode(key)) { throw new GraphMapillaryError(`Image does not exist in graph (${key}).`); } let nodeTiles = { cache: [], caching: [] }; if (!(key in this._requiredNodeTiles)) { const node = this.getNode(key); const [sw, ne] = this._graphCalculator .boundingBoxCorners(node.lngLat, this._tileThreshold); nodeTiles.cache = this._api.data.geometry .bboxToCellIds(sw, ne) .filter((h) => { return !(h in this._cachedTiles); }); if (nodeTiles.cache.length > 0) { this._requiredNodeTiles[key] = nodeTiles; } } else { nodeTiles = this._requiredNodeTiles[key]; } return nodeTiles.cache.length === 0 && nodeTiles.caching.length === 0; } /** * Get a node. * * @param {string} key - Key of node. * @returns {Image} Retrieved node. */ getNode(key) { let accessed = new Date().getTime(); this._updateCachedNodeAccess(key, accessed); this._updateCachedTileAccess(key, accessed); return this._nodes[key]; } /** * Get a sequence. * * @param {string} sequenceKey - Key of sequence. * @returns {Image} Retrieved sequence. */ getSequence(sequenceKey) { let sequenceAccess = this._sequences[sequenceKey]; sequenceAccess.accessed = new Date().getTime(); return sequenceAccess.sequence; } /** * Reset all spatial edges of the graph nodes. */ resetSpatialEdges() { for (const nodeId of Object.keys(this._cachedSpatialEdges)) { const node = this._cachedSpatialEdges[nodeId]; node.resetSpatialEdges(); } this._cachedSpatialEdges = {}; } /** * Reset all spatial areas of the graph nodes. */ resetSpatialArea() { this._requiredSpatialArea = {}; this._cachingSpatialArea$ = {}; } /** * Reset the complete graph and disposed all nodes. */ reset() { for (let cachedKey of Object.keys(this._cachedNodes)) { this._cachedNodes[cachedKey].node.dispose(); } this._cachedNodes = {}; this._cachedNodeTiles = {}; this._cachedSpatialEdges = {}; this._cachedTiles = {}; this._cachingFill$ = {}; this._cachingFull$ = {}; this._cachingSequences$ = {}; this._cachingSpatialArea$ = {}; this._cachingTiles$ = {}; this._clusterNodes = new Map(); this._nodes = {}; this._nodeToTile = {}; this._preStored = {}; this._preDeletedNodes = new Map(); this._requiredNodeTiles = {}; this._requiredSpatialArea = {}; this._sequences = {}; this._nodeIndexNodes = new Map(); this._nodeIndexTiles = {}; this._nodeIndex.clear(); } /** * Set the spatial node filter. * * @emits FilterFunction The filter function to the {@link Graph.filter$} * observable. * * @param {FilterExpression} filter - Filter expression to be applied * when calculating spatial edges. */ setFilter(filter) { this._filter = this._filterCreator.createFilter(filter); this._filterSubject$.next(this._filter); } /** * Uncache the graph according to the graph configuration. * * @description Uncaches unused tiles, unused nodes and * sequences according to the numbers specified in the * graph configuration. Sequences does not have a direct * reference to either tiles or nodes and may be uncached * even if they are related to the nodes that should be kept. * * @param {Array} keepIds - Ids of nodes to keep in * graph unrelated to last access. Tiles related to those keys * will also be kept in graph. * @param {Array} keepCellIds - Ids of cells to keep in * graph unrelated to last access. The nodes of the cells may * still be uncached if not specified in the keep ids param * but are guaranteed to not be disposed. * @param {string} keepSequenceId - Optional id of sequence * for which the belonging nodes should not be disposed or * removed from the graph. These nodes may still be uncached if * not specified in keep ids param but are guaranteed to not * be disposed. */ uncache(keepIds, keepCellIds, keepSequenceId) { const idsInUse = {}; this._addNewKeys(idsInUse, this._cachingFull$); this._addNewKeys(idsInUse, this._cachingFill$); this._addNewKeys(idsInUse, this._cachingSpatialArea$); this._addNewKeys(idsInUse, this._requiredNodeTiles); this._addNewKeys(idsInUse, this._requiredSpatialArea); for (const key of keepIds) { if (key in idsInUse) { continue; } idsInUse[key] = true; } const geometry = this._api.data.geometry; const keepCells = new Set(keepCellIds); const potentialCells = []; for (const cellId in this._cachedTiles) { if (!this._cachedTiles.hasOwnProperty(cellId) || keepCells.has(cellId)) { continue; } potentialCells.push([cellId, this._cachedTiles[cellId]]); } const sortedPotentialCells = potentialCells .sort((h1, h2) => { return h2[1].accessed - h1[1].accessed; }); const keepPotentialCells = sortedPotentialCells .slice(0, this._configuration.maxUnusedTiles) .map((h) => { return h[0]; }); for (const potentialCell of keepPotentialCells) { keepCells.add(potentialCell); } for (const id in idsInUse) { if (!idsInUse.hasOwnProperty(id)) { continue; } if (!this.hasNode(id)) { continue; } const node = this._nodes[id]; const lngLat = this._getNodeLngLat(node); const nodeCellId = geometry.lngLatToCellId(lngLat); if (!keepCells.has(nodeCellId)) { if (id in this._cachedNodeTiles) { delete this._cachedNodeTiles[id]; } if (id in this._nodeToTile) { delete this._nodeToTile[id]; } if (id in this._cachedNodeTiles) { delete this._cachedNodeTiles[id]; } if (id in this._cachedSpatialEdges) { delete this._cachedSpatialEdges[id]; } if (node.hasInitializedCache()) { node.resetSpatialEdges(); } if (nodeCellId in this._cachedTiles) { const index = this._cachedTiles[nodeCellId].nodes .findIndex(n => n.id === id); if (index !== -1) { this._cachedTiles[nodeCellId].nodes.splice(index, 1); } } this._preStore(nodeCellId, node); } } const uncacheCells = sortedPotentialCells .slice(this._configuration.maxUnusedTiles) .map((h) => { return h[0]; }); for (let uncacheCell of uncacheCells) { this._uncacheTile(uncacheCell, keepSequenceId); } const potentialPreStored = []; const nonCachedPreStored = []; for (let cellId in this._preStored) { if (!this._preStored.hasOwnProperty(cellId) || cellId in this._cachingTiles$) { continue; } const prestoredNodes = this._preStored[cellId]; for (let id in prestoredNodes) { if (!prestoredNodes.hasOwnProperty(id) || id in idsInUse) { continue; } if (prestoredNodes[id].sequenceId === keepSequenceId) { continue; } if (id in this._cachedNodes) { potentialPreStored.push([this._cachedNodes[id], cellId]); } else { nonCachedPreStored.push([id, cellId]); } } } const uncachePreStored = potentialPreStored .sort(([na1], [na2]) => { return na2.accessed - na1.accessed; }) .slice(this._configuration.maxUnusedPreStoredImages) .map(([na, h]) => { return [na.node.id, h]; }); this._uncachePreStored(nonCachedPreStored); this._uncachePreStored(uncachePreStored); const potentialNodes = []; for (let id in this._cachedNodes) { if (!this._cachedNodes.hasOwnProperty(id) || id in idsInUse) { continue; } potentialNodes.push(this._cachedNodes[id]); } const uncacheNodes = potentialNodes .sort((n1, n2) => { return n2.accessed - n1.accessed; }) .slice(this._configuration.maxUnusedImages); for (const nodeAccess of uncacheNodes) { nodeAccess.node.uncache(); const id = nodeAccess.node.id; delete this._cachedNodes[id]; if (id in this._cachedNodeTiles) { delete this._cachedNodeTiles[id]; } if (id in this._cachedSpatialEdges) { delete this._cachedSpatialEdges[id]; } } for (const [nodeId, node] of this._preDeletedNodes.entries()) { if (nodeId in idsInUse) { continue; } if (nodeId in this._cachedNodes) { delete this._cachedNodes[nodeId]; } this._preDeletedNodes.delete(nodeId); node.dispose(); } const potentialSequences = []; for (let sequenceId in this._sequences) { if (!this._sequences.hasOwnProperty(sequenceId) || sequenceId in this._cachingSequences$ || sequenceId === keepSequenceId) { continue; } potentialSequences.push(this._sequences[sequenceId]); } const uncacheSequences = potentialSequences .sort((s1, s2) => { return s2.accessed - s1.accessed; }) .slice(this._configuration.maxSequences); for (const sequenceAccess of uncacheSequences) { const sequenceId = sequenceAccess.sequence.id; delete this._sequences[sequenceId]; if (sequenceId in this._cachedSequenceNodes) { delete this._cachedSequenceNodes[sequenceId]; } sequenceAccess.sequence.dispose(); } } /** * Updates existing cells with new core nodes. * * @description Non-existing cells are discarded * and not requested at all. * * Existing nodes are not changed. * * New nodes are not made full or getting assets * cached. * * @param {Array} cellIds - Cell ids. * @returns {Observable>} Observable * emitting the updated cells. */ updateCells$(cellIds) { const cachedCells = this._cachedTiles; const cachingCells = this._cachingTiles$; return from(cellIds) .pipe(mergeMap((cellId) => { if (cellId in cachedCells) { return this._updateCell$(cellId); } if (cellId in cachingCells) { return cachingCells[cellId] .pipe(catchError(() => { return of(this); }), mergeMap(() => this._updateCell$(cellId))); } return empty(); })); } /** * Deletes clusters. * * @description Existing nodes for the clusters are deleted * and placed in a deleted store. The deleted store will be * purged during uncaching if the nodes are no longer in use. * * Nodes in the deleted store are always removed on reset. * * @param {Array} clusterIds - Cluster ids. * @returns {Observable>} Observable * emitting the IDs for the deleted clusters. */ deleteClusters$(clusterIds) { if (!clusterIds.length) { return empty(); } return from(clusterIds) .pipe(map((clusterId) => { if (!this._clusterNodes.has(clusterId)) { return null; } const clusterNodes = this._clusterNodes.get(clusterId); for (const nodeId of clusterNodes.values()) { const node = this._nodes[nodeId]; delete this._nodes[nodeId]; if (nodeId in this._cachedNodeTiles) { delete this._cachedNodeTiles[nodeId]; } if (nodeId in this._cachedNodeTiles) { delete this._cachedNodeTiles[nodeId]; } if (nodeId in this._nodeToTile) { const nodeCellId = this._nodeToTile[nodeId]; if (nodeCellId in this._cachedTiles) { const tileIndex = this._cachedTiles[nodeCellId].nodes .findIndex(n => n.id === nodeId); if (tileIndex !== -1) { this._cachedTiles[nodeCellId].nodes.splice(tileIndex, 1); } } delete this._nodeToTile[nodeId]; } const item = this._nodeIndexNodes.get(nodeId); this._nodeIndex.remove(item); this._nodeIndexNodes.delete(nodeId); const cell = this._nodeIndexTiles[item.cellId]; const nodeIndex = cell.indexOf(item); if (nodeIndex === -1) { throw new GraphMapillaryError(`Corrupt graph index cell (${nodeId})`); } cell.splice(nodeIndex, 1); this._preDeletedNodes.set(nodeId, node); } this._clusterNodes.delete(clusterId); return clusterId; }), filter((clusterId) => { return clusterId != null; })); } /** * Unsubscribes all subscriptions. * * @description Afterwards, you must not call any other methods * on the graph instance. */ unsubscribe() { this._filterSubscription.unsubscribe(); } _addNewKeys(keys, dict) { for (let key in dict) { if (!dict.hasOwnProperty(key) || !this.hasNode(key)) { continue; } if (!(key in keys)) { keys[key] = true; } } } _cacheSequence$(sequenceId) { if (sequenceId in this._cachingSequences$) { return this._cachingSequences$[sequenceId]; } this._cachingSequences$[sequenceId] = this._api .getSequence$(sequenceId) .pipe(tap((sequence) => { if (!sequence) { console.warn(`Sequence does not exist ` + `(${sequenceId})`); } else { if (!(sequence.id in this._sequences)) { this._sequences[sequence.id] = { accessed: new Date().getTime(), sequence: new Sequence(sequence), }; } delete this._cachingSequences$[sequenceId]; } }), map(() => { return this; }), finalize(() => { if (sequenceId in this._cachingSequences$) { delete this._cachingSequences$[sequenceId]; } this._changed$.next(this); }), publish(), refCount()); return this._cachingSequences$[sequenceId]; } _cacheTile$(cellId) { this._cachingTiles$[cellId] = this._api .getCoreImages$(cellId) .pipe(tap((contract) => { if (cellId in this._cachedTiles) { return; } const cores = contract.images; this._nodeIndexTiles[cellId] = []; this._cachedTiles[cellId] = { accessed: new Date().getTime(), nodes: [], }; const hCache = this._cachedTiles[cellId].nodes; const preStored = this._removeFromPreStore(cellId); const preDeleted = this._preDeletedNodes; for (const core of cores) { if (!core) { break; } if (core.sequence.id == null) { console.warn(`Sequence missing, discarding ` + `node (${core.id})`); continue; } if (preStored != null && core.id in preStored) { const preStoredNode = preStored[core.id]; delete preStored[core.id]; hCache.push(preStoredNode); const preStoredNodeIndexItem = { cellId, id: core.id, lat: preStoredNode.lngLat.lat, lng: preStoredNode.lngLat.lng, node: preStoredNode, }; this._nodeIndex.insert(preStoredNodeIndexItem); this._nodeIndexNodes.set(core.id, preStoredNodeIndexItem); this._nodeIndexTiles[cellId] .push(preStoredNodeIndexItem); this._nodeToTile[preStoredNode.id] = cellId; continue; } let node = null; if (preDeleted.has(core.id)) { node = preDeleted.get(core.id); preDeleted.delete(core.id); } else { node = new Image$1(core); } hCache.push(node); const nodeIndexItem = { cellId, id: node.id, lat: node.lngLat.lat, lng: node.lngLat.lng, node: node, }; this._nodeIndex.insert(nodeIndexItem); this._nodeIndexNodes.set(node.id, nodeIndexItem); this._nodeIndexTiles[cellId].push(nodeIndexItem); this._nodeToTile[node.id] = cellId; this._setNode(node); } delete this._cachingTiles$[cellId]; }), map(() => this), catchError((error) => { delete this._cachingTiles$[cellId]; throw error; }), publish(), refCount()); return this._cachingTiles$[cellId]; } _addClusterNode(node) { const clusterId = node.clusterId; if (clusterId == null) { console.warn(`Cannot set cluster node, cluster ID is undefined for node ${node.id}.`); return; } if (!this._clusterNodes.has(clusterId)) { this._clusterNodes.set(clusterId, new Set()); } const clusterNodes = this._clusterNodes.get(clusterId); if (clusterNodes.has(node.id)) { throw new GraphMapillaryError(`Cluster has image (${clusterId}, ${node.id}).`); } clusterNodes.add(node.id); } _removeClusterNode(node) { if (!node.isComplete) { return; } const clusterId = node.clusterId; if (clusterId == null || !this._clusterNodes.has(clusterId)) { return; } const clusterNodes = this._clusterNodes.get(clusterId); clusterNodes.delete(node.id); if (!clusterNodes.size) { this._clusterNodes.delete(clusterId); } } _makeFull(node, fillNode) { if (fillNode.computed_altitude == null) { fillNode.computed_altitude = this._defaultAlt; } if (fillNode.computed_rotation == null) { fillNode.computed_rotation = this._graphCalculator.rotationFromCompass(fillNode.compass_angle, fillNode.exif_orientation); } node.makeComplete(fillNode); this._addClusterNode(node); } _disposeNode(node) { this._removeClusterNode(node); node.dispose(); } _getNodeLngLat(node) { if (!this._computedGraph) { return node.originalLngLat; } return node.lngLat; } _preStore(h, node) { if (!(h in this._preStored)) { this._preStored[h] = {}; } this._preStored[h][node.id] = node; } _removeFromPreStore(h) { let preStored = null; if (h in this._preStored) { preStored = this._preStored[h]; delete this._preStored[h]; } return preStored; } _setNode(node) { let key = node.id; if (this.hasNode(key)) { throw new GraphMapillaryError(`Image already exist (${key}).`); } this._nodes[key] = node; } _uncacheTile(h, keepSequenceKey) { for (let node of this._cachedTiles[h].nodes) { let key = node.id; delete this._nodeToTile[key]; if (key in this._cachedNodes) { delete this._cachedNodes[key]; } if (key in this._cachedNodeTiles) { delete this._cachedNodeTiles[key]; } if (key in this._cachedSpatialEdges) { delete this._cachedSpatialEdges[key]; } if (node.sequenceId === keepSequenceKey) { this._preStore(h, node); node.uncache(); } else { delete this._nodes[key]; if (node.sequenceId in this._cachedSequenceNodes) { delete this._cachedSequenceNodes[node.sequenceId]; } this._disposeNode(node); } } for (let nodeIndexItem of this._nodeIndexTiles[h]) { this._nodeIndex.remove(nodeIndexItem); this._nodeIndexNodes.delete(nodeIndexItem.id); } delete this._nodeIndexTiles[h]; delete this._cachedTiles[h]; } _uncachePreStored(preStored) { let hs = {}; for (let [key, h] of preStored) { if (key in this._nodes) { delete this._nodes[key]; } if (key in this._cachedNodes) { delete this._cachedNodes[key]; } const node = this._preStored[h][key]; if (node.sequenceId in this._cachedSequenceNodes) { delete this._cachedSequenceNodes[node.sequenceId]; } delete this._preStored[h][key]; this._disposeNode(node); hs[h] = true; } for (let h in hs) { if (!hs.hasOwnProperty(h)) { continue; } if (Object.keys(this._preStored[h]).length === 0) { delete this._preStored[h]; } } } _updateCachedTileAccess(key, accessed) { if (key in this._nodeToTile) { this._cachedTiles[this._nodeToTile[key]].accessed = accessed; } } _updateCachedNodeAccess(key, accessed) { if (key in this._cachedNodes) { this._cachedNodes[key].accessed = accessed; } } _updateCell$(cellId) { return this._api.getCoreImages$(cellId).pipe(mergeMap((contract) => { if (!(cellId in this._cachedTiles)) { return empty(); } const nodeIndex = this._nodeIndex; const nodeIndexCell = this._nodeIndexTiles[cellId]; const nodeIndexNodes = this._nodeIndexNodes; const nodeToCell = this._nodeToTile; const cell = this._cachedTiles[cellId]; cell.accessed = new Date().getTime(); const cellNodes = cell.nodes; const cores = contract.images; for (const core of cores) { if (core == null) { break; } if (this.hasNode(core.id)) { continue; } if (core.sequence.id == null) { console.warn(`Sequence missing, discarding ` + `node (${core.id})`); continue; } let node = null; if (this._preDeletedNodes.has(core.id)) { node = this._unDeleteNode(core.id); } else { node = new Image$1(core); } cellNodes.push(node); const nodeIndexItem = { cellId, id: node.id, lat: node.lngLat.lat, lng: node.lngLat.lng, node: node, }; nodeIndex.insert(nodeIndexItem); nodeIndexCell.push(nodeIndexItem); nodeIndexNodes.set(node.id, nodeIndexItem); nodeToCell[node.id] = cellId; this._setNode(node); } return of(cellId); }), catchError((error) => { console.error(error); return empty(); })); } _unDeleteNode(id) { if (!this._preDeletedNodes.has(id)) { throw new GraphMapillaryError(`Pre-deleted node does not exist ${id}`); } const node = this._preDeletedNodes.get(id); this._preDeletedNodes.delete(id); if (node.isComplete) { this._addClusterNode(node); } return node; } } class MarkerSet { constructor() { this._hash = {}; this._index = new MarkerSet._spatialIndex(16); this._indexChanged$ = new Subject(); this._updated$ = new Subject(); } static register(spatialIndex) { MarkerSet._spatialIndex = spatialIndex; } get changed$() { return this._indexChanged$; } get updated$() { return this._updated$; } add(markers) { const updated = []; const hash = this._hash; const index = this._index; for (const marker of markers) { const id = marker.id; if (id in hash) { index.remove(hash[id]); updated.push(marker); } const item = { lat: marker.lngLat.lat, lng: marker.lngLat.lng, marker: marker, }; hash[id] = item; index.insert(item); } if (updated.length > 0) { this._updated$.next(updated); } if (markers.length > updated.length) { this._indexChanged$.next(this); } } has(id) { return id in this._hash; } get(id) { return this.has(id) ? this._hash[id].marker : undefined; } getAll() { return this._index .all() .map((indexItem) => { return indexItem.marker; }); } remove(ids) { const hash = this._hash; const index = this._index; let changed = false; for (const id of ids) { if (!(id in hash)) { continue; } const item = hash[id]; index.remove(item); delete hash[id]; changed = true; } if (changed) { this._indexChanged$.next(this); } } removeAll() { this._hash = {}; this._index.clear(); this._indexChanged$.next(this); } search([sw, ne]) { return this._index .search({ maxX: ne.lng, maxY: ne.lat, minX: sw.lng, minY: sw.lat, }) .map((indexItem) => { return indexItem.marker; }); } update(marker) { const hash = this._hash; const index = this._index; const id = marker.id; if (!(id in hash)) { return; } index.remove(hash[id]); const item = { lat: marker.lngLat.lat, lng: marker.lngLat.lng, marker: marker, }; hash[id] = item; index.insert(item); } } function quickselect(arr, k, left, right, compare) { quickselectStep(arr, k, left || 0, right || (arr.length - 1), compare || defaultCompare$2); } function quickselectStep(arr, k, left, right, compare) { while (right > left) { if (right - left > 600) { var n = right - left + 1; var m = k - left + 1; var z = Math.log(n); var s = 0.5 * Math.exp(2 * z / 3); var sd = 0.5 * Math.sqrt(z * s * (n - s) / n) * (m - n / 2 < 0 ? -1 : 1); var newLeft = Math.max(left, Math.floor(k - m * s / n + sd)); var newRight = Math.min(right, Math.floor(k + (n - m) * s / n + sd)); quickselectStep(arr, k, newLeft, newRight, compare); } var t = arr[k]; var i = left; var j = right; swap(arr, left, k); if (compare(arr[right], t) > 0) swap(arr, left, right); while (i < j) { swap(arr, i, j); i++; j--; while (compare(arr[i], t) < 0) i++; while (compare(arr[j], t) > 0) j--; } if (compare(arr[left], t) === 0) swap(arr, left, j); else { j++; swap(arr, j, right); } if (j <= k) left = j + 1; if (k <= j) right = j - 1; } } function swap(arr, i, j) { var tmp = arr[i]; arr[i] = arr[j]; arr[j] = tmp; } function defaultCompare$2(a, b) { return a < b ? -1 : a > b ? 1 : 0; } class RBush { constructor(maxEntries = 9) { // max entries in a node is 9 by default; min node fill is 40% for best performance this._maxEntries = Math.max(4, maxEntries); this._minEntries = Math.max(2, Math.ceil(this._maxEntries * 0.4)); this.clear(); } all() { return this._all(this.data, []); } search(bbox) { let node = this.data; const result = []; if (!intersects$1(bbox, node)) return result; const toBBox = this.toBBox; const nodesToSearch = []; while (node) { for (let i = 0; i < node.children.length; i++) { const child = node.children[i]; const childBBox = node.leaf ? toBBox(child) : child; if (intersects$1(bbox, childBBox)) { if (node.leaf) result.push(child); else if (contains(bbox, childBBox)) this._all(child, result); else nodesToSearch.push(child); } } node = nodesToSearch.pop(); } return result; } collides(bbox) { let node = this.data; if (!intersects$1(bbox, node)) return false; const nodesToSearch = []; while (node) { for (let i = 0; i < node.children.length; i++) { const child = node.children[i]; const childBBox = node.leaf ? this.toBBox(child) : child; if (intersects$1(bbox, childBBox)) { if (node.leaf || contains(bbox, childBBox)) return true; nodesToSearch.push(child); } } node = nodesToSearch.pop(); } return false; } load(data) { if (!(data && data.length)) return this; if (data.length < this._minEntries) { for (let i = 0; i < data.length; i++) { this.insert(data[i]); } return this; } // recursively build the tree with the given data from scratch using OMT algorithm let node = this._build(data.slice(), 0, data.length - 1, 0); if (!this.data.children.length) { // save as is if tree is empty this.data = node; } else if (this.data.height === node.height) { // split root if trees have the same height this._splitRoot(this.data, node); } else { if (this.data.height < node.height) { // swap trees if inserted one is bigger const tmpNode = this.data; this.data = node; node = tmpNode; } // insert the small tree into the large tree at appropriate level this._insert(node, this.data.height - node.height - 1, true); } return this; } insert(item) { if (item) this._insert(item, this.data.height - 1); return this; } clear() { this.data = createNode([]); return this; } remove(item, equalsFn) { if (!item) return this; let node = this.data; const bbox = this.toBBox(item); const path = []; const indexes = []; let i, parent, goingUp; // depth-first iterative tree traversal while (node || path.length) { if (!node) { // go up node = path.pop(); parent = path[path.length - 1]; i = indexes.pop(); goingUp = true; } if (node.leaf) { // check current node const index = findItem(item, node.children, equalsFn); if (index !== -1) { // item found, remove the item and condense tree upwards node.children.splice(index, 1); path.push(node); this._condense(path); return this; } } if (!goingUp && !node.leaf && contains(node, bbox)) { // go down path.push(node); indexes.push(i); i = 0; parent = node; node = node.children[0]; } else if (parent) { // go right i++; node = parent.children[i]; goingUp = false; } else node = null; // nothing found } return this; } toBBox(item) { return item; } compareMinX(a, b) { return a.minX - b.minX; } compareMinY(a, b) { return a.minY - b.minY; } toJSON() { return this.data; } fromJSON(data) { this.data = data; return this; } _all(node, result) { const nodesToSearch = []; while (node) { if (node.leaf) result.push(...node.children); else nodesToSearch.push(...node.children); node = nodesToSearch.pop(); } return result; } _build(items, left, right, height) { const N = right - left + 1; let M = this._maxEntries; let node; if (N <= M) { // reached leaf level; return leaf node = createNode(items.slice(left, right + 1)); calcBBox(node, this.toBBox); return node; } if (!height) { // target height of the bulk-loaded tree height = Math.ceil(Math.log(N) / Math.log(M)); // target number of root entries to maximize storage utilization M = Math.ceil(N / Math.pow(M, height - 1)); } node = createNode([]); node.leaf = false; node.height = height; // split the items into M mostly square tiles const N2 = Math.ceil(N / M); const N1 = N2 * Math.ceil(Math.sqrt(M)); multiSelect(items, left, right, N1, this.compareMinX); for (let i = left; i <= right; i += N1) { const right2 = Math.min(i + N1 - 1, right); multiSelect(items, i, right2, N2, this.compareMinY); for (let j = i; j <= right2; j += N2) { const right3 = Math.min(j + N2 - 1, right2); // pack each entry recursively node.children.push(this._build(items, j, right3, height - 1)); } } calcBBox(node, this.toBBox); return node; } _chooseSubtree(bbox, node, level, path) { while (true) { path.push(node); if (node.leaf || path.length - 1 === level) break; let minArea = Infinity; let minEnlargement = Infinity; let targetNode; for (let i = 0; i < node.children.length; i++) { const child = node.children[i]; const area = bboxArea(child); const enlargement = enlargedArea(bbox, child) - area; // choose entry with the least area enlargement if (enlargement < minEnlargement) { minEnlargement = enlargement; minArea = area < minArea ? area : minArea; targetNode = child; } else if (enlargement === minEnlargement) { // otherwise choose one with the smallest area if (area < minArea) { minArea = area; targetNode = child; } } } node = targetNode || node.children[0]; } return node; } _insert(item, level, isNode) { const bbox = isNode ? item : this.toBBox(item); const insertPath = []; // find the best node for accommodating the item, saving all nodes along the path too const node = this._chooseSubtree(bbox, this.data, level, insertPath); // put the item into the node node.children.push(item); extend(node, bbox); // split on node overflow; propagate upwards if necessary while (level >= 0) { if (insertPath[level].children.length > this._maxEntries) { this._split(insertPath, level); level--; } else break; } // adjust bboxes along the insertion path this._adjustParentBBoxes(bbox, insertPath, level); } // split overflowed node into two _split(insertPath, level) { const node = insertPath[level]; const M = node.children.length; const m = this._minEntries; this._chooseSplitAxis(node, m, M); const splitIndex = this._chooseSplitIndex(node, m, M); const newNode = createNode(node.children.splice(splitIndex, node.children.length - splitIndex)); newNode.height = node.height; newNode.leaf = node.leaf; calcBBox(node, this.toBBox); calcBBox(newNode, this.toBBox); if (level) insertPath[level - 1].children.push(newNode); else this._splitRoot(node, newNode); } _splitRoot(node, newNode) { // split root node this.data = createNode([node, newNode]); this.data.height = node.height + 1; this.data.leaf = false; calcBBox(this.data, this.toBBox); } _chooseSplitIndex(node, m, M) { let index; let minOverlap = Infinity; let minArea = Infinity; for (let i = m; i <= M - m; i++) { const bbox1 = distBBox(node, 0, i, this.toBBox); const bbox2 = distBBox(node, i, M, this.toBBox); const overlap = intersectionArea(bbox1, bbox2); const area = bboxArea(bbox1) + bboxArea(bbox2); // choose distribution with minimum overlap if (overlap < minOverlap) { minOverlap = overlap; index = i; minArea = area < minArea ? area : minArea; } else if (overlap === minOverlap) { // otherwise choose distribution with minimum area if (area < minArea) { minArea = area; index = i; } } } return index || M - m; } // sorts node children by the best axis for split _chooseSplitAxis(node, m, M) { const compareMinX = node.leaf ? this.compareMinX : compareNodeMinX; const compareMinY = node.leaf ? this.compareMinY : compareNodeMinY; const xMargin = this._allDistMargin(node, m, M, compareMinX); const yMargin = this._allDistMargin(node, m, M, compareMinY); // if total distributions margin value is minimal for x, sort by minX, // otherwise it"s already sorted by minY if (xMargin < yMargin) node.children.sort(compareMinX); } // total margin of all possible split distributions where each node is at least m full _allDistMargin(node, m, M, compare) { node.children.sort(compare); const toBBox = this.toBBox; const leftBBox = distBBox(node, 0, m, toBBox); const rightBBox = distBBox(node, M - m, M, toBBox); let margin = bboxMargin(leftBBox) + bboxMargin(rightBBox); for (let i = m; i < M - m; i++) { const child = node.children[i]; extend(leftBBox, node.leaf ? toBBox(child) : child); margin += bboxMargin(leftBBox); } for (let i = M - m - 1; i >= m; i--) { const child = node.children[i]; extend(rightBBox, node.leaf ? toBBox(child) : child); margin += bboxMargin(rightBBox); } return margin; } _adjustParentBBoxes(bbox, path, level) { // adjust bboxes along the given tree path for (let i = level; i >= 0; i--) { extend(path[i], bbox); } } _condense(path) { // go through the path, removing empty nodes and updating bboxes for (let i = path.length - 1, siblings; i >= 0; i--) { if (path[i].children.length === 0) { if (i > 0) { siblings = path[i - 1].children; siblings.splice(siblings.indexOf(path[i]), 1); } else this.clear(); } else calcBBox(path[i], this.toBBox); } } } function findItem(item, items, equalsFn) { if (!equalsFn) return items.indexOf(item); for (let i = 0; i < items.length; i++) { if (equalsFn(item, items[i])) return i; } return -1; } // calculate node"s bbox from bboxes of its children function calcBBox(node, toBBox) { distBBox(node, 0, node.children.length, toBBox, node); } // min bounding rectangle of node children from k to p-1 function distBBox(node, k, p, toBBox, destNode) { if (!destNode) destNode = createNode(null); destNode.minX = Infinity; destNode.minY = Infinity; destNode.maxX = -Infinity; destNode.maxY = -Infinity; for (let i = k; i < p; i++) { const child = node.children[i]; extend(destNode, node.leaf ? toBBox(child) : child); } return destNode; } function extend(a, b) { a.minX = Math.min(a.minX, b.minX); a.minY = Math.min(a.minY, b.minY); a.maxX = Math.max(a.maxX, b.maxX); a.maxY = Math.max(a.maxY, b.maxY); return a; } function compareNodeMinX(a, b) { return a.minX - b.minX; } function compareNodeMinY(a, b) { return a.minY - b.minY; } function bboxArea(a) { return (a.maxX - a.minX) * (a.maxY - a.minY); } function bboxMargin(a) { return (a.maxX - a.minX) + (a.maxY - a.minY); } function enlargedArea(a, b) { return (Math.max(b.maxX, a.maxX) - Math.min(b.minX, a.minX)) * (Math.max(b.maxY, a.maxY) - Math.min(b.minY, a.minY)); } function intersectionArea(a, b) { const minX = Math.max(a.minX, b.minX); const minY = Math.max(a.minY, b.minY); const maxX = Math.min(a.maxX, b.maxX); const maxY = Math.min(a.maxY, b.maxY); return Math.max(0, maxX - minX) * Math.max(0, maxY - minY); } function contains(a, b) { return a.minX <= b.minX && a.minY <= b.minY && b.maxX <= a.maxX && b.maxY <= a.maxY; } function intersects$1(a, b) { return b.minX <= a.maxX && b.minY <= a.maxY && b.maxX >= a.minX && b.maxY >= a.minY; } function createNode(children) { return { children, height: 1, leaf: true, minX: Infinity, minY: Infinity, maxX: -Infinity, maxY: -Infinity }; } // sort an array so that items come in groups of n unsorted items, with groups sorted between each other; // combines selection algorithm with binary divide & conquer approach function multiSelect(arr, left, right, n, compare) { const stack = [left, right]; while (stack.length) { right = stack.pop(); left = stack.pop(); if (right - left <= n) continue; const mid = left + Math.ceil((right - left) / n / 2) * n; quickselect(arr, mid, left, right, compare); stack.push(left, mid, mid, right); } } class GeoRBush extends RBush { compareMinX(a, b) { return a.lng - b.lng; } compareMinY(a, b) { return a.lat - b.lat; } toBBox(item) { return { minX: item.lng, minY: item.lat, maxX: item.lng, maxY: item.lat, }; } } class ComponentService { constructor(container, navigator) { this._components = {}; for (const componentName in ComponentService.registeredComponents) { if (!ComponentService.registeredComponents.hasOwnProperty(componentName)) { continue; } const component = ComponentService.registeredComponents[componentName]; this._components[componentName] = { active: false, component: new component(componentName, container, navigator), }; } this._coverComponent = new ComponentService.registeredCoverComponent("cover", container, navigator); this._coverComponent.activate(); this._coverActivated = true; } static register(component) { if (ComponentService.registeredComponents[component.componentName] === undefined) { ComponentService.registeredComponents[component.componentName] = component; } } static registerCover(coverComponent) { ComponentService.registeredCoverComponent = coverComponent; } get coverActivated() { return this._coverActivated; } activateCover() { if (this._coverActivated) { return; } this._coverActivated = true; for (const componentName in this._components) { if (!this._components.hasOwnProperty(componentName)) { continue; } const component = this._components[componentName]; if (component.active) { component.component.deactivate(); } } } deactivateCover() { if (!this._coverActivated) { return; } this._coverActivated = false; for (const componentName in this._components) { if (!this._components.hasOwnProperty(componentName)) { continue; } const component = this._components[componentName]; if (component.active) { component.component.activate(); } } } activate(name) { this._checkName(name); this._components[name].active = true; if (!this._coverActivated) { this.get(name).activate(); } } configure(name, conf) { this._checkName(name); this.get(name).configure(conf); } deactivate(name) { this._checkName(name); this._components[name].active = false; if (!this._coverActivated) { this.get(name).deactivate(); } } get(name) { return this._components[name].component; } getCover() { return this._coverComponent; } remove() { this._coverComponent.deactivate(); for (const componentName in this._components) { if (!this._components.hasOwnProperty(componentName)) { continue; } this._components[componentName].component.deactivate(); } } _checkName(name) { if (!(name in this._components)) { throw new ArgumentMapillaryError(`Component does not exist: ${name}`); } } } ComponentService.registeredComponents = {}; var commonjsGlobal = typeof globalThis !== "undefined" ? globalThis : typeof window !== "undefined" ? window : typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : {}; function getDefaultExportFromCjs (x) { return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, "default") ? x["default"] : x; } function getAugmentedNamespace(n) { if (n.__esModule) return n; var f = n.default; if (typeof f == "function") { var a = function a () { if (this instanceof a) { var args = [null]; args.push.apply(args, arguments); var Ctor = Function.bind.apply(f, args); return new Ctor(); } return f.apply(this, arguments); }; a.prototype = f.prototype; } else a = {}; Object.defineProperty(a, "__esModule", {value: true}); Object.keys(n).forEach(function (k) { var d = Object.getOwnPropertyDescriptor(n, k); Object.defineProperty(a, k, d.get ? d : { enumerable: true, get: function () { return n[k]; } }); }); return a; } var nativeIsArray = Array.isArray; var toString$2 = Object.prototype.toString; var xIsArray = nativeIsArray || isArray$3; function isArray$3(obj) { return toString$2.call(obj) === "[object Array]" } var version$5 = "2"; var version$4 = version$5; VirtualPatch.NONE = 0; VirtualPatch.VTEXT = 1; VirtualPatch.VNODE = 2; VirtualPatch.WIDGET = 3; VirtualPatch.PROPS = 4; VirtualPatch.ORDER = 5; VirtualPatch.INSERT = 6; VirtualPatch.REMOVE = 7; VirtualPatch.THUNK = 8; var vpatch = VirtualPatch; function VirtualPatch(type, vNode, patch) { this.type = Number(type); this.vNode = vNode; this.patch = patch; } VirtualPatch.prototype.version = version$4; VirtualPatch.prototype.type = "VirtualPatch"; var version$3 = version$5; var isVnode = isVirtualNode; function isVirtualNode(x) { return x && x.type === "VirtualNode" && x.version === version$3 } var version$2 = version$5; var isVtext = isVirtualText; function isVirtualText(x) { return x && x.type === "VirtualText" && x.version === version$2 } var isWidget_1 = isWidget$7; function isWidget$7(w) { return w && w.type === "Widget" } var isThunk_1 = isThunk$3; function isThunk$3(t) { return t && t.type === "Thunk" } var isVNode$4 = isVnode; var isVText$3 = isVtext; var isWidget$6 = isWidget_1; var isThunk$2 = isThunk_1; var handleThunk_1 = handleThunk$2; function handleThunk$2(a, b) { var renderedA = a; var renderedB = b; if (isThunk$2(b)) { renderedB = renderThunk(b, a); } if (isThunk$2(a)) { renderedA = renderThunk(a, null); } return { a: renderedA, b: renderedB } } function renderThunk(thunk, previous) { var renderedThunk = thunk.vnode; if (!renderedThunk) { renderedThunk = thunk.vnode = thunk.render(previous); } if (!(isVNode$4(renderedThunk) || isVText$3(renderedThunk) || isWidget$6(renderedThunk))) { throw new Error("thunk did not return a valid node"); } return renderedThunk } var isObject$2 = function isObject(x) { return typeof x === "object" && x !== null; }; var isVhook = isHook$3; function isHook$3(hook) { return hook && (typeof hook.hook === "function" && !hook.hasOwnProperty("hook") || typeof hook.unhook === "function" && !hook.hasOwnProperty("unhook")) } var isObject$1 = isObject$2; var isHook$2 = isVhook; var diffProps_1 = diffProps$1; function diffProps$1(a, b) { var diff; for (var aKey in a) { if (!(aKey in b)) { diff = diff || {}; diff[aKey] = undefined; } var aValue = a[aKey]; var bValue = b[aKey]; if (aValue === bValue) { continue } else if (isObject$1(aValue) && isObject$1(bValue)) { if (getPrototype$1(bValue) !== getPrototype$1(aValue)) { diff = diff || {}; diff[aKey] = bValue; } else if (isHook$2(bValue)) { diff = diff || {}; diff[aKey] = bValue; } else { var objectDiff = diffProps$1(aValue, bValue); if (objectDiff) { diff = diff || {}; diff[aKey] = objectDiff; } } } else { diff = diff || {}; diff[aKey] = bValue; } } for (var bKey in b) { if (!(bKey in a)) { diff = diff || {}; diff[bKey] = b[bKey]; } } return diff } function getPrototype$1(value) { if (Object.getPrototypeOf) { return Object.getPrototypeOf(value) } else if (value.__proto__) { return value.__proto__ } else if (value.constructor) { return value.constructor.prototype } } var isArray$2 = xIsArray; var VPatch$1 = vpatch; var isVNode$3 = isVnode; var isVText$2 = isVtext; var isWidget$5 = isWidget_1; var isThunk$1 = isThunk_1; var handleThunk$1 = handleThunk_1; var diffProps = diffProps_1; var diff_1$1 = diff$2; function diff$2(a, b) { var patch = { a: a }; walk(a, b, patch, 0); return patch } function walk(a, b, patch, index) { if (a === b) { return } var apply = patch[index]; var applyClear = false; if (isThunk$1(a) || isThunk$1(b)) { thunks(a, b, patch, index); } else if (b == null) { // If a is a widget we will add a remove patch for it // Otherwise any child widgets/hooks must be destroyed. // This prevents adding two remove patches for a widget. if (!isWidget$5(a)) { clearState(a, patch, index); apply = patch[index]; } apply = appendPatch(apply, new VPatch$1(VPatch$1.REMOVE, a, b)); } else if (isVNode$3(b)) { if (isVNode$3(a)) { if (a.tagName === b.tagName && a.namespace === b.namespace && a.key === b.key) { var propsPatch = diffProps(a.properties, b.properties); if (propsPatch) { apply = appendPatch(apply, new VPatch$1(VPatch$1.PROPS, a, propsPatch)); } apply = diffChildren(a, b, patch, apply, index); } else { apply = appendPatch(apply, new VPatch$1(VPatch$1.VNODE, a, b)); applyClear = true; } } else { apply = appendPatch(apply, new VPatch$1(VPatch$1.VNODE, a, b)); applyClear = true; } } else if (isVText$2(b)) { if (!isVText$2(a)) { apply = appendPatch(apply, new VPatch$1(VPatch$1.VTEXT, a, b)); applyClear = true; } else if (a.text !== b.text) { apply = appendPatch(apply, new VPatch$1(VPatch$1.VTEXT, a, b)); } } else if (isWidget$5(b)) { if (!isWidget$5(a)) { applyClear = true; } apply = appendPatch(apply, new VPatch$1(VPatch$1.WIDGET, a, b)); } if (apply) { patch[index] = apply; } if (applyClear) { clearState(a, patch, index); } } function diffChildren(a, b, patch, apply, index) { var aChildren = a.children; var orderedSet = reorder(aChildren, b.children); var bChildren = orderedSet.children; var aLen = aChildren.length; var bLen = bChildren.length; var len = aLen > bLen ? aLen : bLen; for (var i = 0; i < len; i++) { var leftNode = aChildren[i]; var rightNode = bChildren[i]; index += 1; if (!leftNode) { if (rightNode) { // Excess nodes in b need to be added apply = appendPatch(apply, new VPatch$1(VPatch$1.INSERT, null, rightNode)); } } else { walk(leftNode, rightNode, patch, index); } if (isVNode$3(leftNode) && leftNode.count) { index += leftNode.count; } } if (orderedSet.moves) { // Reorder nodes last apply = appendPatch(apply, new VPatch$1( VPatch$1.ORDER, a, orderedSet.moves )); } return apply } function clearState(vNode, patch, index) { // TODO: Make this a single walk, not two unhook(vNode, patch, index); destroyWidgets(vNode, patch, index); } // Patch records for all destroyed widgets must be added because we need // a DOM node reference for the destroy function function destroyWidgets(vNode, patch, index) { if (isWidget$5(vNode)) { if (typeof vNode.destroy === "function") { patch[index] = appendPatch( patch[index], new VPatch$1(VPatch$1.REMOVE, vNode, null) ); } } else if (isVNode$3(vNode) && (vNode.hasWidgets || vNode.hasThunks)) { var children = vNode.children; var len = children.length; for (var i = 0; i < len; i++) { var child = children[i]; index += 1; destroyWidgets(child, patch, index); if (isVNode$3(child) && child.count) { index += child.count; } } } else if (isThunk$1(vNode)) { thunks(vNode, null, patch, index); } } // Create a sub-patch for thunks function thunks(a, b, patch, index) { var nodes = handleThunk$1(a, b); var thunkPatch = diff$2(nodes.a, nodes.b); if (hasPatches(thunkPatch)) { patch[index] = new VPatch$1(VPatch$1.THUNK, null, thunkPatch); } } function hasPatches(patch) { for (var index in patch) { if (index !== "a") { return true } } return false } // Execute hooks when two nodes are identical function unhook(vNode, patch, index) { if (isVNode$3(vNode)) { if (vNode.hooks) { patch[index] = appendPatch( patch[index], new VPatch$1( VPatch$1.PROPS, vNode, undefinedKeys(vNode.hooks) ) ); } if (vNode.descendantHooks || vNode.hasThunks) { var children = vNode.children; var len = children.length; for (var i = 0; i < len; i++) { var child = children[i]; index += 1; unhook(child, patch, index); if (isVNode$3(child) && child.count) { index += child.count; } } } } else if (isThunk$1(vNode)) { thunks(vNode, null, patch, index); } } function undefinedKeys(obj) { var result = {}; for (var key in obj) { result[key] = undefined; } return result } // List diff, naive left to right reordering function reorder(aChildren, bChildren) { // O(M) time, O(M) memory var bChildIndex = keyIndex(bChildren); var bKeys = bChildIndex.keys; var bFree = bChildIndex.free; if (bFree.length === bChildren.length) { return { children: bChildren, moves: null } } // O(N) time, O(N) memory var aChildIndex = keyIndex(aChildren); var aKeys = aChildIndex.keys; var aFree = aChildIndex.free; if (aFree.length === aChildren.length) { return { children: bChildren, moves: null } } // O(MAX(N, M)) memory var newChildren = []; var freeIndex = 0; var freeCount = bFree.length; var deletedItems = 0; // Iterate through a and match a node in b // O(N) time, for (var i = 0 ; i < aChildren.length; i++) { var aItem = aChildren[i]; var itemIndex; if (aItem.key) { if (bKeys.hasOwnProperty(aItem.key)) { // Match up the old keys itemIndex = bKeys[aItem.key]; newChildren.push(bChildren[itemIndex]); } else { // Remove old keyed items itemIndex = i - deletedItems++; newChildren.push(null); } } else { // Match the item in a with the next free item in b if (freeIndex < freeCount) { itemIndex = bFree[freeIndex++]; newChildren.push(bChildren[itemIndex]); } else { // There are no free items in b to match with // the free items in a, so the extra free nodes // are deleted. itemIndex = i - deletedItems++; newChildren.push(null); } } } var lastFreeIndex = freeIndex >= bFree.length ? bChildren.length : bFree[freeIndex]; // Iterate through b and append any new keys // O(M) time for (var j = 0; j < bChildren.length; j++) { var newItem = bChildren[j]; if (newItem.key) { if (!aKeys.hasOwnProperty(newItem.key)) { // Add any new keyed items // We are adding new items to the end and then sorting them // in place. In future we should insert new items in place. newChildren.push(newItem); } } else if (j >= lastFreeIndex) { // Add any leftover non-keyed items newChildren.push(newItem); } } var simulate = newChildren.slice(); var simulateIndex = 0; var removes = []; var inserts = []; var simulateItem; for (var k = 0; k < bChildren.length;) { var wantedItem = bChildren[k]; simulateItem = simulate[simulateIndex]; // remove items while (simulateItem === null && simulate.length) { removes.push(remove(simulate, simulateIndex, null)); simulateItem = simulate[simulateIndex]; } if (!simulateItem || simulateItem.key !== wantedItem.key) { // if we need a key in this position... if (wantedItem.key) { if (simulateItem && simulateItem.key) { // if an insert doesn"t put this key in place, it needs to move if (bKeys[simulateItem.key] !== k + 1) { removes.push(remove(simulate, simulateIndex, simulateItem.key)); simulateItem = simulate[simulateIndex]; // if the remove didn"t put the wanted item in place, we need to insert it if (!simulateItem || simulateItem.key !== wantedItem.key) { inserts.push({key: wantedItem.key, to: k}); } // items are matching, so skip ahead else { simulateIndex++; } } else { inserts.push({key: wantedItem.key, to: k}); } } else { inserts.push({key: wantedItem.key, to: k}); } k++; } // a key in simulate has no matching wanted key, remove it else if (simulateItem && simulateItem.key) { removes.push(remove(simulate, simulateIndex, simulateItem.key)); } } else { simulateIndex++; k++; } } // remove all the remaining nodes from simulate while(simulateIndex < simulate.length) { simulateItem = simulate[simulateIndex]; removes.push(remove(simulate, simulateIndex, simulateItem && simulateItem.key)); } // If the only moves we have are deletes then we can just // let the delete patch remove these items. if (removes.length === deletedItems && !inserts.length) { return { children: newChildren, moves: null } } return { children: newChildren, moves: { removes: removes, inserts: inserts } } } function remove(arr, index, key) { arr.splice(index, 1); return { from: index, key: key } } function keyIndex(children) { var keys = {}; var free = []; var length = children.length; for (var i = 0; i < length; i++) { var child = children[i]; if (child.key) { keys[child.key] = i; } else { free.push(i); } } return { keys: keys, // A hash of key name to index free: free // An array of unkeyed item indices } } function appendPatch(apply, patch) { if (apply) { if (isArray$2(apply)) { apply.push(patch); } else { apply = [apply, patch]; } return apply } else { return patch } } var diff$1 = diff_1$1; var diff_1 = diff$1; var slice = Array.prototype.slice; var domWalk$2 = iterativelyWalk; function iterativelyWalk(nodes, cb) { if (!("length" in nodes)) { nodes = [nodes]; } nodes = slice.call(nodes); while(nodes.length) { var node = nodes.shift(), ret = cb(node); if (ret) { return ret } if (node.childNodes && node.childNodes.length) { nodes = slice.call(node.childNodes).concat(nodes); } } } var domComment = Comment$1; function Comment$1(data, owner) { if (!(this instanceof Comment$1)) { return new Comment$1(data, owner) } this.data = data; this.nodeValue = data; this.length = data.length; this.ownerDocument = owner || null; } Comment$1.prototype.nodeType = 8; Comment$1.prototype.nodeName = "#comment"; Comment$1.prototype.toString = function _Comment_toString() { return "[object Comment]" }; var domText = DOMText$1; function DOMText$1(value, owner) { if (!(this instanceof DOMText$1)) { return new DOMText$1(value) } this.data = value || ""; this.length = this.data.length; this.ownerDocument = owner || null; } DOMText$1.prototype.type = "DOMTextNode"; DOMText$1.prototype.nodeType = 3; DOMText$1.prototype.nodeName = "#text"; DOMText$1.prototype.toString = function _Text_toString() { return this.data }; DOMText$1.prototype.replaceData = function replaceData(index, length, value) { var current = this.data; var left = current.substring(0, index); var right = current.substring(index + length, current.length); this.data = left + value + right; this.length = this.data.length; }; var dispatchEvent_1 = dispatchEvent$2; function dispatchEvent$2(ev) { var elem = this; var type = ev.type; if (!ev.target) { ev.target = elem; } if (!elem.listeners) { elem.listeners = {}; } var listeners = elem.listeners[type]; if (listeners) { return listeners.forEach(function (listener) { ev.currentTarget = elem; if (typeof listener === "function") { listener(ev); } else { listener.handleEvent(ev); } }) } if (elem.parentNode) { elem.parentNode.dispatchEvent(ev); } } var addEventListener_1 = addEventListener$2; function addEventListener$2(type, listener) { var elem = this; if (!elem.listeners) { elem.listeners = {}; } if (!elem.listeners[type]) { elem.listeners[type] = []; } if (elem.listeners[type].indexOf(listener) === -1) { elem.listeners[type].push(listener); } } var removeEventListener_1 = removeEventListener$2; function removeEventListener$2(type, listener) { var elem = this; if (!elem.listeners) { return } if (!elem.listeners[type]) { return } var list = elem.listeners[type]; var index = list.indexOf(listener); if (index !== -1) { list.splice(index, 1); } } var serialize = serializeNode$1; var voidElements = ["area","base","br","col","embed","hr","img","input","keygen","link","menuitem","meta","param","source","track","wbr"]; function serializeNode$1(node) { switch (node.nodeType) { case 3: return escapeText(node.data) case 8: return "" default: return serializeElement(node) } } function serializeElement(elem) { var strings = []; var tagname = elem.tagName; if (elem.namespaceURI === "http://www.w3.org/1999/xhtml") { tagname = tagname.toLowerCase(); } strings.push("<" + tagname + properties(elem) + datasetify(elem)); if (voidElements.indexOf(tagname) > -1) { strings.push(" />"); } else { strings.push(">"); if (elem.childNodes.length) { strings.push.apply(strings, elem.childNodes.map(serializeNode$1)); } else if (elem.textContent || elem.innerText) { strings.push(escapeText(elem.textContent || elem.innerText)); } else if (elem.innerHTML) { strings.push(elem.innerHTML); } strings.push(""); } return strings.join("") } function isProperty(elem, key) { var type = typeof elem[key]; if (key === "style" && Object.keys(elem.style).length > 0) { return true } return elem.hasOwnProperty(key) && (type === "string" || type === "boolean" || type === "number") && key !== "nodeName" && key !== "className" && key !== "tagName" && key !== "textContent" && key !== "innerText" && key !== "namespaceURI" && key !== "innerHTML" } function stylify(styles) { if (typeof styles === "string") return styles var attr = ""; Object.keys(styles).forEach(function (key) { var value = styles[key]; key = key.replace(/[A-Z]/g, function(c) { return "-" + c.toLowerCase(); }); attr += key + ":" + value + ";"; }); return attr } function datasetify(elem) { var ds = elem.dataset; var props = []; for (var key in ds) { props.push({ name: "data-" + key, value: ds[key] }); } return props.length ? stringify(props) : "" } function stringify(list) { var attributes = []; list.forEach(function (tuple) { var name = tuple.name; var value = tuple.value; if (name === "style") { value = stylify(value); } attributes.push(name + "=" + """ + escapeAttributeValue(value) + """); }); return attributes.length ? " " + attributes.join(" ") : "" } function properties(elem) { var props = []; for (var key in elem) { if (isProperty(elem, key)) { props.push({ name: key, value: elem[key] }); } } for (var ns in elem._attributes) { for (var attribute in elem._attributes[ns]) { var prop = elem._attributes[ns][attribute]; var name = (prop.prefix ? prop.prefix + ":" : "") + attribute; props.push({ name: name, value: prop.value }); } } if (elem.className) { props.push({ name: "class", value: elem.className }); } return props.length ? stringify(props) : "" } function escapeText(s) { var str = ""; if (typeof(s) === "string") { str = s; } else if (s) { str = s.toString(); } return str .replace(/&/g, "&") .replace(//g, ">") } function escapeAttributeValue(str) { return escapeText(str).replace(/"/g, """) } var domWalk$1 = domWalk$2; var dispatchEvent$1 = dispatchEvent_1; var addEventListener$1 = addEventListener_1; var removeEventListener$1 = removeEventListener_1; var serializeNode = serialize; var htmlns = "http://www.w3.org/1999/xhtml"; var domElement = DOMElement$2; function DOMElement$2(tagName, owner, namespace) { if (!(this instanceof DOMElement$2)) { return new DOMElement$2(tagName) } var ns = namespace === undefined ? htmlns : (namespace || null); this.tagName = ns === htmlns ? String(tagName).toUpperCase() : tagName; this.nodeName = this.tagName; this.className = ""; this.dataset = {}; this.childNodes = []; this.parentNode = null; this.style = {}; this.ownerDocument = owner || null; this.namespaceURI = ns; this._attributes = {}; if (this.tagName === "INPUT") { this.type = "text"; } } DOMElement$2.prototype.type = "DOMElement"; DOMElement$2.prototype.nodeType = 1; DOMElement$2.prototype.appendChild = function _Element_appendChild(child) { if (child.parentNode) { child.parentNode.removeChild(child); } this.childNodes.push(child); child.parentNode = this; return child }; DOMElement$2.prototype.replaceChild = function _Element_replaceChild(elem, needle) { // TODO: Throw NotFoundError if needle.parentNode !== this if (elem.parentNode) { elem.parentNode.removeChild(elem); } var index = this.childNodes.indexOf(needle); needle.parentNode = null; this.childNodes[index] = elem; elem.parentNode = this; return needle }; DOMElement$2.prototype.removeChild = function _Element_removeChild(elem) { // TODO: Throw NotFoundError if elem.parentNode !== this var index = this.childNodes.indexOf(elem); this.childNodes.splice(index, 1); elem.parentNode = null; return elem }; DOMElement$2.prototype.insertBefore = function _Element_insertBefore(elem, needle) { // TODO: Throw NotFoundError if referenceElement is a dom node // and parentNode !== this if (elem.parentNode) { elem.parentNode.removeChild(elem); } var index = needle === null || needle === undefined ? -1 : this.childNodes.indexOf(needle); if (index > -1) { this.childNodes.splice(index, 0, elem); } else { this.childNodes.push(elem); } elem.parentNode = this; return elem }; DOMElement$2.prototype.setAttributeNS = function _Element_setAttributeNS(namespace, name, value) { var prefix = null; var localName = name; var colonPosition = name.indexOf(":"); if (colonPosition > -1) { prefix = name.substr(0, colonPosition); localName = name.substr(colonPosition + 1); } if (this.tagName === "INPUT" && name === "type") { this.type = value; } else { var attributes = this._attributes[namespace] || (this._attributes[namespace] = {}); attributes[localName] = {value: value, prefix: prefix}; } }; DOMElement$2.prototype.getAttributeNS = function _Element_getAttributeNS(namespace, name) { var attributes = this._attributes[namespace]; var value = attributes && attributes[name] && attributes[name].value; if (this.tagName === "INPUT" && name === "type") { return this.type; } if (typeof value !== "string") { return null } return value }; DOMElement$2.prototype.removeAttributeNS = function _Element_removeAttributeNS(namespace, name) { var attributes = this._attributes[namespace]; if (attributes) { delete attributes[name]; } }; DOMElement$2.prototype.hasAttributeNS = function _Element_hasAttributeNS(namespace, name) { var attributes = this._attributes[namespace]; return !!attributes && name in attributes; }; DOMElement$2.prototype.setAttribute = function _Element_setAttribute(name, value) { return this.setAttributeNS(null, name, value) }; DOMElement$2.prototype.getAttribute = function _Element_getAttribute(name) { return this.getAttributeNS(null, name) }; DOMElement$2.prototype.removeAttribute = function _Element_removeAttribute(name) { return this.removeAttributeNS(null, name) }; DOMElement$2.prototype.hasAttribute = function _Element_hasAttribute(name) { return this.hasAttributeNS(null, name) }; DOMElement$2.prototype.removeEventListener = removeEventListener$1; DOMElement$2.prototype.addEventListener = addEventListener$1; DOMElement$2.prototype.dispatchEvent = dispatchEvent$1; // Un-implemented DOMElement$2.prototype.focus = function _Element_focus() { return void 0 }; DOMElement$2.prototype.toString = function _Element_toString() { return serializeNode(this) }; DOMElement$2.prototype.getElementsByClassName = function _Element_getElementsByClassName(classNames) { var classes = classNames.split(" "); var elems = []; domWalk$1(this, function (node) { if (node.nodeType === 1) { var nodeClassName = node.className || ""; var nodeClasses = nodeClassName.split(" "); if (classes.every(function (item) { return nodeClasses.indexOf(item) !== -1 })) { elems.push(node); } } }); return elems }; DOMElement$2.prototype.getElementsByTagName = function _Element_getElementsByTagName(tagName) { tagName = tagName.toLowerCase(); var elems = []; domWalk$1(this.childNodes, function (node) { if (node.nodeType === 1 && (tagName === "*" || node.tagName.toLowerCase() === tagName)) { elems.push(node); } }); return elems }; DOMElement$2.prototype.contains = function _Element_contains(element) { return domWalk$1(this, function (node) { return element === node }) || false }; var DOMElement$1 = domElement; var domFragment = DocumentFragment$1; function DocumentFragment$1(owner) { if (!(this instanceof DocumentFragment$1)) { return new DocumentFragment$1() } this.childNodes = []; this.parentNode = null; this.ownerDocument = owner || null; } DocumentFragment$1.prototype.type = "DocumentFragment"; DocumentFragment$1.prototype.nodeType = 11; DocumentFragment$1.prototype.nodeName = "#document-fragment"; DocumentFragment$1.prototype.appendChild = DOMElement$1.prototype.appendChild; DocumentFragment$1.prototype.replaceChild = DOMElement$1.prototype.replaceChild; DocumentFragment$1.prototype.removeChild = DOMElement$1.prototype.removeChild; DocumentFragment$1.prototype.toString = function _DocumentFragment_toString() { return this.childNodes.map(function (node) { return String(node) }).join("") }; var event = Event$1; function Event$1(family) {} Event$1.prototype.initEvent = function _Event_initEvent(type, bubbles, cancelable) { this.type = type; this.bubbles = bubbles; this.cancelable = cancelable; }; Event$1.prototype.preventDefault = function _Event_preventDefault() { }; var domWalk = domWalk$2; var Comment = domComment; var DOMText = domText; var DOMElement = domElement; var DocumentFragment = domFragment; var Event = event; var dispatchEvent = dispatchEvent_1; var addEventListener = addEventListener_1; var removeEventListener = removeEventListener_1; var document$3 = Document$1; function Document$1() { if (!(this instanceof Document$1)) { return new Document$1(); } this.head = this.createElement("head"); this.body = this.createElement("body"); this.documentElement = this.createElement("html"); this.documentElement.appendChild(this.head); this.documentElement.appendChild(this.body); this.childNodes = [this.documentElement]; this.nodeType = 9; } var proto = Document$1.prototype; proto.createTextNode = function createTextNode(value) { return new DOMText(value, this) }; proto.createElementNS = function createElementNS(namespace, tagName) { var ns = namespace === null ? null : String(namespace); return new DOMElement(tagName, this, ns) }; proto.createElement = function createElement(tagName) { return new DOMElement(tagName, this) }; proto.createDocumentFragment = function createDocumentFragment() { return new DocumentFragment(this) }; proto.createEvent = function createEvent(family) { return new Event() }; proto.createComment = function createComment(data) { return new Comment(data, this) }; proto.getElementById = function getElementById(id) { id = String(id); var result = domWalk(this.childNodes, function (node) { if (String(node.id) === id) { return node } }); return result || null }; proto.getElementsByClassName = DOMElement.prototype.getElementsByClassName; proto.getElementsByTagName = DOMElement.prototype.getElementsByTagName; proto.contains = DOMElement.prototype.contains; proto.removeEventListener = removeEventListener; proto.addEventListener = addEventListener; proto.dispatchEvent = dispatchEvent; var Document = document$3; var minDocument = new Document(); var topLevel = typeof commonjsGlobal !== "undefined" ? commonjsGlobal : typeof window !== "undefined" ? window : {}; var minDoc = minDocument; var doccy; if (typeof document !== "undefined") { doccy = document; } else { doccy = topLevel["__GLOBAL_DOCUMENT_CACHE@4"]; if (!doccy) { doccy = topLevel["__GLOBAL_DOCUMENT_CACHE@4"] = minDoc; } } var document_1 = doccy; var isObject = isObject$2; var isHook$1 = isVhook; var applyProperties_1 = applyProperties$2; function applyProperties$2(node, props, previous) { for (var propName in props) { var propValue = props[propName]; if (propValue === undefined) { removeProperty(node, propName, propValue, previous); } else if (isHook$1(propValue)) { removeProperty(node, propName, propValue, previous); if (propValue.hook) { propValue.hook(node, propName, previous ? previous[propName] : undefined); } } else { if (isObject(propValue)) { patchObject(node, props, previous, propName, propValue); } else { node[propName] = propValue; } } } } function removeProperty(node, propName, propValue, previous) { if (previous) { var previousValue = previous[propName]; if (!isHook$1(previousValue)) { if (propName === "attributes") { for (var attrName in previousValue) { node.removeAttribute(attrName); } } else if (propName === "style") { for (var i in previousValue) { node.style[i] = ""; } } else if (typeof previousValue === "string") { node[propName] = ""; } else { node[propName] = null; } } else if (previousValue.unhook) { previousValue.unhook(node, propName, propValue); } } } function patchObject(node, props, previous, propName, propValue) { var previousValue = previous ? previous[propName] : undefined; // Set attributes if (propName === "attributes") { for (var attrName in propValue) { var attrValue = propValue[attrName]; if (attrValue === undefined) { node.removeAttribute(attrName); } else { node.setAttribute(attrName, attrValue); } } return } if(previousValue && isObject(previousValue) && getPrototype(previousValue) !== getPrototype(propValue)) { node[propName] = propValue; return } if (!isObject(node[propName])) { node[propName] = {}; } var replacer = propName === "style" ? "" : undefined; for (var k in propValue) { var value = propValue[k]; node[propName][k] = (value === undefined) ? replacer : value; } } function getPrototype(value) { if (Object.getPrototypeOf) { return Object.getPrototypeOf(value) } else if (value.__proto__) { return value.__proto__ } else if (value.constructor) { return value.constructor.prototype } } var document$2 = document_1; var applyProperties$1 = applyProperties_1; var isVNode$2 = isVnode; var isVText$1 = isVtext; var isWidget$4 = isWidget_1; var handleThunk = handleThunk_1; var createElement_1$1 = createElement$1; function createElement$1(vnode, opts) { var doc = opts ? opts.document || document$2 : document$2; var warn = opts ? opts.warn : null; vnode = handleThunk(vnode).a; if (isWidget$4(vnode)) { return vnode.init() } else if (isVText$1(vnode)) { return doc.createTextNode(vnode.text) } else if (!isVNode$2(vnode)) { if (warn) { warn("Item is not a valid virtual dom node", vnode); } return null } var node = (vnode.namespace === null) ? doc.createElement(vnode.tagName) : doc.createElementNS(vnode.namespace, vnode.tagName); var props = vnode.properties; applyProperties$1(node, props); var children = vnode.children; for (var i = 0; i < children.length; i++) { var childNode = createElement$1(children[i], opts); if (childNode) { node.appendChild(childNode); } } return node } // Maps a virtual DOM tree onto a real DOM tree in an efficient manner. // We don"t want to read all of the DOM nodes in the tree so we use // the in-order tree indexing to eliminate recursion down certain branches. // We only recurse into a DOM node if we know that it contains a child of // interest. var noChild = {}; var domIndex_1 = domIndex$1; function domIndex$1(rootNode, tree, indices, nodes) { if (!indices || indices.length === 0) { return {} } else { indices.sort(ascending); return recurse(rootNode, tree, indices, nodes, 0) } } function recurse(rootNode, tree, indices, nodes, rootIndex) { nodes = nodes || {}; if (rootNode) { if (indexInRange(indices, rootIndex, rootIndex)) { nodes[rootIndex] = rootNode; } var vChildren = tree.children; if (vChildren) { var childNodes = rootNode.childNodes; for (var i = 0; i < tree.children.length; i++) { rootIndex += 1; var vChild = vChildren[i] || noChild; var nextIndex = rootIndex + (vChild.count || 0); // skip recursion down the tree if there are no nodes down here if (indexInRange(indices, rootIndex, nextIndex)) { recurse(childNodes[i], vChild, indices, nodes, rootIndex); } rootIndex = nextIndex; } } } return nodes } // Binary search for an index in the interval [left, right] function indexInRange(indices, left, right) { if (indices.length === 0) { return false } var minIndex = 0; var maxIndex = indices.length - 1; var currentIndex; var currentItem; while (minIndex <= maxIndex) { currentIndex = ((maxIndex + minIndex) / 2) >> 0; currentItem = indices[currentIndex]; if (minIndex === maxIndex) { return currentItem >= left && currentItem <= right } else if (currentItem < left) { minIndex = currentIndex + 1; } else if (currentItem > right) { maxIndex = currentIndex - 1; } else { return true } } return false; } function ascending(a, b) { return a > b ? 1 : -1 } var isWidget$3 = isWidget_1; var updateWidget_1 = updateWidget$1; function updateWidget$1(a, b) { if (isWidget$3(a) && isWidget$3(b)) { if ("name" in a && "name" in b) { return a.id === b.id } else { return a.init === b.init } } return false } var applyProperties = applyProperties_1; var isWidget$2 = isWidget_1; var VPatch = vpatch; var updateWidget = updateWidget_1; var patchOp$1 = applyPatch$1; function applyPatch$1(vpatch, domNode, renderOptions) { var type = vpatch.type; var vNode = vpatch.vNode; var patch = vpatch.patch; switch (type) { case VPatch.REMOVE: return removeNode$1(domNode, vNode) case VPatch.INSERT: return insertNode$1(domNode, patch, renderOptions) case VPatch.VTEXT: return stringPatch(domNode, vNode, patch, renderOptions) case VPatch.WIDGET: return widgetPatch(domNode, vNode, patch, renderOptions) case VPatch.VNODE: return vNodePatch(domNode, vNode, patch, renderOptions) case VPatch.ORDER: reorderChildren(domNode, patch); return domNode case VPatch.PROPS: applyProperties(domNode, patch, vNode.properties); return domNode case VPatch.THUNK: return replaceRoot(domNode, renderOptions.patch(domNode, patch, renderOptions)) default: return domNode } } function removeNode$1(domNode, vNode) { var parentNode = domNode.parentNode; if (parentNode) { parentNode.removeChild(domNode); } destroyWidget(domNode, vNode); return null } function insertNode$1(parentNode, vNode, renderOptions) { var newNode = renderOptions.render(vNode, renderOptions); if (parentNode) { parentNode.appendChild(newNode); } return parentNode } function stringPatch(domNode, leftVNode, vText, renderOptions) { var newNode; if (domNode.nodeType === 3) { domNode.replaceData(0, domNode.length, vText.text); newNode = domNode; } else { var parentNode = domNode.parentNode; newNode = renderOptions.render(vText, renderOptions); if (parentNode && newNode !== domNode) { parentNode.replaceChild(newNode, domNode); } } return newNode } function widgetPatch(domNode, leftVNode, widget, renderOptions) { var updating = updateWidget(leftVNode, widget); var newNode; if (updating) { newNode = widget.update(leftVNode, domNode) || domNode; } else { newNode = renderOptions.render(widget, renderOptions); } var parentNode = domNode.parentNode; if (parentNode && newNode !== domNode) { parentNode.replaceChild(newNode, domNode); } if (!updating) { destroyWidget(domNode, leftVNode); } return newNode } function vNodePatch(domNode, leftVNode, vNode, renderOptions) { var parentNode = domNode.parentNode; var newNode = renderOptions.render(vNode, renderOptions); if (parentNode && newNode !== domNode) { parentNode.replaceChild(newNode, domNode); } return newNode } function destroyWidget(domNode, w) { if (typeof w.destroy === "function" && isWidget$2(w)) { w.destroy(domNode); } } function reorderChildren(domNode, moves) { var childNodes = domNode.childNodes; var keyMap = {}; var node; var remove; var insert; for (var i = 0; i < moves.removes.length; i++) { remove = moves.removes[i]; node = childNodes[remove.from]; if (remove.key) { keyMap[remove.key] = node; } domNode.removeChild(node); } var length = childNodes.length; for (var j = 0; j < moves.inserts.length; j++) { insert = moves.inserts[j]; node = keyMap[insert.key]; // this is the weirdest bug i"ve ever seen in webkit domNode.insertBefore(node, insert.to >= length++ ? null : childNodes[insert.to]); } } function replaceRoot(oldRoot, newRoot) { if (oldRoot && newRoot && oldRoot !== newRoot && oldRoot.parentNode) { oldRoot.parentNode.replaceChild(newRoot, oldRoot); } return newRoot; } var document$1 = document_1; var isArray$1 = xIsArray; var render = createElement_1$1; var domIndex = domIndex_1; var patchOp = patchOp$1; var patch_1$1 = patch$2; function patch$2(rootNode, patches, renderOptions) { renderOptions = renderOptions || {}; renderOptions.patch = renderOptions.patch && renderOptions.patch !== patch$2 ? renderOptions.patch : patchRecursive; renderOptions.render = renderOptions.render || render; return renderOptions.patch(rootNode, patches, renderOptions) } function patchRecursive(rootNode, patches, renderOptions) { var indices = patchIndices(patches); if (indices.length === 0) { return rootNode } var index = domIndex(rootNode, patches.a, indices); var ownerDocument = rootNode.ownerDocument; if (!renderOptions.document && ownerDocument !== document$1) { renderOptions.document = ownerDocument; } for (var i = 0; i < indices.length; i++) { var nodeIndex = indices[i]; rootNode = applyPatch(rootNode, index[nodeIndex], patches[nodeIndex], renderOptions); } return rootNode } function applyPatch(rootNode, domNode, patchList, renderOptions) { if (!domNode) { return rootNode } var newNode; if (isArray$1(patchList)) { for (var i = 0; i < patchList.length; i++) { newNode = patchOp(patchList[i], domNode, renderOptions); if (domNode === rootNode) { rootNode = newNode; } } } else { newNode = patchOp(patchList, domNode, renderOptions); if (domNode === rootNode) { rootNode = newNode; } } return rootNode } function patchIndices(patches) { var indices = []; for (var key in patches) { if (key !== "a") { indices.push(Number(key)); } } return indices } var patch$1 = patch_1$1; var patch_1 = patch$1; var version$1 = version$5; var isVNode$1 = isVnode; var isWidget$1 = isWidget_1; var isThunk = isThunk_1; var isVHook = isVhook; var vnode = VirtualNode; var noProperties = {}; var noChildren = []; function VirtualNode(tagName, properties, children, key, namespace) { this.tagName = tagName; this.properties = properties || noProperties; this.children = children || noChildren; this.key = key != null ? String(key) : undefined; this.namespace = (typeof namespace === "string") ? namespace : null; var count = (children && children.length) || 0; var descendants = 0; var hasWidgets = false; var hasThunks = false; var descendantHooks = false; var hooks; for (var propName in properties) { if (properties.hasOwnProperty(propName)) { var property = properties[propName]; if (isVHook(property) && property.unhook) { if (!hooks) { hooks = {}; } hooks[propName] = property; } } } for (var i = 0; i < count; i++) { var child = children[i]; if (isVNode$1(child)) { descendants += child.count || 0; if (!hasWidgets && child.hasWidgets) { hasWidgets = true; } if (!hasThunks && child.hasThunks) { hasThunks = true; } if (!descendantHooks && (child.hooks || child.descendantHooks)) { descendantHooks = true; } } else if (!hasWidgets && isWidget$1(child)) { if (typeof child.destroy === "function") { hasWidgets = true; } } else if (!hasThunks && isThunk(child)) { hasThunks = true; } } this.count = count + descendants; this.hasWidgets = hasWidgets; this.hasThunks = hasThunks; this.hooks = hooks; this.descendantHooks = descendantHooks; } VirtualNode.prototype.version = version$1; VirtualNode.prototype.type = "VirtualNode"; var version = version$5; var vtext = VirtualText; function VirtualText(text) { this.text = String(text); } VirtualText.prototype.version = version; VirtualText.prototype.type = "VirtualText"; /*! * Cross-Browser Split 1.1.1 * Copyright 2007-2012 Steven Levithan * Available under the MIT License * ECMAScript compliant, uniform cross-browser split method */ /** * Splits a string into an array of strings using a regex or string separator. Matches of the * separator are not included in the result array. However, if `separator` is a regex that contains * capturing groups, backreferences are spliced into the result each time `separator` is matched. * Fixes browser bugs compared to the native `String.prototype.split` and can be used reliably * cross-browser. * @param {String} str String to split. * @param {RegExp|String} separator Regex or string to use for separating the string. * @param {Number} [limit] Maximum number of items to include in the result array. * @returns {Array} Array of substrings. * @example * * // Basic use * split("a b c d", " "); * // -> ["a", "b", "c", "d"] * * // With limit * split("a b c d", " ", 2); * // -> ["a", "b"] * * // Backreferences in result array * split("..word1 word2..", /([a-z]+)(d+)/i); * // -> ["..", "word", "1", " ", "word", "2", ".."] */ var browserSplit = (function split(undef) { var nativeSplit = String.prototype.split, compliantExecNpcg = /()??/.exec("")[1] === undef, // NPCG: nonparticipating capturing group self; self = function(str, separator, limit) { // If `separator` is not a regex, use `nativeSplit` if (Object.prototype.toString.call(separator) !== "[object RegExp]") { return nativeSplit.call(str, separator, limit); } var output = [], flags = (separator.ignoreCase ? "i" : "") + (separator.multiline ? "m" : "") + (separator.extended ? "x" : "") + // Proposed for ES6 (separator.sticky ? "y" : ""), // Firefox 3+ lastLastIndex = 0, // Make `global` and avoid `lastIndex` issues by working with a copy separator = new RegExp(separator.source, flags + "g"), separator2, match, lastIndex, lastLength; str += ""; // Type-convert if (!compliantExecNpcg) { // Doesn"t need flags gy, but they don"t hurt separator2 = new RegExp("^" + separator.source + "$(?!\s)", flags); } /* Values for `limit`, per the spec: * If undefined: 4294967295 // Math.pow(2, 32) - 1 * If 0, Infinity, or NaN: 0 * If positive number: limit = Math.floor(limit); if (limit > 4294967295) limit -= 4294967296; * If negative number: 4294967296 - Math.floor(Math.abs(limit)) * If other: Type-convert, then use the above rules */ limit = limit === undef ? -1 >>> 0 : // Math.pow(2, 32) - 1 limit >>> 0; // ToUint32(limit) while (match = separator.exec(str)) { // `separator.lastIndex` is not reliable cross-browser lastIndex = match.index + match[0].length; if (lastIndex > lastLastIndex) { output.push(str.slice(lastLastIndex, match.index)); // Fix browsers whose `exec` methods don"t consistently return `undefined` for // nonparticipating capturing groups if (!compliantExecNpcg && match.length > 1) { match[0].replace(separator2, function() { for (var i = 1; i < arguments.length - 2; i++) { if (arguments[i] === undef) { match[i] = undef; } } }); } if (match.length > 1 && match.index < str.length) { Array.prototype.push.apply(output, match.slice(1)); } lastLength = match[0].length; lastLastIndex = lastIndex; if (output.length >= limit) { break; } } if (separator.lastIndex === match.index) { separator.lastIndex++; // Avoid an infinite loop } } if (lastLastIndex === str.length) { if (lastLength || !separator.test("")) { output.push(""); } } else { output.push(str.slice(lastLastIndex)); } return output.length > limit ? output.slice(0, limit) : output; }; return self; })(); var split = browserSplit; var classIdSplit = /([.#]?[a-zA-Z0-9u007F-uFFFF_:-]+)/; var notClassId = /^.|#/; var parseTag_1 = parseTag$1; function parseTag$1(tag, props) { if (!tag) { return "DIV"; } var noId = !(props.hasOwnProperty("id")); var tagParts = split(tag, classIdSplit); var tagName = null; if (notClassId.test(tagParts[1])) { tagName = "DIV"; } var classes, part, type, i; for (i = 0; i < tagParts.length; i++) { part = tagParts[i]; if (!part) { continue; } type = part.charAt(0); if (!tagName) { tagName = part; } else if (type === ".") { classes = classes || []; classes.push(part.substring(1, part.length)); } else if (type === "#" && noId) { props.id = part.substring(1, part.length); } } if (classes) { if (props.className) { classes.push(props.className); } props.className = classes.join(" "); } return props.namespace ? tagName : tagName.toUpperCase(); } var softSetHook$1 = SoftSetHook; function SoftSetHook(value) { if (!(this instanceof SoftSetHook)) { return new SoftSetHook(value); } this.value = value; } SoftSetHook.prototype.hook = function (node, propertyName) { if (node[propertyName] !== this.value) { node[propertyName] = this.value; } }; /*global window, global*/ var root = typeof window !== "undefined" ? window : typeof commonjsGlobal !== "undefined" ? commonjsGlobal : {}; var individual = Individual$1; function Individual$1(key, value) { if (key in root) { return root[key]; } root[key] = value; return value; } var Individual = individual; var oneVersion = OneVersion; function OneVersion(moduleName, version, defaultValue) { var key = "__INDIVIDUAL_ONE_VERSION_" + moduleName; var enforceKey = key + "_ENFORCE_SINGLETON"; var versionValue = Individual(enforceKey, version); if (versionValue !== version) { throw new Error("Can only have one copy of " + moduleName + ". " + "You already have version " + versionValue + " installed. " + "This means you cannot install version " + version); } return Individual(key, defaultValue); } var OneVersionConstraint = oneVersion; var MY_VERSION = "7"; OneVersionConstraint("ev-store", MY_VERSION); var hashKey = "__EV_STORE_KEY@" + MY_VERSION; var evStore = EvStore$1; function EvStore$1(elem) { var hash = elem[hashKey]; if (!hash) { hash = elem[hashKey] = {}; } return hash; } var EvStore = evStore; var evHook$1 = EvHook; function EvHook(value) { if (!(this instanceof EvHook)) { return new EvHook(value); } this.value = value; } EvHook.prototype.hook = function (node, propertyName) { var es = EvStore(node); var propName = propertyName.substr(3); es[propName] = this.value; }; EvHook.prototype.unhook = function(node, propertyName) { var es = EvStore(node); var propName = propertyName.substr(3); es[propName] = undefined; }; var isArray = xIsArray; var VNode$1 = vnode; var VText$1 = vtext; var isVNode = isVnode; var isVText = isVtext; var isWidget = isWidget_1; var isHook = isVhook; var isVThunk = isThunk_1; var parseTag = parseTag_1; var softSetHook = softSetHook$1; var evHook = evHook$1; var virtualHyperscript = h$2; function h$2(tagName, properties, children) { var childNodes = []; var tag, props, key, namespace; if (!children && isChildren(properties)) { children = properties; props = {}; } props = props || properties || {}; tag = parseTag(tagName, props); // support keys if (props.hasOwnProperty("key")) { key = props.key; props.key = undefined; } // support namespace if (props.hasOwnProperty("namespace")) { namespace = props.namespace; props.namespace = undefined; } // fix cursor bug if (tag === "INPUT" && !namespace && props.hasOwnProperty("value") && props.value !== undefined && !isHook(props.value) ) { props.value = softSetHook(props.value); } transformProperties(props); if (children !== undefined && children !== null) { addChild(children, childNodes, tag, props); } return new VNode$1(tag, props, childNodes, key, namespace); } function addChild(c, childNodes, tag, props) { if (typeof c === "string") { childNodes.push(new VText$1(c)); } else if (typeof c === "number") { childNodes.push(new VText$1(String(c))); } else if (isChild(c)) { childNodes.push(c); } else if (isArray(c)) { for (var i = 0; i < c.length; i++) { addChild(c[i], childNodes, tag, props); } } else if (c === null || c === undefined) { return; } else { throw UnexpectedVirtualElement({ foreignObject: c, parentVnode: { tagName: tag, properties: props } }); } } function transformProperties(props) { for (var propName in props) { if (props.hasOwnProperty(propName)) { var value = props[propName]; if (isHook(value)) { continue; } if (propName.substr(0, 3) === "ev-") { // add ev-foo support props[propName] = evHook(value); } } } } function isChild(x) { return isVNode(x) || isVText(x) || isWidget(x) || isVThunk(x); } function isChildren(x) { return typeof x === "string" || isArray(x) || isChild(x); } function UnexpectedVirtualElement(data) { var err = new Error(); err.type = "virtual-hyperscript.unexpected.virtual-element"; err.message = "Unexpected virtual child passed to h(). " + "Expected a VNode / Vthunk / VWidget / string but: " + "got: " + errorString(data.foreignObject) + ". " + "The parent vnode is: " + errorString(data.parentVnode); err.foreignObject = data.foreignObject; err.parentVnode = data.parentVnode; return err; } function errorString(obj) { try { return JSON.stringify(obj, null, " "); } catch (e) { return String(obj); } } var h$1 = virtualHyperscript; var h_1 = h$1; var createElement = createElement_1$1; var createElement_1 = createElement; var diff = diff_1; var patch = patch_1; var h = h_1; var create = createElement_1; var VNode = vnode; var VText = vtext; var virtualDom = { diff: diff, patch: patch, h: h, create: create, VNode: VNode, VText: VText }; class EventEmitter { constructor() { this._events = {}; } /** * @ignore */ fire(type, event) { if (!this._listens(type)) { return; } for (const handler of this._events[type]) { handler(event); } } /** * Unsubscribe from an event by its name. * @param {string} type - The name of the event * to unsubscribe from. * @param {(event: T) => void} handler - The * handler to remove. */ off(type, handler) { if (!type) { this._events = {}; return; } if (this._listens(type)) { const index = this._events[type].indexOf(handler); if (index >= 0) { this._events[type].splice(index, 1); } if (!this._events[type].length) { delete this._events[type]; } } } /** * Subscribe to an event by its name. * @param {string} type - The name of the event * to subscribe to. * @param {(event: T) => void} handler - The * handler called when the event occurs. */ on(type, handler) { this._events[type] = this._events[type] || []; this._events[type].push(handler); } _listens(eventType) { return eventType in this._events; } } class SubscriptionHolder { constructor() { this._subscriptions = []; } push(subscription) { this._subscriptions.push(subscription); } unsubscribe() { for (const sub of this._subscriptions) { sub.unsubscribe(); } this._subscriptions = []; } } class Component extends EventEmitter { constructor(name, container, navigator) { super(); this._activated$ = new BehaviorSubject(false); this._configurationSubject$ = new Subject(); this._activated = false; this._container = container; this._name = name; this._navigator = navigator; this._subscriptions = new SubscriptionHolder(); this._configuration$ = this._configurationSubject$.pipe(startWith(this.defaultConfiguration), scan((conf, newConf) => { for (let key in newConf) { if (newConf.hasOwnProperty(key)) { conf[key] = newConf[key]; } } return conf; }), publishReplay(1), refCount()); this._configuration$.subscribe(() => { }); } /** * Get activated. * * @returns {boolean} Value indicating if the component is * currently active. */ get activated() { return this._activated; } /** @ignore */ get activated$() { return this._activated$; } /** * Get default configuration. * * @returns {TConfiguration} Default configuration for component. */ get defaultConfiguration() { return this._getDefaultConfiguration(); } /** @ignore */ get configuration$() { return this._configuration$; } /** * Get name. * * @description The name of the component. Used when interacting with the * component through the Viewer"s API. */ get name() { return this._name; } /** @ignore */ activate(conf) { if (this._activated) { return; } if (conf !== undefined) { this._configurationSubject$.next(conf); } this._activated = true; this._activate(); this._activated$.next(true); } /** * Configure the component. * * @param configuration Component configuration. */ configure(configuration) { this._configurationSubject$.next(configuration); } /** @ignore */ deactivate() { if (!this._activated) { return; } this._activated = false; this._deactivate(); this._container.domRenderer.clear(this._name); this._container.glRenderer.clear(this._name); this._activated$.next(false); } /** @inheritdoc */ fire(type, event) { super.fire(type, event); } /** @inheritdoc */ off(type, handler) { super.off(type, handler); } /** @inheritdoc */ on(type, handler) { super.on(type, handler); } /** * Detect the viewer"s new width and height and resize the component"s * rendered elements accordingly if applicable. * * @ignore */ resize() { return; } } var CoverState; (function (CoverState) { CoverState[CoverState["Hidden"] = 0] = "Hidden"; CoverState[CoverState["Loading"] = 1] = "Loading"; CoverState[CoverState["Visible"] = 2] = "Visible"; })(CoverState || (CoverState = {})); class CoverComponent extends Component { constructor(name, container, navigator) { super(name, container, navigator); } _activate() { const originalSrc$ = this.configuration$.pipe(first((c) => { return !!c.id; }), filter((c) => { return !c.src; }), switchMap((c) => { return this._getImageSrc$(c.id).pipe(catchError((error) => { console.error(error); return empty(); })); }), publishReplay(1), refCount()); const subs = this._subscriptions; subs.push(originalSrc$.pipe(map((src) => { return { src: src }; })) .subscribe((c) => { this._configurationSubject$.next(c); })); subs.push(combineLatest(this.configuration$, originalSrc$).pipe(filter(([c, src]) => { return !!c.src && c.src !== src; }), first()) .subscribe(([, src]) => { window.URL.revokeObjectURL(src); })); subs.push(this._configuration$.pipe(distinctUntilChanged(undefined, (configuration) => { return configuration.state; }), switchMap((configuration) => { return combineLatest(of(configuration.state), this._navigator.stateService.currentImage$); }), switchMap(([state, image]) => { const keySrc$ = combineLatest(of(image.id), image.image$.pipe(filter((imageElement) => { return !!imageElement; }), map((imageElement) => { return imageElement.src; }))); return state === CoverState.Visible ? keySrc$.pipe(first()) : keySrc$; }), distinctUntilChanged(([k1, s1], [k2, s2]) => { return k1 === k2 && s1 === s2; }), map(([key, src]) => { return { id: key, src: src }; })) .subscribe(this._configurationSubject$)); subs.push(combineLatest(this._configuration$, this._container.configurationService.exploreUrl$, this._container.renderService.size$).pipe(map(([configuration, exploreUrl, size]) => { if (!configuration.src) { return { name: this._name, vNode: virtualDom.h("div", []) }; } const compactClass = size.width <= 640 || size.height <= 480 ? ".mapillary-cover-compact" : ""; if (configuration.state === CoverState.Hidden) { const doneContainer = virtualDom.h("div.mapillary-cover-container.mapillary-cover-done" + compactClass, [this._getCoverBackgroundVNode(configuration)]); return { name: this._name, vNode: doneContainer }; } const container = virtualDom.h("div.mapillary-cover-container" + compactClass, [this._getCoverButtonVNode(configuration, exploreUrl)]); return { name: this._name, vNode: container }; })) .subscribe(this._container.domRenderer.render$)); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return { state: CoverState.Visible }; } _getCoverButtonVNode(configuration, exploreUrl) { const cover = configuration.state === CoverState.Loading ? "div.mapillary-cover.mapillary-cover-loading" : "div.mapillary-cover"; const coverButton = virtualDom.h("div.mapillary-cover-button", [virtualDom.h("div.mapillary-cover-button-icon", [])]); const coverLogo = virtualDom.h("a.mapillary-cover-logo", { href: exploreUrl, target: "_blank" }, []); const coverIndicator = virtualDom.h("div.mapillary-cover-indicator", { onclick: () => { this.configure({ state: CoverState.Loading }); } }, []); return virtualDom.h(cover, [ this._getCoverBackgroundVNode(configuration), coverIndicator, coverButton, coverLogo, ]); } _getCoverBackgroundVNode(conf) { const properties = { style: { backgroundImage: `url(${conf.src})` }, }; const children = []; if (conf.state === CoverState.Loading) { children.push(virtualDom.h("div.mapillary-cover-spinner", {}, [])); } return virtualDom.h("div.mapillary-cover-background", properties, children); } _getImageSrc$(id) { return Observable.create((subscriber) => { this._navigator.api.getImages$([id]) .subscribe((items) => { for (const item of items) { const imageId = typeof id === "number" ? id.toString() : id; if (item.node_id !== imageId) { continue; } this._navigator.api.data .getImageBuffer(item.node.thumb.url) .then((buffer) => { const image = new Image(); image.crossOrigin = "Anonymous"; image.onload = () => { subscriber.next(image.src); subscriber.complete(); }; image.onerror = () => { subscriber.error(new Error(`Failed to load cover ` + `image (${id})`)); }; const blob = new Blob([buffer]); image.src = window.URL .createObjectURL(blob); }, (error) => { subscriber.error(error); }); return; } subscriber.error(new MapillaryError(`Non existent cover key: ${id}`)); }, (error) => { subscriber.error(error); }); }); } } CoverComponent.componentName = "cover"; class AttributionComponent extends Component { _activate() { this._subscriptions.push(combineLatest(this._container.configurationService.exploreUrl$, this._navigator.stateService.currentImage$, this._container.renderService.size$).pipe(map(([exploreUrl, image, size]) => { const attribution = this._makeAttribution(image.creatorUsername, exploreUrl, image.id, image.capturedAt, size.width); return { name: this._name, vNode: attribution, }; })) .subscribe(this._container.domRenderer.render$)); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return {}; } makeImageUrl(exploreUrl, id) { return `${exploreUrl}/app/?pKey=${id}&focus=photo`; } _makeAttribution(creatorUsername, exploreUrl, imageId, capturedAt, viewportWidth) { const compact = viewportWidth <= 640; const date = this._makeDate(capturedAt, compact); const by = this._makeBy(creatorUsername, exploreUrl, imageId, compact); const compactClass = compact ? ".mapillary-attribution-compact" : ""; return virtualDom.h("div.mapillary-attribution-container" + compactClass, {}, [...by, date]); } _makeBy(creatorUsername, exploreUrl, imageId, compact) { const icon = virtualDom.h("div.mapillary-attribution-logo", []); return creatorUsername ? this._makeCreatorBy(icon, creatorUsername, exploreUrl, imageId, compact) : this._makeGeneralBy(icon, exploreUrl, imageId, compact); } _makeCreatorBy(icon, creatorUsername, exploreUrl, imageId, compact) { const mapillary = virtualDom.h("a.mapillary-attribution-icon-container", { href: exploreUrl, rel: "noreferrer", target: "_blank" }, [icon]); const content = compact ? `${creatorUsername}` : `image by ${creatorUsername}`; const imageBy = virtualDom.h("div.mapillary-attribution-username", { textContent: content }, []); const image = virtualDom.h("a.mapillary-attribution-image-container", { href: this.makeImageUrl(exploreUrl, imageId), rel: "noreferrer", target: "_blank", }, [imageBy]); return [mapillary, image]; } _makeGeneralBy(icon, exploreUrl, imageId, compact) { const imagesBy = virtualDom.h("div.mapillary-attribution-username", { textContent: "images by" }, []); const mapillary = virtualDom.h("div.mapillary-attribution-icon-container", {}, [icon]); const contributors = virtualDom.h("div.mapillary-attribution-username", { textContent: "contributors" }, []); const children = [mapillary, contributors]; if (!compact) { children.unshift(imagesBy); } const image = virtualDom.h("a.mapillary-attribution-image-container", { href: this.makeImageUrl(exploreUrl, imageId), rel: "noreferrer", target: "_blank", }, children); return [image]; } _makeDate(capturedAt, compact) { const date = new Date(capturedAt) .toDateString() .split(" "); const formatted = (date.length > 3 ? compact ? [date[3]] : [date[1], date[2] + ",", date[3]] : date).join(" "); return virtualDom.h("div.mapillary-attribution-date", { textContent: formatted }, []); } } AttributionComponent.componentName = "attribution"; /** * @class ViewportCoords * * @classdesc Provides methods for calculating 2D coordinate conversions * as well as 3D projection and unprojection. * * Basic coordinates are 2D coordinates on the [0, 1] interval and * have the origin point, (0, 0), at the top left corner and the * maximum value, (1, 1), at the bottom right corner of the original * image. * * Viewport coordinates are 2D coordinates on the [-1, 1] interval and * have the origin point in the center. The bottom left corner point is * (-1, -1) and the top right corner point is (1, 1). * * Canvas coordiantes are 2D pixel coordinates on the [0, canvasWidth] and * [0, canvasHeight] intervals. The origin point (0, 0) is in the top left * corner and the maximum value is (canvasWidth, canvasHeight) is in the * bottom right corner. * * 3D coordinates are in the topocentric world reference frame. */ class ViewportCoords { constructor() { this._unprojectDepth = 200; } /** * Convert basic coordinates to canvas coordinates. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * @param {number} basicX - Basic X coordinate. * @param {number} basicY - Basic Y coordinate. * @param {HTMLElement} container - The viewer container. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D canvas coordinates. */ basicToCanvas(basicX, basicY, container, transform, camera) { const point3d = transform.unprojectBasic([basicX, basicY], this._unprojectDepth); const canvas = this.projectToCanvas(point3d, container, camera); return canvas; } /** * Convert basic coordinates to canvas coordinates safely. If 3D point is * behind camera null will be returned. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * @param {number} basicX - Basic X coordinate. * @param {number} basicY - Basic Y coordinate. * @param {HTMLElement} container - The viewer container. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D canvas coordinates if the basic point represents a 3D point * in front of the camera, otherwise null. */ basicToCanvasSafe(basicX, basicY, container, transform, camera) { const viewport = this.basicToViewportSafe(basicX, basicY, transform, camera); if (viewport === null) { return null; } const canvas = this.viewportToCanvas(viewport[0], viewport[1], container); return canvas; } /** * Convert basic coordinates to viewport coordinates. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * @param {number} basicX - Basic X coordinate. * @param {number} basicY - Basic Y coordinate. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D viewport coordinates. */ basicToViewport(basicX, basicY, transform, camera) { const point3d = transform.unprojectBasic([basicX, basicY], this._unprojectDepth); const viewport = this.projectToViewport(point3d, camera); return viewport; } /** * Convert basic coordinates to viewport coordinates safely. If 3D point is * behind camera null will be returned. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * @param {number} basicX - Basic X coordinate. * @param {number} basicY - Basic Y coordinate. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D viewport coordinates. */ basicToViewportSafe(basicX, basicY, transform, camera) { const point3d = transform.unprojectBasic([basicX, basicY], this._unprojectDepth); const pointCamera = this.worldToCamera(point3d, camera); if (pointCamera[2] > 0) { return null; } const viewport = this.projectToViewport(point3d, camera); return viewport; } /** * Convert camera 3D coordinates to viewport coordinates. * * @param {number} pointCamera - 3D point in camera coordinate system. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D viewport coordinates. */ cameraToViewport(pointCamera, camera) { const viewport = new Vector3().fromArray(pointCamera) .applyMatrix4(camera.projectionMatrix); return [viewport.x, viewport.y]; } /** * Get canvas pixel position from event. * * @param {Event} event - Event containing clientX and clientY properties. * @param {HTMLElement} element - HTML element. * @returns {Array} 2D canvas coordinates. */ canvasPosition(event, element) { const clientRect = element.getBoundingClientRect(); const canvasX = event.clientX - clientRect.left - element.clientLeft; const canvasY = event.clientY - clientRect.top - element.clientTop; return [canvasX, canvasY]; } /** * Convert canvas coordinates to basic coordinates. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * @param {number} canvasX - Canvas X coordinate. * @param {number} canvasY - Canvas Y coordinate. * @param {HTMLElement} container - The viewer container. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D basic coordinates. */ canvasToBasic(canvasX, canvasY, container, transform, camera) { const point3d = this.unprojectFromCanvas(canvasX, canvasY, container, camera) .toArray(); const basic = transform.projectBasic(point3d); return basic; } /** * Convert canvas coordinates to viewport coordinates. * * @param {number} canvasX - Canvas X coordinate. * @param {number} canvasY - Canvas Y coordinate. * @param {HTMLElement} container - The viewer container. * @returns {Array} 2D viewport coordinates. */ canvasToViewport(canvasX, canvasY, container) { const [canvasWidth, canvasHeight] = this.containerToCanvas(container); const viewportX = 2 * canvasX / canvasWidth - 1; const viewportY = 1 - 2 * canvasY / canvasHeight; return [viewportX, viewportY]; } /** * Determines the width and height of the container in canvas coordinates. * * @param {HTMLElement} container - The viewer container. * @returns {Array} 2D canvas coordinates. */ containerToCanvas(container) { return [container.offsetWidth, container.offsetHeight]; } /** * Determine basic distances from image to canvas corners. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * Determines the smallest basic distance for every side of the canvas. * * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} Array of basic distances as [top, right, bottom, left]. */ getBasicDistances(transform, camera) { const topLeftBasic = this.viewportToBasic(-1, 1, transform, camera); const topRightBasic = this.viewportToBasic(1, 1, transform, camera); const bottomRightBasic = this.viewportToBasic(1, -1, transform, camera); const bottomLeftBasic = this.viewportToBasic(-1, -1, transform, camera); let topBasicDistance = 0; let rightBasicDistance = 0; let bottomBasicDistance = 0; let leftBasicDistance = 0; if (topLeftBasic[1] < 0 && topRightBasic[1] < 0) { topBasicDistance = topLeftBasic[1] > topRightBasic[1] ? -topLeftBasic[1] : -topRightBasic[1]; } if (topRightBasic[0] > 1 && bottomRightBasic[0] > 1) { rightBasicDistance = topRightBasic[0] < bottomRightBasic[0] ? topRightBasic[0] - 1 : bottomRightBasic[0] - 1; } if (bottomRightBasic[1] > 1 && bottomLeftBasic[1] > 1) { bottomBasicDistance = bottomRightBasic[1] < bottomLeftBasic[1] ? bottomRightBasic[1] - 1 : bottomLeftBasic[1] - 1; } if (bottomLeftBasic[0] < 0 && topLeftBasic[0] < 0) { leftBasicDistance = bottomLeftBasic[0] > topLeftBasic[0] ? -bottomLeftBasic[0] : -topLeftBasic[0]; } return [topBasicDistance, rightBasicDistance, bottomBasicDistance, leftBasicDistance]; } /** * Determine pixel distances from image to canvas corners. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * Determines the smallest pixel distance for every side of the canvas. * * @param {HTMLElement} container - The viewer container. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} Array of pixel distances as [top, right, bottom, left]. */ getPixelDistances(container, transform, camera) { const topLeftBasic = this.viewportToBasic(-1, 1, transform, camera); const topRightBasic = this.viewportToBasic(1, 1, transform, camera); const bottomRightBasic = this.viewportToBasic(1, -1, transform, camera); const bottomLeftBasic = this.viewportToBasic(-1, -1, transform, camera); let topPixelDistance = 0; let rightPixelDistance = 0; let bottomPixelDistance = 0; let leftPixelDistance = 0; const [canvasWidth, canvasHeight] = this.containerToCanvas(container); if (topLeftBasic[1] < 0 && topRightBasic[1] < 0) { const basicX = topLeftBasic[1] > topRightBasic[1] ? topLeftBasic[0] : topRightBasic[0]; const canvas = this.basicToCanvas(basicX, 0, container, transform, camera); topPixelDistance = canvas[1] > 0 ? canvas[1] : 0; } if (topRightBasic[0] > 1 && bottomRightBasic[0] > 1) { const basicY = topRightBasic[0] < bottomRightBasic[0] ? topRightBasic[1] : bottomRightBasic[1]; const canvas = this.basicToCanvas(1, basicY, container, transform, camera); rightPixelDistance = canvas[0] < canvasWidth ? canvasWidth - canvas[0] : 0; } if (bottomRightBasic[1] > 1 && bottomLeftBasic[1] > 1) { const basicX = bottomRightBasic[1] < bottomLeftBasic[1] ? bottomRightBasic[0] : bottomLeftBasic[0]; const canvas = this.basicToCanvas(basicX, 1, container, transform, camera); bottomPixelDistance = canvas[1] < canvasHeight ? canvasHeight - canvas[1] : 0; } if (bottomLeftBasic[0] < 0 && topLeftBasic[0] < 0) { const basicY = bottomLeftBasic[0] > topLeftBasic[0] ? bottomLeftBasic[1] : topLeftBasic[1]; const canvas = this.basicToCanvas(0, basicY, container, transform, camera); leftPixelDistance = canvas[0] > 0 ? canvas[0] : 0; } return [topPixelDistance, rightPixelDistance, bottomPixelDistance, leftPixelDistance]; } /** * Determine if an event occured inside an element. * * @param {Event} event - Event containing clientX and clientY properties. * @param {HTMLElement} element - HTML element. * @returns {boolean} Value indicating if the event occured inside the element or not. */ insideElement(event, element) { const clientRect = element.getBoundingClientRect(); const minX = clientRect.left + element.clientLeft; const maxX = minX + element.clientWidth; const minY = clientRect.top + element.clientTop; const maxY = minY + element.clientHeight; return event.clientX > minX && event.clientX < maxX && event.clientY > minY && event.clientY < maxY; } /** * Project 3D world coordinates to canvas coordinates. * * @param {Array} point3D - 3D world coordinates. * @param {HTMLElement} container - The viewer container. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D canvas coordinates. */ projectToCanvas(point3d, container, camera) { const viewport = this.projectToViewport(point3d, camera); const canvas = this.viewportToCanvas(viewport[0], viewport[1], container); return canvas; } /** * Project 3D world coordinates to canvas coordinates safely. If 3D * point is behind camera null will be returned. * * @param {Array} point3D - 3D world coordinates. * @param {HTMLElement} container - The viewer container. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D canvas coordinates. */ projectToCanvasSafe(point3d, container, camera) { const pointCamera = this.worldToCamera(point3d, camera); if (pointCamera[2] > 0) { return null; } const viewport = this.projectToViewport(point3d, camera); const canvas = this.viewportToCanvas(viewport[0], viewport[1], container); return canvas; } /** * Project 3D world coordinates to viewport coordinates. * * @param {Array} point3D - 3D world coordinates. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D viewport coordinates. */ projectToViewport(point3d, camera) { const viewport = new Vector3(point3d[0], point3d[1], point3d[2]) .project(camera); return [viewport.x, viewport.y]; } /** * Uproject canvas coordinates to 3D world coordinates. * * @param {number} canvasX - Canvas X coordinate. * @param {number} canvasY - Canvas Y coordinate. * @param {HTMLElement} container - The viewer container. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 3D world coordinates. */ unprojectFromCanvas(canvasX, canvasY, container, camera) { const viewport = this.canvasToViewport(canvasX, canvasY, container); const point3d = this.unprojectFromViewport(viewport[0], viewport[1], camera); return point3d; } /** * Unproject viewport coordinates to 3D world coordinates. * * @param {number} viewportX - Viewport X coordinate. * @param {number} viewportY - Viewport Y coordinate. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 3D world coordinates. */ unprojectFromViewport(viewportX, viewportY, camera) { const point3d = new Vector3(viewportX, viewportY, 1) .unproject(camera); return point3d; } /** * Convert viewport coordinates to basic coordinates. * * @description Transform origin and camera position needs to be the * equal for reliable return value. * * @param {number} viewportX - Viewport X coordinate. * @param {number} viewportY - Viewport Y coordinate. * @param {Transform} transform - Transform of the image to unproject from. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 2D basic coordinates. */ viewportToBasic(viewportX, viewportY, transform, camera) { const point3d = new Vector3(viewportX, viewportY, 1) .unproject(camera) .toArray(); const basic = transform.projectBasic(point3d); return basic; } /** * Convert viewport coordinates to canvas coordinates. * * @param {number} viewportX - Viewport X coordinate. * @param {number} viewportY - Viewport Y coordinate. * @param {HTMLElement} container - The viewer container. * @returns {Array} 2D canvas coordinates. */ viewportToCanvas(viewportX, viewportY, container) { const [canvasWidth, canvasHeight] = this.containerToCanvas(container); const canvasX = canvasWidth * (viewportX + 1) / 2; const canvasY = -canvasHeight * (viewportY - 1) / 2; return [canvasX, canvasY]; } /** * Convert 3D world coordinates to 3D camera coordinates. * * @param {number} point3D - 3D point in world coordinate system. * @param {THREE.Camera} camera - Camera used in rendering. * @returns {Array} 3D camera coordinates. */ worldToCamera(point3d, camera) { const pointCamera = new Vector3(point3d[0], point3d[1], point3d[2]) .applyMatrix4(camera.matrixWorldInverse); return pointCamera.toArray(); } } /** * Enumeration for component size. * @enum {number} * @readonly * @description May be used by a component to allow for resizing * of the UI elements rendered by the component. */ exports.ComponentSize = void 0; (function (ComponentSize) { /** * Automatic size. The size of the elements will automatically * change at a predefined threshold. */ ComponentSize[ComponentSize["Automatic"] = 0] = "Automatic"; /** * Large size. The size of the elements will be fixed until another * component size is configured. */ ComponentSize[ComponentSize["Large"] = 1] = "Large"; /** * Small size. The size of the elements will be fixed until another * component size is configured. */ ComponentSize[ComponentSize["Small"] = 2] = "Small"; })(exports.ComponentSize || (exports.ComponentSize = {})); /** * @class BearingComponent * * @classdesc Component for indicating bearing and field of view. * * @example * ```js * var viewer = new Viewer({ ... }); * var bearingComponent = viewer.getComponent("bearing"); * bearingComponent.configure({ size: ComponentSize.Small }); * ``` */ class BearingComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); this._spatial = new Spatial(); this._viewportCoords = new ViewportCoords(); this._svgNamespace = "http://www.w3.org/2000/svg"; this._distinctThreshold = Math.PI / 360; this._animationSpeed = 0.075; } _activate() { const subs = this._subscriptions; const cameraBearingFov$ = this._container.renderService.renderCamera$.pipe(map((rc) => { let vFov = this._spatial.degToRad(rc.perspective.fov); let hFov = rc.perspective.aspect === Number.POSITIVE_INFINITY ? Math.PI : Math.atan(rc.perspective.aspect * Math.tan(0.5 * vFov)) * 2; return [this._spatial.azimuthalToBearing(rc.rotation.phi), hFov]; }), distinctUntilChanged((a1, a2) => { return Math.abs(a2[0] - a1[0]) < this._distinctThreshold && Math.abs(a2[1] - a1[1]) < this._distinctThreshold; })); const imageFov$ = combineLatest(this._navigator.stateService.currentState$.pipe(distinctUntilChanged(undefined, (frame) => { return frame.state.currentImage.id; })), this._navigator.panService.panImages$).pipe(map(([frame, panImages]) => { const image = frame.state.currentImage; const transform = frame.state.currentTransform; if (isSpherical(image.cameraType)) { return [Math.PI, Math.PI]; } const hFov = this._computeHorizontalFov(transform); let hFovLeft = hFov / 2; let hFovRight = hFov / 2; for (const [n, , f] of panImages) { const diff = this._spatial.wrap(n.compassAngle - image.compassAngle, -180, 180); if (diff < 0) { hFovLeft = this._spatial.degToRad(Math.abs(diff)) + f / 2; } else { hFovRight = this._spatial.degToRad(Math.abs(diff)) + f / 2; } } return [hFovLeft, hFovRight]; }), distinctUntilChanged(([hFovLeft1, hFovRight1], [hFovLeft2, hFovRight2]) => { return Math.abs(hFovLeft2 - hFovLeft1) < this._distinctThreshold && Math.abs(hFovRight2 - hFovRight1) < this._distinctThreshold; })); const offset$ = combineLatest(this._navigator.stateService.currentState$.pipe(distinctUntilChanged(undefined, (frame) => { return frame.state.currentImage.id; })), this._container.renderService.bearing$).pipe(map(([frame, bearing]) => { const offset = this._spatial.degToRad(frame.state.currentImage.compassAngle - bearing); return offset; })); const imageFovOperation$ = new Subject(); const smoothImageFov$ = imageFovOperation$.pipe(scan((state, operation) => { return operation(state); }, { alpha: 0, curr: [0, 0, 0], prev: [0, 0, 0] }), map((state) => { const alpha = MathUtils.smootherstep(state.alpha, 0, 1); const curr = state.curr; const prev = state.prev; return [ this._interpolate(prev[0], curr[0], alpha), this._interpolate(prev[1], curr[1], alpha), ]; })); subs.push(imageFov$.pipe(map((nbf) => { return (state) => { const a = MathUtils.smootherstep(state.alpha, 0, 1); const c = state.curr; const p = state.prev; const prev = [ this._interpolate(p[0], c[0], a), this._interpolate(p[1], c[1], a), ]; const curr = nbf.slice(); return { alpha: 0, curr: curr, prev: prev, }; }; })) .subscribe(imageFovOperation$)); subs.push(imageFov$.pipe(switchMap(() => { return this._container.renderService.renderCameraFrame$.pipe(skip(1), scan((alpha) => { return alpha + this._animationSpeed; }, 0), takeWhile((alpha) => { return alpha <= 1 + this._animationSpeed; }), map((alpha) => { return Math.min(alpha, 1); })); }), map((alpha) => { return (nbfState) => { return { alpha: alpha, curr: nbfState.curr.slice(), prev: nbfState.prev.slice(), }; }; })) .subscribe(imageFovOperation$)); const imageBearingFov$ = combineLatest(offset$, smoothImageFov$).pipe(map(([offset, fov]) => { return [offset, fov[0], fov[1]]; })); subs.push(combineLatest(cameraBearingFov$, imageBearingFov$, this._configuration$, this._container.renderService.size$).pipe(map(([[cb, cf], [no, nfl, nfr], configuration, size]) => { const background = this._createBackground(cb); const fovIndicator = this._createFovIndicator(nfl, nfr, no); const north = this._createNorth(cb); const cameraSector = this._createCircleSectorCompass(this._createCircleSector(Math.max(Math.PI / 20, cf), "#FFF")); const compact = configuration.size === exports.ComponentSize.Small || configuration.size === exports.ComponentSize.Automatic && size.width < 640 ? ".mapillary-bearing-compact" : ""; return { name: this._name, vNode: virtualDom.h("div.mapillary-bearing-indicator-container" + compact, { oncontextmenu: (event) => { event.preventDefault(); } }, [ background, fovIndicator, north, cameraSector, ]), }; })) .subscribe(this._container.domRenderer.render$)); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return { size: exports.ComponentSize.Automatic }; } _createFovIndicator(fovLeft, fovRigth, offset) { const arc = this._createFovArc(fovLeft, fovRigth); const group = virtualDom.h("g", { attributes: { transform: "translate(18,18)" }, namespace: this._svgNamespace, }, [arc]); const svg = virtualDom.h("svg", { attributes: { viewBox: "0 0 36 36" }, namespace: this._svgNamespace, style: { height: "36px", left: "2px", position: "absolute", top: "2px", transform: `rotateZ(${this._spatial.radToDeg(offset)}deg)`, width: "36px", }, }, [group]); return svg; } _createFovArc(fovLeft, fovRigth) { const radius = 16.75; const strokeWidth = 2.5; const fov = fovLeft + fovRigth; if (fov > 2 * Math.PI - Math.PI / 90) { return virtualDom.h("circle", { attributes: { cx: "0", cy: "0", "fill-opacity": "0", r: `${radius}`, stroke: "#FFF", "stroke-width": `${strokeWidth}`, }, namespace: this._svgNamespace, }, []); } let arcStart = -Math.PI / 2 - fovLeft; let arcEnd = arcStart + fov; let startX = radius * Math.cos(arcStart); let startY = radius * Math.sin(arcStart); let endX = radius * Math.cos(arcEnd); let endY = radius * Math.sin(arcEnd); let largeArc = fov >= Math.PI ? 1 : 0; let description = `M ${startX} ${startY} A ${radius} ${radius} 0 ${largeArc} 1 ${endX} ${endY}`; return virtualDom.h("path", { attributes: { d: description, "fill-opacity": "0", stroke: "#FFF", "stroke-width": `${strokeWidth}`, }, namespace: this._svgNamespace, }, []); } _createCircleSectorCompass(cameraSector) { let group = virtualDom.h("g", { attributes: { transform: "translate(1,1)" }, namespace: this._svgNamespace, }, [cameraSector]); let svg = virtualDom.h("svg", { attributes: { viewBox: "0 0 2 2" }, namespace: this._svgNamespace, style: { height: "26px", left: "7px", position: "absolute", top: "7px", width: "26px", }, }, [group]); return svg; } _createCircleSector(fov, fill) { if (fov > 2 * Math.PI - Math.PI / 90) { return virtualDom.h("circle", { attributes: { cx: "0", cy: "0", fill: fill, r: "1" }, namespace: this._svgNamespace, }, []); } let arcStart = -Math.PI / 2 - fov / 2; let arcEnd = arcStart + fov; let startX = Math.cos(arcStart); let startY = Math.sin(arcStart); let endX = Math.cos(arcEnd); let endY = Math.sin(arcEnd); let largeArc = fov >= Math.PI ? 1 : 0; let description = `M 0 0 ${startX} ${startY} A 1 1 0 ${largeArc} 1 ${endX} ${endY}`; return virtualDom.h("path", { attributes: { d: description, fill: fill }, namespace: this._svgNamespace, }, []); } _createNorth(bearing) { const north = virtualDom.h("div.mapillary-bearing-north", []); const container = virtualDom.h("div.mapillary-bearing-north-container", { style: { transform: `rotateZ(${this._spatial.radToDeg(-bearing)}deg)` } }, [north]); return container; } _createBackground(bearing) { return virtualDom.h("div.mapillary-bearing-indicator-background", { style: { transform: `rotateZ(${this._spatial.radToDeg(-bearing)}deg)` } }, [ virtualDom.h("div.mapillary-bearing-indicator-background-circle", []), virtualDom.h("div.mapillary-bearing-indicator-background-arrow-container", [ virtualDom.h("div.mapillary-bearing-indicator-background-arrow", []), ]), ]); } _computeHorizontalFov(transform) { const vertices = [[1, 0]]; const directions = [[0, 0.5]]; const pointsPerLine = 12; const bearings = computeBearings(transform, vertices, directions, pointsPerLine, this._viewportCoords); const projections = bearings .map(b => this._spatial.projectToPlane(b, [0, 1, 0])) .map(p => [p[0], -p[2]]); const angles = projections.map(p => Math.abs(Math.atan2(p[0], p[1]))); const fov = 2 * Math.min(...angles); return fov; } _interpolate(x1, x2, alpha) { return (1 - alpha) * x1 + alpha * x2; } } BearingComponent.componentName = "bearing"; class CacheComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); } _activate() { const subs = this._subscriptions; subs.push(combineLatest(this._navigator.stateService.currentImage$.pipe(switchMap((image) => { return image.sequenceEdges$; }), filter((status) => { return status.cached; })), this._configuration$).pipe(switchMap((nc) => { let status = nc[0]; let configuration = nc[1]; let sequenceDepth = Math.max(0, Math.min(4, configuration.depth.sequence)); let next$ = this._cache$(status.edges, exports.NavigationDirection.Next, sequenceDepth); let prev$ = this._cache$(status.edges, exports.NavigationDirection.Prev, sequenceDepth); return merge(next$, prev$).pipe(catchError((error) => { console.error("Failed to cache sequence edges.", error); return empty(); })); })) .subscribe(() => { })); subs.push(combineLatest(this._navigator.stateService.currentImage$.pipe(switchMap((image) => { return combineLatest(of(image), image.spatialEdges$.pipe(filter((status) => { return status.cached; }))); })), this._configuration$).pipe(switchMap(([[image, edgeStatus], configuration]) => { let edges = edgeStatus.edges; let depth = configuration.depth; let sphericalDepth = Math.max(0, Math.min(2, depth.spherical)); let stepDepth = isSpherical(image.cameraType) ? 0 : Math.max(0, Math.min(3, depth.step)); let turnDepth = isSpherical(image.cameraType) ? 0 : Math.max(0, Math.min(1, depth.turn)); let spherical$ = this._cache$(edges, exports.NavigationDirection.Spherical, sphericalDepth); let forward$ = this._cache$(edges, exports.NavigationDirection.StepForward, stepDepth); let backward$ = this._cache$(edges, exports.NavigationDirection.StepBackward, stepDepth); let left$ = this._cache$(edges, exports.NavigationDirection.StepLeft, stepDepth); let right$ = this._cache$(edges, exports.NavigationDirection.StepRight, stepDepth); let turnLeft$ = this._cache$(edges, exports.NavigationDirection.TurnLeft, turnDepth); let turnRight$ = this._cache$(edges, exports.NavigationDirection.TurnRight, turnDepth); let turnU$ = this._cache$(edges, exports.NavigationDirection.TurnU, turnDepth); return merge(forward$, backward$, left$, right$, spherical$, turnLeft$, turnRight$, turnU$).pipe(catchError((error) => { console.error("Failed to cache spatial edges.", error); return empty(); })); })) .subscribe(() => { })); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return { depth: { spherical: 1, sequence: 2, step: 1, turn: 0 } }; } _cache$(edges, direction, depth) { return zip(of(edges), of(depth)).pipe(expand((ed) => { let es = ed[0]; let d = ed[1]; let edgesDepths$ = []; if (d > 0) { for (let edge of es) { if (edge.data.direction === direction) { edgesDepths$.push(zip(this._navigator.graphService.cacheImage$(edge.target).pipe(mergeMap((n) => { return this._imageToEdges$(n, direction); })), of(d - 1))); } } } return from(edgesDepths$).pipe(mergeAll()); }), skip(1)); } _imageToEdges$(image, direction) { return ([exports.NavigationDirection.Next, exports.NavigationDirection.Prev].indexOf(direction) > -1 ? image.sequenceEdges$ : image.spatialEdges$).pipe(first((status) => { return status.cached; }), map((status) => { return status.edges; })); } } CacheComponent.componentName = "cache"; /** * @class DirectionDOMCalculator * @classdesc Helper class for calculating DOM CSS properties. */ class DirectionDOMCalculator { constructor(configuration, size) { this._spatial = new Spatial(); this._minThresholdWidth = 320; this._maxThresholdWidth = 1480; this._minThresholdHeight = 240; this._maxThresholdHeight = 820; this._configure(configuration); this._resize(size); this._reset(); } get minWidth() { return this._minWidth; } get maxWidth() { return this._maxWidth; } get containerWidth() { return this._containerWidth; } get containerWidthCss() { return this._containerWidthCss; } get containerMarginCss() { return this._containerMarginCss; } get containerLeftCss() { return this._containerLeftCss; } get containerHeight() { return this._containerHeight; } get containerHeightCss() { return this._containerHeightCss; } get containerBottomCss() { return this._containerBottomCss; } get stepCircleSize() { return this._stepCircleSize; } get stepCircleSizeCss() { return this._stepCircleSizeCss; } get stepCircleMarginCss() { return this._stepCircleMarginCss; } get turnCircleSize() { return this._turnCircleSize; } get turnCircleSizeCss() { return this._turnCircleSizeCss; } get outerRadius() { return this._outerRadius; } get innerRadius() { return this._innerRadius; } get shadowOffset() { return this._shadowOffset; } /** * Configures the min and max width values. * * @param {DirectionConfiguration} configuration Configuration * with min and max width values. */ configure(configuration) { this._configure(configuration); this._reset(); } /** * Resizes all properties according to the width and height * of the size object. * * @param {ViewportSize} size The size of the container element. */ resize(size) { this._resize(size); this._reset(); } /** * Calculates the coordinates on the unit circle for an angle. * * @param {number} angle Angle in radians. * @returns {Array} The x and y coordinates on the unit circle. */ angleToCoordinates(angle) { return [Math.cos(angle), Math.sin(angle)]; } /** * Calculates the coordinates on the unit circle for the * relative angle between the first and second angle. * * @param {number} first Angle in radians. * @param {number} second Angle in radians. * @returns {Array} The x and y coordinates on the unit circle * for the relative angle between the first and second angle. */ relativeAngleToCoordiantes(first, second) { let relativeAngle = this._spatial.wrapAngle(first - second); return this.angleToCoordinates(relativeAngle); } _configure(configuration) { this._minWidth = configuration.minWidth; this._maxWidth = this._getMaxWidth(configuration.minWidth, configuration.maxWidth); } _resize(size) { this._elementWidth = size.width; this._elementHeight = size.height; } _reset() { this._containerWidth = this._getContainerWidth(this._elementWidth, this._elementHeight); this._containerHeight = this._getContainerHeight(this.containerWidth); this._stepCircleSize = this._getStepCircleDiameter(this._containerHeight); this._turnCircleSize = this._getTurnCircleDiameter(this.containerHeight); this._outerRadius = this._getOuterRadius(this._containerHeight); this._innerRadius = this._getInnerRadius(this._containerHeight); this._shadowOffset = 3; this._containerWidthCss = this._numberToCssPixels(this._containerWidth); this._containerMarginCss = this._numberToCssPixels(-0.5 * this._containerWidth); this._containerLeftCss = this._numberToCssPixels(Math.floor(0.5 * this._elementWidth)); this._containerHeightCss = this._numberToCssPixels(this._containerHeight); this._containerBottomCss = this._numberToCssPixels(Math.floor(-0.08 * this._containerHeight)); this._stepCircleSizeCss = this._numberToCssPixels(this._stepCircleSize); this._stepCircleMarginCss = this._numberToCssPixels(-0.5 * this._stepCircleSize); this._turnCircleSizeCss = this._numberToCssPixels(this._turnCircleSize); } _getContainerWidth(elementWidth, elementHeight) { let relativeWidth = (elementWidth - this._minThresholdWidth) / (this._maxThresholdWidth - this._minThresholdWidth); let relativeHeight = (elementHeight - this._minThresholdHeight) / (this._maxThresholdHeight - this._minThresholdHeight); let coeff = Math.max(0, Math.min(1, Math.min(relativeWidth, relativeHeight))); coeff = 0.04 * Math.round(25 * coeff); return this._minWidth + coeff * (this._maxWidth - this._minWidth); } _getContainerHeight(containerWidth) { return 0.77 * containerWidth; } _getStepCircleDiameter(containerHeight) { return 0.34 * containerHeight; } _getTurnCircleDiameter(containerHeight) { return 0.3 * containerHeight; } _getOuterRadius(containerHeight) { return 0.31 * containerHeight; } _getInnerRadius(containerHeight) { return 0.125 * containerHeight; } _numberToCssPixels(value) { return value + "px"; } _getMaxWidth(value, minWidth) { return value > minWidth ? value : minWidth; } } /** * @class DirectionDOMRenderer * @classdesc DOM renderer for direction arrows. */ class DirectionDOMRenderer { constructor(configuration, size) { this._isEdge = false; this._spatial = new Spatial(); this._calculator = new DirectionDOMCalculator(configuration, size); this._image = null; this._rotation = { phi: 0, theta: 0 }; this._epsilon = 0.5 * Math.PI / 180; this._highlightKey = null; this._distinguishSequence = false; this._needsRender = false; this._stepEdges = []; this._turnEdges = []; this._sphericalEdges = []; this._sequenceEdgeKeys = []; this._stepDirections = [ exports.NavigationDirection.StepForward, exports.NavigationDirection.StepBackward, exports.NavigationDirection.StepLeft, exports.NavigationDirection.StepRight, ]; this._turnDirections = [ exports.NavigationDirection.TurnLeft, exports.NavigationDirection.TurnRight, exports.NavigationDirection.TurnU, ]; this._turnNames = {}; this._turnNames[exports.NavigationDirection.TurnLeft] = "mapillary-direction-turn-left"; this._turnNames[exports.NavigationDirection.TurnRight] = "mapillary-direction-turn-right"; this._turnNames[exports.NavigationDirection.TurnU] = "mapillary-direction-turn-around"; // detects IE 8-11, then Edge 20+. let isIE = !!document.documentMode; this._isEdge = !isIE && !!window.StyleMedia; } /** * Get needs render. * * @returns {boolean} Value indicating whether render should be called. */ get needsRender() { return this._needsRender; } /** * Renders virtual DOM elements. * * @description Calling render resets the needs render property. */ render(navigator) { this._needsRender = false; let rotation = this._rotation; let steps = []; let turns = []; if (isSpherical(this._image.cameraType)) { steps = steps.concat(this._createSphericalArrows(navigator, rotation)); } else { steps = steps.concat(this._createPerspectiveToSphericalArrows(navigator, rotation)); steps = steps.concat(this._createStepArrows(navigator, rotation)); turns = turns.concat(this._createTurnArrows(navigator)); } return this._getContainer(steps, turns, rotation); } setEdges(edgeStatus, sequence) { this._setEdges(edgeStatus, sequence); this._setNeedsRender(); } /** * Set image for which to show edges. * * @param {Image} image */ setImage(image) { this._image = image; this._clearEdges(); this._setNeedsRender(); } /** * Set the render camera to use for calculating rotations. * * @param {RenderCamera} renderCamera */ setRenderCamera(renderCamera) { let rotation = renderCamera.rotation; if (Math.abs(rotation.phi - this._rotation.phi) < this._epsilon) { return; } this._rotation = rotation; this._setNeedsRender(); } /** * Set configuration values. * * @param {DirectionConfiguration} configuration */ setConfiguration(configuration) { let needsRender = false; if (this._highlightKey !== configuration.highlightId || this._distinguishSequence !== configuration.distinguishSequence) { this._highlightKey = configuration.highlightId; this._distinguishSequence = configuration.distinguishSequence; needsRender = true; } if (this._calculator.minWidth !== configuration.minWidth || this._calculator.maxWidth !== configuration.maxWidth) { this._calculator.configure(configuration); needsRender = true; } if (needsRender) { this._setNeedsRender(); } } /** * Detect the element"s width and height and resize * elements accordingly. * * @param {ViewportSize} size Size of vßiewer container element. */ resize(size) { this._calculator.resize(size); this._setNeedsRender(); } _setNeedsRender() { if (this._image != null) { this._needsRender = true; } } _clearEdges() { this._stepEdges = []; this._turnEdges = []; this._sphericalEdges = []; this._sequenceEdgeKeys = []; } _setEdges(edgeStatus, sequence) { this._stepEdges = []; this._turnEdges = []; this._sphericalEdges = []; this._sequenceEdgeKeys = []; for (let edge of edgeStatus.edges) { let direction = edge.data.direction; if (this._stepDirections.indexOf(direction) > -1) { this._stepEdges.push(edge); continue; } if (this._turnDirections.indexOf(direction) > -1) { this._turnEdges.push(edge); continue; } if (edge.data.direction === exports.NavigationDirection.Spherical) { this._sphericalEdges.push(edge); } } if (this._distinguishSequence && sequence != null) { let edges = this._sphericalEdges .concat(this._stepEdges) .concat(this._turnEdges); for (let edge of edges) { let edgeKey = edge.target; for (let sequenceKey of sequence.imageIds) { if (sequenceKey === edgeKey) { this._sequenceEdgeKeys.push(edgeKey); break; } } } } } _createSphericalArrows(navigator, rotation) { let arrows = []; for (let sphericalEdge of this._sphericalEdges) { arrows.push(this._createVNodeByKey(navigator, sphericalEdge.target, sphericalEdge.data.worldMotionAzimuth, rotation, this._calculator.outerRadius, "mapillary-direction-arrow-spherical")); } for (let stepEdge of this._stepEdges) { arrows.push(this._createSphericalToPerspectiveArrow(navigator, stepEdge.target, stepEdge.data.worldMotionAzimuth, rotation, stepEdge.data.direction)); } return arrows; } _createSphericalToPerspectiveArrow(navigator, key, azimuth, rotation, direction) { let threshold = Math.PI / 8; let relativePhi = rotation.phi; switch (direction) { case exports.NavigationDirection.StepBackward: relativePhi = rotation.phi - Math.PI; break; case exports.NavigationDirection.StepLeft: relativePhi = rotation.phi + Math.PI / 2; break; case exports.NavigationDirection.StepRight: relativePhi = rotation.phi - Math.PI / 2; break; } if (Math.abs(this._spatial.wrapAngle(azimuth - relativePhi)) < threshold) { return this._createVNodeByKey(navigator, key, azimuth, rotation, this._calculator.outerRadius, "mapillary-direction-arrow-step"); } return this._createVNodeInactive(key, azimuth, rotation); } _createPerspectiveToSphericalArrows(navigator, rotation) { let arrows = []; for (let sphericalEdge of this._sphericalEdges) { arrows.push(this._createVNodeByKey(navigator, sphericalEdge.target, sphericalEdge.data.worldMotionAzimuth, rotation, this._calculator.innerRadius, "mapillary-direction-arrow-spherical", true)); } return arrows; } _createStepArrows(navigator, rotation) { let arrows = []; for (let stepEdge of this._stepEdges) { arrows.push(this._createVNodeByDirection(navigator, stepEdge.target, stepEdge.data.worldMotionAzimuth, rotation, stepEdge.data.direction)); } return arrows; } _createTurnArrows(navigator) { let turns = []; for (let turnEdge of this._turnEdges) { let direction = turnEdge.data.direction; let name = this._turnNames[direction]; turns.push(this._createVNodeByTurn(navigator, turnEdge.target, name, direction)); } return turns; } _createVNodeByKey(navigator, key, azimuth, rotation, offset, className, shiftVertically) { let onClick = (e) => { navigator.moveTo$(key) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); }; return this._createVNode(key, azimuth, rotation, offset, className, "mapillary-direction-circle", onClick, shiftVertically); } _createVNodeByDirection(navigator, key, azimuth, rotation, direction) { let onClick = (e) => { navigator.moveDir$(direction) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); }; return this._createVNode(key, azimuth, rotation, this._calculator.outerRadius, "mapillary-direction-arrow-step", "mapillary-direction-circle", onClick); } _createVNodeByTurn(navigator, key, className, direction) { let onClick = (e) => { navigator.moveDir$(direction) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); }; let style = { height: this._calculator.turnCircleSizeCss, transform: "rotate(0)", width: this._calculator.turnCircleSizeCss, }; switch (direction) { case exports.NavigationDirection.TurnLeft: style.left = "5px"; style.top = "5px"; break; case exports.NavigationDirection.TurnRight: style.right = "5px"; style.top = "5px"; break; case exports.NavigationDirection.TurnU: style.left = "5px"; style.bottom = "5px"; break; } let circleProperties = { attributes: { "data-id": key, }, onclick: onClick, style: style, }; let circleClassName = "mapillary-direction-turn-circle"; if (this._sequenceEdgeKeys.indexOf(key) > -1) { circleClassName += "-sequence"; } if (this._highlightKey === key) { circleClassName += "-highlight"; } let turn = virtualDom.h(`div.${className}`, {}, []); return virtualDom.h("div." + circleClassName, circleProperties, [turn]); } _createVNodeInactive(key, azimuth, rotation) { return this._createVNode(key, azimuth, rotation, this._calculator.outerRadius, "mapillary-direction-arrow-inactive", "mapillary-direction-circle-inactive"); } _createVNode(key, azimuth, rotation, radius, className, circleClassName, onClick, shiftVertically) { let translation = this._calculator.angleToCoordinates(azimuth - rotation.phi); // rotate 90 degrees clockwise and flip over X-axis let translationX = Math.round(-radius * translation[1] + 0.5 * this._calculator.containerWidth); let translationY = Math.round(-radius * translation[0] + 0.5 * this._calculator.containerHeight); let shadowTranslation = this._calculator.relativeAngleToCoordiantes(azimuth, rotation.phi); let shadowOffset = this._calculator.shadowOffset; let shadowTranslationX = -shadowOffset * shadowTranslation[1]; let shadowTranslationY = shadowOffset * shadowTranslation[0]; let filter = `drop-shadow(${shadowTranslationX}px ${shadowTranslationY}px 1px rgba(0,0,0,0.8))`; let properties = { style: { "-webkit-filter": filter, filter: filter, }, }; let chevron = virtualDom.h("div." + className, properties, []); let azimuthDeg = -this._spatial.radToDeg(azimuth - rotation.phi); let circleTransform = shiftVertically ? `translate(${translationX}px, ${translationY}px) rotate(${azimuthDeg}deg) translateZ(-0.01px)` : `translate(${translationX}px, ${translationY}px) rotate(${azimuthDeg}deg)`; let circleProperties = { attributes: { "data-id": key }, onclick: onClick, style: { height: this._calculator.stepCircleSizeCss, marginLeft: this._calculator.stepCircleMarginCss, marginTop: this._calculator.stepCircleMarginCss, transform: circleTransform, width: this._calculator.stepCircleSizeCss, }, }; if (this._sequenceEdgeKeys.indexOf(key) > -1) { circleClassName += "-sequence"; } if (this._highlightKey === key) { circleClassName += "-highlight"; } return virtualDom.h("div." + circleClassName, circleProperties, [chevron]); } _getContainer(steps, turns, rotation) { // edge does not handle hover on perspective transforms. let transform = this._isEdge ? "rotateX(60deg)" : `perspective(${this._calculator.containerWidthCss}) rotateX(60deg)`; let properties = { oncontextmenu: (event) => { event.preventDefault(); }, style: { bottom: this._calculator.containerBottomCss, height: this._calculator.containerHeightCss, left: this._calculator.containerLeftCss, marginLeft: this._calculator.containerMarginCss, transform: transform, width: this._calculator.containerWidthCss, }, }; return virtualDom.h("div.mapillary-direction-perspective", properties, turns.concat(steps)); } } /** * @class DirectionComponent * @classdesc Component showing navigation arrows for steps and turns. */ class DirectionComponent extends Component { /** @ignore */ constructor(name, container, navigator, directionDOMRenderer) { super(name, container, navigator); this._renderer = !!directionDOMRenderer ? directionDOMRenderer : new DirectionDOMRenderer(this.defaultConfiguration, { height: container.container.offsetHeight, width: container.container.offsetWidth }); this._hoveredIdSubject$ = new Subject(); this._hoveredId$ = this._hoveredIdSubject$.pipe(share()); } fire(type, event) { super.fire(type, event); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } _activate() { const subs = this._subscriptions; subs.push(this._configuration$ .subscribe((configuration) => { this._renderer.setConfiguration(configuration); })); subs.push(this._container.renderService.size$ .subscribe((size) => { this._renderer.resize(size); })); subs.push(this._navigator.stateService.currentImage$.pipe(tap((image) => { this._container.domRenderer.render$.next({ name: this._name, vNode: virtualDom.h("div", {}, []) }); this._renderer.setImage(image); }), withLatestFrom(this._configuration$), switchMap(([image, configuration]) => { return combineLatest(image.spatialEdges$, configuration.distinguishSequence ? this._navigator.graphService .cacheSequence$(image.sequenceId).pipe(catchError((error) => { console.error(`Failed to cache sequence (${image.sequenceId})`, error); return of(null); })) : of(null)); })) .subscribe(([edgeStatus, sequence]) => { this._renderer.setEdges(edgeStatus, sequence); })); subs.push(this._container.renderService.renderCameraFrame$.pipe(tap((renderCamera) => { this._renderer.setRenderCamera(renderCamera); }), map(() => { return this._renderer; }), filter((renderer) => { return renderer.needsRender; }), map((renderer) => { return { name: this._name, vNode: renderer.render(this._navigator) }; })) .subscribe(this._container.domRenderer.render$)); subs.push(combineLatest(this._container.domRenderer.element$, this._container.renderService.renderCamera$, this._container.mouseService.mouseMove$.pipe(startWith(null)), this._container.mouseService.mouseUp$.pipe(startWith(null))).pipe(map(([element]) => { let elements = element.getElementsByClassName("mapillary-direction-perspective"); for (let i = 0; i < elements.length; i++) { let hovered = elements.item(i).querySelector(":hover"); if (hovered != null && hovered.hasAttribute("data-id")) { return hovered.getAttribute("data-id"); } } return null; }), distinctUntilChanged()) .subscribe(this._hoveredIdSubject$)); subs.push(this._hoveredId$ .subscribe((id) => { const type = "hover"; const event = { id, target: this, type, }; this.fire(type, event); })); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return { distinguishSequence: false, maxWidth: 460, minWidth: 260, }; } } /** @inheritdoc */ DirectionComponent.componentName = "direction"; var common$1 = /* glsl */ ` #define PI 3.141592653589793 #define PI2 6.283185307179586 #define POSITIVE_INFINITY 3.402823466e+38 `; var coordinates = /* glsl */ ` vec2 sfmToUv(const in vec2 sfm, const in vec2 scale) { float u = scale.x * sfm.x + 0.5; float v = - scale.y * sfm.y + 0.5; return vec2(u, v); } `; var bearing_fragment = /* glsl */ ` vec3 bearing = normalize(positionExtrinsic.xyz); `; var map_color_fragment = /* glsl */ ` vec2 uv = sfmToUv(sfm, scale); float u = uv.x; float v = uv.y; vec4 mapColor; if (u >= 0. && u <= 1. && v >= 0. && v <= 1.) { mapColor = texture2D(map, vec2(u, v)); mapColor.a = opacity; } else { mapColor = vec4(0.0, 0.0, 0.0, 0.0); } `; var gl_frag_color_fragment = /* glsl */ ` gl_FragColor = mapColor; `; var precision_fragment = /* glsl */ ` #ifdef GL_FRAGMENT_PRECISION_HIGH precision highp float; #else precision mediump float; #endif `; var uniforms_fragment = /* glsl */ ` uniform sampler2D map; uniform float opacity; uniform vec2 scale; `; var varyings_fragment = /* glsl */ ` varying vec4 positionExtrinsic; `; var extrinsic_vertex = /* glsl */ ` positionExtrinsic = extrinsicMatrix * vec4(position, 1.0); `; var gl_position_vertex = /* glsl */ ` gl_Position = projectionMatrix * modelViewMatrix * vec4(position, 1.0); `; var uniforms_vertex = /* glsl */ ` uniform mat4 extrinsicMatrix; `; var varyings_vertex = /* glsl */ ` varying vec4 positionExtrinsic; `; // tslint:disable-next-line:variable-name const ShaderChunk = { // Definitions and functions common: common$1, coordinates, // Fragment bearing_fragment, map_color_fragment, gl_frag_color_fragment, precision_fragment, uniforms_fragment, varyings_fragment, // Vertex extrinsic_vertex, gl_position_vertex, uniforms_vertex, varyings_vertex, }; const expandPattern = /^[ ]*#expand +<([wd./]+)>/gm; const includePattern = /^[ ]*#include +<([wd./]+)>/gm; function expandParameters(parameters) { const keys = Object.keys(parameters); if (keys.length === 0) { return ""; } const variables = keys .map(key => `float ${key};`); const expansion = ` ${variables.map(v => `uniform ${v}`).join(" ")} struct Parameters { ${variables.map(v => ` ${v}`).join(" ")} }; `; return expansion; } function expandUniforms(uniforms) { const keys = Object.keys(uniforms); if (keys.length === 0) { return ""; } const variables = []; for (const key of keys) { const value = uniforms[key]; if (typeof value === "boolean") { variables.push(`bool ${key};`); } else if (typeof value === "number") { variables.push(`float ${key};`); } else if (value instanceof Array) { switch (value.length) { case 2: variables.push(`vec2 ${key};`); break; case 3: variables.push(`vec3 ${key};`); break; case 4: variables.push(`vec4 ${key};`); break; case 9: variables.push(`mat3 ${key};`); break; case 16: variables.push(`mat4 ${key};`); break; default: throw new Error("Can not #expand vector of length <" + value.length + ">"); } } else { throw new Error("Can not #expand instance <" + value + ">"); } } const expansion = ` ${variables.map(v => `uniform ${v}`).join(" ")} struct Uniforms { ${variables.map(v => ` ${v}`).join(" ")} }; `; return expansion; } function expandProjectToSfmDefinition(definition) { return definition; } function expandProjectToSfmInvocation(parameters, uniforms) { const parameterKeys = Object.keys(parameters); const uniformKeys = Object.keys(uniforms); const p = parameterKeys.length > 0 ? `Parameters parameters = Parameters(${parameterKeys.join(", ")});` : ""; const u = uniformKeys.length > 0 ? `Uniforms uniforms = Uniforms(${uniformKeys.join(", ")});` : ""; const project = `vec2 sfm = projectToSfm(bearing${parameterKeys.length > 0 ? ", parameters" : ""}${uniformKeys.length > 0 ? ", uniforms" : ""});`; const expansion = ` ${p} ${u} ${project} `; return expansion; } function includeReplacer(_match, include) { const chunk = ShaderChunk[include]; if (chunk === undefined) { throw new Error("Can not resolve #include <" + include + ">"); } return resolveIncludes(chunk); } function resolveIncludes(shader) { return shader.replace(includePattern, includeReplacer); } function resolveExpands(shader, projectToSfmFunction, parameters, uniforms) { function expandReplacer(_match, expand) { switch (expand) { case "parameters": return expandParameters(parameters); case "uniforms": return expandUniforms(uniforms); case "project_to_sfm_definition": return expandProjectToSfmDefinition(projectToSfmFunction); case "project_to_sfm_invocation": return expandProjectToSfmInvocation(parameters, uniforms); default: throw new Error("Can not resolve #expand <" + expand + ">"); } } return shader.replace(expandPattern, expandReplacer); } function resolveShader(shader, camera) { return resolveExpands(resolveIncludes(shader), camera.projectToSfmFunction, camera.parameters, camera.uniforms); } function makeCameraUniforms(camera) { const cameraUniforms = {}; const { parameters, uniforms } = camera; for (const key in parameters) { if (parameters.hasOwnProperty(key)) { cameraUniforms[key] = { value: parameters[key] }; } } for (const key in uniforms) { if (!uniforms.hasOwnProperty(key)) { continue; } const value = uniforms[key]; if (value instanceof Array) { switch (value.length) { case 2: cameraUniforms[key] = { value: new Vector2().fromArray(value), }; break; case 3: cameraUniforms[key] = { value: new Vector3().fromArray(value), }; break; case 4: cameraUniforms[key] = { value: new Vector4().fromArray(value), }; break; case 9: cameraUniforms[key] = { value: new Matrix3().fromArray(value), }; break; case 16: cameraUniforms[key] = { value: new Matrix4().fromArray(value), }; break; default: throw new Error("Uniform vector of length <" + value.length + "> not supported"); } } else { cameraUniforms[key] = { value: uniforms[key] }; } } return cameraUniforms; } class MeshFactory { constructor(imagePlaneDepth, imageSphereRadius) { this._imagePlaneDepth = imagePlaneDepth != null ? imagePlaneDepth : 200; this._imageSphereRadius = imageSphereRadius != null ? imageSphereRadius : 200; } createMesh(image, transform, shader) { const texture = this._createTexture(image.image); const materialParameters = this._createMaterialParameters(transform, texture, shader); const material = new ShaderMaterial(materialParameters); if (isSpherical(transform.cameraType)) { return this._createImageSphere(image, transform, material); } else if (isFisheye(transform.cameraType)) { return this._createImagePlaneFisheye(image, transform, material); } else { return this._createImagePlane(image, transform, material); } } _createImageSphere(image, transform, material) { const geometry = this._useMesh(transform, image) ? this._getImageSphereGeo(transform, image) : this._getFlatImageSphereGeo(transform); return new Mesh(geometry, material); } _createImagePlane(image, transform, material) { const geometry = this._useMesh(transform, image) ? this._getImagePlaneGeo(transform, image) : this._getRegularFlatImagePlaneGeo(transform); return new Mesh(geometry, material); } _createImagePlaneFisheye(image, transform, material) { const geometry = this._useMesh(transform, image) ? this._getImagePlaneGeoFisheye(transform, image) : this._getRegularFlatImagePlaneGeoFisheye(transform); return new Mesh(geometry, material); } _createMaterialParameters(transform, texture, shader) { const scaleX = Math.max(transform.basicHeight, transform.basicWidth) / transform.basicWidth; const scaleY = Math.max(transform.basicWidth, transform.basicHeight) / transform.basicHeight; return { depthWrite: false, fragmentShader: resolveShader(shader.fragment, transform.camera), side: DoubleSide, transparent: true, uniforms: Object.assign({ extrinsicMatrix: { value: transform.basicRt }, map: { value: texture }, opacity: { value: 1.0 }, scale: { value: new Vector2(scaleX, scaleY) } }, makeCameraUniforms(transform.camera)), vertexShader: resolveShader(shader.vertex, transform.camera), }; } _createTexture(image) { let texture = new Texture(image); texture.minFilter = LinearFilter; texture.needsUpdate = true; return texture; } _useMesh(transform, image) { return image.mesh.vertices.length && transform.hasValidScale; } _getImageSphereGeo(transform, image) { const t = transform.rtInverse; let vertices = image.mesh.vertices; let numVertices = vertices.length / 3; let positions = new Float32Array(vertices.length); for (let i = 0; i < numVertices; ++i) { let index = 3 * i; let x = vertices[index + 0]; let y = vertices[index + 1]; let z = vertices[index + 2]; let p = new Vector3(x, y, z); p.applyMatrix4(t); positions[index + 0] = p.x; positions[index + 1] = p.y; positions[index + 2] = p.z; } let faces = image.mesh.faces; let indices = new Uint16Array(faces.length); for (let i = 0; i < faces.length; ++i) { indices[i] = faces[i]; } let geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); geometry.setIndex(new BufferAttribute(indices, 1)); return geometry; } _getImagePlaneGeo(transform, image) { const t = transform.rtInverse; let vertices = image.mesh.vertices; let numVertices = vertices.length / 3; let positions = new Float32Array(vertices.length); for (let i = 0; i < numVertices; ++i) { let index = 3 * i; let x = vertices[index + 0]; let y = vertices[index + 1]; let z = vertices[index + 2]; let p = new Vector3(x, y, z); p.applyMatrix4(t); positions[index + 0] = p.x; positions[index + 1] = p.y; positions[index + 2] = p.z; } let faces = image.mesh.faces; let indices = new Uint16Array(faces.length); for (let i = 0; i < faces.length; ++i) { indices[i] = faces[i]; } let geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); geometry.setIndex(new BufferAttribute(indices, 1)); return geometry; } _getImagePlaneGeoFisheye(transform, image) { const t = transform.rtInverse; let vertices = image.mesh.vertices; let numVertices = vertices.length / 3; let positions = new Float32Array(vertices.length); for (let i = 0; i < numVertices; ++i) { let index = 3 * i; let x = vertices[index + 0]; let y = vertices[index + 1]; let z = vertices[index + 2]; let p = new Vector3(x, y, z); p.applyMatrix4(t); positions[index + 0] = p.x; positions[index + 1] = p.y; positions[index + 2] = p.z; } let faces = image.mesh.faces; let indices = new Uint16Array(faces.length); for (let i = 0; i < faces.length; ++i) { indices[i] = faces[i]; } let geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); geometry.setIndex(new BufferAttribute(indices, 1)); return geometry; } _getFlatImageSphereGeo(transform) { const geometry = new SphereGeometry(this._imageSphereRadius, 20, 40); const t = transform.rt .clone() .invert(); geometry.applyMatrix4(t); return geometry; } _getRegularFlatImagePlaneGeo(transform) { let width = transform.width; let height = transform.height; let size = Math.max(width, height); let dx = width / 2.0 / size; let dy = height / 2.0 / size; return this._getFlatImagePlaneGeo(transform, dx, dy); } _getFlatImagePlaneGeo(transform, dx, dy) { let vertices = []; vertices.push(transform.unprojectSfM([-dx, -dy], this._imagePlaneDepth)); vertices.push(transform.unprojectSfM([dx, -dy], this._imagePlaneDepth)); vertices.push(transform.unprojectSfM([dx, dy], this._imagePlaneDepth)); vertices.push(transform.unprojectSfM([-dx, dy], this._imagePlaneDepth)); return this._createFlatGeometry(vertices); } _getRegularFlatImagePlaneGeoFisheye(transform) { let width = transform.width; let height = transform.height; let size = Math.max(width, height); let dx = width / 2.0 / size; let dy = height / 2.0 / size; return this._getFlatImagePlaneGeoFisheye(transform, dx, dy); } _getFlatImagePlaneGeoFisheye(transform, dx, dy) { let vertices = []; vertices.push(transform.unprojectSfM([-dx, -dy], this._imagePlaneDepth)); vertices.push(transform.unprojectSfM([dx, -dy], this._imagePlaneDepth)); vertices.push(transform.unprojectSfM([dx, dy], this._imagePlaneDepth)); vertices.push(transform.unprojectSfM([-dx, dy], this._imagePlaneDepth)); return this._createFlatGeometry(vertices); } _createFlatGeometry(vertices) { let positions = new Float32Array(12); for (let i = 0; i < vertices.length; i++) { let index = 3 * i; positions[index + 0] = vertices[i][0]; positions[index + 1] = vertices[i][1]; positions[index + 2] = vertices[i][2]; } let indices = new Uint16Array(6); indices[0] = 0; indices[1] = 1; indices[2] = 3; indices[3] = 1; indices[4] = 2; indices[5] = 3; let geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); geometry.setIndex(new BufferAttribute(indices, 1)); return geometry; } } class MeshScene { constructor() { this._planes = []; this._planesOld = []; this._planesPeriphery = []; this._scene = new Scene(); this._sceneOld = new Scene(); this._scenePeriphery = new Scene(); } get planes() { return this._planes; } get planesOld() { return this._planesOld; } get planesPeriphery() { return this._planesPeriphery; } get scene() { return this._scene; } get sceneOld() { return this._sceneOld; } get scenePeriphery() { return this._scenePeriphery; } updateImagePlanes(planes) { this._dispose(this._planesOld, this.sceneOld); for (const plane of this._planes) { this._scene.remove(plane.mesh); this._sceneOld.add(plane.mesh); } for (const plane of planes) { this._scene.add(plane.mesh); } this._planesOld = this._planes; this._planes = planes; } addImagePlanes(planes) { for (const plane of planes) { this._scene.add(plane.mesh); this._planes.push(plane); } } addImagePlanesOld(planes) { for (const plane of planes) { this._sceneOld.add(plane.mesh); this._planesOld.push(plane); } } setImagePlanes(planes) { this._clear(); this.addImagePlanes(planes); } addPeripheryPlanes(planes) { for (const plane of planes) { this._scenePeriphery.add(plane.mesh); this._planesPeriphery.push(plane); } } setPeripheryPlanes(planes) { this._clearPeriphery(); this.addPeripheryPlanes(planes); } setImagePlanesOld(planes) { this._clearOld(); this.addImagePlanesOld(planes); } clear() { this._clear(); this._clearOld(); } _clear() { this._dispose(this._planes, this._scene); this._planes = []; } _clearOld() { this._dispose(this._planesOld, this._sceneOld); this._planesOld = []; } _clearPeriphery() { this._dispose(this._planesPeriphery, this._scenePeriphery); this._planesPeriphery = []; } _dispose(planes, scene) { for (const plane of planes) { const { mesh } = plane; scene.remove(mesh); mesh.geometry.dispose(); mesh.material.dispose(); const texture = mesh.material .uniforms.map.value; if (texture != null) { texture.dispose(); } } } } class ImageGLRenderer { constructor() { this._factory = new MeshFactory(); this._scene = new MeshScene(); this._alpha = 0; this._alphaOld = 0; this._fadeOutSpeed = 0.05; this._currentKey = null; this._previousKey = null; this._providerDisposers = {}; this._frameId = 0; this._needsRender = false; } get frameId() { return this._frameId; } get needsRender() { return this._needsRender; } indicateNeedsRender() { this._needsRender = true; } addPeripheryPlane(image, transform, shader) { const mesh = this._factory.createMesh(image, transform, shader); const plane = { mesh, imageId: image.id, camera: image.camera, }; this._scene.addPeripheryPlanes([plane]); this._needsRender = true; } clearPeripheryPlanes() { this._scene.setPeripheryPlanes([]); this._needsRender = true; } setShader(shader) { const planes = [ ...this._scene.planes, ...this._scene.planesOld, ...this._scene.planesPeriphery, ]; this._setShader(shader, planes); this._needsRender = true; } updateFrame(frame, shader) { this._updateFrameId(frame.id); this._needsRender = this._updateAlpha(frame.state.alpha) || this._needsRender; this._needsRender = this._updateAlphaOld(frame.state.alpha) || this._needsRender; this._needsRender = this._updateImagePlanes(frame.state, shader) || this._needsRender; } setTextureProvider(key, provider) { if (key !== this._currentKey) { return; } const createdSubscription = provider.textureCreated$ .subscribe((texture) => { this._updateTexture(texture); }); const updatedSubscription = provider.textureUpdated$ .subscribe((updated) => { this._needsRender = true; }); const dispose = () => { createdSubscription.unsubscribe(); updatedSubscription.unsubscribe(); provider.dispose(); }; if (key in this._providerDisposers) { const disposeProvider = this._providerDisposers[key]; disposeProvider(); delete this._providerDisposers[key]; } this._providerDisposers[key] = dispose; } updateTextureImage(imageElement, image) { this._needsRender = true; const planes = [ ...this._scene.planes, ...this._scene.planesOld, ...this._scene.planesPeriphery, ]; for (const plane of planes) { if (plane.imageId !== image.id) { continue; } const material = plane.mesh.material; const texture = material.uniforms.map.value; texture.image = imageElement; texture.needsUpdate = true; } } render(perspectiveCamera, renderer) { const planes = this._scene.planes; const planesOld = this._scene.planesOld; const planesPeriphery = this._scene.planesPeriphery; const planeAlpha = Object.keys(planesOld).length ? 1 : this._alpha; const peripheryAlpha = Object.keys(planesOld).length ? 1 : Math.floor(this._alpha); for (const plane of planes) { plane.mesh.material.uniforms.opacity.value = planeAlpha; } for (const plane of planesOld) { plane.mesh.material.uniforms.opacity.value = this._alphaOld; } for (const plane of planesPeriphery) { plane.mesh.material.uniforms.opacity.value = peripheryAlpha; } renderer.render(this._scene.scenePeriphery, perspectiveCamera); renderer.render(this._scene.scene, perspectiveCamera); renderer.render(this._scene.sceneOld, perspectiveCamera); for (const plane of planes) { plane.mesh.material.uniforms.opacity.value = this._alpha; } renderer.render(this._scene.scene, perspectiveCamera); } clearNeedsRender() { this._needsRender = false; } reset() { this._scene.clear(); for (const disposeProvider of Object.values(this._providerDisposers)) { disposeProvider(); } this._needsRender = true; } _setShader(shader, planes) { for (const plane of planes) { const material = plane.mesh.material; material.fragmentShader = resolveShader(shader.fragment, plane.camera); material.vertexShader = resolveShader(shader.vertex, plane.camera); } } _updateFrameId(frameId) { this._frameId = frameId; } _updateAlpha(alpha) { if (alpha === this._alpha) { return false; } this._alpha = alpha; return true; } _updateAlphaOld(alpha) { if (alpha < 1 || this._alphaOld === 0) { return false; } this._alphaOld = Math.max(0, this._alphaOld - this._fadeOutSpeed); return true; } _updateImagePlanes(state, shader) { if (state.currentImage == null || state.currentImage.id === this._currentKey) { return false; } const previousKey = state.previousImage != null ? state.previousImage.id : null; const currentKey = state.currentImage.id; if (this._previousKey !== previousKey && this._previousKey !== currentKey && this._previousKey in this._providerDisposers) { const disposeProvider = this._providerDisposers[this._previousKey]; disposeProvider(); delete this._providerDisposers[this._previousKey]; } if (previousKey != null) { if (previousKey !== this._currentKey && previousKey !== this._previousKey) { const previousMesh = this._factory.createMesh(state.previousImage, state.previousTransform, shader); const previousPlane = { mesh: previousMesh, imageId: previousKey, camera: state.previousImage.camera, }; this._scene.updateImagePlanes([previousPlane]); } this._previousKey = previousKey; } this._currentKey = currentKey; const currentMesh = this._factory.createMesh(state.currentImage, state.currentTransform, shader); const plane = { mesh: currentMesh, imageId: currentKey, camera: state.currentImage.camera, }; this._scene.updateImagePlanes([plane]); this._alphaOld = 1; return true; } _updateTexture(texture) { this._needsRender = true; const planes = this._scene.planes; for (const plane of planes) { const material = plane.mesh.material; const oldTexture = material.uniforms.map.value; material.uniforms.map.value = null; oldTexture.dispose(); material.uniforms.map.value = texture; } } } var RenderPass; (function (RenderPass) { RenderPass[RenderPass["Background"] = 0] = "Background"; RenderPass[RenderPass["Opaque"] = 1] = "Opaque"; })(RenderPass || (RenderPass = {})); /** * @class ImageTileLoader * * @classdesc Represents a loader of image tiles. */ class TileLoader { /** * Create a new image image tile loader instance. * * @param {APIWrapper} _api - API wrapper. */ constructor(_api) { this._api = _api; this._urls$ = new Map(); } /** * Retrieve an image tile. * * @param {string} url - URL to the image tile resource */ getImage$(url) { let aborter; const abort = new Promise((_, reject) => { aborter = reject; }); return [Observable.create((subscriber) => { this._api.data .getImageBuffer(url, abort) .then((buffer) => { aborter = null; const image = new Image(); image.crossOrigin = "Anonymous"; image.onload = () => { window.URL.revokeObjectURL(image.src); subscriber.next(image); subscriber.complete(); }; image.onerror = () => { aborter = null; window.URL.revokeObjectURL(image.src); subscriber.error(new Error(`Failed to load image tile`)); }; const blob = new Blob([buffer]); image.src = window.URL.createObjectURL(blob); }, (error) => { aborter = null; subscriber.error(error); }); }), () => { if (!!aborter) { aborter(); } }]; } getURLs$(imageId, level) { const uniqueId = this._inventId(imageId, level); if (this._urls$.has(uniqueId)) { return this._urls$.get(uniqueId); } const request = { imageId, z: level }; const urls$ = this._api .getImageTiles$(request) .pipe(retry(1), map(contract => contract.node), finalize(() => { this._urls$.delete(uniqueId); }), publish(), refCount()); this._urls$.set(uniqueId, urls$); return urls$; } _inventId(imageId, level) { return `${imageId}-${level}`; } } /** * @class ImageTileStore * * @classdesc Represents a store for image tiles. */ class TileStore { /** * Create a new image image tile store instance. */ constructor() { this._tiles = new Map(); this._urlLevels = new Set(); this._urls = new Map(); } /** * Add an image tile to the store. * * @param {string} id - The identifier for the image tile. * @param {HTMLImageElement} image - The image tile. */ add(id, image) { if (this._tiles.has(id)) { throw new Error(`Image tile already stored (${id})`); } this._tiles.set(id, image); } addURLs(level, ents) { const urls = this._urls; for (const ent of ents) { const id = this.inventId(ent); if (this._urls.has(id)) { throw new Error(`URL already stored (${id})`); } urls.set(id, ent.url); } this._urlLevels.add(level); } /** * Dispose the store. * * @description Disposes all cached assets. */ dispose() { this._tiles .forEach(image => window.URL.revokeObjectURL(image.src)); this._tiles.clear(); this._urls.clear(); this._urlLevels.clear(); } /** * Get an image tile from the store. * * @param {string} id - The identifier for the tile. * @param {number} level - The level of the tile. */ get(id) { return this._tiles.get(id); } getURL(id) { return this._urls.get(id); } /** * Check if an image tile exist in the store. * * @param {string} id - The identifier for the tile. * @param {number} level - The level of the tile. */ has(id) { return this._tiles.has(id); } hasURL(id) { return this._urls.has(id); } hasURLLevel(level) { return this._urlLevels.has(level); } /** * Create a unique tile id from a tile. * * @description Tile ids are used as a hash for * storing the tile in a dictionary. * * @param {ImageTileEnt} tile - The tile. * @returns {string} Unique id. */ inventId(tile) { return `${tile.z}-${tile.x}-${tile.y}`; } } /** * @class RegionOfInterestCalculator * * @classdesc Represents a calculator for regions of interest. */ class RegionOfInterestCalculator { constructor() { this._viewportCoords = new ViewportCoords(); } /** * Compute a region of interest based on the current render camera * and the viewport size. * * @param {RenderCamera} renderCamera - Render camera used for unprojections. * @param {ViewportSize} size - Viewport size in pixels. * @param {Transform} transform - Transform used for projections. * * @returns {TileRegionOfInterest} A region of interest. */ computeRegionOfInterest(renderCamera, size, transform) { const viewportBoundaryPoints = this._viewportBoundaryPoints(4); const bbox = this._viewportPointsBoundingBox(viewportBoundaryPoints, renderCamera, transform); this._clipBoundingBox(bbox); const viewportPixelWidth = 2 / size.width; const viewportPixelHeight = 2 / size.height; const centralViewportPixel = [ [-0.5 * viewportPixelWidth, 0.5 * viewportPixelHeight], [0.5 * viewportPixelWidth, 0.5 * viewportPixelHeight], [0.5 * viewportPixelWidth, -0.5 * viewportPixelHeight], [-0.5 * viewportPixelWidth, -0.5 * viewportPixelHeight], ]; const cpbox = this._viewportPointsBoundingBox(centralViewportPixel, renderCamera, transform); const inverted = cpbox.minX < cpbox.maxX; return { bbox: bbox, pixelHeight: cpbox.maxY - cpbox.minY, pixelWidth: cpbox.maxX - cpbox.minX + (inverted ? 0 : 1), }; } _viewportBoundaryPoints(pointsPerSide) { const points = []; const os = [[-1, 1], [1, 1], [1, -1], [-1, -1]]; const ds = [[2, 0], [0, -2], [-2, 0], [0, 2]]; for (let side = 0; side < 4; ++side) { const o = os[side]; const d = ds[side]; for (let i = 0; i < pointsPerSide; ++i) { points.push([o[0] + d[0] * i / pointsPerSide, o[1] + d[1] * i / pointsPerSide]); } } return points; } _viewportPointsBoundingBox(viewportPoints, renderCamera, transform) { const basicPoints = viewportPoints .map((point) => { return this._viewportCoords .viewportToBasic(point[0], point[1], transform, renderCamera.perspective); }); if (isSpherical(transform.cameraType)) { return this._boundingBoxSpherical(basicPoints); } else { return this._boundingBox(basicPoints); } } _boundingBox(points) { const bbox = { maxX: Number.NEGATIVE_INFINITY, maxY: Number.NEGATIVE_INFINITY, minX: Number.POSITIVE_INFINITY, minY: Number.POSITIVE_INFINITY, }; for (let i = 0; i < points.length; ++i) { bbox.minX = Math.min(bbox.minX, points[i][0]); bbox.maxX = Math.max(bbox.maxX, points[i][0]); bbox.minY = Math.min(bbox.minY, points[i][1]); bbox.maxY = Math.max(bbox.maxY, points[i][1]); } return bbox; } _boundingBoxSpherical(points) { const xs = []; const ys = []; for (let i = 0; i < points.length; ++i) { xs.push(points[i][0]); ys.push(points[i][1]); } xs.sort((a, b) => { return this._sign(a - b); }); ys.sort((a, b) => { return this._sign(a - b); }); const intervalX = this._intervalSpherical(xs); return { maxX: intervalX[1], maxY: ys[ys.length - 1], minX: intervalX[0], minY: ys[0], }; } /** * Find the max interval between consecutive numbers. * Assumes numbers are between 0 and 1, sorted and that * x is equivalent to x + 1. */ _intervalSpherical(xs) { let maxdx = 0; let maxi = -1; for (let i = 0; i < xs.length - 1; ++i) { const dx = xs[i + 1] - xs[i]; if (dx > maxdx) { maxdx = dx; maxi = i; } } const loopdx = xs[0] + 1 - xs[xs.length - 1]; if (loopdx > maxdx) { return [xs[0], xs[xs.length - 1]]; } else { return [xs[maxi + 1], xs[maxi]]; } } _clipBoundingBox(bbox) { bbox.minX = Math.max(0, Math.min(1, bbox.minX)); bbox.maxX = Math.max(0, Math.min(1, bbox.maxX)); bbox.minY = Math.max(0, Math.min(1, bbox.minY)); bbox.maxY = Math.max(0, Math.min(1, bbox.maxY)); } _sign(n) { return n > 0 ? 1 : n < 0 ? -1 : 0; } } const TILE_MIN_REQUEST_LEVEL = 11; const TILE_SIZE = 1024; function clamp(value, min, max) { return Math.max(min, Math.min(max, value)); } function levelTilePixelSize(level) { return TILE_SIZE / levelScale(level); } function levelScale(level) { return Math.pow(2, level.z - level.max); } function rawImageLevel(size) { const s = Math.max(size.w, size.h); return Math.log(s) / Math.log(2); } function baseImageLevel(size) { return Math.ceil(rawImageLevel(size)); } function clampedImageLevel(size, min, max) { return Math.max(min, Math.min(max, baseImageLevel(size))); } function basicToTileCoords2D(basic, size, level) { const tilePixelSize = levelTilePixelSize(level); const w = size.w; const h = size.h; const maxX = Math.ceil(w / tilePixelSize) - 1; const maxY = Math.ceil(h / tilePixelSize) - 1; const x = clamp(Math.floor(w * basic[0] / tilePixelSize), 0, maxX); const y = clamp(Math.floor(h * basic[1] / tilePixelSize), 0, maxY); return { x, y }; } function tileToPixelCoords2D(tile, size, level) { const scale = 1 / levelScale(level); const scaledTS = scale * TILE_SIZE; const x = scaledTS * tile.x; const y = scaledTS * tile.y; const w = Math.min(scaledTS, size.w - x); const h = Math.min(scaledTS, size.h - y); return { h, x, y, w }; } function hasOverlap1D(low, base, scale) { return (scale * low <= base && base < scale * (low + 1)); } function hasOverlap2D(tile1, tile2) { if (tile1.z === tile2.z) { return tile1.x === tile2.x && tile1.y === tile2.y; } const low = tile1.z < tile2.z ? tile1 : tile2; const base = tile1.z < tile2.z ? tile2 : tile1; const scale = 1 / levelScale({ max: base.z, z: low.z }); const overlapX = hasOverlap1D(low.x, base.x, scale); const overlapY = hasOverlap1D(low.y, base.y, scale); return overlapX && overlapY; } function cornersToTilesCoords2D(topLeft, bottomRight, size, level) { const xs = []; if (topLeft.x > bottomRight.x) { const tilePixelSize = levelTilePixelSize(level); const maxX = Math.ceil(size.w / tilePixelSize) - 1; for (let x = topLeft.x; x <= maxX; x++) { xs.push(x); } for (let x = 0; x <= bottomRight.x; x++) { xs.push(x); } } else { for (let x = topLeft.x; x <= bottomRight.x; x++) { xs.push(x); } } const tiles = []; for (const x of xs) { for (let y = topLeft.y; y <= bottomRight.y; y++) { tiles.push({ x, y }); } } return tiles; } function verifySize(size) { return size.w > 0 && size.h > 0; } /** * @class TextureProvider * * @classdesc Represents a provider of textures. */ class TextureProvider { /** * Create a new image texture provider instance. * * @param {string} imageId - The identifier of the image for which to request tiles. * @param {number} width - The full width of the original image. * @param {number} height - The full height of the original image. * @param {HTMLImageElement} background - Image to use as background. * @param {TileLoader} loader - Loader for retrieving tiles. * @param {TileStore} store - Store for saving tiles. * @param {THREE.WebGLRenderer} renderer - Renderer used for rendering tiles to texture. */ constructor(imageId, width, height, background, loader, store, renderer) { const size = { h: height, w: width }; if (!verifySize(size)) { console.warn(`Original image size (${width}, ${height}) ` + `is invalid (${imageId}). Tiles will not be loaded.`); } this._imageId = imageId; this._size = size; this._level = { max: baseImageLevel(this._size), z: -1, }; this._holder = new SubscriptionHolder(); this._updated$ = new Subject(); this._createdSubject$ = new Subject(); this._created$ = this._createdSubject$ .pipe(publishReplay(1), refCount()); this._holder.push(this._created$.subscribe(() => { })); this._hasSubject$ = new Subject(); this._has$ = this._hasSubject$ .pipe(startWith(false), publishReplay(1), refCount()); this._holder.push(this._has$.subscribe(() => { })); this._renderedLevel = new Set(); this._rendered = new Map(); this._subscriptions = new Map(); this._urlSubscriptions = new Map(); this._failedLevels = new Set(); this._loader = loader; this._store = store; this._background = background; this._renderer = renderer; this._aborts = []; this._render = null; this._disposed = false; } /** * Get disposed. * * @returns {boolean} Value indicating whether provider has * been disposed. */ get disposed() { return this._disposed; } /** * Get hasTexture$. * * @returns {Observable} Observable emitting * values indicating when the existance of a texture * changes. */ get hasTexture$() { return this._has$; } /** * Get id. * * @returns {boolean} The identifier of the image for * which to render textures. */ get id() { return this._imageId; } /** * Get textureUpdated$. * * @returns {Observable} Observable emitting * values when an existing texture has been updated. */ get textureUpdated$() { return this._updated$; } /** * Get textureCreated$. * * @returns {Observable} Observable emitting * values when a new texture has been created. */ get textureCreated$() { return this._created$; } /** * Abort all outstanding image tile requests. */ abort() { this._subscriptions.forEach(sub => sub.unsubscribe()); this._subscriptions.clear(); for (const abort of this._aborts) { abort(); } this._aborts = []; } /** * Dispose the provider. * * @description Disposes all cached assets and * aborts all outstanding image tile requests. */ dispose() { if (this._disposed) { console.warn(`Texture already disposed (${this._imageId})`); return; } this._urlSubscriptions.forEach(sub => sub.unsubscribe()); this._urlSubscriptions.clear(); this.abort(); if (this._render != null) { this._render.target.dispose(); this._render.target = null; this._render.camera = null; this._render = null; } this._store.dispose(); this._holder.unsubscribe(); this._renderedLevel.clear(); this._background = null; this._renderer = null; this._disposed = true; } /** * Set the region of interest. * * @description When the region of interest is set the * the tile level is determined and tiles for the region * are fetched from the store or the loader and renderedLevel * to the texture. * * @param {TileRegionOfInterest} roi - Spatial edges to cache. */ setRegionOfInterest(roi) { if (!verifySize(this._size)) { return; } const virtualWidth = 1 / roi.pixelWidth; const virtualHeight = 1 / roi.pixelHeight; const level = clampedImageLevel({ h: virtualHeight, w: virtualWidth }, TILE_MIN_REQUEST_LEVEL, this._level.max); if (level !== this._level.z) { this.abort(); this._level.z = level; this._renderedLevel.clear(); this._rendered .forEach((tile, id) => { if (tile.z !== level) { return; } this._renderedLevel.add(id); }); } if (this._render == null) { this._initRender(); } const topLeft = basicToTileCoords2D([roi.bbox.minX, roi.bbox.minY], this._size, this._level); const bottomRight = basicToTileCoords2D([roi.bbox.maxX, roi.bbox.maxY], this._size, this._level); const tiles = cornersToTilesCoords2D(topLeft, bottomRight, this._size, this._level); this._fetchTiles(level, tiles); } /** * Retrieve an image tile. * * @description Retrieve an image tile and render it to the * texture. Add the tile to the store and emit to the updated * observable. * * @param {ImageTileEnt} tile - The tile ent. */ _fetchTile(tile) { const getTile = this._loader.getImage$(tile.url); const tile$ = getTile[0]; const abort = getTile[1]; this._aborts.push(abort); const tileId = this._store.inventId(tile); const subscription = tile$.subscribe((image) => { const pixels = tileToPixelCoords2D(tile, this._size, this._level); this._renderToTarget(pixels, image); this._subscriptions.delete(tileId); this._removeFromArray(abort, this._aborts); this._markRendered(tile); this._store.add(tileId, image); this._updated$.next(true); }, (error) => { this._subscriptions.delete(tileId); this._removeFromArray(abort, this._aborts); console.error(error); }); if (!subscription.closed) { this._subscriptions.set(tileId, subscription); } } /** * Fetch image tiles. * * @description Retrieve a image tiles and render them to the * texture. Retrieve from store if it exists, otherwise retrieve * from loader. * * @param {Array} tiles - Array of tile coordinates to * retrieve. */ _fetchTiles(level, tiles) { if (this._failedLevels.has(level)) { return; } const urls$ = this._store.hasURLLevel(level) ? of(undefined) : this._loader .getURLs$(this._imageId, level) .pipe(tap(ents => { if (!this._store.hasURLLevel(level)) { this._store.addURLs(level, ents); } if (this._failedLevels.size > 0) { // tslint:disable-next-line:no-console console.debug(`Tile URL fetch succeeded for level ${level}, resetting failed levels ${[...this._failedLevels.keys()]}`); this._failedLevels.clear(); } })); const subscription = urls$.subscribe(() => { if (level !== this._level.z) { return; } for (const tile of tiles) { const ent = { x: tile.x, y: tile.y, z: level, url: null, }; const id = this._store.inventId(ent); if (this._renderedLevel.has(id) || this._subscriptions.has(id)) { continue; } if (this._store.has(id)) { const pixels = tileToPixelCoords2D(tile, this._size, this._level); this._renderToTarget(pixels, this._store.get(id)); this._markRendered(ent); this._updated$.next(true); continue; } ent.url = this._store.getURL(id); this._fetchTile(ent); } this._urlSubscriptions.delete(level); }, (error) => { this._failedLevels.add(level); this._urlSubscriptions.delete(level); // tslint:disable-next-line:no-console console.debug(error); }); if (!subscription.closed) { this._urlSubscriptions.set(level, subscription); } } _initRender() { const dx = this._size.w / 2; const dy = this._size.h / 2; const near = -1; const far = 1; const camera = new OrthographicCamera(-dx, dx, dy, -dy, near, far); camera.position.z = 1; const gl = this._renderer.getContext(); const maxTextureSize = gl.getParameter(gl.MAX_TEXTURE_SIZE); const backgroundSize = Math.max(this._size.w, this._size.h); const scale = maxTextureSize > backgroundSize ? 1 : maxTextureSize / backgroundSize; const targetWidth = Math.floor(scale * this._size.w); const targetHeight = Math.floor(scale * this._size.h); const target = new WebGLRenderTarget(targetWidth, targetHeight, { depthBuffer: false, format: RGBAFormat, magFilter: LinearFilter, minFilter: LinearFilter, stencilBuffer: false, }); this._render = { camera, target }; const pixels = tileToPixelCoords2D({ x: 0, y: 0 }, this._size, { max: this._level.max, z: 0 }); this._renderToTarget(pixels, this._background); this._createdSubject$.next(target.texture); this._hasSubject$.next(true); } /** * Mark a tile as rendered. * * @description Clears tiles marked as rendered in other * levels of the tile pyramid if they overlap the * newly rendered tile. * * @param {Arrary} tile - The tile ent. */ _markRendered(tile) { const others = Array.from(this._rendered.entries()) .filter(([_, t]) => { return t.z !== tile.z; }); for (const [otherId, other] of others) { if (hasOverlap2D(tile, other)) { this._rendered.delete(otherId); } } const id = this._store.inventId(tile); this._rendered.set(id, tile); this._renderedLevel.add(id); } /** * Remove an item from an array if it exists in array. * * @param {T} item - Item to remove. * @param {Array} array - Array from which item should be removed. */ _removeFromArray(item, array) { const index = array.indexOf(item); if (index !== -1) { array.splice(index, 1); } } /** * Render an image tile to the target texture. * * @param {ImageTileEnt} tile - Tile ent. * @param {HTMLImageElement} image - The image tile to render. */ _renderToTarget(pixel, image) { const texture = new Texture(image); texture.minFilter = LinearFilter; texture.needsUpdate = true; const geometry = new PlaneGeometry(pixel.w, pixel.h); const material = new MeshBasicMaterial({ map: texture, side: FrontSide, }); const mesh = new Mesh(geometry, material); mesh.position.x = -this._size.w / 2 + pixel.x + pixel.w / 2; mesh.position.y = this._size.h / 2 - pixel.y - pixel.h / 2; const scene = new Scene(); scene.add(mesh); const target = this._renderer.getRenderTarget(); this._renderer.resetState(); this._renderer.setRenderTarget(this._render.target); this._renderer.render(scene, this._render.camera); this._renderer.setRenderTarget(target); scene.remove(mesh); geometry.dispose(); material.dispose(); texture.dispose(); } } var State; (function (State) { State[State["Custom"] = 0] = "Custom"; State[State["Earth"] = 1] = "Earth"; State[State["GravityTraversing"] = 2] = "GravityTraversing"; State[State["Traversing"] = 3] = "Traversing"; State[State["Waiting"] = 4] = "Waiting"; State[State["WaitingInteractively"] = 5] = "WaitingInteractively"; })(State || (State = {})); class ImageComponent extends Component { constructor(name, container, navigator) { super(name, container, navigator); this._imageTileLoader = new TileLoader(navigator.api); this._roiCalculator = new RegionOfInterestCalculator(); this._rendererOperation$ = new Subject(); this._rendererCreator$ = new Subject(); this._rendererDisposer$ = new Subject(); this._renderer$ = this._rendererOperation$.pipe(scan((renderer, operation) => { return operation(renderer); }, null), filter((renderer) => { return renderer != null; }), distinctUntilChanged(undefined, (renderer) => { return renderer.frameId; })); this._rendererCreator$.pipe(map(() => { return (renderer) => { if (renderer != null) { throw new Error("Multiple image plane states can not be created at the same time"); } return new ImageGLRenderer(); }; })) .subscribe(this._rendererOperation$); this._rendererDisposer$.pipe(map(() => { return (renderer) => { renderer.reset(); renderer.clearNeedsRender(); return null; }; })) .subscribe(this._rendererOperation$); } _activate() { const subs = this._subscriptions; subs.push(this._renderer$.pipe(map((renderer) => { const renderHash = { name: this._name, renderer: { frameId: renderer.frameId, needsRender: renderer.needsRender, render: renderer.render.bind(renderer), pass: RenderPass.Background, }, }; renderer.clearNeedsRender(); return renderHash; })) .subscribe(this._container.glRenderer.render$)); this._rendererCreator$.next(null); subs.push(this._navigator.graphService.dataReset$.pipe(map(() => { return (renderer) => { renderer.reset(); return renderer; }; })) .subscribe(this._rendererOperation$)); subs.push(this._navigator.stateService.currentState$.pipe(withLatestFrom(this._navigator.projectionService.shader$), map(([frame, shader]) => { return (renderer) => { renderer.updateFrame(frame, shader); return renderer; }; })) .subscribe(this._rendererOperation$)); const textureProvider$ = this._container.configurationService.imageTiling$.pipe(switchMap((active) => { return active ? this._navigator.stateService.currentState$ : new Subject(); }), distinctUntilChanged(undefined, (frame) => { return frame.state.currentImage.id; }), withLatestFrom(this._container.glRenderer.webGLRenderer$), map(([frame, renderer]) => { const state = frame.state; const currentNode = state.currentImage; const currentTransform = state.currentTransform; return new TextureProvider(currentNode.id, currentTransform.basicWidth, currentTransform.basicHeight, currentNode.image, this._imageTileLoader, new TileStore(), renderer); }), publishReplay(1), refCount()); subs.push(this._navigator.projectionService.shader$.pipe(map((shader) => { return (renderer) => { renderer.setShader(shader); return renderer; }; })) .subscribe(this._rendererOperation$)); subs.push(textureProvider$.subscribe(() => { })); subs.push(textureProvider$.pipe(map((provider) => { return (renderer) => { renderer.setTextureProvider(provider.id, provider); return renderer; }; })) .subscribe(this._rendererOperation$)); subs.push(textureProvider$.pipe(pairwise()) .subscribe((pair) => { const previous = pair[0]; previous.abort(); })); const roiTrigger$ = this._container.configurationService.imageTiling$.pipe(switchMap((active) => { return active ? combineLatest(this._navigator.stateService.state$, this._navigator.stateService.inTranslation$) : new Subject(); }), switchMap(([state, inTranslation]) => { const streetState = state === State.GravityTraversing || state === State.Traversing || state === State.Waiting || state === State.WaitingInteractively; const active = streetState && !inTranslation; return active ? this._container.renderService.renderCameraFrame$ : empty(); }), map((camera) => { return { camera, height: camera.size.height.valueOf(), lookat: camera.camera.lookat.clone(), width: camera.size.width.valueOf(), zoom: camera.zoom.valueOf(), }; }), pairwise(), map(([pl0, pl1]) => { const stalled = pl0.width === pl1.width && pl0.height === pl1.height && pl0.zoom === pl1.zoom && pl0.lookat.equals(pl1.lookat); return { camera: pl1.camera, stalled }; }), distinctUntilChanged((x, y) => { return x.stalled === y.stalled; }), filter((camera) => { return camera.stalled; }), withLatestFrom(this._container.renderService.size$, this._navigator.stateService.currentTransform$)); subs.push(textureProvider$.pipe(switchMap((provider) => { return roiTrigger$.pipe(map(([stalled, size, transform]) => { const camera = stalled.camera; const basic = new ViewportCoords() .viewportToBasic(0, 0, transform, camera.perspective); if (basic[0] < 0 || basic[1] < 0 || basic[0] > 1 || basic[1] > 1) { return undefined; } return [ this._roiCalculator .computeRegionOfInterest(camera, size, transform), provider, ]; }), filter((args) => { return !!args; })); }), filter((args) => { return !args[1].disposed; })) .subscribe(([roi, provider]) => { provider.setRegionOfInterest(roi); })); const hasTexture$ = textureProvider$ .pipe(switchMap((provider) => { return provider.hasTexture$; }), startWith(false), publishReplay(1), refCount()); subs.push(hasTexture$.subscribe(() => { })); subs.push(this._navigator.panService.panImages$.pipe(map(() => { return (renderer) => { renderer.clearPeripheryPlanes(); return renderer; }; })) .subscribe(this._rendererOperation$)); const cachedPanNodes$ = this._navigator.panService.panImages$.pipe(switchMap((nts) => { return from(nts).pipe(mergeMap(([n, t]) => { return combineLatest(this._navigator.graphService.cacheImage$(n.id).pipe(catchError((error) => { console.error(`Failed to cache periphery image (${n.id})`, error); return empty(); })), of(t)); })); }), share()); subs.push(cachedPanNodes$.pipe(withLatestFrom(this._navigator.projectionService.shader$), map(([[n, t], s]) => { return (renderer) => { renderer.addPeripheryPlane(n, t, s); return renderer; }; })) .subscribe(this._rendererOperation$)); subs.push(cachedPanNodes$.pipe(mergeMap(([n]) => { return n.cacheImage$().pipe(catchError(() => { return empty(); })); }), map((n) => { return (renderer) => { renderer.updateTextureImage(n.image, n); return renderer; }; })) .subscribe(this._rendererOperation$)); const inTransition$ = this._navigator.stateService.currentState$.pipe(map((frame) => { return frame.state.alpha < 1; }), distinctUntilChanged()); const panTrigger$ = combineLatest(this._container.mouseService.active$, this._container.touchService.active$, this._navigator.stateService.inMotion$, inTransition$).pipe(map(([mouseActive, touchActive, inMotion, inTransition]) => { return !(mouseActive || touchActive || inMotion || inTransition); }), filter((trigger) => { return trigger; })); subs.push(this._navigator.panService.panImages$ .pipe(switchMap((nts) => { return nts.length === 0 ? empty() : panTrigger$.pipe(withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentImage$, this._navigator.stateService.currentTransform$), mergeMap(([, renderCamera, currentNode, currentTransform]) => { return of([ renderCamera, currentNode, currentTransform, nts, ]); })); }), switchMap(([camera, cn, ct, nts]) => { const direction = camera.camera.lookat.clone().sub(camera.camera.position); const cd = new Spatial().viewingDirection(cn.rotation); const ca = cd.angleTo(direction); const closest = [ca, undefined]; const basic = new ViewportCoords().viewportToBasic(0, 0, ct, camera.perspective); if (basic[0] >= 0 && basic[0] <= 1 && basic[1] >= 0 && basic[1] <= 1) { closest[0] = Number.NEGATIVE_INFINITY; } for (const [n] of nts) { const d = new Spatial().viewingDirection(n.rotation); const a = d.angleTo(direction); if (a < closest[0]) { closest[0] = a; closest[1] = n.id; } } if (!closest[1]) { return empty(); } return this._navigator.moveTo$(closest[1]).pipe(catchError(() => { return empty(); })); })) .subscribe()); } _deactivate() { this._rendererDisposer$.next(null); this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return {}; } } ImageComponent.componentName = "image"; class HandlerBase { /** @ignore */ constructor(component, container, navigator) { this._component = component; this._container = container; this._navigator = navigator; this._enabled = false; } /** * Returns a Boolean indicating whether the interaction is enabled. * * @returns {boolean} `true` if the interaction is enabled. */ get isEnabled() { return this._enabled; } /** * Enables the interaction. * * @example * ```js * ..enable(); * ``` */ enable() { if (this._enabled || !this._component.activated) { return; } this._enable(); this._enabled = true; this._component.configure(this._getConfiguration(true)); } /** * Disables the interaction. * * @example * ```js * ..disable(); * ``` */ disable() { if (!this._enabled) { return; } this._disable(); this._enabled = false; if (this._component.activated) { this._component.configure(this._getConfiguration(false)); } } } /** * The `KeySequenceNavigationHandler` allows the user to navigate through a sequence using the * following key commands: * * `ALT` + `Up Arrow`: Navigate to next image in the sequence. * `ALT` + `Down Arrow`: Navigate to previous image in sequence. * * @example * ```js * var keyboardComponent = viewer.getComponent("keyboard"); * * keyboardComponent.keySequenceNavigation.disable(); * keyboardComponent.keySequenceNavigation.enable(); * * var isEnabled = keyboardComponent.keySequenceNavigation.isEnabled; * ``` */ class KeySequenceNavigationHandler extends HandlerBase { _enable() { const sequenceEdges$ = this._navigator.stateService.currentImage$.pipe(switchMap((image) => { return image.sequenceEdges$; })); this._keyDownSubscription = this._container.keyboardService.keyDown$.pipe(withLatestFrom(sequenceEdges$)) .subscribe(([event, edgeStatus]) => { let direction = null; switch (event.keyCode) { case 38: // up direction = exports.NavigationDirection.Next; break; case 40: // down direction = exports.NavigationDirection.Prev; break; default: return; } event.preventDefault(); if (!event.altKey || event.shiftKey || !edgeStatus.cached) { return; } for (const edge of edgeStatus.edges) { if (edge.data.direction === direction) { this._navigator.moveTo$(edge.target) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); return; } } }); } _disable() { this._keyDownSubscription.unsubscribe(); } _getConfiguration(enable) { return { keySequenceNavigation: enable }; } } /** * The `KeySpatialNavigationHandler` allows the user to navigate through a sequence using the * following key commands: * * `Up Arrow`: Step forward. * `Down Arrow`: Step backward. * `Left Arrow`: Step to the left. * `Rigth Arrow`: Step to the right. * `SHIFT` + `Down Arrow`: Turn around. * `SHIFT` + `Left Arrow`: Turn to the left. * `SHIFT` + `Rigth Arrow`: Turn to the right. * * @example * ```js * var keyboardComponent = viewer.getComponent("keyboard"); * * keyboardComponent.keySpatialNavigation.disable(); * keyboardComponent.keySpatialNavigation.enable(); * * var isEnabled = keyboardComponent.keySpatialNavigation.isEnabled; * ``` */ class KeySpatialNavigationHandler extends HandlerBase { /** @ignore */ constructor(component, container, navigator, spatial) { super(component, container, navigator); this._spatial = spatial; } _enable() { const spatialEdges$ = this._navigator.stateService.currentImage$.pipe(switchMap((image) => { return image.spatialEdges$; })); this._keyDownSubscription = this._container.keyboardService.keyDown$.pipe(withLatestFrom(spatialEdges$, this._navigator.stateService.currentState$)) .subscribe(([event, edgeStatus, frame]) => { let spherical = isSpherical(frame.state.currentImage.cameraType); let direction = null; switch (event.keyCode) { case 37: // left direction = event.shiftKey && !spherical ? exports.NavigationDirection.TurnLeft : exports.NavigationDirection.StepLeft; break; case 38: // up direction = event.shiftKey && !spherical ? exports.NavigationDirection.Spherical : exports.NavigationDirection.StepForward; break; case 39: // right direction = event.shiftKey && !spherical ? exports.NavigationDirection.TurnRight : exports.NavigationDirection.StepRight; break; case 40: // down direction = event.shiftKey && !spherical ? exports.NavigationDirection.TurnU : exports.NavigationDirection.StepBackward; break; default: return; } event.preventDefault(); if (event.altKey || !edgeStatus.cached || (event.shiftKey && spherical)) { return; } if (!spherical) { this._moveDir(direction, edgeStatus); } else { const shifts = {}; shifts[exports.NavigationDirection.StepBackward] = Math.PI; shifts[exports.NavigationDirection.StepForward] = 0; shifts[exports.NavigationDirection.StepLeft] = Math.PI / 2; shifts[exports.NavigationDirection.StepRight] = -Math.PI / 2; const phi = this._rotationFromCamera(frame.state.camera).phi; const navigationAngle = this._spatial.wrapAngle(phi + shifts[direction]); const threshold = Math.PI / 4; const edges = edgeStatus.edges.filter((e) => { return e.data.direction === exports.NavigationDirection.Spherical || e.data.direction === direction; }); let smallestAngle = Number.MAX_VALUE; let toKey = null; for (const edge of edges) { const angle = Math.abs(this._spatial.wrapAngle(edge.data.worldMotionAzimuth - navigationAngle)); if (angle < Math.min(smallestAngle, threshold)) { smallestAngle = angle; toKey = edge.target; } } if (toKey == null) { return; } this._moveTo(toKey); } }); } _disable() { this._keyDownSubscription.unsubscribe(); } _getConfiguration(enable) { return { keySpatialNavigation: enable }; } _moveDir(direction, edgeStatus) { for (const edge of edgeStatus.edges) { if (edge.data.direction === direction) { this._moveTo(edge.target); return; } } } _moveTo(id) { this._navigator.moveTo$(id) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); } _rotationFromCamera(camera) { let direction = camera.lookat.clone().sub(camera.position); let upProjection = direction.clone().dot(camera.up); let planeProjection = direction.clone().sub(camera.up.clone().multiplyScalar(upProjection)); let phi = Math.atan2(planeProjection.y, planeProjection.x); let theta = Math.PI / 2 - this._spatial.angleToPlane(direction.toArray(), [0, 0, 1]); return { phi: phi, theta: theta }; } } /** * The `KeyZoomHandler` allows the user to zoom in and out using the * following key commands: * * `+`: Zoom in. * `-`: Zoom out. * * @example * ```js * var keyboardComponent = viewer.getComponent("keyboard"); * * keyboardComponent.keyZoom.disable(); * keyboardComponent.keyZoom.enable(); * * var isEnabled = keyboardComponent.keyZoom.isEnabled; * ``` */ class KeyZoomHandler extends HandlerBase { /** @ignore */ constructor(component, container, navigator, viewportCoords) { super(component, container, navigator); this._viewportCoords = viewportCoords; } _enable() { this._keyDownSubscription = this._container.keyboardService.keyDown$.pipe(withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$)) .subscribe(([event, render, transform]) => { if (event.altKey || event.ctrlKey || event.metaKey) { return; } let delta = 0; switch (event.key) { case "+": delta = 1; break; case "-": delta = -1; break; default: return; } event.preventDefault(); const unprojected = this._viewportCoords.unprojectFromViewport(0, 0, render.perspective); const reference = transform.projectBasic(unprojected.toArray()); this._navigator.stateService.zoomIn(delta, reference); }); } _disable() { this._keyDownSubscription.unsubscribe(); } _getConfiguration(enable) { return { keyZoom: enable }; } } /** * The `KeyPlayHandler` allows the user to control the play behavior * using the following key commands: * * `Spacebar`: Start or stop playing. * `SHIFT` + `D`: Switch direction. * `<`: Decrease speed. * `>`: Increase speed. * * @example * ```js * var keyboardComponent = viewer.getComponent("keyboard"); * * keyboardComponent.keyPlay.disable(); * keyboardComponent.keyPlay.enable(); * * var isEnabled = keyboardComponent.keyPlay.isEnabled; * ``` */ class KeyPlayHandler extends HandlerBase { _enable() { this._keyDownSubscription = this._container.keyboardService.keyDown$.pipe(withLatestFrom(this._navigator.playService.playing$, this._navigator.playService.direction$, this._navigator.playService.speed$, this._navigator.stateService.currentImage$.pipe(switchMap((image) => { return image.sequenceEdges$; })), this._navigator.stateService.state$.pipe(map((state) => { return state === State.Earth; }), distinctUntilChanged()))) .subscribe(([event, playing, direction, speed, status, earth]) => { if (event.altKey || event.ctrlKey || event.metaKey) { return; } switch (event.key) { case "D": if (!event.shiftKey) { return; } const newDirection = playing ? null : direction === exports.NavigationDirection.Next ? exports.NavigationDirection.Prev : direction === exports.NavigationDirection.Prev ? exports.NavigationDirection.Next : null; if (newDirection != null) { this._navigator.playService.setDirection(newDirection); } break; case " ": if (event.shiftKey) { return; } if (!earth) { if (playing) { this._navigator.playService.stop(); } else { for (let edge of status.edges) { if (edge.data.direction === direction) { this._navigator.playService.play(); } } } } break; case "<": this._navigator.playService.setSpeed(speed - 0.05); break; case ">": this._navigator.playService.setSpeed(speed + 0.05); break; default: return; } event.preventDefault(); }); } _disable() { this._keyDownSubscription.unsubscribe(); } _getConfiguration(enable) { return { keyPlay: enable }; } } /** * @class KeyboardComponent * * @classdesc Component for keyboard event handling. * * To retrive and use the keyboard component * * @example * ```js * var viewer = new Viewer({ ... }); * * var keyboardComponent = viewer.getComponent("keyboard"); * ``` */ class KeyboardComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); this._keyPlayHandler = new KeyPlayHandler(this, container, navigator); this._keySequenceNavigationHandler = new KeySequenceNavigationHandler(this, container, navigator); this._keySpatialNavigationHandler = new KeySpatialNavigationHandler(this, container, navigator, new Spatial()); this._keyZoomHandler = new KeyZoomHandler(this, container, navigator, new ViewportCoords()); } /** * Get key play. * * @returns {KeyPlayHandler} The key play handler. */ get keyPlay() { return this._keyPlayHandler; } /** * Get key sequence navigation. * * @returns {KeySequenceNavigationHandler} The key sequence navigation handler. */ get keySequenceNavigation() { return this._keySequenceNavigationHandler; } /** * Get spatial. * * @returns {KeySpatialNavigationHandler} The spatial handler. */ get keySpatialNavigation() { return this._keySpatialNavigationHandler; } /** * Get key zoom. * * @returns {KeyZoomHandler} The key zoom handler. */ get keyZoom() { return this._keyZoomHandler; } _activate() { this._subscriptions.push(this._configuration$ .subscribe((configuration) => { if (configuration.keyPlay) { this._keyPlayHandler.enable(); } else { this._keyPlayHandler.disable(); } if (configuration.keySequenceNavigation) { this._keySequenceNavigationHandler.enable(); } else { this._keySequenceNavigationHandler.disable(); } if (configuration.keySpatialNavigation) { this._keySpatialNavigationHandler.enable(); } else { this._keySpatialNavigationHandler.disable(); } if (configuration.keyZoom) { this._keyZoomHandler.enable(); } else { this._keyZoomHandler.disable(); } })); } _deactivate() { this._subscriptions.unsubscribe(); this._keyPlayHandler.disable(); this._keySequenceNavigationHandler.disable(); this._keySpatialNavigationHandler.disable(); this._keyZoomHandler.disable(); } _getDefaultConfiguration() { return { keyPlay: true, keySequenceNavigation: true, keySpatialNavigation: true, keyZoom: true }; } } KeyboardComponent.componentName = "keyboard"; class MarkerScene { constructor(scene, raycaster) { this._needsRender = false; this._interactiveObjects = []; this._markers = {}; this._objectMarkers = {}; this._raycaster = !!raycaster ? raycaster : new Raycaster(); this._scene = !!scene ? scene : new Scene(); } get markers() { return this._markers; } get needsRender() { return this._needsRender; } add(marker, position) { if (marker.id in this._markers) { this._dispose(marker.id); } marker.createGeometry(position); this._scene.add(marker.geometry); this._markers[marker.id] = marker; for (let interactiveObject of marker.getInteractiveObjects()) { this._interactiveObjects.push(interactiveObject); this._objectMarkers[interactiveObject.uuid] = marker.id; } this._needsRender = true; } clear() { for (const id in this._markers) { if (!this._markers.hasOwnProperty) { continue; } this._dispose(id); } this._needsRender = true; } get(id) { return this._markers[id]; } getAll() { return Object .keys(this._markers) .map((id) => { return this._markers[id]; }); } has(id) { return id in this._markers; } intersectObjects([viewportX, viewportY], camera) { this._raycaster.setFromCamera(new Vector2(viewportX, viewportY), camera); const intersects = this._raycaster.intersectObjects(this._interactiveObjects); for (const intersect of intersects) { if (intersect.object.uuid in this._objectMarkers) { return this._objectMarkers[intersect.object.uuid]; } } return null; } lerpAltitude(id, alt, alpha) { if (!(id in this._markers)) { return; } this._markers[id].lerpAltitude(alt, alpha); this._needsRender = true; } remove(id) { if (!(id in this._markers)) { return; } this._dispose(id); this._needsRender = true; } render(perspectiveCamera, renderer) { renderer.render(this._scene, perspectiveCamera); this._needsRender = false; } update(id, position, lngLat) { if (!(id in this._markers)) { return; } const marker = this._markers[id]; marker.updatePosition(position, lngLat); this._needsRender = true; } _dispose(id) { const marker = this._markers[id]; this._scene.remove(marker.geometry); for (let interactiveObject of marker.getInteractiveObjects()) { const index = this._interactiveObjects.indexOf(interactiveObject); if (index !== -1) { this._interactiveObjects.splice(index, 1); } else { console.warn(`Object does not exist (${interactiveObject.id}) for ${id}`); } delete this._objectMarkers[interactiveObject.uuid]; } marker.disposeGeometry(); delete this._markers[id]; } } /** * @class MarkerComponent * * @classdesc Component for showing and editing 3D marker objects. * * The `add` method is used for adding new markers or replacing * markers already in the set. * * If a marker already in the set has the same * id as one of the markers added, the old marker will be removed and * the added marker will take its place. * * It is not possible to update markers in the set by updating any properties * directly on the marker object. Markers need to be replaced by * re-adding them for updates to geographic position or configuration * to be reflected. * * Markers added to the marker component can be either interactive * or non-interactive. Different marker types define their behavior. * Markers with interaction support can be configured with options * to respond to dragging inside the viewer and be detected when * retrieving markers from pixel points with the `getMarkerIdAt` method. * * To retrive and use the marker component * * @example * ```js * var viewer = new Viewer({ component: { marker: true }, ... }); * * var markerComponent = viewer.getComponent("marker"); * ``` */ class MarkerComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); this._graphCalculator = new GraphCalculator(); this._markerScene = new MarkerScene(); this._markerSet = new MarkerSet(); this._viewportCoords = new ViewportCoords(); this._relativeGroundAltitude = -2; } /** * Add markers to the marker set or replace markers in the marker set. * * @description If a marker already in the set has the same * id as one of the markers added, the old marker will be removed * the added marker will take its place. * * Any marker inside the visible bounding bbox * will be initialized and placed in the viewer. * * @param {Array} markers - Markers to add. * * @example * ```js * markerComponent.add([marker1, marker2]); * ``` */ add(markers) { this._markerSet.add(markers); } fire(type, event) { super.fire(type, event); } /** * Returns the marker in the marker set with the specified id, or * undefined if the id matches no marker. * * @param {string} markerId - Id of the marker. * * @example * ```js * var marker = markerComponent.get("markerId"); * ``` * */ get(markerId) { return this._markerSet.get(markerId); } /** * Returns an array of all markers. * * @example * ```js * var markers = markerComponent.getAll(); * ``` */ getAll() { return this._markerSet.getAll(); } /** * Returns the id of the interactive marker closest to the current camera * position at the specified point. * * @description Notice that the pixelPoint argument requires x, y * coordinates from pixel space. * * With this function, you can use the coordinates provided by mouse * events to get information out of the marker component. * * If no interactive geometry of an interactive marker exist at the pixel * point, `null` will be returned. * * @param {Array} pixelPoint - Pixel coordinates on the viewer element. * @returns {string} Id of the interactive marker closest to the camera. If no * interactive marker exist at the pixel point, `null` will be returned. * * @example * ```js * markerComponent.getMarkerIdAt([100, 100]) * .then((markerId) => { console.log(markerId); }); * ``` */ getMarkerIdAt(pixelPoint) { return new Promise((resolve, reject) => { this._container.renderService.renderCamera$.pipe(first(), map((render) => { const viewport = this._viewportCoords .canvasToViewport(pixelPoint[0], pixelPoint[1], this._container.container); const id = this._markerScene.intersectObjects(viewport, render.perspective); return id; })) .subscribe((id) => { resolve(id); }, (error) => { reject(error); }); }); } /** * Check if a marker exist in the marker set. * * @param {string} markerId - Id of the marker. * * @example * ```js * var markerExists = markerComponent.has("markerId"); * ``` */ has(markerId) { return this._markerSet.has(markerId); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } /** * Remove markers with the specified ids from the marker set. * * @param {Array} markerIds - Ids for markers to remove. * * @example * ```js * markerComponent.remove(["id-1", "id-2"]); * ``` */ remove(markerIds) { this._markerSet.remove(markerIds); } /** * Remove all markers from the marker set. * * @example * ```js * markerComponent.removeAll(); * ``` */ removeAll() { this._markerSet.removeAll(); } _activate() { const groundAltitude$ = this._navigator.stateService.currentState$.pipe(map((frame) => { return frame.state.camera.position.z + this._relativeGroundAltitude; }), distinctUntilChanged((a1, a2) => { return Math.abs(a1 - a2) < 0.01; }), publishReplay(1), refCount()); const geoInitiated$ = combineLatest(groundAltitude$, this._navigator.stateService.reference$).pipe(first(), map(() => { }), publishReplay(1), refCount()); const clampedConfiguration$ = this._configuration$.pipe(map((configuration) => { return { visibleBBoxSize: Math.max(1, Math.min(200, configuration.visibleBBoxSize)) }; })); const currentLngLat$ = this._navigator.stateService.currentImage$.pipe(map((image) => { return image.lngLat; }), publishReplay(1), refCount()); const visibleBBox$ = combineLatest(clampedConfiguration$, currentLngLat$).pipe(map(([configuration, lngLat]) => { return this._graphCalculator .boundingBoxCorners(lngLat, configuration.visibleBBoxSize / 2); }), publishReplay(1), refCount()); const visibleMarkers$ = combineLatest(concat(of(this._markerSet), this._markerSet.changed$), visibleBBox$).pipe(map(([set, bbox]) => { return set.search(bbox); })); const subs = this._subscriptions; subs.push(geoInitiated$.pipe(switchMap(() => { return visibleMarkers$.pipe(withLatestFrom(this._navigator.stateService.reference$, groundAltitude$)); })) .subscribe(([markers, reference, alt]) => { const markerScene = this._markerScene; const sceneMarkers = markerScene.markers; const markersToRemove = Object.assign({}, sceneMarkers); for (const marker of markers) { if (marker.id in sceneMarkers) { delete markersToRemove[marker.id]; } else { const point3d = geodeticToEnu(marker.lngLat.lng, marker.lngLat.lat, reference.alt + alt, reference.lng, reference.lat, reference.alt); markerScene.add(marker, point3d); } } for (const id in markersToRemove) { if (!markersToRemove.hasOwnProperty(id)) { continue; } markerScene.remove(id); } })); subs.push(geoInitiated$.pipe(switchMap(() => { return this._markerSet.updated$.pipe(withLatestFrom(visibleBBox$, this._navigator.stateService.reference$, groundAltitude$)); })) .subscribe(([markers, [sw, ne], reference, alt]) => { const markerScene = this._markerScene; for (const marker of markers) { const exists = markerScene.has(marker.id); const visible = marker.lngLat.lat > sw.lat && marker.lngLat.lat < ne.lat && marker.lngLat.lng > sw.lng && marker.lngLat.lng < ne.lng; if (visible) { const point3d = geodeticToEnu(marker.lngLat.lng, marker.lngLat.lat, reference.alt + alt, reference.lng, reference.lat, reference.alt); markerScene.add(marker, point3d); } else if (!visible && exists) { markerScene.remove(marker.id); } } })); subs.push(this._navigator.stateService.reference$.pipe(skip(1), withLatestFrom(groundAltitude$)) .subscribe(([reference, alt]) => { const markerScene = this._markerScene; for (const marker of markerScene.getAll()) { const point3d = geodeticToEnu(marker.lngLat.lng, marker.lngLat.lat, reference.alt + alt, reference.lng, reference.lat, reference.alt); markerScene.update(marker.id, point3d); } })); subs.push(groundAltitude$.pipe(skip(1), withLatestFrom(this._navigator.stateService.reference$, currentLngLat$)) .subscribe(([alt, reference, lngLat]) => { const markerScene = this._markerScene; const position = geodeticToEnu(lngLat.lng, lngLat.lat, reference.alt + alt, reference.lng, reference.lat, reference.alt); for (const marker of markerScene.getAll()) { const point3d = geodeticToEnu(marker.lngLat.lng, marker.lngLat.lat, reference.alt + alt, reference.lng, reference.lat, reference.alt); const distanceX = point3d[0] - position[0]; const distanceY = point3d[1] - position[1]; const groundDistance = Math .sqrt(distanceX * distanceX + distanceY * distanceY); if (groundDistance > 50) { continue; } markerScene.lerpAltitude(marker.id, alt, Math.min(1, Math.max(0, 1.2 - 1.2 * groundDistance / 50))); } })); subs.push(this._navigator.stateService.currentState$ .pipe(map((frame) => { const scene = this._markerScene; return { name: this._name, renderer: { frameId: frame.id, needsRender: scene.needsRender, render: scene.render.bind(scene), pass: RenderPass.Opaque, }, }; })) .subscribe(this._container.glRenderer.render$)); const hoveredMarkerId$ = combineLatest(this._container.renderService.renderCamera$, this._container.mouseService.mouseMove$) .pipe(map(([render, event]) => { const element = this._container.container; const [canvasX, canvasY] = this._viewportCoords.canvasPosition(event, element); const viewport = this._viewportCoords .canvasToViewport(canvasX, canvasY, element); const markerId = this._markerScene.intersectObjects(viewport, render.perspective); return markerId; }), publishReplay(1), refCount()); const draggingStarted$ = this._container.mouseService .filtered$(this._name, this._container.mouseService.mouseDragStart$).pipe(map(() => { return true; })); const draggingStopped$ = this._container.mouseService .filtered$(this._name, this._container.mouseService.mouseDragEnd$).pipe(map(() => { return false; })); const filteredDragging$ = merge(draggingStarted$, draggingStopped$) .pipe(startWith(false)); subs.push(merge(draggingStarted$.pipe(withLatestFrom(hoveredMarkerId$)), combineLatest(draggingStopped$, of(null))).pipe(startWith([false, null]), pairwise()) .subscribe(([previous, current]) => { const dragging = current[0]; const type = dragging ? "markerdragstart" : "markerdragend"; const id = dragging ? current[1] : previous[1]; const marker = this._markerScene.get(id); const event = { marker, target: this, type, }; this.fire(type, event); })); const mouseDown$ = merge(this._container.mouseService.mouseDown$.pipe(map(() => { return true; })), this._container.mouseService.documentMouseUp$.pipe(map(() => { return false; }))).pipe(startWith(false)); subs.push(combineLatest(this._container.mouseService.active$, hoveredMarkerId$.pipe(distinctUntilChanged()), mouseDown$, filteredDragging$) .pipe(map(([active, markerId, mouseDown, filteredDragging]) => { return (!active && markerId != null && mouseDown) || filteredDragging; }), distinctUntilChanged()) .subscribe((claim) => { if (claim) { this._container.mouseService.claimMouse(this._name, 1); this._container.mouseService.claimWheel(this._name, 1); } else { this._container.mouseService.unclaimMouse(this._name); this._container.mouseService.unclaimWheel(this._name); } })); const offset$ = this._container.mouseService .filtered$(this._name, this._container.mouseService.mouseDragStart$).pipe(withLatestFrom(hoveredMarkerId$, this._container.renderService.renderCamera$), map(([e, id, r]) => { const marker = this._markerScene.get(id); const element = this._container.container; const [groundCanvasX, groundCanvasY] = this._viewportCoords .projectToCanvas(marker.geometry.position .toArray(), element, r.perspective); const [canvasX, canvasY] = this._viewportCoords .canvasPosition(e, element); const offset = [canvasX - groundCanvasX, canvasY - groundCanvasY]; return [marker, offset, r]; }), publishReplay(1), refCount()); subs.push(this._container.mouseService .filtered$(this._name, this._container.mouseService.mouseDrag$) .pipe(withLatestFrom(offset$, this._navigator.stateService.reference$, clampedConfiguration$)) .subscribe(([event, [marker, offset, render], reference, configuration]) => { if (!this._markerScene.has(marker.id)) { return; } const element = this._container.container; const [canvasX, canvasY] = this._viewportCoords .canvasPosition(event, element); const groundX = canvasX - offset[0]; const groundY = canvasY - offset[1]; const [viewportX, viewportY] = this._viewportCoords .canvasToViewport(groundX, groundY, element); const direction = new Vector3(viewportX, viewportY, 1) .unproject(render.perspective) .sub(render.perspective.position) .normalize(); const distance = Math.min(this._relativeGroundAltitude / direction.z, configuration.visibleBBoxSize / 2 - 0.1); if (distance < 0) { return; } const intersection = direction .clone() .multiplyScalar(distance) .add(render.perspective.position); intersection.z = render.perspective.position.z + this._relativeGroundAltitude; const [lng, lat] = enuToGeodetic(intersection.x, intersection.y, intersection.z, reference.lng, reference.lat, reference.alt); this._markerScene .update(marker.id, intersection.toArray(), { lat, lng }); this._markerSet.update(marker); const type = "markerposition"; const markerEvent = { marker, target: this, type, }; this.fire(type, markerEvent); })); } _deactivate() { this._subscriptions.unsubscribe(); this._markerScene.clear(); } _getDefaultConfiguration() { return { visibleBBoxSize: 100 }; } } MarkerComponent.componentName = "marker"; function sign$1(n) { return n > 0 ? 1 : n < 0 ? -1 : 0; } function colinearPointOnSegment(p, s) { return p.x <= Math.max(s.p1.x, s.p2.x) && p.x >= Math.min(s.p1.x, s.p2.x) && p.y >= Math.max(s.p1.y, s.p2.y) && p.y >= Math.min(s.p1.y, s.p2.y); } function parallel(s1, s2) { const ux = s1.p2.x - s1.p1.x; const uy = s1.p2.y - s1.p1.y; const vx = s2.p2.x - s2.p1.x; const vy = s2.p2.y - s2.p1.y; const cross = ux * vy - uy * vx; const u2 = ux * ux + uy * uy; const v2 = vx * vx + vy * vy; const epsilon2 = 1e-10; return cross * cross < epsilon2 * u2 * v2; } function tripletOrientation(p1, p2, p3) { const orientation = (p2.y - p1.y) * (p3.x - p2.x) - (p3.y - p2.y) * (p2.x - p1.x); return sign$1(orientation); } function segmentsIntersect(s1, s2) { if (parallel(s1, s2)) { return false; } const o1 = tripletOrientation(s1.p1, s1.p2, s2.p1); const o2 = tripletOrientation(s1.p1, s1.p2, s2.p2); const o3 = tripletOrientation(s2.p1, s2.p2, s1.p1); const o4 = tripletOrientation(s2.p1, s2.p2, s1.p2); if (o1 !== o2 && o3 !== o4) { return true; } if (o1 === 0 && colinearPointOnSegment(s2.p1, s1)) { return true; } if (o2 === 0 && colinearPointOnSegment(s2.p2, s1)) { return true; } if (o3 === 0 && colinearPointOnSegment(s1.p1, s2)) { return true; } if (o4 === 0 && colinearPointOnSegment(s1.p2, s2)) { return true; } return false; } function segmentIntersection(s1, s2) { if (parallel(s1, s2)) { return undefined; } const x1 = s1.p1.x; const x2 = s1.p2.x; const y1 = s1.p1.y; const y2 = s1.p2.y; const x3 = s2.p1.x; const x4 = s2.p2.x; const y3 = s2.p1.y; const y4 = s2.p2.y; const den = (x1 - x2) * (y3 - y4) - (y1 - y2) * (x3 - x4); const xNum = (x1 * y2 - y1 * x2) * (x3 - x4) - (x1 - x2) * (x3 * y4 - y3 * x4); const yNum = (x1 * y2 - y1 * x2) * (y3 - y4) - (y1 - y2) * (x3 * y4 - y3 * x4); return { x: xNum / den, y: yNum / den }; } function basicBoundaryPoints(pointsPerSide) { let points = []; let os = [[0, 0], [1, 0], [1, 1], [0, 1]]; let ds = [[1, 0], [0, 1], [-1, 0], [0, -1]]; for (let side = 0; side < 4; ++side) { let o = os[side]; let d = ds[side]; for (let i = 0; i < pointsPerSide; ++i) { points.push([o[0] + d[0] * i / pointsPerSide, o[1] + d[1] * i / pointsPerSide]); } } return points; } function insideViewport(x, y) { return x >= -1 && x <= 1 && y >= -1 && y <= 1; } function insideBasic(x, y) { return x >= 0 && x <= 1 && y >= 0 && y <= 1; } function viewportDistances(transform, perspective, viewportCoords) { const boundaryPointsBasic = basicBoundaryPoints(100); const boundaryPointsViewport = boundaryPointsBasic .map((basic) => { return viewportCoords.basicToViewportSafe(basic[0], basic[1], transform, perspective); }); const visibleBoundaryPoints = []; const viewportSides = [ { x: -1, y: 1 }, { x: 1, y: 1 }, { x: 1, y: -1 }, { x: -1, y: -1 } ]; const intersections = [false, false, false, false]; for (let i = 0; i < boundaryPointsViewport.length; i++) { const p1 = boundaryPointsViewport[i]; const p2 = boundaryPointsViewport[(i + 1) % boundaryPointsViewport.length]; if (p1 === null) { continue; } if (p2 === null) { if (insideViewport(p1[0], p1[1])) { visibleBoundaryPoints.push(p1); } continue; } const [x1, y1] = p1; const [x2, y2] = p2; if (insideViewport(x1, y1)) { if (insideViewport(x2, y2)) { visibleBoundaryPoints.push(p1); } else { for (let side = 0; side < 4; side++) { const s1 = { p1: { x: x1, y: y1 }, p2: { x: x2, y: y2 } }; const s2 = { p1: viewportSides[side], p2: viewportSides[(side + 1) % 4] }; const intersecting = segmentsIntersect(s1, s2); if (intersecting) { const intersection = segmentIntersection(s1, s2); visibleBoundaryPoints.push(p1, [intersection.x, intersection.y]); intersections[side] = true; } } } } } const [topLeftBasicX, topLeftBasicY] = viewportCoords.viewportToBasic(-1, 1, transform, perspective); const [topRightBasicX, topRightBasicY] = viewportCoords.viewportToBasic(1, 1, transform, perspective); const [bottomRightBasicX, bottomRightBasicY] = viewportCoords.viewportToBasic(1, -1, transform, perspective); const [bottomLeftBasicX, bottomLeftBasicY] = viewportCoords.viewportToBasic(-1, -1, transform, perspective); if (insideBasic(topLeftBasicX, topLeftBasicY)) { intersections[3] = intersections[0] = true; } if (insideBasic(topRightBasicX, topRightBasicY)) { intersections[0] = intersections[1] = true; } if (insideBasic(bottomRightBasicX, bottomRightBasicY)) { intersections[1] = intersections[2] = true; } if (insideBasic(bottomLeftBasicX, bottomLeftBasicY)) { intersections[2] = intersections[3] = true; } const maximums = [-1, -1, 1, 1]; for (let visibleBoundaryPoint of visibleBoundaryPoints) { const x = visibleBoundaryPoint[0]; const y = visibleBoundaryPoint[1]; if (x > maximums[1]) { maximums[1] = x; } if (x < maximums[3]) { maximums[3] = x; } if (y > maximums[0]) { maximums[0] = y; } if (y < maximums[2]) { maximums[2] = y; } } const boundary = [1, 1, -1, -1]; const distances = []; for (let side = 0; side < 4; side++) { if (intersections[side]) { distances.push(0); continue; } distances.push(Math.abs(boundary[side] - maximums[side])); } return distances; } /** * The `BounceHandler` ensures that the viewer bounces back to the image * when drag panning outside of the image edge. */ class BounceHandler extends HandlerBase { constructor(component, container, navigator, viewportCoords, spatial) { super(component, container, navigator); this._spatial = spatial; this._viewportCoords = viewportCoords; } _enable() { const inTransition$ = this._navigator.stateService.currentState$.pipe(map((frame) => { return frame.state.alpha < 1; }), distinctUntilChanged()); this._bounceSubscription = combineLatest(inTransition$, this._navigator.stateService.inTranslation$, this._container.mouseService.active$, this._container.touchService.active$).pipe(map((noForce) => { return noForce[0] || noForce[1] || noForce[2] || noForce[3]; }), distinctUntilChanged(), switchMap((noForce) => { return noForce ? empty() : combineLatest(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$.pipe(first())); }), withLatestFrom(this._navigator.panService.panImages$)) .subscribe(([[render, transform], nts]) => { if (!transform.hasValidScale && render.camera.focal < 0.1) { return; } if (render.perspective.aspect === 0 || render.perspective.aspect === Number.POSITIVE_INFINITY) { return; } const distances = viewportDistances(transform, render.perspective, this._viewportCoords); const basic = this._viewportCoords.viewportToBasic(0, 0, transform, render.perspective); if ((basic[0] < 0 || basic[0] > 1) && nts.length > 0) { distances[0] = distances[2] = 0; } for (const [, t] of nts) { const d = viewportDistances(t, render.perspective, this._viewportCoords); for (let i = 1; i < distances.length; i += 2) { if (d[i] < distances[i]) { distances[i] = d[i]; } } } if (Math.max(...distances) < 0.01) { return; } const horizontalDistance = distances[1] - distances[3]; const verticalDistance = distances[0] - distances[2]; const currentDirection = this._viewportCoords .unprojectFromViewport(0, 0, render.perspective) .sub(render.perspective.position); const directionPhi = this._viewportCoords .unprojectFromViewport(horizontalDistance, 0, render.perspective) .sub(render.perspective.position); const directionTheta = this._viewportCoords .unprojectFromViewport(0, verticalDistance, render.perspective) .sub(render.perspective.position); let phi = (horizontalDistance > 0 ? 1 : -1) * directionPhi.angleTo(currentDirection); let theta = (verticalDistance > 0 ? 1 : -1) * directionTheta.angleTo(currentDirection); const threshold = Math.PI / 60; const coeff = 1e-1; phi = this._spatial.clamp(coeff * phi, -threshold, threshold); theta = this._spatial.clamp(coeff * theta, -threshold, threshold); this._navigator.stateService.rotateUnbounded({ phi: phi, theta: theta }); }); } _disable() { this._bounceSubscription.unsubscribe(); } _getConfiguration() { return {}; } } class MouseOperator { static filteredPairwiseMouseDrag$(name, mouseService) { return this._filteredPairwiseMouseDrag$(name, mouseService, mouseService.mouseDragStart$, mouseService.mouseDrag$, mouseService.mouseDragEnd$); } static filteredPairwiseMouseRightDrag$(name, mouseService) { return this._filteredPairwiseMouseDrag$(name, mouseService, mouseService.mouseRightDragStart$, mouseService.mouseRightDrag$, mouseService.mouseRightDragEnd$); } static _filteredPairwiseMouseDrag$(name, mouseService, mouseDragStart$, mouseDrag$, mouseDragEnd$) { return mouseService .filtered$(name, mouseDragStart$).pipe(switchMap((mouseDragStart) => { const dragging$ = concat(of(mouseDragStart), mouseService .filtered$(name, mouseDrag$)); const dragEnd$ = mouseService .filtered$(name, mouseDragEnd$).pipe(map(() => { return null; })); return merge(dragging$, dragEnd$).pipe(takeWhile((e) => { return !!e; }), startWith(null)); }), pairwise(), filter((pair) => { return pair[0] != null && pair[1] != null; })); } } /** * The `DragPanHandler` allows the user to pan the viewer image by clicking and dragging the cursor. * * @example * ```js * var pointerComponent = viewer.getComponent("pointer"); * * pointerComponent.dragPan.disable(); * pointerComponent.dragPan.enable(); * * var isEnabled = pointerComponent.dragPan.isEnabled; * ``` */ class DragPanHandler extends HandlerBase { /** @ignore */ constructor(component, container, navigator, viewportCoords, spatial) { super(component, container, navigator); this._spatial = spatial; this._viewportCoords = viewportCoords; } _enable() { let draggingStarted$ = this._container.mouseService .filtered$(this._component.name, this._container.mouseService.mouseDragStart$).pipe(map(() => { return true; }), share()); let draggingStopped$ = this._container.mouseService .filtered$(this._component.name, this._container.mouseService.mouseDragEnd$).pipe(map(() => { return false; }), share()); this._activeMouseSubscription = merge(draggingStarted$, draggingStopped$) .subscribe(this._container.mouseService.activate$); const documentMouseMove$ = merge(draggingStarted$, draggingStopped$).pipe(switchMap((dragging) => { return dragging ? this._container.mouseService.documentMouseMove$ : empty(); })); this._preventDefaultSubscription = merge(documentMouseMove$, this._container.touchService.touchMove$) .subscribe((event) => { event.preventDefault(); // prevent selection of content outside the viewer }); let touchMovingStarted$ = this._container.touchService.singleTouchDragStart$.pipe(map(() => { return true; })); let touchMovingStopped$ = this._container.touchService.singleTouchDragEnd$.pipe(map(() => { return false; })); this._activeTouchSubscription = merge(touchMovingStarted$, touchMovingStopped$) .subscribe(this._container.touchService.activate$); const rotation$ = this._navigator.stateService.currentState$.pipe(map((frame) => { return isSpherical(frame.state.currentImage.cameraType) || frame.state.imagesAhead < 1; }), distinctUntilChanged(), switchMap((enable) => { if (!enable) { return empty(); } const mouseDrag$ = MouseOperator.filteredPairwiseMouseDrag$(this._component.name, this._container.mouseService); const singleTouchDrag$ = merge(this._container.touchService.singleTouchDragStart$, this._container.touchService.singleTouchDrag$, this._container.touchService.singleTouchDragEnd$.pipe(map(() => { return null; }))).pipe(map((event) => { return event != null && event.touches.length > 0 ? event.touches[0] : null; }), pairwise(), filter((pair) => { return pair[0] != null && pair[1] != null; })); return merge(mouseDrag$, singleTouchDrag$); }), withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$, this._navigator.panService.panImages$), map(([events, render, transform, nts]) => { let previousEvent = events[0]; let event = events[1]; let movementX = event.clientX - previousEvent.clientX; let movementY = event.clientY - previousEvent.clientY; let element = this._container.container; let [canvasX, canvasY] = this._viewportCoords.canvasPosition(event, element); let currentDirection = this._viewportCoords.unprojectFromCanvas(canvasX, canvasY, element, render.perspective) .sub(render.perspective.position); let directionX = this._viewportCoords.unprojectFromCanvas(canvasX - movementX, canvasY, element, render.perspective) .sub(render.perspective.position); let directionY = this._viewportCoords.unprojectFromCanvas(canvasX, canvasY - movementY, element, render.perspective) .sub(render.perspective.position); let phi = (movementX > 0 ? 1 : -1) * directionX.angleTo(currentDirection); let theta = (movementY > 0 ? -1 : 1) * directionY.angleTo(currentDirection); const distances = viewportDistances(transform, render.perspective, this._viewportCoords); for (const [, t] of nts) { const d = viewportDistances(t, render.perspective, this._viewportCoords); for (let i = 0; i < distances.length; i++) { if (d[i] < distances[i]) { distances[i] = d[i]; } } } if (distances[0] > 0 && theta < 0) { theta /= Math.max(1, 2e2 * distances[0]); } if (distances[2] > 0 && theta > 0) { theta /= Math.max(1, 2e2 * distances[2]); } if (distances[1] > 0 && phi < 0) { phi /= Math.max(1, 2e2 * distances[1]); } if (distances[3] > 0 && phi > 0) { phi /= Math.max(1, 2e2 * distances[3]); } return { phi: phi, theta: theta }; }), share()); this._rotateWithoutInertiaSubscription = rotation$ .subscribe((rotation) => { this._navigator.stateService.rotateWithoutInertia(rotation); }); this._rotateSubscription = rotation$.pipe(scan((rotationBuffer, rotation) => { this._drainBuffer(rotationBuffer); rotationBuffer.push([Date.now(), rotation]); return rotationBuffer; }, []), sample(merge(this._container.mouseService.filtered$(this._component.name, this._container.mouseService.mouseDragEnd$), this._container.touchService.singleTouchDragEnd$)), map((rotationBuffer) => { const drainedBuffer = this._drainBuffer(rotationBuffer.slice()); const rotation = { phi: 0, theta: 0 }; for (const bufferedRotation of drainedBuffer) { rotation.phi += bufferedRotation[1].phi; rotation.theta += bufferedRotation[1].theta; } const count = drainedBuffer.length; if (count > 0) { rotation.phi /= count; rotation.theta /= count; } const threshold = Math.PI / 18; rotation.phi = this._spatial.clamp(rotation.phi, -threshold, threshold); rotation.theta = this._spatial.clamp(rotation.theta, -threshold, threshold); return rotation; })) .subscribe((rotation) => { this._navigator.stateService.rotate(rotation); }); } _disable() { this._activeMouseSubscription.unsubscribe(); this._activeTouchSubscription.unsubscribe(); this._preventDefaultSubscription.unsubscribe(); this._rotateSubscription.unsubscribe(); this._rotateWithoutInertiaSubscription.unsubscribe(); this._activeMouseSubscription = null; this._activeTouchSubscription = null; this._preventDefaultSubscription = null; this._rotateSubscription = null; } _getConfiguration(enable) { return { dragPan: enable }; } _drainBuffer(buffer) { const cutoff = 50; const now = Date.now(); while (buffer.length > 0 && now - buffer[0][0] > cutoff) { buffer.shift(); } return buffer; } } class EarthControlHandler extends HandlerBase { /** @ignore */ constructor(component, container, navigator, viewportCoords, spatial) { super(component, container, navigator); this._spatial = spatial; this._viewportCoords = viewportCoords; this._subscriptions = new SubscriptionHolder(); } _enable() { const earth$ = this._navigator.stateService.state$.pipe(map((state) => { return state === State.Earth; }), publishReplay(1), refCount()); const subs = this._subscriptions; subs.push(earth$.pipe(switchMap((earth) => { return earth ? this._container.mouseService.mouseWheel$ : empty(); })) .subscribe((event) => { event.preventDefault(); })); subs.push(earth$.pipe(switchMap((earth) => { if (!earth) { return empty(); } return MouseOperator.filteredPairwiseMouseDrag$(this._component.name, this._container.mouseService).pipe(filter(([e1, e2]) => { return !(e1.ctrlKey && e2.ctrlKey); })); }), withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$), map(([[previous, current], render, transform]) => { const planeNormal = [0, 0, 1]; const planePoint = [0, 0, -2]; const currentIntersection = this._planeIntersection(current, planeNormal, planePoint, render.perspective, this._container.container); const previousIntersection = this._planeIntersection(previous, planeNormal, planePoint, render.perspective, this._container.container); if (!currentIntersection || !previousIntersection) { return null; } const direction = new Vector3() .subVectors(currentIntersection, previousIntersection) .multiplyScalar(-1) .toArray(); return direction; }), filter((direction) => { return !!direction; })) .subscribe((direction) => { this._navigator.stateService.truck(direction); })); subs.push(earth$.pipe(switchMap((earth) => { if (!earth) { return empty(); } return MouseOperator.filteredPairwiseMouseDrag$(this._component.name, this._container.mouseService).pipe(filter(([e1, e2]) => { return e1.ctrlKey && e2.ctrlKey; })); }), map(([previous, current]) => { return this._mousePairToRotation(previous, current); })) .subscribe((rotation) => { this._navigator.stateService.orbit(rotation); })); subs.push(earth$.pipe(switchMap((earth) => { if (!earth) { return empty(); } return MouseOperator.filteredPairwiseMouseRightDrag$(this._component.name, this._container.mouseService).pipe(filter(([e1, e2]) => { return !e1.ctrlKey && !e2.ctrlKey; })); }), map(([previous, current]) => { return this._mousePairToRotation(previous, current); })) .subscribe((rotation) => { this._navigator.stateService.orbit(rotation); })); subs.push(earth$.pipe(switchMap((earth) => { if (!earth) { return empty(); } return this._container.mouseService .filteredWheel$(this._component.name, this._container.mouseService.mouseWheel$); }), map((event) => { let delta = event.deltaY; if (event.deltaMode === 1) { delta = 40 * delta; } else if (event.deltaMode === 2) { delta = 800 * delta; } const canvasSize = this._viewportCoords.containerToCanvas(this._container.container); return -delta / canvasSize[1]; })) .subscribe((delta) => { this._navigator.stateService.dolly(delta); })); } _disable() { this._subscriptions.unsubscribe(); } _getConfiguration() { return {}; } _eventToViewport(event, element) { const previousCanvas = this._viewportCoords.canvasPosition(event, element); return this._viewportCoords.canvasToViewport(previousCanvas[0], previousCanvas[1], element); } _mousePairToRotation(previous, current) { const [currentX, currentY] = this._eventToViewport(current, this._container.container); const [previousX, previousY] = this._eventToViewport(previous, this._container.container); const phi = (previousX - currentX) * Math.PI; const theta = (currentY - previousY) * Math.PI / 2; return { phi: phi, theta: theta }; } _planeIntersection(event, planeNormal, planePoint, camera, element) { const [canvasX, canvasY] = this._viewportCoords.canvasPosition(event, element); const direction = this._viewportCoords .unprojectFromCanvas(canvasX, canvasY, element, camera) .sub(camera.position) .normalize(); if (Math.abs(this._spatial.angleToPlane(direction.toArray(), planeNormal)) < Math.PI / 90) { return null; } const l0 = camera.position.clone(); const n = new Vector3().fromArray(planeNormal); const p0 = new Vector3().fromArray(planePoint); const d = new Vector3().subVectors(p0, l0).dot(n) / direction.clone().dot(n); const intersection = new Vector3().addVectors(l0, direction.multiplyScalar(d)); if (this._viewportCoords.worldToCamera(intersection.toArray(), camera)[2] > 0) { return null; } return intersection; } } /** * The `ScrollZoomHandler` allows the user to zoom the viewer image by scrolling. * * @example * ```js * var pointerComponent = viewer.getComponent("pointer"); * * pointerComponent.scrollZoom.disable(); * pointerComponent.scrollZoom.enable(); * * var isEnabled = pointerComponent.scrollZoom.isEnabled; * ``` */ class ScrollZoomHandler extends HandlerBase { /** @ignore */ constructor(component, container, navigator, viewportCoords) { super(component, container, navigator); this._viewportCoords = viewportCoords; } _enable() { this._container.mouseService.claimWheel(this._component.name, 0); this._preventDefaultSubscription = this._container.mouseService.mouseWheel$ .subscribe((event) => { event.preventDefault(); }); this._zoomSubscription = this._container.mouseService .filteredWheel$(this._component.name, this._container.mouseService.mouseWheel$).pipe(withLatestFrom(this._navigator.stateService.currentState$, (w, f) => { return [w, f]; }), filter((args) => { let state = args[1].state; return isSpherical(state.currentImage.cameraType) || state.imagesAhead < 1; }), map((args) => { return args[0]; }), withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$, (w, r, t) => { return [w, r, t]; })) .subscribe((args) => { let event = args[0]; let render = args[1]; let transform = args[2]; let element = this._container.container; let [canvasX, canvasY] = this._viewportCoords.canvasPosition(event, element); let unprojected = this._viewportCoords.unprojectFromCanvas(canvasX, canvasY, element, render.perspective); let reference = transform.projectBasic(unprojected.toArray()); let deltaY = event.deltaY; if (event.deltaMode === 1) { deltaY = 40 * deltaY; } else if (event.deltaMode === 2) { deltaY = 800 * deltaY; } const canvasSize = this._viewportCoords.containerToCanvas(element); let zoom = -3 * deltaY / canvasSize[1]; this._navigator.stateService.zoomIn(zoom, reference); }); } _disable() { this._container.mouseService.unclaimWheel(this._component.name); this._preventDefaultSubscription.unsubscribe(); this._zoomSubscription.unsubscribe(); this._preventDefaultSubscription = null; this._zoomSubscription = null; } _getConfiguration(enable) { return { scrollZoom: enable }; } } /** * The `TouchZoomHandler` allows the user to zoom the viewer image by pinching on a touchscreen. * * @example * ```js * var pointerComponent = viewer.getComponent("pointer"); * * pointerComponent.touchZoom.disable(); * pointerComponent.touchZoom.enable(); * * var isEnabled = pointerComponent.touchZoom.isEnabled; * ``` */ class TouchZoomHandler extends HandlerBase { /** @ignore */ constructor(component, container, navigator, viewportCoords) { super(component, container, navigator); this._viewportCoords = viewportCoords; } _enable() { this._preventDefaultSubscription = this._container.touchService.pinch$ .subscribe((pinch) => { pinch.originalEvent.preventDefault(); }); let pinchStarted$ = this._container.touchService.pinchStart$.pipe(map((event) => { return true; })); let pinchStopped$ = this._container.touchService.pinchEnd$.pipe(map((event) => { return false; })); this._activeSubscription = merge(pinchStarted$, pinchStopped$) .subscribe(this._container.touchService.activate$); this._zoomSubscription = this._container.touchService.pinch$.pipe(withLatestFrom(this._navigator.stateService.currentState$), filter((args) => { let state = args[1].state; return isSpherical(state.currentImage.cameraType) || state.imagesAhead < 1; }), map((args) => { return args[0]; }), withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$)) .subscribe(([pinch, render, transform]) => { let element = this._container.container; let [canvasX, canvasY] = this._viewportCoords.canvasPosition(pinch, element); let unprojected = this._viewportCoords.unprojectFromCanvas(canvasX, canvasY, element, render.perspective); let reference = transform.projectBasic(unprojected.toArray()); const [canvasWidth, canvasHeight] = this._viewportCoords.containerToCanvas(element); let zoom = 3 * pinch.distanceChange / Math.min(canvasWidth, canvasHeight); this._navigator.stateService.zoomIn(zoom, reference); }); } _disable() { this._activeSubscription.unsubscribe(); this._preventDefaultSubscription.unsubscribe(); this._zoomSubscription.unsubscribe(); this._preventDefaultSubscription = null; this._zoomSubscription = null; } _getConfiguration(enable) { return { touchZoom: enable }; } } /** * @class PointerComponent * * @classdesc Component handling mouse, pen, and touch events for camera movement. * * To retrive and use the mouse component * * @example * ```js * var viewer = new Viewer({ ... }); * * var pointerComponent = viewer.getComponent("pointer"); * ``` */ class PointerComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); const spatial = new Spatial(); const viewportCoords = new ViewportCoords(); this._bounceHandler = new BounceHandler(this, container, navigator, viewportCoords, spatial); this._dragPanHandler = new DragPanHandler(this, container, navigator, viewportCoords, spatial); this._earthControlHandler = new EarthControlHandler(this, container, navigator, viewportCoords, spatial); this._scrollZoomHandler = new ScrollZoomHandler(this, container, navigator, viewportCoords); this._touchZoomHandler = new TouchZoomHandler(this, container, navigator, viewportCoords); } /** * Get drag pan. * * @returns {DragPanHandler} The drag pan handler. */ get dragPan() { return this._dragPanHandler; } /** * Get earth control. * * @returns {EarthControlHandler} The earth control handler. */ get earthControl() { return this._earthControlHandler; } /** * Get scroll zoom. * * @returns {ScrollZoomHandler} The scroll zoom handler. */ get scrollZoom() { return this._scrollZoomHandler; } /** * Get touch zoom. * * @returns {TouchZoomHandler} The touch zoom handler. */ get touchZoom() { return this._touchZoomHandler; } _activate() { this._bounceHandler.enable(); this._subscriptions.push(this._configuration$ .subscribe((configuration) => { if (configuration.dragPan) { this._dragPanHandler.enable(); } else { this._dragPanHandler.disable(); } if (configuration.earthControl) { this._earthControlHandler.enable(); } else { this._earthControlHandler.disable(); } if (configuration.scrollZoom) { this._scrollZoomHandler.enable(); } else { this._scrollZoomHandler.disable(); } if (configuration.touchZoom) { this._touchZoomHandler.enable(); } else { this._touchZoomHandler.disable(); } })); this._container.mouseService.claimMouse(this._name, 0); } _deactivate() { this._container.mouseService.unclaimMouse(this._name); this._subscriptions.unsubscribe(); this._bounceHandler.disable(); this._dragPanHandler.disable(); this._earthControlHandler.disable(); this._scrollZoomHandler.disable(); this._touchZoomHandler.disable(); } _getDefaultConfiguration() { return { dragPan: true, earthControl: true, scrollZoom: true, touchZoom: true, }; } } /** @inheritdoc */ PointerComponent.componentName = "pointer"; class DOM { constructor(doc) { this._document = !!doc ? doc : document; } get document() { return this._document; } createElement(tagName, className, container) { const element = this._document.createElement(tagName); if (!!className) { element.className = className; } if (!!container) { container.appendChild(element); } return element; } } /** * @class PopupComponent * * @classdesc Component for showing HTML popup objects. * * The `add` method is used for adding new popups. Popups are removed by reference. * * It is not possible to update popups in the set by updating any properties * directly on the popup object. Popups need to be replaced by * removing them and creating new ones with relevant changed properties and * adding those instead. * * Popups are only relevant to a single image because they are based on * 2D basic image coordinates. Popups related to a certain image should * be removed when the viewer is moved to another image. * * To retrive and use the popup component * * @example * ```js * var viewer = new Viewer({ component: { popup: true }, ... }); * * var popupComponent = viewer.getComponent("popup"); * ``` */ class PopupComponent extends Component { /** @ignore */ constructor(name, container, navigator, dom) { super(name, container, navigator); this._dom = !!dom ? dom : new DOM(); this._popups = []; this._added$ = new Subject(); this._popups$ = new Subject(); } /** * Add popups to the popups set. * * @description Adding a new popup never replaces an old one * because they are stored by reference. Adding an already * existing popup has no effect. * * @param {Array} popups - Popups to add. * * @example * ```js * popupComponent.add([popup1, popup2]); * ``` */ add(popups) { for (const popup of popups) { if (this._popups.indexOf(popup) !== -1) { continue; } this._popups.push(popup); if (this._activated) { popup.setParentContainer(this._popupContainer); } } this._added$.next(popups); this._popups$.next(this._popups); } /** * Returns an array of all popups. * * @example * ```js * var popups = popupComponent.getAll(); * ``` */ getAll() { return this._popups.slice(); } /** * Remove popups based on reference from the popup set. * * @param {Array} popups - Popups to remove. * * @example * ```js * popupComponent.remove([popup1, popup2]); * ``` */ remove(popups) { for (const popup of popups) { this._remove(popup); } this._popups$.next(this._popups); } /** * Remove all popups from the popup set. * * @example * ```js * popupComponent.removeAll(); * ``` */ removeAll() { for (const popup of this._popups.slice()) { this._remove(popup); } this._popups$.next(this._popups); } _activate() { this._popupContainer = this._dom.createElement("div", "mapillary-popup-container", this._container.container); for (const popup of this._popups) { popup.setParentContainer(this._popupContainer); } const subs = this._subscriptions; subs.push(combineLatest(this._container.renderService.renderCamera$, this._container.renderService.size$, this._navigator.stateService.currentTransform$) .subscribe(([renderCamera, size, transform]) => { for (const popup of this._popups) { popup.update(renderCamera, size, transform); } })); const changed$ = this._popups$.pipe(startWith(this._popups), switchMap((popups) => { return from(popups).pipe(mergeMap((popup) => { return popup.changed$; })); }), map((popup) => { return [popup]; })); subs.push(merge(this._added$, changed$).pipe(withLatestFrom(this._container.renderService.renderCamera$, this._container.renderService.size$, this._navigator.stateService.currentTransform$)) .subscribe(([popups, renderCamera, size, transform]) => { for (const popup of popups) { popup.update(renderCamera, size, transform); } })); } _deactivate() { this._subscriptions.unsubscribe(); for (const popup of this._popups) { popup.remove(); } this._container.container.removeChild(this._popupContainer); delete this._popupContainer; } _getDefaultConfiguration() { return {}; } _remove(popup) { const index = this._popups.indexOf(popup); if (index === -1) { return; } const removed = this._popups.splice(index, 1)[0]; if (this._activated) { removed.remove(); } } } PopupComponent.componentName = "popup"; /** * Enumeration for graph modes. * @enum {number} * @readonly * @description Modes for the retrieval and caching performed * by the graph service on the graph. */ var GraphMode; (function (GraphMode) { /** * Caching is performed on sequences only and sequence edges are * calculated. Spatial tiles * are not retrieved and spatial edges are not calculated when * caching nodes. Complete sequences are being cached for requested * nodes within the graph. */ GraphMode[GraphMode["Sequence"] = 0] = "Sequence"; /** * Caching is performed with emphasis on spatial data. Sequence edges * as well as spatial edges are cached. Sequence data * is still requested but complete sequences are not being cached * for requested nodes. * * This is the initial mode of the graph service. */ GraphMode[GraphMode["Spatial"] = 1] = "Spatial"; })(GraphMode || (GraphMode = {})); var SequenceMode; (function (SequenceMode) { SequenceMode[SequenceMode["Default"] = 0] = "Default"; SequenceMode[SequenceMode["Playback"] = 1] = "Playback"; SequenceMode[SequenceMode["Timeline"] = 2] = "Timeline"; })(SequenceMode || (SequenceMode = {})); class SequenceDOMRenderer { constructor(container) { this._container = container; this._minThresholdWidth = 320; this._maxThresholdWidth = 1480; this._minThresholdHeight = 240; this._maxThresholdHeight = 820; this._stepperDefaultWidth = 108; this._controlsDefaultWidth = 88; this._defaultHeight = 30; this._expandControls = false; this._mode = SequenceMode.Default; this._speed = 0.5; this._changingSpeed = false; this._index = null; this._changingPosition = false; this._mouseEnterDirection$ = new Subject(); this._mouseLeaveDirection$ = new Subject(); this._notifyChanged$ = new Subject(); this._notifyChangingPositionChanged$ = new Subject(); this._notifySpeedChanged$ = new Subject(); this._notifyIndexChanged$ = new Subject(); } get changed$() { return this._notifyChanged$; } get changingPositionChanged$() { return this._notifyChangingPositionChanged$; } get speed$() { return this._notifySpeedChanged$; } get index$() { return this._notifyIndexChanged$; } get mouseEnterDirection$() { return this._mouseEnterDirection$; } get mouseLeaveDirection$() { return this._mouseLeaveDirection$; } activate() { if (!!this._changingSubscription) { return; } this._changingSubscription = merge(this._container.mouseService.documentMouseUp$, this._container.touchService.touchEnd$.pipe(filter((touchEvent) => { return touchEvent.touches.length === 0; }))) .subscribe(() => { if (this._changingSpeed) { this._changingSpeed = false; } if (this._changingPosition) { this._setChangingPosition(false); } }); } deactivate() { if (!this._changingSubscription) { return; } this._changingSpeed = false; this._changingPosition = false; this._expandControls = false; this._mode = SequenceMode.Default; this._changingSubscription.unsubscribe(); this._changingSubscription = null; } render(edgeStatus, configuration, containerWidth, speed, index, max, playEnabled, component, navigator) { if (configuration.visible === false) { return virtualDom.h("div.mapillary-sequence-container", {}, []); } const stepper = this._createStepper(edgeStatus, configuration, playEnabled, containerWidth, component, navigator); const controls = this._createSequenceControls(containerWidth); const playback = this._createPlaybackControls(containerWidth, speed, component, configuration); const timeline = this._createTimelineControls(containerWidth, index, max); return virtualDom.h("div.mapillary-sequence-container", [stepper, controls, playback, timeline]); } getContainerWidth(size, configuration) { let minWidth = configuration.minWidth; let maxWidth = configuration.maxWidth; if (maxWidth < minWidth) { maxWidth = minWidth; } let relativeWidth = (size.width - this._minThresholdWidth) / (this._maxThresholdWidth - this._minThresholdWidth); let relativeHeight = (size.height - this._minThresholdHeight) / (this._maxThresholdHeight - this._minThresholdHeight); let coeff = Math.max(0, Math.min(1, Math.min(relativeWidth, relativeHeight))); return minWidth + coeff * (maxWidth - minWidth); } _createPositionInput(index, max) { this._index = index; const onPosition = (e) => { this._index = Number(e.target.value); this._notifyIndexChanged$.next(this._index); }; const boundingRect = this._container.domContainer.getBoundingClientRect(); const width = Math.max(276, Math.min(410, 5 + 0.8 * boundingRect.width)) - 65; const onStart = (e) => { e.stopPropagation(); this._setChangingPosition(true); }; const onMove = (e) => { if (this._changingPosition === true) { e.stopPropagation(); } }; const onKeyDown = (e) => { if (e.key === "ArrowDown" || e.key === "ArrowLeft" || e.key === "ArrowRight" || e.key === "ArrowUp") { e.preventDefault(); } }; const positionInputProperties = { max: max != null ? max : 1, min: 0, onchange: onPosition, oninput: onPosition, onkeydown: onKeyDown, onpointerdown: onStart, onpointermove: onMove, ontouchmove: onMove, ontouchstart: onStart, style: { width: `${width}px`, }, type: "range", value: index != null ? index : 0, }; const disabled = index == null || max == null || max <= 1; if (disabled) { positionInputProperties.disabled = "true"; } const positionInput = virtualDom.h("input.mapillary-sequence-position", positionInputProperties, []); const positionContainerClass = disabled ? ".mapillary-sequence-position-container-inactive" : ".mapillary-sequence-position-container"; return virtualDom.h("div" + positionContainerClass, [positionInput]); } _createSpeedInput(speed) { this._speed = speed; const onSpeed = (e) => { this._speed = Number(e.target.value) / 1000; this._notifySpeedChanged$.next(this._speed); }; const boundingRect = this._container.domContainer.getBoundingClientRect(); const width = Math.max(276, Math.min(410, 5 + 0.8 * boundingRect.width)) - 160; const onStart = (e) => { this._changingSpeed = true; e.stopPropagation(); }; const onMove = (e) => { if (this._changingSpeed === true) { e.stopPropagation(); } }; const onKeyDown = (e) => { if (e.key === "ArrowDown" || e.key === "ArrowLeft" || e.key === "ArrowRight" || e.key === "ArrowUp") { e.preventDefault(); } }; const speedInput = virtualDom.h("input.mapillary-sequence-speed", { max: 1000, min: 0, onchange: onSpeed, oninput: onSpeed, onkeydown: onKeyDown, onpointerdown: onStart, onpointermove: onMove, ontouchmove: onMove, ontouchstart: onStart, style: { width: `${width}px`, }, type: "range", value: 1000 * speed, }, []); return virtualDom.h("div.mapillary-sequence-speed-container", [speedInput]); } _createPlaybackControls(containerWidth, speed, component, configuration) { if (this._mode !== SequenceMode.Playback) { return virtualDom.h("div.mapillary-sequence-playback", []); } const switchIcon = virtualDom.h("div.mapillary-sequence-switch-icon.mapillary-sequence-icon-visible", []); const direction = configuration.direction === exports.NavigationDirection.Next ? exports.NavigationDirection.Prev : exports.NavigationDirection.Next; const playing = configuration.playing; const switchButtonProperties = { onclick: () => { if (!playing) { component.configure({ direction }); } }, }; const switchButtonClassName = configuration.playing ? ".mapillary-sequence-switch-button-inactive" : ".mapillary-sequence-switch-button"; const switchButton = virtualDom.h("div" + switchButtonClassName, switchButtonProperties, [switchIcon]); const slowIcon = virtualDom.h("div.mapillary-sequence-slow-icon.mapillary-sequence-icon-visible", []); const slowContainer = virtualDom.h("div.mapillary-sequence-slow-container", [slowIcon]); const fastIcon = virtualDom.h("div.mapillary-sequence-fast-icon.mapillary-sequence-icon-visible", []); const fastContainer = virtualDom.h("div.mapillary-sequence-fast-container", [fastIcon]); const closeIcon = virtualDom.h("div.mapillary-sequence-close-icon.mapillary-sequence-icon-visible", []); const closeButtonProperties = { onclick: () => { this._mode = SequenceMode.Default; this._notifyChanged$.next(this); }, }; const closeButton = virtualDom.h("div.mapillary-sequence-close-button", closeButtonProperties, [closeIcon]); const speedInput = this._createSpeedInput(speed); const playbackChildren = [switchButton, slowContainer, speedInput, fastContainer, closeButton]; const top = Math.round(containerWidth / this._stepperDefaultWidth * this._defaultHeight + 10); const playbackProperties = { style: { top: `${top}px` } }; return virtualDom.h("div.mapillary-sequence-playback", playbackProperties, playbackChildren); } _createPlayingButton(nextId, prevId, playEnabled, configuration, component) { let canPlay = (configuration.direction === exports.NavigationDirection.Next && nextId != null) || (configuration.direction === exports.NavigationDirection.Prev && prevId != null); canPlay = canPlay && playEnabled; let onclick = configuration.playing ? () => { component.stop(); } : canPlay ? () => { component.play(); } : null; let buttonProperties = { onclick: onclick }; let iconProperties = {}; if (configuration.direction === exports.NavigationDirection.Prev) { iconProperties.style = { transform: "rotate(180deg) translate(50%, 50%)", }; } let icon = virtualDom.h("div.mapillary-sequence-icon", iconProperties, []); let buttonClass = configuration.playing ? "mapillary-sequence-stop" : canPlay ? "mapillary-sequence-play" : "mapillary-sequence-play-inactive"; return virtualDom.h("div." + buttonClass, buttonProperties, [icon]); } _createSequenceControls(containerWidth) { const borderRadius = Math.round(8 / this._stepperDefaultWidth * containerWidth); const expanderProperties = { onclick: () => { this._expandControls = !this._expandControls; this._mode = SequenceMode.Default; this._notifyChanged$.next(this); }, style: { "border-bottom-right-radius": `${borderRadius}px`, "border-top-right-radius": `${borderRadius}px`, }, }; const expanderBar = virtualDom.h("div.mapillary-sequence-expander-bar", []); const expander = virtualDom.h("div.mapillary-sequence-expander-button", expanderProperties, [expanderBar]); const fastIconClassName = this._mode === SequenceMode.Playback ? ".mapillary-sequence-fast-icon-gray.mapillary-sequence-icon-visible" : ".mapillary-sequence-fast-icon"; const fastIcon = virtualDom.h("div" + fastIconClassName, []); const playbackProperties = { onclick: () => { this._mode = this._mode === SequenceMode.Playback ? SequenceMode.Default : SequenceMode.Playback; this._notifyChanged$.next(this); }, }; const playback = virtualDom.h("div.mapillary-sequence-playback-button", playbackProperties, [fastIcon]); const timelineIconClassName = this._mode === SequenceMode.Timeline ? ".mapillary-sequence-timeline-icon-gray.mapillary-sequence-icon-visible" : ".mapillary-sequence-timeline-icon"; const timelineIcon = virtualDom.h("div" + timelineIconClassName, []); const timelineProperties = { onclick: () => { this._mode = this._mode === SequenceMode.Timeline ? SequenceMode.Default : SequenceMode.Timeline; this._notifyChanged$.next(this); }, }; const timeline = virtualDom.h("div.mapillary-sequence-timeline-button", timelineProperties, [timelineIcon]); const properties = { style: { height: (this._defaultHeight / this._stepperDefaultWidth * containerWidth) + "px", transform: `translate(${containerWidth / 2 + 2}px, 0)`, width: (this._controlsDefaultWidth / this._stepperDefaultWidth * containerWidth) + "px", }, }; const className = ".mapillary-sequence-controls" + (this._expandControls ? ".mapillary-sequence-controls-expanded" : ""); return virtualDom.h("div" + className, properties, [playback, timeline, expander]); } _createSequenceArrows(nextId, prevId, containerWidth, configuration, navigator) { let nextProperties = { onclick: nextId != null ? () => { navigator.moveDir$(exports.NavigationDirection.Next) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); } : null, onpointerenter: () => { this._mouseEnterDirection$.next(exports.NavigationDirection.Next); }, onpointerleave: () => { this._mouseLeaveDirection$.next(exports.NavigationDirection.Next); }, }; const borderRadius = Math.round(8 / this._stepperDefaultWidth * containerWidth); let prevProperties = { onclick: prevId != null ? () => { navigator.moveDir$(exports.NavigationDirection.Prev) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); } : null, onpointerenter: () => { this._mouseEnterDirection$.next(exports.NavigationDirection.Prev); }, onpointerleave: () => { this._mouseLeaveDirection$.next(exports.NavigationDirection.Prev); }, style: { "border-bottom-left-radius": `${borderRadius}px`, "border-top-left-radius": `${borderRadius}px`, }, }; let nextClass = this._getStepClassName(exports.NavigationDirection.Next, nextId, configuration.highlightId); let prevClass = this._getStepClassName(exports.NavigationDirection.Prev, prevId, configuration.highlightId); let nextIcon = virtualDom.h("div.mapillary-sequence-icon", []); let prevIcon = virtualDom.h("div.mapillary-sequence-icon", []); return [ virtualDom.h("div." + prevClass, prevProperties, [prevIcon]), virtualDom.h("div." + nextClass, nextProperties, [nextIcon]), ]; } _createStepper(edgeStatus, configuration, playEnabled, containerWidth, component, navigator) { let nextId = null; let prevId = null; for (let edge of edgeStatus.edges) { if (edge.data.direction === exports.NavigationDirection.Next) { nextId = edge.target; } if (edge.data.direction === exports.NavigationDirection.Prev) { prevId = edge.target; } } const playingButton = this._createPlayingButton(nextId, prevId, playEnabled, configuration, component); const buttons = this._createSequenceArrows(nextId, prevId, containerWidth, configuration, navigator); buttons.splice(1, 0, playingButton); const containerProperties = { oncontextmenu: (event) => { event.preventDefault(); }, style: { height: (this._defaultHeight / this._stepperDefaultWidth * containerWidth) + "px", width: containerWidth + "px", }, }; return virtualDom.h("div.mapillary-sequence-stepper", containerProperties, buttons); } _createTimelineControls(containerWidth, index, max) { if (this._mode !== SequenceMode.Timeline) { return virtualDom.h("div.mapillary-sequence-timeline", []); } const positionInput = this._createPositionInput(index, max); const closeIcon = virtualDom.h("div.mapillary-sequence-close-icon.mapillary-sequence-icon-visible", []); const closeButtonProperties = { onclick: () => { this._mode = SequenceMode.Default; this._notifyChanged$.next(this); }, }; const closeButton = virtualDom.h("div.mapillary-sequence-close-button", closeButtonProperties, [closeIcon]); const top = Math.round(containerWidth / this._stepperDefaultWidth * this._defaultHeight + 10); const playbackProperties = { style: { top: `${top}px` } }; return virtualDom.h("div.mapillary-sequence-timeline", playbackProperties, [positionInput, closeButton]); } _getStepClassName(direction, imageId, highlightId) { let className = direction === exports.NavigationDirection.Next ? "mapillary-sequence-step-next" : "mapillary-sequence-step-prev"; if (imageId == null) { className += "-inactive"; } else { if (highlightId === imageId) { className += "-highlight"; } } return className; } _setChangingPosition(value) { this._changingPosition = value; this._notifyChangingPositionChanged$.next(value); } } /** * @class DataProviderBase * * @classdesc Base class to extend if implementing a data provider * class. * * @fires datacreate * * @example * ```js * class MyDataProvider extends DataProviderBase { * constructor() { * super(new S2GeometryProvider()); * } * ... * } * ``` */ class DataProviderBase extends EventEmitter { /** * Create a new data provider base instance. * * @param {IGeometryProvider} geometry - Geometry * provider instance. */ constructor(_geometry) { super(); this._geometry = _geometry; } /** * Get geometry property. * * @returns {IGeometryProvider} Geometry provider instance. */ get geometry() { return this._geometry; } fire(type, event) { super.fire(type, event); } /** * Get core images in a geometry cell. * * @param {string} cellId - The id of the geometry cell. * @returns {Promise} Promise to * the core images of the requested geometry cell id. * @throws Rejects the promise on errors. */ getCoreImages(cellId) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get a cluster reconstruction. * * @param {string} url - URL for the cluster reconstruction * to retrieve. * @param {Promise} [abort] - Optional promise for aborting * the request through rejection. * @returns {Promise} Promise to the * cluster reconstruction. * @throws Rejects the promise on errors. */ getCluster(url, abort) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get spatial images. * * @param {Array} imageIds - The ids for the * images to retrieve. * @returns {Promise} Promise to * the spatial images of the requested image ids. * @throws Rejects the promise on errors. */ getSpatialImages(imageIds) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get complete images. * * @param {Array} imageIds - The ids for the * images to retrieve. * @returns {Promise} Promise to the images of the * requested image ids. * @throws Rejects the promise on errors. */ getImages(imageIds) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get an image as an array buffer. * * @param {string} url - URL for image to retrieve. * @param {Promise} [abort] - Optional promise for aborting * the request through rejection. * @returns {Promise} Promise to the array * buffer containing the image. * @throws Rejects the promise on errors. */ getImageBuffer(url, abort) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get image tiles urls for a tile level. * * @param {ImageTilesRequestContract} tiles - Tiles to request * @returns {Promise} Promise to the * image tiles response contract * * @throws Rejects the promise on errors. * * @example * ```js * var tileRequest = { imageId: "image-id", z: 12 }; * provider.getImageTiles(tileRequest) * .then((response) => console.log(response)); * ``` */ getImageTiles(tiles) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get a mesh. * * @param {string} url - URL for mesh to retrieve. * @param {Promise} [abort] - Optional promise for aborting * the request through rejection. * @returns {Promise} Promise to the mesh. * @throws Rejects the promise on errors. */ getMesh(url, abort) { return Promise.reject(new MapillaryError("Not implemented")); } /** * Get sequence. * * @param {Array} sequenceId - The id for the * sequence to retrieve. * @returns {Promise} Promise to the sequences of the * requested image ids. * @throws Rejects the promise on errors. */ getSequence(sequenceId) { return Promise.reject(new MapillaryError("Not implemented")); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } /** * Set an access token for authenticated API requests of * protected resources. * * @param {string} [accessToken] accessToken - User access * token or client access token. */ setAccessToken(accessToken) { throw new MapillaryError("Not implemented"); } } var s2geometry = {exports: {}}; function commonjsRequire(path) { throw new Error("Could not dynamically require "" + path + "". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work."); } var long = {exports: {}}; /* Copyright 2013 Daniel Wirtz Copyright 2009 The Closure Library Authors. All Rights Reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS-IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ var hasRequiredLong; function requireLong () { if (hasRequiredLong) return long.exports; hasRequiredLong = 1; (function (module) { /** * @license long.js (c) 2013 Daniel Wirtz * Released under the Apache License, Version 2.0 * see: https://github.com/dcodeIO/long.js for details */ (function(global, factory) { /* AMD */ if (typeof commonjsRequire === "function" && "object" === "object" && module && module["exports"]) module["exports"] = factory(); /* Global */ else (global["dcodeIO"] = global["dcodeIO"] || {})["Long"] = factory(); })(commonjsGlobal, function() { /** * Constructs a 64 bit two"s-complement integer, given its low and high 32 bit values as *signed* integers. * See the from* functions below for more convenient ways of constructing Longs. * @exports Long * @class A Long class for representing a 64 bit two"s-complement integer value. * @param {number} low The low (signed) 32 bits of the long * @param {number} high The high (signed) 32 bits of the long * @param {boolean=} unsigned Whether unsigned or not, defaults to `false` for signed * @constructor */ function Long(low, high, unsigned) { /** * The low 32 bits as a signed value. * @type {number} */ this.low = low | 0; /** * The high 32 bits as a signed value. * @type {number} */ this.high = high | 0; /** * Whether unsigned or not. * @type {boolean} */ this.unsigned = !!unsigned; } // The internal representation of a long is the two given signed, 32-bit values. // We use 32-bit pieces because these are the size of integers on which // Javascript performs bit-operations. For operations like addition and // multiplication, we split each number into 16 bit pieces, which can easily be // multiplied within Javascript"s floating-point representation without overflow // or change in sign. // // In the algorithms below, we frequently reduce the negative case to the // positive case by negating the input(s) and then post-processing the result. // Note that we must ALWAYS check specially whether those values are MIN_VALUE // (-2^63) because -MIN_VALUE == MIN_VALUE (since 2^63 cannot be represented as // a positive number, it overflows back into a negative). Not handling this // case would often result in infinite recursion. // // Common constant values ZERO, ONE, NEG_ONE, etc. are defined below the from* // methods on which they depend. /** * An indicator used to reliably determine if an object is a Long or not. * @type {boolean} * @const * @private */ Long.prototype.__isLong__; Object.defineProperty(Long.prototype, "__isLong__", { value: true, enumerable: false, configurable: false }); /** * @function * @param {*} obj Object * @returns {boolean} * @inner */ function isLong(obj) { return (obj && obj["__isLong__"]) === true; } /** * Tests if the specified object is a Long. * @function * @param {*} obj Object * @returns {boolean} */ Long.isLong = isLong; /** * A cache of the Long representations of small integer values. * @type {!Object} * @inner */ var INT_CACHE = {}; /** * A cache of the Long representations of small unsigned integer values. * @type {!Object} * @inner */ var UINT_CACHE = {}; /** * @param {number} value * @param {boolean=} unsigned * @returns {!Long} * @inner */ function fromInt(value, unsigned) { var obj, cachedObj, cache; if (unsigned) { value >>>= 0; if (cache = (0 <= value && value < 256)) { cachedObj = UINT_CACHE[value]; if (cachedObj) return cachedObj; } obj = fromBits(value, (value | 0) < 0 ? -1 : 0, true); if (cache) UINT_CACHE[value] = obj; return obj; } else { value |= 0; if (cache = (-128 <= value && value < 128)) { cachedObj = INT_CACHE[value]; if (cachedObj) return cachedObj; } obj = fromBits(value, value < 0 ? -1 : 0, false); if (cache) INT_CACHE[value] = obj; return obj; } } /** * Returns a Long representing the given 32 bit integer value. * @function * @param {number} value The 32 bit integer in question * @param {boolean=} unsigned Whether unsigned or not, defaults to `false` for signed * @returns {!Long} The corresponding Long value */ Long.fromInt = fromInt; /** * @param {number} value * @param {boolean=} unsigned * @returns {!Long} * @inner */ function fromNumber(value, unsigned) { if (isNaN(value) || !isFinite(value)) return unsigned ? UZERO : ZERO; if (unsigned) { if (value < 0) return UZERO; if (value >= TWO_PWR_64_DBL) return MAX_UNSIGNED_VALUE; } else { if (value <= -TWO_PWR_63_DBL) return MIN_VALUE; if (value + 1 >= TWO_PWR_63_DBL) return MAX_VALUE; } if (value < 0) return fromNumber(-value, unsigned).neg(); return fromBits((value % TWO_PWR_32_DBL) | 0, (value / TWO_PWR_32_DBL) | 0, unsigned); } /** * Returns a Long representing the given value, provided that it is a finite number. Otherwise, zero is returned. * @function * @param {number} value The number in question * @param {boolean=} unsigned Whether unsigned or not, defaults to `false` for signed * @returns {!Long} The corresponding Long value */ Long.fromNumber = fromNumber; /** * @param {number} lowBits * @param {number} highBits * @param {boolean=} unsigned * @returns {!Long} * @inner */ function fromBits(lowBits, highBits, unsigned) { return new Long(lowBits, highBits, unsigned); } /** * Returns a Long representing the 64 bit integer that comes by concatenating the given low and high bits. Each is * assumed to use 32 bits. * @function * @param {number} lowBits The low 32 bits * @param {number} highBits The high 32 bits * @param {boolean=} unsigned Whether unsigned or not, defaults to `false` for signed * @returns {!Long} The corresponding Long value */ Long.fromBits = fromBits; /** * @function * @param {number} base * @param {number} exponent * @returns {number} * @inner */ var pow_dbl = Math.pow; // Used 4 times (4*8 to 15+4) /** * @param {string} str * @param {(boolean|number)=} unsigned * @param {number=} radix * @returns {!Long} * @inner */ function fromString(str, unsigned, radix) { if (str.length === 0) throw Error("empty string"); if (str === "NaN" || str === "Infinity" || str === "+Infinity" || str === "-Infinity") return ZERO; if (typeof unsigned === "number") { // For goog.math.long compatibility radix = unsigned, unsigned = false; } else { unsigned = !! unsigned; } radix = radix || 10; if (radix < 2 || 36 < radix) throw RangeError("radix"); var p; if ((p = str.indexOf("-")) > 0) throw Error("interior hyphen"); else if (p === 0) { return fromString(str.substring(1), unsigned, radix).neg(); } // Do several (8) digits each time through the loop, so as to // minimize the calls to the very expensive emulated div. var radixToPower = fromNumber(pow_dbl(radix, 8)); var result = ZERO; for (var i = 0; i < str.length; i += 8) { var size = Math.min(8, str.length - i), value = parseInt(str.substring(i, i + size), radix); if (size < 8) { var power = fromNumber(pow_dbl(radix, size)); result = result.mul(power).add(fromNumber(value)); } else { result = result.mul(radixToPower); result = result.add(fromNumber(value)); } } result.unsigned = unsigned; return result; } /** * Returns a Long representation of the given string, written using the specified radix. * @function * @param {string} str The textual representation of the Long * @param {(boolean|number)=} unsigned Whether unsigned or not, defaults to `false` for signed * @param {number=} radix The radix in which the text is written (2-36), defaults to 10 * @returns {!Long} The corresponding Long value */ Long.fromString = fromString; /** * @function * @param {!Long|number|string|!{low: number, high: number, unsigned: boolean}} val * @returns {!Long} * @inner */ function fromValue(val) { if (val /* is compatible */ instanceof Long) return val; if (typeof val === "number") return fromNumber(val); if (typeof val === "string") return fromString(val); // Throws for non-objects, converts non-instanceof Long: return fromBits(val.low, val.high, val.unsigned); } /** * Converts the specified value to a Long. * @function * @param {!Long|number|string|!{low: number, high: number, unsigned: boolean}} val Value * @returns {!Long} */ Long.fromValue = fromValue; // NOTE: the compiler should inline these constant values below and then remove these variables, so there should be // no runtime penalty for these. /** * @type {number} * @const * @inner */ var TWO_PWR_16_DBL = 1 << 16; /** * @type {number} * @const * @inner */ var TWO_PWR_24_DBL = 1 << 24; /** * @type {number} * @const * @inner */ var TWO_PWR_32_DBL = TWO_PWR_16_DBL * TWO_PWR_16_DBL; /** * @type {number} * @const * @inner */ var TWO_PWR_64_DBL = TWO_PWR_32_DBL * TWO_PWR_32_DBL; /** * @type {number} * @const * @inner */ var TWO_PWR_63_DBL = TWO_PWR_64_DBL / 2; /** * @type {!Long} * @const * @inner */ var TWO_PWR_24 = fromInt(TWO_PWR_24_DBL); /** * @type {!Long} * @inner */ var ZERO = fromInt(0); /** * Signed zero. * @type {!Long} */ Long.ZERO = ZERO; /** * @type {!Long} * @inner */ var UZERO = fromInt(0, true); /** * Unsigned zero. * @type {!Long} */ Long.UZERO = UZERO; /** * @type {!Long} * @inner */ var ONE = fromInt(1); /** * Signed one. * @type {!Long} */ Long.ONE = ONE; /** * @type {!Long} * @inner */ var UONE = fromInt(1, true); /** * Unsigned one. * @type {!Long} */ Long.UONE = UONE; /** * @type {!Long} * @inner */ var NEG_ONE = fromInt(-1); /** * Signed negative one. * @type {!Long} */ Long.NEG_ONE = NEG_ONE; /** * @type {!Long} * @inner */ var MAX_VALUE = fromBits(0xFFFFFFFF|0, 0x7FFFFFFF|0, false); /** * Maximum signed value. * @type {!Long} */ Long.MAX_VALUE = MAX_VALUE; /** * @type {!Long} * @inner */ var MAX_UNSIGNED_VALUE = fromBits(0xFFFFFFFF|0, 0xFFFFFFFF|0, true); /** * Maximum unsigned value. * @type {!Long} */ Long.MAX_UNSIGNED_VALUE = MAX_UNSIGNED_VALUE; /** * @type {!Long} * @inner */ var MIN_VALUE = fromBits(0, 0x80000000|0, false); /** * Minimum signed value. * @type {!Long} */ Long.MIN_VALUE = MIN_VALUE; /** * @alias Long.prototype * @inner */ var LongPrototype = Long.prototype; /** * Converts the Long to a 32 bit integer, assuming it is a 32 bit integer. * @returns {number} */ LongPrototype.toInt = function toInt() { return this.unsigned ? this.low >>> 0 : this.low; }; /** * Converts the Long to a the nearest floating-point representation of this value (double, 53 bit mantissa). * @returns {number} */ LongPrototype.toNumber = function toNumber() { if (this.unsigned) return ((this.high >>> 0) * TWO_PWR_32_DBL) + (this.low >>> 0); return this.high * TWO_PWR_32_DBL + (this.low >>> 0); }; /** * Converts the Long to a string written in the specified radix. * @param {number=} radix Radix (2-36), defaults to 10 * @returns {string} * @override * @throws {RangeError} If `radix` is out of range */ LongPrototype.toString = function toString(radix) { radix = radix || 10; if (radix < 2 || 36 < radix) throw RangeError("radix"); if (this.isZero()) return "0"; if (this.isNegative()) { // Unsigned Longs are never negative if (this.eq(MIN_VALUE)) { // We need to change the Long value before it can be negated, so we remove // the bottom-most digit in this base and then recurse to do the rest. var radixLong = fromNumber(radix), div = this.div(radixLong), rem1 = div.mul(radixLong).sub(this); return div.toString(radix) + rem1.toInt().toString(radix); } else return "-" + this.neg().toString(radix); } // Do several (6) digits each time through the loop, so as to // minimize the calls to the very expensive emulated div. var radixToPower = fromNumber(pow_dbl(radix, 6), this.unsigned), rem = this; var result = ""; while (true) { var remDiv = rem.div(radixToPower), intval = rem.sub(remDiv.mul(radixToPower)).toInt() >>> 0, digits = intval.toString(radix); rem = remDiv; if (rem.isZero()) return digits + result; else { while (digits.length < 6) digits = "0" + digits; result = "" + digits + result; } } }; /** * Gets the high 32 bits as a signed integer. * @returns {number} Signed high bits */ LongPrototype.getHighBits = function getHighBits() { return this.high; }; /** * Gets the high 32 bits as an unsigned integer. * @returns {number} Unsigned high bits */ LongPrototype.getHighBitsUnsigned = function getHighBitsUnsigned() { return this.high >>> 0; }; /** * Gets the low 32 bits as a signed integer. * @returns {number} Signed low bits */ LongPrototype.getLowBits = function getLowBits() { return this.low; }; /** * Gets the low 32 bits as an unsigned integer. * @returns {number} Unsigned low bits */ LongPrototype.getLowBitsUnsigned = function getLowBitsUnsigned() { return this.low >>> 0; }; /** * Gets the number of bits needed to represent the absolute value of this Long. * @returns {number} */ LongPrototype.getNumBitsAbs = function getNumBitsAbs() { if (this.isNegative()) // Unsigned Longs are never negative return this.eq(MIN_VALUE) ? 64 : this.neg().getNumBitsAbs(); var val = this.high != 0 ? this.high : this.low; for (var bit = 31; bit > 0; bit--) if ((val & (1 << bit)) != 0) break; return this.high != 0 ? bit + 33 : bit + 1; }; /** * Tests if this Long"s value equals zero. * @returns {boolean} */ LongPrototype.isZero = function isZero() { return this.high === 0 && this.low === 0; }; /** * Tests if this Long"s value is negative. * @returns {boolean} */ LongPrototype.isNegative = function isNegative() { return !this.unsigned && this.high < 0; }; /** * Tests if this Long"s value is positive. * @returns {boolean} */ LongPrototype.isPositive = function isPositive() { return this.unsigned || this.high >= 0; }; /** * Tests if this Long"s value is odd. * @returns {boolean} */ LongPrototype.isOdd = function isOdd() { return (this.low & 1) === 1; }; /** * Tests if this Long"s value is even. * @returns {boolean} */ LongPrototype.isEven = function isEven() { return (this.low & 1) === 0; }; /** * Tests if this Long"s value equals the specified"s. * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.equals = function equals(other) { if (!isLong(other)) other = fromValue(other); if (this.unsigned !== other.unsigned && (this.high >>> 31) === 1 && (other.high >>> 31) === 1) return false; return this.high === other.high && this.low === other.low; }; /** * Tests if this Long"s value equals the specified"s. This is an alias of {@link Long#equals}. * @function * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.eq = LongPrototype.equals; /** * Tests if this Long"s value differs from the specified"s. * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.notEquals = function notEquals(other) { return !this.eq(/* validates */ other); }; /** * Tests if this Long"s value differs from the specified"s. This is an alias of {@link Long#notEquals}. * @function * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.neq = LongPrototype.notEquals; /** * Tests if this Long"s value is less than the specified"s. * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.lessThan = function lessThan(other) { return this.comp(/* validates */ other) < 0; }; /** * Tests if this Long"s value is less than the specified"s. This is an alias of {@link Long#lessThan}. * @function * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.lt = LongPrototype.lessThan; /** * Tests if this Long"s value is less than or equal the specified"s. * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.lessThanOrEqual = function lessThanOrEqual(other) { return this.comp(/* validates */ other) <= 0; }; /** * Tests if this Long"s value is less than or equal the specified"s. This is an alias of {@link Long#lessThanOrEqual}. * @function * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.lte = LongPrototype.lessThanOrEqual; /** * Tests if this Long"s value is greater than the specified"s. * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.greaterThan = function greaterThan(other) { return this.comp(/* validates */ other) > 0; }; /** * Tests if this Long"s value is greater than the specified"s. This is an alias of {@link Long#greaterThan}. * @function * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.gt = LongPrototype.greaterThan; /** * Tests if this Long"s value is greater than or equal the specified"s. * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.greaterThanOrEqual = function greaterThanOrEqual(other) { return this.comp(/* validates */ other) >= 0; }; /** * Tests if this Long"s value is greater than or equal the specified"s. This is an alias of {@link Long#greaterThanOrEqual}. * @function * @param {!Long|number|string} other Other value * @returns {boolean} */ LongPrototype.gte = LongPrototype.greaterThanOrEqual; /** * Compares this Long"s value with the specified"s. * @param {!Long|number|string} other Other value * @returns {number} 0 if they are the same, 1 if the this is greater and -1 * if the given one is greater */ LongPrototype.compare = function compare(other) { if (!isLong(other)) other = fromValue(other); if (this.eq(other)) return 0; var thisNeg = this.isNegative(), otherNeg = other.isNegative(); if (thisNeg && !otherNeg) return -1; if (!thisNeg && otherNeg) return 1; // At this point the sign bits are the same if (!this.unsigned) return this.sub(other).isNegative() ? -1 : 1; // Both are positive if at least one is unsigned return (other.high >>> 0) > (this.high >>> 0) || (other.high === this.high && (other.low >>> 0) > (this.low >>> 0)) ? -1 : 1; }; /** * Compares this Long"s value with the specified"s. This is an alias of {@link Long#compare}. * @function * @param {!Long|number|string} other Other value * @returns {number} 0 if they are the same, 1 if the this is greater and -1 * if the given one is greater */ LongPrototype.comp = LongPrototype.compare; /** * Negates this Long"s value. * @returns {!Long} Negated Long */ LongPrototype.negate = function negate() { if (!this.unsigned && this.eq(MIN_VALUE)) return MIN_VALUE; return this.not().add(ONE); }; /** * Negates this Long"s value. This is an alias of {@link Long#negate}. * @function * @returns {!Long} Negated Long */ LongPrototype.neg = LongPrototype.negate; /** * Returns the sum of this and the specified Long. * @param {!Long|number|string} addend Addend * @returns {!Long} Sum */ LongPrototype.add = function add(addend) { if (!isLong(addend)) addend = fromValue(addend); // Divide each number into 4 chunks of 16 bits, and then sum the chunks. var a48 = this.high >>> 16; var a32 = this.high & 0xFFFF; var a16 = this.low >>> 16; var a00 = this.low & 0xFFFF; var b48 = addend.high >>> 16; var b32 = addend.high & 0xFFFF; var b16 = addend.low >>> 16; var b00 = addend.low & 0xFFFF; var c48 = 0, c32 = 0, c16 = 0, c00 = 0; c00 += a00 + b00; c16 += c00 >>> 16; c00 &= 0xFFFF; c16 += a16 + b16; c32 += c16 >>> 16; c16 &= 0xFFFF; c32 += a32 + b32; c48 += c32 >>> 16; c32 &= 0xFFFF; c48 += a48 + b48; c48 &= 0xFFFF; return fromBits((c16 << 16) | c00, (c48 << 16) | c32, this.unsigned); }; /** * Returns the difference of this and the specified Long. * @param {!Long|number|string} subtrahend Subtrahend * @returns {!Long} Difference */ LongPrototype.subtract = function subtract(subtrahend) { if (!isLong(subtrahend)) subtrahend = fromValue(subtrahend); return this.add(subtrahend.neg()); }; /** * Returns the difference of this and the specified Long. This is an alias of {@link Long#subtract}. * @function * @param {!Long|number|string} subtrahend Subtrahend * @returns {!Long} Difference */ LongPrototype.sub = LongPrototype.subtract; /** * Returns the product of this and the specified Long. * @param {!Long|number|string} multiplier Multiplier * @returns {!Long} Product */ LongPrototype.multiply = function multiply(multiplier) { if (this.isZero()) return ZERO; if (!isLong(multiplier)) multiplier = fromValue(multiplier); if (multiplier.isZero()) return ZERO; if (this.eq(MIN_VALUE)) return multiplier.isOdd() ? MIN_VALUE : ZERO; if (multiplier.eq(MIN_VALUE)) return this.isOdd() ? MIN_VALUE : ZERO; if (this.isNegative()) { if (multiplier.isNegative()) return this.neg().mul(multiplier.neg()); else return this.neg().mul(multiplier).neg(); } else if (multiplier.isNegative()) return this.mul(multiplier.neg()).neg(); // If both longs are small, use float multiplication if (this.lt(TWO_PWR_24) && multiplier.lt(TWO_PWR_24)) return fromNumber(this.toNumber() * multiplier.toNumber(), this.unsigned); // Divide each long into 4 chunks of 16 bits, and then add up 4x4 products. // We can skip products that would overflow. var a48 = this.high >>> 16; var a32 = this.high & 0xFFFF; var a16 = this.low >>> 16; var a00 = this.low & 0xFFFF; var b48 = multiplier.high >>> 16; var b32 = multiplier.high & 0xFFFF; var b16 = multiplier.low >>> 16; var b00 = multiplier.low & 0xFFFF; var c48 = 0, c32 = 0, c16 = 0, c00 = 0; c00 += a00 * b00; c16 += c00 >>> 16; c00 &= 0xFFFF; c16 += a16 * b00; c32 += c16 >>> 16; c16 &= 0xFFFF; c16 += a00 * b16; c32 += c16 >>> 16; c16 &= 0xFFFF; c32 += a32 * b00; c48 += c32 >>> 16; c32 &= 0xFFFF; c32 += a16 * b16; c48 += c32 >>> 16; c32 &= 0xFFFF; c32 += a00 * b32; c48 += c32 >>> 16; c32 &= 0xFFFF; c48 += a48 * b00 + a32 * b16 + a16 * b32 + a00 * b48; c48 &= 0xFFFF; return fromBits((c16 << 16) | c00, (c48 << 16) | c32, this.unsigned); }; /** * Returns the product of this and the specified Long. This is an alias of {@link Long#multiply}. * @function * @param {!Long|number|string} multiplier Multiplier * @returns {!Long} Product */ LongPrototype.mul = LongPrototype.multiply; /** * Returns this Long divided by the specified. The result is signed if this Long is signed or * unsigned if this Long is unsigned. * @param {!Long|number|string} divisor Divisor * @returns {!Long} Quotient */ LongPrototype.divide = function divide(divisor) { if (!isLong(divisor)) divisor = fromValue(divisor); if (divisor.isZero()) throw Error("division by zero"); if (this.isZero()) return this.unsigned ? UZERO : ZERO; var approx, rem, res; if (!this.unsigned) { // This section is only relevant for signed longs and is derived from the // closure library as a whole. if (this.eq(MIN_VALUE)) { if (divisor.eq(ONE) || divisor.eq(NEG_ONE)) return MIN_VALUE; // recall that -MIN_VALUE == MIN_VALUE else if (divisor.eq(MIN_VALUE)) return ONE; else { // At this point, we have |other| >= 2, so |this/other| < |MIN_VALUE|. var halfThis = this.shr(1); approx = halfThis.div(divisor).shl(1); if (approx.eq(ZERO)) { return divisor.isNegative() ? ONE : NEG_ONE; } else { rem = this.sub(divisor.mul(approx)); res = approx.add(rem.div(divisor)); return res; } } } else if (divisor.eq(MIN_VALUE)) return this.unsigned ? UZERO : ZERO; if (this.isNegative()) { if (divisor.isNegative()) return this.neg().div(divisor.neg()); return this.neg().div(divisor).neg(); } else if (divisor.isNegative()) return this.div(divisor.neg()).neg(); res = ZERO; } else { // The algorithm below has not been made for unsigned longs. It"s therefore // required to take special care of the MSB prior to running it. if (!divisor.unsigned) divisor = divisor.toUnsigned(); if (divisor.gt(this)) return UZERO; if (divisor.gt(this.shru(1))) // 15 >>> 1 = 7 ; with divisor = 8 ; true return UONE; res = UZERO; } // Repeat the following until the remainder is less than other: find a // floating-point that approximates remainder / other *from below*, add this // into the result, and subtract it from the remainder. It is critical that // the approximate value is less than or equal to the real value so that the // remainder never becomes negative. rem = this; while (rem.gte(divisor)) { // Approximate the result of division. This may be a little greater or // smaller than the actual value. approx = Math.max(1, Math.floor(rem.toNumber() / divisor.toNumber())); // We will tweak the approximate result by changing it in the 48-th digit or // the smallest non-fractional digit, whichever is larger. var log2 = Math.ceil(Math.log(approx) / Math.LN2), delta = (log2 <= 48) ? 1 : pow_dbl(2, log2 - 48), // Decrease the approximation until it is smaller than the remainder. Note // that if it is too large, the product overflows and is negative. approxRes = fromNumber(approx), approxRem = approxRes.mul(divisor); while (approxRem.isNegative() || approxRem.gt(rem)) { approx -= delta; approxRes = fromNumber(approx, this.unsigned); approxRem = approxRes.mul(divisor); } // We know the answer can"t be zero... and actually, zero would cause // infinite recursion since we would make no progress. if (approxRes.isZero()) approxRes = ONE; res = res.add(approxRes); rem = rem.sub(approxRem); } return res; }; /** * Returns this Long divided by the specified. This is an alias of {@link Long#divide}. * @function * @param {!Long|number|string} divisor Divisor * @returns {!Long} Quotient */ LongPrototype.div = LongPrototype.divide; /** * Returns this Long modulo the specified. * @param {!Long|number|string} divisor Divisor * @returns {!Long} Remainder */ LongPrototype.modulo = function modulo(divisor) { if (!isLong(divisor)) divisor = fromValue(divisor); return this.sub(this.div(divisor).mul(divisor)); }; /** * Returns this Long modulo the specified. This is an alias of {@link Long#modulo}. * @function * @param {!Long|number|string} divisor Divisor * @returns {!Long} Remainder */ LongPrototype.mod = LongPrototype.modulo; /** * Returns the bitwise NOT of this Long. * @returns {!Long} */ LongPrototype.not = function not() { return fromBits(~this.low, ~this.high, this.unsigned); }; /** * Returns the bitwise AND of this Long and the specified. * @param {!Long|number|string} other Other Long * @returns {!Long} */ LongPrototype.and = function and(other) { if (!isLong(other)) other = fromValue(other); return fromBits(this.low & other.low, this.high & other.high, this.unsigned); }; /** * Returns the bitwise OR of this Long and the specified. * @param {!Long|number|string} other Other Long * @returns {!Long} */ LongPrototype.or = function or(other) { if (!isLong(other)) other = fromValue(other); return fromBits(this.low | other.low, this.high | other.high, this.unsigned); }; /** * Returns the bitwise XOR of this Long and the given one. * @param {!Long|number|string} other Other Long * @returns {!Long} */ LongPrototype.xor = function xor(other) { if (!isLong(other)) other = fromValue(other); return fromBits(this.low ^ other.low, this.high ^ other.high, this.unsigned); }; /** * Returns this Long with bits shifted to the left by the given amount. * @param {number|!Long} numBits Number of bits * @returns {!Long} Shifted Long */ LongPrototype.shiftLeft = function shiftLeft(numBits) { if (isLong(numBits)) numBits = numBits.toInt(); if ((numBits &= 63) === 0) return this; else if (numBits < 32) return fromBits(this.low << numBits, (this.high << numBits) | (this.low >>> (32 - numBits)), this.unsigned); else return fromBits(0, this.low << (numBits - 32), this.unsigned); }; /** * Returns this Long with bits shifted to the left by the given amount. This is an alias of {@link Long#shiftLeft}. * @function * @param {number|!Long} numBits Number of bits * @returns {!Long} Shifted Long */ LongPrototype.shl = LongPrototype.shiftLeft; /** * Returns this Long with bits arithmetically shifted to the right by the given amount. * @param {number|!Long} numBits Number of bits * @returns {!Long} Shifted Long */ LongPrototype.shiftRight = function shiftRight(numBits) { if (isLong(numBits)) numBits = numBits.toInt(); if ((numBits &= 63) === 0) return this; else if (numBits < 32) return fromBits((this.low >>> numBits) | (this.high << (32 - numBits)), this.high >> numBits, this.unsigned); else return fromBits(this.high >> (numBits - 32), this.high >= 0 ? 0 : -1, this.unsigned); }; /** * Returns this Long with bits arithmetically shifted to the right by the given amount. This is an alias of {@link Long#shiftRight}. * @function * @param {number|!Long} numBits Number of bits * @returns {!Long} Shifted Long */ LongPrototype.shr = LongPrototype.shiftRight; /** * Returns this Long with bits logically shifted to the right by the given amount. * @param {number|!Long} numBits Number of bits * @returns {!Long} Shifted Long */ LongPrototype.shiftRightUnsigned = function shiftRightUnsigned(numBits) { if (isLong(numBits)) numBits = numBits.toInt(); numBits &= 63; if (numBits === 0) return this; else { var high = this.high; if (numBits < 32) { var low = this.low; return fromBits((low >>> numBits) | (high << (32 - numBits)), high >>> numBits, this.unsigned); } else if (numBits === 32) return fromBits(high, 0, this.unsigned); else return fromBits(high >>> (numBits - 32), 0, this.unsigned); } }; /** * Returns this Long with bits logically shifted to the right by the given amount. This is an alias of {@link Long#shiftRightUnsigned}. * @function * @param {number|!Long} numBits Number of bits * @returns {!Long} Shifted Long */ LongPrototype.shru = LongPrototype.shiftRightUnsigned; /** * Converts this Long to signed. * @returns {!Long} Signed long */ LongPrototype.toSigned = function toSigned() { if (!this.unsigned) return this; return fromBits(this.low, this.high, false); }; /** * Converts this Long to unsigned. * @returns {!Long} Unsigned long */ LongPrototype.toUnsigned = function toUnsigned() { if (this.unsigned) return this; return fromBits(this.low, this.high, true); }; /** * Converts this Long to its byte representation. * @param {boolean=} le Whether little or big endian, defaults to big endian * @returns {!Array.} Byte representation */ LongPrototype.toBytes = function(le) { return le ? this.toBytesLE() : this.toBytesBE(); }; /** * Converts this Long to its little endian byte representation. * @returns {!Array.} Little endian byte representation */ LongPrototype.toBytesLE = function() { var hi = this.high, lo = this.low; return [ lo & 0xff, (lo >>> 8) & 0xff, (lo >>> 16) & 0xff, (lo >>> 24) & 0xff, hi & 0xff, (hi >>> 8) & 0xff, (hi >>> 16) & 0xff, (hi >>> 24) & 0xff ]; }; /** * Converts this Long to its big endian byte representation. * @returns {!Array.} Big endian byte representation */ LongPrototype.toBytesBE = function() { var hi = this.high, lo = this.low; return [ (hi >>> 24) & 0xff, (hi >>> 16) & 0xff, (hi >>> 8) & 0xff, hi & 0xff, (lo >>> 24) & 0xff, (lo >>> 16) & 0xff, (lo >>> 8) & 0xff, lo & 0xff ]; }; return Long; }); } (long)); return long.exports; } (function (module) { /// S2 Geometry functions // the regional scoreboard is based on a level 6 S2 Cell // - https://docs.google.com/presentation/d/1Hl4KapfAENAOf4gv-pSngKwvS_jwNVHRPZTTDzXXn6Q/view?pli=1#slide=id.i22 // at the time of writing there"s no actual API for the intel map to retrieve scoreboard data, // but it"s still useful to plot the score cells on the intel map // the S2 geometry is based on projecting the earth sphere onto a cube, with some scaling of face coordinates to // keep things close to approximate equal area for adjacent cells // to convert a lat,lng into a cell id: // - convert lat,lng to x,y,z // - convert x,y,z into face,u,v // - u,v scaled to s,t with quadratic formula // - s,t converted to integer i,j offsets // - i,j converted to a position along a Hubbert space-filling curve // - combine face,position to get the cell id //NOTE: compared to the google S2 geometry library, we vary from their code in the following ways // - cell IDs: they combine face and the hilbert curve position into a single 64 bit number. this gives efficient space // and speed. javascript doesn"t have appropriate data types, and speed is not cricical, so we use // as [face,[bitpair,bitpair,...]] instead // - i,j: they always use 30 bits, adjusting as needed. we use 0 to (1< temp[1]) { if (temp[0] > temp[2]) { return 0; } else { return 2; } } else { if (temp[1] > temp[2]) { return 1; } else { return 2; } } }; var faceXYZToUV = function(face,xyz) { var u,v; switch (face) { case 0: u = xyz[1]/xyz[0]; v = xyz[2]/xyz[0]; break; case 1: u = -xyz[0]/xyz[1]; v = xyz[2]/xyz[1]; break; case 2: u = -xyz[0]/xyz[2]; v = -xyz[1]/xyz[2]; break; case 3: u = xyz[2]/xyz[0]; v = xyz[1]/xyz[0]; break; case 4: u = xyz[2]/xyz[1]; v = -xyz[0]/xyz[1]; break; case 5: u = -xyz[1]/xyz[2]; v = -xyz[0]/xyz[2]; break; default: throw {error: "Invalid face"}; } return [u,v]; }; S2.XYZToFaceUV = function(xyz) { var face = largestAbsComponent(xyz); if (xyz[face] < 0) { face += 3; } var uv = faceXYZToUV (face,xyz); return [face, uv]; }; S2.FaceUVToXYZ = function(face,uv) { var u = uv[0]; var v = uv[1]; switch (face) { case 0: return [ 1, u, v]; case 1: return [-u, 1, v]; case 2: return [-u,-v, 1]; case 3: return [-1,-v,-u]; case 4: return [ v,-1,-u]; case 5: return [ v, u,-1]; default: throw {error: "Invalid face"}; } }; var singleSTtoUV = function(st) { if (st >= 0.5) { return (1/3.0) * (4*st*st - 1); } else { return (1/3.0) * (1 - (4*(1-st)*(1-st))); } }; S2.STToUV = function(st) { return [singleSTtoUV(st[0]), singleSTtoUV(st[1])]; }; var singleUVtoST = function(uv) { if (uv >= 0) { return 0.5 * Math.sqrt (1 + 3*uv); } else { return 1 - 0.5 * Math.sqrt (1 - 3*uv); } }; S2.UVToST = function(uv) { return [singleUVtoST(uv[0]), singleUVtoST(uv[1])]; }; S2.STToIJ = function(st,order) { var maxSize = (1<=0; i--) { var mask = 1<= 0; i--) { level = maxLevel - i; bit = position[i]; rx = 0; ry = 0; if (bit === "1") { ry = 1; } else if (bit === "2") { rx = 1; ry = 1; } else if (bit === "3") { rx = 1; } val = Math.pow(2, level - 1); rotateAndFlipQuadrant(val, point, rx, ry); point.x += val * rx; point.y += val * ry; } if (face % 2 === 1) { var t = point.x; point.x = point.y; point.y = t; } return S2.S2Cell.FromFaceIJ(parseInt(face), [point.x, point.y], level); }; //static method to construct S2.S2Cell.FromLatLng = function(latLng, level) { if ((!latLng.lat && latLng.lat !== 0) || (!latLng.lng && latLng.lng !== 0)) { throw new Error("Pass { lat: lat, lng: lng } to S2.S2Cell.FromLatLng"); } var xyz = S2.LatLngToXYZ(latLng); var faceuv = S2.XYZToFaceUV(xyz); var st = S2.UVToST(faceuv[1]); var ij = S2.STToIJ(st,level); return S2.S2Cell.FromFaceIJ (faceuv[0], ij, level); }; /* S2.faceIjLevelToXyz = function (face, ij, level) { var st = S2.IJToST(ij, level, [0.5, 0.5]); var uv = S2.STToUV(st); var xyz = S2.FaceUVToXYZ(face, uv); return S2.XYZToLatLng(xyz); return xyz; }; */ S2.S2Cell.FromFaceIJ = function(face,ij,level) { var cell = new S2.S2Cell(); cell.face = face; cell.ij = ij; cell.level = level; return cell; }; S2.S2Cell.prototype.toString = function() { return "F"+this.face+"ij["+this.ij[0]+","+this.ij[1]+"]@"+this.level; }; S2.S2Cell.prototype.getLatLng = function() { var st = S2.IJToST(this.ij,this.level, [0.5,0.5]); var uv = S2.STToUV(st); var xyz = S2.FaceUVToXYZ(this.face, uv); return S2.XYZToLatLng(xyz); }; S2.S2Cell.prototype.getCornerLatLngs = function() { var result = []; var offsets = [ [ 0.0, 0.0 ], [ 0.0, 1.0 ], [ 1.0, 1.0 ], [ 1.0, 0.0 ] ]; for (var i=0; i<4; i++) { var st = S2.IJToST(this.ij, this.level, offsets[i]); var uv = S2.STToUV(st); var xyz = S2.FaceUVToXYZ(this.face, uv); result.push ( S2.XYZToLatLng(xyz) ); } return result; }; S2.S2Cell.prototype.getFaceAndQuads = function () { var quads = pointToHilbertQuadList(this.ij[0], this.ij[1], this.level, this.face); return [this.face,quads]; }; S2.S2Cell.prototype.toHilbertQuadkey = function () { var quads = pointToHilbertQuadList(this.ij[0], this.ij[1], this.level, this.face); return this.face.toString(10) + "/" + quads.join(""); }; S2.latLngToNeighborKeys = S2.S2Cell.latLngToNeighborKeys = function (lat, lng, level) { return S2.S2Cell.FromLatLng({ lat: lat, lng: lng }, level).getNeighbors().map(function (cell) { return cell.toHilbertQuadkey(); }); }; S2.S2Cell.prototype.getNeighbors = function() { var fromFaceIJWrap = function(face,ij,level) { var maxSize = (1<=0 && ij[1]>=0 && ij[0] levelN) { posS = posS.substr(0, levelN); } // 3-bit face value faceB = Long.fromString(faceN.toString(10), true, 10).toString(2); while (faceB.length < S2.FACE_BITS) { faceB = "0" + faceB; } // 60-bit position value posB = Long.fromString(posS, true, 4).toString(2); while (posB.length < (2 * levelN)) { posB = "0" + posB; } bin = faceB + posB; // 1-bit lsb marker bin += "1"; // n-bit padding to 64-bits while (bin.length < (S2.FACE_BITS + S2.POS_BITS)) { bin += "0"; } return Long.fromString(bin, true, 2).toString(10); }; S2.keyToId = S2.S2Cell.keyToId = S2.toId = S2.toCellId = S2.fromKey = function (key) { var parts = key.split("/"); return S2.fromFacePosLevel(parts[0], parts[1], parts[1].length); }; S2.idToKey = S2.S2Cell.idToKey = S2.S2Cell.toKey = S2.toKey = S2.fromId = S2.fromCellId = S2.S2Cell.toHilbertQuadkey = S2.toHilbertQuadkey = function (idS) { var Long = exports.dcodeIO && exports.dcodeIO.Long || requireLong(); var bin = Long.fromString(idS, true, 10).toString(2); while (bin.length < (S2.FACE_BITS + S2.POS_BITS)) { bin = "0" + bin; } // MUST come AFTER binstr has been left-padded with "0"s var lsbIndex = bin.lastIndexOf("1"); // substr(start, len) // substring(start, end) // includes start, does not include end var faceB = bin.substring(0, 3); // posB will always be a multiple of 2 (or it"s invalid) var posB = bin.substring(3, lsbIndex); var levelN = posB.length / 2; var faceS = Long.fromString(faceB, true, 2).toString(10); var posS = Long.fromString(posB, true, 2).toString(4); while (posS.length < levelN) { posS = "0" + posS; } return faceS + "/" + posS; }; S2.keyToLatLng = S2.S2Cell.keyToLatLng = function (key) { var cell2 = S2.S2Cell.FromHilbertQuadKey(key); return cell2.getLatLng(); }; S2.idToLatLng = S2.S2Cell.idToLatLng = function (id) { var key = S2.idToKey(id); return S2.keyToLatLng(key); }; S2.S2Cell.latLngToKey = S2.latLngToKey = S2.latLngToQuadkey = function (lat, lng, level) { if (isNaN(level) || level < 1 || level > 30) { throw new Error(""level" is not a number between 1 and 30 (but it should be)"); } // TODO // // S2.idToLatLng(id) // S2.keyToLatLng(key) // S2.nextFace(key) // prevent wrapping on nextKey // S2.prevFace(key) // prevent wrapping on prevKey // // .toKeyArray(id) // face,quadtree // .toKey(id) // hilbert // .toPoint(id) // ij // .toId(key) // uint64 (as string) // .toLong(key) // long.js // .toLatLng(id) // object? or array?, or string (with comma)? // // maybe S2.HQ.x, S2.GPS.x, S2.CI.x? return S2.S2Cell.FromLatLng({ lat: lat, lng: lng }, level).toHilbertQuadkey(); }; S2.stepKey = function (key, num) { var Long = exports.dcodeIO && exports.dcodeIO.Long || requireLong(); var parts = key.split("/"); var faceS = parts[0]; var posS = parts[1]; var level = parts[1].length; var posL = Long.fromString(posS, true, 4); // TODO handle wrapping (0 === pos + 1) // (only on the 12 edges of the globe) var otherL; if (num > 0) { otherL = posL.add(Math.abs(num)); } else if (num < 0) { otherL = posL.subtract(Math.abs(num)); } var otherS = otherL.toString(4); if ("0" === otherS) { console.warning(new Error("face/position wrapping is not yet supported")); } while (otherS.length < level) { otherS = "0" + otherS; } return faceS + "/" + otherS; }; S2.S2Cell.prevKey = S2.prevKey = function (key) { return S2.stepKey(key, -1); }; S2.S2Cell.nextKey = S2.nextKey = function (key) { return S2.stepKey(key, 1); }; })(module.exports ); } (s2geometry)); var s2geometryExports = s2geometry.exports; /** * @class GeometryProviderBase * * @classdesc Base class to extend if implementing a geometry * provider class. * * @example * ```js * class MyGeometryProvider extends GeometryProviderBase { * ... * } * ``` */ class GeometryProviderBase { /** * Create a new geometry provider base instance. */ constructor() { } /** * Convert a geodetic bounding box to the the minimum set * of cell ids containing the bounding box. * * @description The bounding box needs * to be sufficiently small to be contained in an area with the size * of maximally four tiles. Up to nine adjacent tiles may be returned. * * @param {LngLat} sw - South west corner of bounding box. * @param {LngLat} ne - North east corner of bounding box. * * @returns {Array} Array of cell ids. */ bboxToCellIds(sw, ne) { throw new MapillaryError("Not implemented"); } /** * Get the cell ids of all adjacent cells. * * @description In the case of approximately rectangular cells * this is typically the eight orthogonally and diagonally adjacent * cells. * * @param {string} cellId - Id of cell. * @returns {Array} Array of cell ids. No specific * order is guaranteed. */ getAdjacent(cellId) { throw new MapillaryError("Not implemented"); } /** * Get the vertices of a cell. * * @description The vertices form an unclosed * clockwise polygon in the 2D longitude, latitude * space. No assumption on the position of the first * vertex relative to the others can be made. * * @param {string} cellId - Id of cell. * @returns {Array} Unclosed clockwise polygon. */ getVertices(cellId) { throw new MapillaryError("Not implemented"); } /** * Convert geodetic coordinates to a cell id. * * @param {LngLat} lngLat - Longitude, latitude to convert. * @returns {string} Cell id for the longitude, latitude. */ lngLatToCellId(lngLat) { throw new MapillaryError("Not implemented"); } /** @ignore */ _approxBboxToCellIds(sw, ne) { if (ne.lat <= sw.lat || ne.lng <= sw.lng) { throw new MapillaryError("North east needs to be top right of south west"); } const centerLat = (sw.lat + ne.lat) / 2; const centerLng = (sw.lng + ne.lng) / 2; const enu = geodeticToEnu(ne.lng, ne.lat, 0, centerLng, centerLat, 0); const threshold = Math.max(enu[0], enu[1]); return this._lngLatToCellIds({ lat: centerLat, lng: centerLng }, threshold); } /** @ignore */ _enuToGeodetic(point, reference) { const [lng, lat] = enuToGeodetic(point[0], point[1], point[2], reference.lng, reference.lat, 0); return { lat, lng }; } /** @ignore */ _getLngLatBoundingBoxCorners(lngLat, threshold) { return [ [-threshold, threshold, 0], [threshold, threshold, 0], [threshold, -threshold, 0], [-threshold, -threshold, 0], ].map((point) => { return this._enuToGeodetic(point, lngLat); }); } /** * Convert a geodetic square to cell ids. * * The square is specified as a longitude, latitude * and a threshold from the position using Manhattan distance. * * @param {LngLat} lngLat - Longitude, latitude. * @param {number} threshold - Threshold of the conversion in meters. * * @returns {Array} Array of cell ids reachable within * the threshold. * * @ignore */ _lngLatToCellIds(lngLat, threshold) { const cellId = this.lngLatToCellId(lngLat); const bboxCorners = this._getLngLatBoundingBoxCorners(lngLat, threshold); for (const corner of bboxCorners) { const cid = this.lngLatToCellId(corner); if (cid !== cellId) { return [cellId, ...this.getAdjacent(cellId)]; } } return [cellId]; } } /** * @class S2GeometryProvider * * @classdesc Geometry provider based on S2 cells. * * @example * ```js * class MyDataProvider extends DataProviderBase { * ... * } * * const geometryProvider = new S2GeometryProvider(); * const dataProvider = new MyDataProvider(geometryProvider); * ``` */ class S2GeometryProvider extends GeometryProviderBase { /** * Create a new S2 geometry provider instance. */ constructor(_level = 17) { super(); this._level = _level; } /** @inheritdoc */ bboxToCellIds(sw, ne) { return this._approxBboxToCellIds(sw, ne); } /** @inheritdoc */ getAdjacent(cellId) { const k = s2geometryExports.S2.idToKey(cellId); const position = k.split("/")[1]; const level = position.length; const [a0, a1, a2, a3] = this._getNeighbors(k, level); const existing = [k, a0, a1, a2, a3]; const others = Array .from(new Set([ ...this._getNeighbors(a0, level), ...this._getNeighbors(a1, level), ...this._getNeighbors(a2, level), ...this._getNeighbors(a3, level), ].filter((o) => { return !existing.includes(o); }))); const adjacent = [a0, a1, a2, a3]; for (const other of others) { let count = 0; for (const n of this._getNeighbors(other, level)) { if (existing.includes(n)) { count++; } } if (count === 2) { adjacent.push(other); } } return adjacent.map((a) => s2geometryExports.S2.keyToId(a)); } /** @inheritdoc */ getVertices(cellId) { const key = s2geometryExports.S2.idToKey(cellId); const cell = s2geometryExports.S2.S2Cell.FromHilbertQuadKey(key); return cell .getCornerLatLngs() .map((c) => { return { lat: c.lat, lng: c.lng }; }); } /** @inheritdoc */ lngLatToCellId(lngLat) { return this._lngLatToId(lngLat, this._level); } _getNeighbors(s2key, level) { const latlng = s2geometryExports.S2.keyToLatLng(s2key); const neighbors = s2geometryExports.S2.latLngToNeighborKeys(latlng.lat, latlng.lng, level); return neighbors; } _lngLatToId(lngLat, level) { const s2key = s2geometryExports.S2.latLngToKey(lngLat.lat, lngLat.lng, level); return s2geometryExports.S2.keyToId(s2key); } } let Camera$1 = class Camera { constructor(type, projectToSfmFunction) { this.type = type; this.projectToSfmFunction = projectToSfmFunction; this.parameters = {}; this.uniforms = {}; } }; /** * Compute distortion given the distorted radius. * * Solves for d in the equation * * y = d(x, k1, k2) * x * * given the distorted radius, y. */ function distortionFromDistortedRadius(distortedRadius, k1, k2, radialPeak) { let d = 1.0; for (let i = 0; i < 10; i++) { let radius = distortedRadius / d; if (radius > radialPeak) { radius = radialPeak; } d = 1 + k1 * Math.pow(radius, 2) + k2 * Math.pow(radius, 4); } return d; } function makeRadialPeak(k1, k2) { const a = 5 * k2; const b = 3 * k1; const c = 1; const d = Math.pow(b, 2) - 4 * a * c; if (d < 0) { return Number.POSITIVE_INFINITY; } const root1 = (-b - Math.sqrt(d)) / 2 / a; const root2 = (-b + Math.sqrt(d)) / 2 / a; const minRoot = Math.min(root1, root2); const maxRoot = Math.max(root1, root2); return minRoot > 0 ? Math.sqrt(minRoot) : maxRoot > 0 ? Math.sqrt(maxRoot) : Number.POSITIVE_INFINITY; } function bearing$2(point, parameters, uniforms) { const [x, y] = point; const { focal, k1, k2 } = parameters; const radialPeak = uniforms.radialPeak; // Transformation const [xd, yd] = [x / focal, y / focal]; // Undistortion const dr = Math.sqrt(xd * xd + yd * yd); const d = distortionFromDistortedRadius(dr, k1, k2, radialPeak); const xp = xd / d; const yp = yd / d; // Unprojection const zp = 1; const length = Math.sqrt(xp * xp + yp * yp + zp * zp); const xb = xp / length; const yb = yp / length; const zb = zp / length; return [xb, yb, zb]; } function project$2(point, parameters, uniforms) { const [x, y, z] = point; const { focal, k1, k2 } = parameters; const radialPeak = uniforms.radialPeak; // Projection if (z <= 0) { return [ x < 0 ? Number.NEGATIVE_INFINITY : Number.POSITIVE_INFINITY, y < 0 ? Number.NEGATIVE_INFINITY : Number.POSITIVE_INFINITY, ]; } const xp = x / z; const yp = y / z; // Distortion let r2 = xp * xp + yp * yp; if (r2 > radialPeak * Math.sqrt(r2)) { r2 = Math.pow(radialPeak, 2); } const distortion = 1 + r2 * (k1 + r2 * k2); const xd = xp * distortion; const yd = yp * distortion; // Transformation const xt = focal * xd; const yt = focal * yd; return [xt, yt]; } const PERSPECTIVE_CAMERA_TYPE = "perspective"; const PERSPECTIVE_PROJECT_FUNCTION = /* glsl */ ` vec2 projectToSfm(vec3 bearing, Parameters parameters, Uniforms uniforms) { float x = bearing.x; float y = bearing.y; float z = bearing.z; float focal = parameters.focal; float k1 = parameters.k1; float k2 = parameters.k2; float radialPeak = uniforms.radialPeak; // Projection if (z < 0.) { return vec2(POSITIVE_INFINITY, POSITIVE_INFINITY); } float xp = x / z; float yp = y / z; // Distortion float r2 = xp * xp + yp * yp; if (r2 > radialPeak * sqrt(r2)) { r2 = radialPeak * radialPeak; } float distortion = 1.0 + r2 * (k1 + r2 * k2); float xd = xp * distortion; float yd = yp * distortion; // Transformation float xt = focal * xd; float yt = focal * yd; return vec2(xt, yt); } `; class PerspectiveCamera extends Camera$1 { constructor(parameters) { super(PERSPECTIVE_CAMERA_TYPE, PERSPECTIVE_PROJECT_FUNCTION); const [focal, k1, k2] = parameters; this.parameters.focal = focal; this.parameters.k1 = k1; this.parameters.k2 = k2; const radialPeak = makeRadialPeak(k1, k2); this.uniforms.radialPeak = radialPeak; } bearingFromSfm(point) { return bearing$2(point, this.parameters, this.uniforms); } projectToSfm(point) { return project$2(point, this.parameters, this.uniforms); } } const NULL_IMAGE_ID = "null-image-id"; const NULL_SEQUENCE_ID = "null-sequence-id"; class NullCameraFactory { makeCamera(_type, _parameters) { return new PerspectiveCamera([0.85, 0, 0]); } } class NullImageDataProvider extends DataProviderBase { constructor() { super(new S2GeometryProvider()); } getImageBuffer() { return generateImageBuffer(); } getMesh() { return Promise.resolve({ faces: [], vertices: [] }); } } function generateImageBuffer() { const canvas = document.createElement("canvas"); const w = 1; const h = 1; canvas.width = w; canvas.height = h; const ctx = canvas.getContext("2d"); ctx.fillStyle = `rgb(0 0 0)`; ctx.fillRect(0, 0, w, h); return new Promise((resolve) => { canvas.toBlob((blob) => { blob.arrayBuffer() .then(buffer => resolve(buffer)); }, "image/jpeg", 1); }); } function isNullImageId(imageId) { return imageId === NULL_IMAGE_ID; } function isNullSequenceId(sequenceId) { return sequenceId === NULL_SEQUENCE_ID; } function makeNullImage$() { const core = { computed_geometry: null, geometry: { lat: 90, lng: 0 }, id: NULL_IMAGE_ID, sequence: { id: NULL_SEQUENCE_ID, }, }; const image = new Image$1(core); const spatial = { altitude: 0, camera_parameters: [], camera_type: "null-camera-type", captured_at: 0, cluster: { id: "null-cluster-id", url: "null-cluster-url" }, compass_angle: 0, creator: { id: "null-creator-id", username: "null-creator-username" }, exif_orientation: 0, height: 0, id: NULL_IMAGE_ID, mesh: { id: "null-mesh-id", url: "null-mesh-url" }, owner: { id: "null-owner-id" }, thumb: { id: "null-thumb-id", url: "null-thumb-url" }, width: 0, atomic_scale: 0, computed_altitude: 0, computed_compass_angle: 0, computed_rotation: [0, 0, 0], merge_id: "null-merge-id", private: false, quality_score: 0, }; image.makeComplete(spatial); image.initializeCache(new ImageCache(new NullImageDataProvider())); image.cacheSequenceEdges([]); image.cacheSpatialEdges([]); return image.cacheAssets$(new NullCameraFactory()); } /** * @class SequenceComponent * @classdesc Component showing navigation arrows for sequence directions * as well as playing button. Exposes an API to start and stop play. */ class SequenceComponent extends Component { constructor(name, container, navigator, renderer, scheduler) { super(name, container, navigator); this._sequenceDOMRenderer = !!renderer ? renderer : new SequenceDOMRenderer(container); this._scheduler = scheduler; this._containerWidth$ = new Subject(); this._hoveredIdSubject$ = new Subject(); this._hoveredId$ = this._hoveredIdSubject$.pipe(share()); this._navigator.playService.playing$.pipe(skip(1), withLatestFrom(this._configuration$)) .subscribe(([playing, configuration]) => { const type = "playing"; const event = { playing, target: this, type, }; this.fire(type, event); if (playing === configuration.playing) { return; } if (playing) { this.play(); } else { this.stop(); } }); this._navigator.playService.direction$.pipe(skip(1), withLatestFrom(this._configuration$)) .subscribe(([direction, configuration]) => { if (direction !== configuration.direction) { this.configure({ direction }); } }); } fire(type, event) { super.fire(type, event); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } /** * Start playing. * * @fires playing */ play() { this.configure({ playing: true }); } /** * Stop playing. * * @fires playing */ stop() { this.configure({ playing: false }); } _activate() { this._sequenceDOMRenderer.activate(); const edgeStatus$ = this._navigator.stateService.currentImage$.pipe(switchMap((image) => { return image.sequenceEdges$; }), publishReplay(1), refCount()); const sequence$ = this._navigator.stateService.currentImage$.pipe(distinctUntilChanged(undefined, (image) => { return image.sequenceId; }), switchMap((image) => { return concat(of(null), this._navigator.graphService.cacheSequence$(image.sequenceId).pipe(retry(3), catchError((e) => { if (!isNullSequenceId(image.sequenceId)) { console.error("Failed to cache sequence", e); } return of(null); }))); }), startWith(null), publishReplay(1), refCount()); const subs = this._subscriptions; subs.push(sequence$.subscribe()); const rendererId$ = this._sequenceDOMRenderer.index$.pipe(withLatestFrom(sequence$), map(([index, sequence]) => { return sequence != null && !isNullSequenceId(sequence.id) ? sequence.imageIds[index] : null; }), filter((id) => { return !!id; }), distinctUntilChanged(), publish(), refCount()); subs.push(merge(rendererId$.pipe(debounceTime(100, this._scheduler)), rendererId$.pipe(auditTime(400, this._scheduler))).pipe(distinctUntilChanged(), switchMap((id) => { return this._navigator.moveTo$(id).pipe(catchError(() => { return empty(); })); })) .subscribe()); subs.push(this._sequenceDOMRenderer.changingPositionChanged$.pipe(filter((changing) => { return changing; })) .subscribe(() => { this._navigator.graphService.setGraphMode(GraphMode.Sequence); })); subs.push(this._sequenceDOMRenderer.changingPositionChanged$.pipe(filter((changing) => { return !changing; })) .subscribe(() => { this._navigator.graphService.setGraphMode(GraphMode.Spatial); })); this._navigator.graphService.graphMode$.pipe(switchMap((mode) => { return mode === GraphMode.Spatial ? this._navigator.stateService.currentImage$.pipe(take(2)) : empty(); }), filter((image) => { return !image.spatialEdges.cached; }), switchMap((image) => { return this._navigator.graphService.cacheImage$(image.id).pipe(catchError(() => { return empty(); })); })) .subscribe(); subs.push(this._sequenceDOMRenderer.changingPositionChanged$.pipe(filter((changing) => { return changing; })) .subscribe(() => { this._navigator.playService.stop(); })); subs.push(combineLatest(this._navigator.graphService.graphMode$, this._sequenceDOMRenderer.changingPositionChanged$.pipe(startWith(false), distinctUntilChanged())).pipe(withLatestFrom(this._navigator.stateService.currentImage$), switchMap(([[mode, changing], image]) => { return changing && mode === GraphMode.Sequence ? this._navigator.graphService.cacheSequenceImages$(image.sequenceId, image.id).pipe(retry(3), catchError((error) => { console.error("Failed to cache sequence images.", error); return empty(); })) : empty(); })) .subscribe()); const position$ = sequence$.pipe(switchMap((sequence) => { if (!sequence) { return of({ index: null, max: null }); } let firstCurrentId = true; return this._sequenceDOMRenderer.changingPositionChanged$.pipe(startWith(false), distinctUntilChanged(), switchMap((changingPosition) => { const skipCount = !changingPosition && firstCurrentId ? 0 : 1; firstCurrentId = false; return changingPosition ? rendererId$ : this._navigator.stateService.currentImage$.pipe(map((image) => { return image.id; }), distinctUntilChanged(), skip(skipCount)); }), map((imageId) => { if (isNullSequenceId(sequence.id)) { return { index: null, max: null }; } const index = sequence.imageIds.indexOf(imageId); if (index === -1) { return { index: null, max: null }; } return { index: index, max: sequence.imageIds.length - 1 }; })); })); const earth$ = this._navigator.stateService.state$.pipe(map((state) => { return state === State.Earth; }), distinctUntilChanged()); subs.push(combineLatest(edgeStatus$, this._configuration$, this._containerWidth$, this._sequenceDOMRenderer.changed$.pipe(startWith(this._sequenceDOMRenderer)), this._navigator.playService.speed$, position$, earth$).pipe(map(([edgeStatus, configuration, containerWidth, , speed, position, earth]) => { const vNode = this._sequenceDOMRenderer .render(edgeStatus, configuration, containerWidth, speed, position.index, position.max, !earth, this, this._navigator); return { name: this._name, vNode: vNode }; })) .subscribe(this._container.domRenderer.render$)); subs.push(this._sequenceDOMRenderer.speed$ .subscribe((speed) => { this._navigator.playService.setSpeed(speed); })); subs.push(this._configuration$.pipe(map((configuration) => { return configuration.direction; }), distinctUntilChanged()) .subscribe((direction) => { this._navigator.playService.setDirection(direction); })); subs.push(combineLatest(this._container.renderService.size$, this._configuration$.pipe(distinctUntilChanged((value1, value2) => { return value1[0] === value2[0] && value1[1] === value2[1]; }, (configuration) => { return [configuration.minWidth, configuration.maxWidth]; }))).pipe(map(([size, configuration]) => { return this._sequenceDOMRenderer.getContainerWidth(size, configuration); })) .subscribe(this._containerWidth$)); subs.push(this._configuration$.pipe(map((configuration) => { return configuration.playing; }), distinctUntilChanged()) .subscribe((playing) => { if (playing) { this._navigator.playService.play(); } else { this._navigator.playService.stop(); } })); subs.push(this._sequenceDOMRenderer.mouseEnterDirection$.pipe(switchMap((direction) => { const edgeTo$ = edgeStatus$.pipe(map((edgeStatus) => { for (let edge of edgeStatus.edges) { if (edge.data.direction === direction) { return edge.target; } } return null; }), takeUntil(this._sequenceDOMRenderer.mouseLeaveDirection$)); return concat(edgeTo$, of(null)); }), distinctUntilChanged()) .subscribe(this._hoveredIdSubject$)); subs.push(this._hoveredId$ .subscribe((id) => { const type = "hover"; const event = { id, target: this, type, }; this.fire(type, event); })); } _deactivate() { this._subscriptions.unsubscribe(); this._sequenceDOMRenderer.deactivate(); } _getDefaultConfiguration() { return { direction: exports.NavigationDirection.Next, maxWidth: 108, minWidth: 70, playing: false, visible: true, }; } } /** @inheritdoc */ SequenceComponent.componentName = "sequence"; /** * @class Transform * * @classdesc Class used for calculating coordinate transformations * and projections. */ class Transform { /** * Create a new transform instance. * @param {number} orientation - Image orientation. * @param {number} width - Image height. * @param {number} height - Image width. * @param {number} focal - Focal length. * @param {number} scale - Atomic scale. * @param {Array} rotation - Rotation vector in three dimensions. * @param {Array} translation - Translation vector in three dimensions. * @param {HTMLImageElement} image - Image for fallback size calculations. */ constructor(orientation, width, height, scale, rotation, translation, image, camera) { this.camera = camera; this._orientation = this._getValue(orientation, 1); let imageWidth = image != null ? image.width : 4; let imageHeight = image != null ? image.height : 3; let keepOrientation = this._orientation < 5; this._width = this._getValue(width, keepOrientation ? imageWidth : imageHeight); this._height = this._getValue(height, keepOrientation ? imageHeight : imageWidth); this._basicAspect = keepOrientation ? this._width / this._height : this._height / this._width; this._basicWidth = keepOrientation ? width : height; this._basicHeight = keepOrientation ? height : width; this._focal = this._getValue(camera.parameters.focal, 1); this._scale = this._getValue(scale, 0); this._worldToCamera = this.createWorldToCamera(rotation, translation); this._worldToCameraInverse = new Matrix4() .copy(this._worldToCamera) .invert(); this._scaledWorldToCamera = this._createScaledWorldToCamera(this._worldToCamera, this._scale); this._scaledWorldToCameraInverse = new Matrix4() .copy(this._scaledWorldToCamera) .invert(); this._basicWorldToCamera = this._createBasicWorldToCamera(this._worldToCamera, orientation); } get cameraType() { return this.camera.type; } /** * Get basic aspect. * @returns {number} The orientation adjusted aspect ratio. */ get basicAspect() { return this._basicAspect; } /** * Get basic height. * * @description Does not fall back to image image height but * uses original value from API so can be faulty. * * @returns {number} The height of the basic version image * (adjusted for orientation). */ get basicHeight() { return this._basicHeight; } get basicRt() { return this._basicWorldToCamera; } /** * Get basic width. * * @description Does not fall back to image image width but * uses original value from API so can be faulty. * * @returns {number} The width of the basic version image * (adjusted for orientation). */ get basicWidth() { return this._basicWidth; } /** * Get focal. * @returns {number} The image focal length. */ get focal() { return this._focal; } /** * Get height. * * @description Falls back to the image image height if * the API data is faulty. * * @returns {number} The orientation adjusted image height. */ get height() { return this._height; } /** * Get orientation. * @returns {number} The image orientation. */ get orientation() { return this._orientation; } /** * Get rt. * @returns {THREE.Matrix4} The extrinsic camera matrix. */ get rt() { return this._worldToCamera; } /** * Get rtInverse. * @returns {THREE.Matrix4} The inverse of the extrinsic camera matrix. */ get rtInverse() { return this._worldToCameraInverse; } /** * Get srt. * @returns {THREE.Matrix4} The scaled extrinsic camera matrix. */ get srt() { return this._scaledWorldToCamera; } /** * Get srtInverse. * @returns {THREE.Matrix4} The scaled extrinsic camera matrix. */ get srtInverse() { return this._scaledWorldToCameraInverse; } /** * Get scale. * @returns {number} The image atomic reconstruction scale. */ get scale() { return this._scale; } /** * Get has valid scale. * @returns {boolean} Value indicating if the scale of the transform is valid. */ get hasValidScale() { return this._scale > 1e-2 && this._scale < 50; } /** * Get width. * * @description Falls back to the image image width if * the API data is faulty. * * @returns {number} The orientation adjusted image width. */ get width() { return this._width; } /** * Calculate the up vector for the image transform. * * @returns {THREE.Vector3} Normalized and orientation adjusted up vector. */ upVector() { let rte = this._worldToCamera.elements; switch (this._orientation) { case 1: return new Vector3(-rte[1], -rte[5], -rte[9]); case 3: return new Vector3(rte[1], rte[5], rte[9]); case 6: return new Vector3(-rte[0], -rte[4], -rte[8]); case 8: return new Vector3(rte[0], rte[4], rte[8]); default: return new Vector3(-rte[1], -rte[5], -rte[9]); } } /** * Project 3D world coordinates to basic coordinates. * * @param {Array} point3d - 3D world coordinates. * @return {Array} 2D basic coordinates. */ projectBasic(point3d) { let sfm = this.projectSfM(point3d); return this._sfmToBasic(sfm); } /** * Unproject basic coordinates to 3D world coordinates. * * @param {Array} basic - 2D basic coordinates. * @param {Array} distance - Distance to unproject from camera center. * @param {boolean} [depth] - Treat the distance value as depth from camera center. * Only applicable for perspective images. Will be * ignored for spherical. * @returns {Array} Unprojected 3D world coordinates. */ unprojectBasic(basic, distance, depth) { let sfm = this._basicToSfm(basic); return this.unprojectSfM(sfm, distance, depth); } /** * Project 3D world coordinates to SfM coordinates. * * @param {Array} point3d - 3D world coordinates. * @return {Array} 2D SfM coordinates. */ projectSfM(point3d) { let v = new Vector4(point3d[0], point3d[1], point3d[2], 1); v.applyMatrix4(this._worldToCamera); return this._bearingToSfm([v.x, v.y, v.z]); } /** * Unproject SfM coordinates to a 3D world coordinates. * * @param {Array} sfm - 2D SfM coordinates. * @param {Array} distance - Distance to unproject * from camera center. * @param {boolean} [depth] - Treat the distance value as * depth from camera center. Only applicable for perspective * images. Will be ignored for spherical. * @returns {Array} Unprojected 3D world coordinates. */ unprojectSfM(sfm, distance, depth) { const bearing = this._sfmToBearing(sfm); const unprojectedCamera = depth && !isSpherical(this.camera.type) ? new Vector4(distance * bearing[0] / bearing[2], distance * bearing[1] / bearing[2], distance, 1) : new Vector4(distance * bearing[0], distance * bearing[1], distance * bearing[2], 1); const unprojectedWorld = unprojectedCamera .applyMatrix4(this._worldToCameraInverse); return [ unprojectedWorld.x / unprojectedWorld.w, unprojectedWorld.y / unprojectedWorld.w, unprojectedWorld.z / unprojectedWorld.w, ]; } /** * Transform SfM coordinates to bearing vector (3D cartesian * coordinates on the unit sphere). * * @param {Array} sfm - 2D SfM coordinates. * @returns {Array} Bearing vector (3D cartesian coordinates * on the unit sphere). */ _sfmToBearing(sfm) { return this.camera.bearingFromSfm(sfm); } /** * Transform bearing vector (3D cartesian coordiantes on the unit sphere) to * SfM coordinates. * * @param {Array} bearing - Bearing vector (3D cartesian coordinates on the * unit sphere). * @returns {Array} 2D SfM coordinates. */ _bearingToSfm(bearing) { return this.camera.projectToSfm(bearing); } /** * Convert basic coordinates to SfM coordinates. * * @param {Array} basic - 2D basic coordinates. * @returns {Array} 2D SfM coordinates. */ _basicToSfm(basic) { let rotatedX; let rotatedY; switch (this._orientation) { case 1: rotatedX = basic[0]; rotatedY = basic[1]; break; case 3: rotatedX = 1 - basic[0]; rotatedY = 1 - basic[1]; break; case 6: rotatedX = basic[1]; rotatedY = 1 - basic[0]; break; case 8: rotatedX = 1 - basic[1]; rotatedY = basic[0]; break; default: rotatedX = basic[0]; rotatedY = basic[1]; break; } let w = this._width; let h = this._height; let s = Math.max(w, h); let sfmX = rotatedX * w / s - w / s / 2; let sfmY = rotatedY * h / s - h / s / 2; return [sfmX, sfmY]; } /** * Convert SfM coordinates to basic coordinates. * * @param {Array} sfm - 2D SfM coordinates. * @returns {Array} 2D basic coordinates. */ _sfmToBasic(sfm) { let w = this._width; let h = this._height; let s = Math.max(w, h); let rotatedX = (sfm[0] + w / s / 2) / w * s; let rotatedY = (sfm[1] + h / s / 2) / h * s; let basicX; let basicY; switch (this._orientation) { case 1: basicX = rotatedX; basicY = rotatedY; break; case 3: basicX = 1 - rotatedX; basicY = 1 - rotatedY; break; case 6: basicX = 1 - rotatedY; basicY = rotatedX; break; case 8: basicX = rotatedY; basicY = 1 - rotatedX; break; default: basicX = rotatedX; basicY = rotatedY; break; } return [basicX, basicY]; } /** * Checks a value and returns it if it exists and is larger than 0. * Fallbacks if it is null. * * @param {number} value - Value to check. * @param {number} fallback - Value to fall back to. * @returns {number} The value or its fallback value if it is not defined or negative. */ _getValue(value, fallback) { return value != null && value > 0 ? value : fallback; } _getCameraParameters(value, cameraType) { if (isSpherical(cameraType)) { return []; } if (!value || value.length === 0) { return [1, 0, 0]; } const padding = 3 - value.length; if (padding <= 0) { return value; } return value .concat(new Array(padding) .fill(0)); } /** * Creates the extrinsic camera matrix [ R | t ]. * * @param {Array} rotation - Rotation vector in angle axis representation. * @param {Array} translation - Translation vector. * @returns {THREE.Matrix4} Extrisic camera matrix. */ createWorldToCamera(rotation, translation) { const axis = new Vector3(rotation[0], rotation[1], rotation[2]); const angle = axis.length(); if (angle > 0) { axis.normalize(); } const worldToCamera = new Matrix4(); worldToCamera.makeRotationAxis(axis, angle); worldToCamera.setPosition(new Vector3(translation[0], translation[1], translation[2])); return worldToCamera; } /** * Calculates the scaled extrinsic camera matrix scale * [ R | t ]. * * @param {THREE.Matrix4} worldToCamera - Extrisic camera matrix. * @param {number} scale - Scale factor. * @returns {THREE.Matrix4} Scaled extrisic camera matrix. */ _createScaledWorldToCamera(worldToCamera, scale) { const scaledWorldToCamera = worldToCamera.clone(); const elements = scaledWorldToCamera.elements; elements[12] = scale * elements[12]; elements[13] = scale * elements[13]; elements[14] = scale * elements[14]; scaledWorldToCamera.scale(new Vector3(scale, scale, scale)); return scaledWorldToCamera; } _createBasicWorldToCamera(rt, orientation) { const axis = new Vector3(0, 0, 1); let angle = 0; switch (orientation) { case 3: angle = Math.PI; break; case 6: angle = Math.PI / 2; break; case 8: angle = 3 * Math.PI / 2; break; } return new Matrix4() .makeRotationAxis(axis, angle) .multiply(rt); } /** * Calculate a transformation matrix from normalized coordinates for * texture map coordinates. * * @returns {THREE.Matrix4} Normalized coordinates to texture map * coordinates transformation matrix. */ _normalizedToTextureMatrix() { const size = Math.max(this._width, this._height); const w = size / this._width; const h = size / this._height; switch (this._orientation) { case 1: return new Matrix4().set(w, 0, 0, 0.5, 0, -h, 0, 0.5, 0, 0, 1, 0, 0, 0, 0, 1); case 3: return new Matrix4().set(-w, 0, 0, 0.5, 0, h, 0, 0.5, 0, 0, 1, 0, 0, 0, 0, 1); case 6: return new Matrix4().set(0, -h, 0, 0.5, -w, 0, 0, 0.5, 0, 0, 1, 0, 0, 0, 0, 1); case 8: return new Matrix4().set(0, h, 0, 0.5, w, 0, 0, 0.5, 0, 0, 1, 0, 0, 0, 0, 1); default: return new Matrix4().set(w, 0, 0, 0.5, 0, -h, 0, 0.5, 0, 0, 1, 0, 0, 0, 0, 1); } } } class PlayService { constructor(graphService, stateService) { this._subscriptions = new SubscriptionHolder(); this._graphService = graphService; this._stateService = stateService; const subs = this._subscriptions; this._directionSubject$ = new Subject(); this._direction$ = this._directionSubject$.pipe(startWith(exports.NavigationDirection.Next), publishReplay(1), refCount()); subs.push(this._direction$.subscribe()); this._playing = false; this._playingSubject$ = new Subject(); this._playing$ = this._playingSubject$.pipe(startWith(this._playing), publishReplay(1), refCount()); subs.push(this._playing$.subscribe()); this._speed = 0.5; this._speedSubject$ = new Subject(); this._speed$ = this._speedSubject$.pipe(startWith(this._speed), publishReplay(1), refCount()); subs.push(this._speed$.subscribe()); this._imagesAhead = this._mapImagesAhead(this._mapSpeed(this._speed)); this._bridging$ = null; } get playing() { return this._playing; } get direction$() { return this._direction$; } get playing$() { return this._playing$; } get speed$() { return this._speed$; } play() { if (this._playing) { return; } this._stateService.cutImages(); const stateSpeed = this._setSpeed(this._speed); this._stateService.setSpeed(stateSpeed); this._graphModeSubscription = this._speed$.pipe(map((speed) => { return speed > PlayService.sequenceSpeed ? GraphMode.Sequence : GraphMode.Spatial; }), distinctUntilChanged()) .subscribe((mode) => { this._graphService.setGraphMode(mode); }); this._cacheSubscription = combineLatest(this._stateService.currentImage$.pipe(map((image) => { return [image.sequenceId, image.id]; }), distinctUntilChanged(undefined, ([sequenceId]) => { return sequenceId; })), this._graphService.graphMode$, this._direction$).pipe(switchMap(([[sequenceId, imageId], mode, direction]) => { if (direction !== exports.NavigationDirection.Next && direction !== exports.NavigationDirection.Prev) { return of([undefined, direction]); } const sequence$ = (mode === GraphMode.Sequence ? this._graphService.cacheSequenceImages$(sequenceId, imageId) : this._graphService.cacheSequence$(sequenceId)).pipe(retry(3), catchError((error) => { console.error(error); return of(undefined); })); return combineLatest(sequence$, of(direction)); }), switchMap(([sequence, direction]) => { if (sequence === undefined) { return empty(); } const imageIds = sequence.imageIds.slice(); if (direction === exports.NavigationDirection.Prev) { imageIds.reverse(); } return this._stateService.currentState$.pipe(map((frame) => { return [frame.state.trajectory[frame.state.trajectory.length - 1].id, frame.state.imagesAhead]; }), scan(([lastRequestKey, previousRequestKeys], [lastTrajectoryKey, imagesAhead]) => { if (lastRequestKey === undefined) { lastRequestKey = lastTrajectoryKey; } const lastIndex = imageIds.length - 1; if (imagesAhead >= this._imagesAhead || imageIds[lastIndex] === lastRequestKey) { return [lastRequestKey, []]; } const current = imageIds.indexOf(lastTrajectoryKey); const start = imageIds.indexOf(lastRequestKey) + 1; const end = Math.min(lastIndex, current + this._imagesAhead - imagesAhead) + 1; if (end <= start) { return [lastRequestKey, []]; } return [imageIds[end - 1], imageIds.slice(start, end)]; }, [undefined, []]), mergeMap(([lastRequestKey, newRequestKeys]) => { return from(newRequestKeys); })); }), mergeMap((key) => { return this._graphService.cacheImage$(key).pipe(catchError(() => { return empty(); })); }, 6)) .subscribe(); this._playingSubscription = this._stateService.currentState$.pipe(filter((frame) => { return frame.state.imagesAhead < this._imagesAhead; }), distinctUntilChanged(undefined, (frame) => { return frame.state.lastImage.id; }), map((frame) => { const lastImage = frame.state.lastImage; const trajectory = frame.state.trajectory; let increasingTime = undefined; for (let i = trajectory.length - 2; i >= 0; i--) { const image = trajectory[i]; if (image.sequenceId !== lastImage.sequenceId) { break; } if (image.capturedAt !== lastImage.capturedAt) { increasingTime = image.capturedAt < lastImage.capturedAt; break; } } return [frame.state.lastImage, increasingTime]; }), withLatestFrom(this._direction$), switchMap(([[image, increasingTime], direction]) => { return zip(([exports.NavigationDirection.Next, exports.NavigationDirection.Prev].indexOf(direction) > -1 ? image.sequenceEdges$ : image.spatialEdges$).pipe(first((status) => { return status.cached; }), timeout(15000)), of(direction)).pipe(map(([s, d]) => { for (let edge of s.edges) { if (edge.data.direction === d) { return edge.target; } } return null; }), switchMap((key) => { return key != null ? this._graphService.cacheImage$(key) : empty(); })); })) .subscribe((image) => { this._stateService.appendImagess([image]); }, (error) => { console.error(error); this.stop(); }); this._clearSubscription = this._stateService.currentImage$.pipe(bufferCount(1, 10)) .subscribe((images) => { this._stateService.clearPriorImages(); }); this._setPlaying(true); const currentLastImages$ = this._stateService.currentState$.pipe(map((frame) => { return frame.state; }), distinctUntilChanged(([kc1, kl1], [kc2, kl2]) => { return kc1 === kc2 && kl1 === kl2; }, (state) => { return [state.currentImage.id, state.lastImage.id]; }), filter((state) => { return state.currentImage.id === state.lastImage.id && state.currentIndex === state.trajectory.length - 1; }), map((state) => { return state.currentImage; })); this._stopSubscription = combineLatest(currentLastImages$, this._direction$).pipe(switchMap(([image, direction]) => { const edgeStatus$ = ([exports.NavigationDirection.Next, exports.NavigationDirection.Prev].indexOf(direction) > -1 ? image.sequenceEdges$ : image.spatialEdges$).pipe(first((status) => { return status.cached; }), timeout(15000), catchError((error) => { console.error(error); return of({ cached: false, edges: [] }); })); return combineLatest(of(direction), edgeStatus$).pipe(map(([d, es]) => { for (const edge of es.edges) { if (edge.data.direction === d) { return true; } } return false; })); }), mergeMap((hasEdge) => { if (hasEdge || !this._bridging$) { return of(hasEdge); } return this._bridging$.pipe(map((image) => { return image != null; }), catchError((error) => { console.error(error); return of(false); })); }), first((hasEdge) => { return !hasEdge; })) .subscribe(undefined, undefined, () => { this.stop(); }); if (this._stopSubscription.closed) { this._stopSubscription = null; } this._earthSubscription = this._stateService.state$ .pipe(map((state) => { return state === State.Earth; }), distinctUntilChanged(), first((earth) => { return earth; })) .subscribe(undefined, undefined, () => { this.stop(); }); if (this._earthSubscription.closed) { this._earthSubscription = null; } } dispose() { this.stop(); this._subscriptions.unsubscribe(); } setDirection(direction) { this._directionSubject$.next(direction); } setSpeed(speed) { speed = Math.max(0, Math.min(1, speed)); if (speed === this._speed) { return; } const stateSpeed = this._setSpeed(speed); if (this._playing) { this._stateService.setSpeed(stateSpeed); } this._speedSubject$.next(this._speed); } stop() { if (!this._playing) { return; } if (!!this._stopSubscription) { if (!this._stopSubscription.closed) { this._stopSubscription.unsubscribe(); } this._stopSubscription = null; } if (!!this._earthSubscription) { if (!this._earthSubscription.closed) { this._earthSubscription.unsubscribe(); } this._earthSubscription = null; } this._graphModeSubscription.unsubscribe(); this._graphModeSubscription = null; this._cacheSubscription.unsubscribe(); this._cacheSubscription = null; this._playingSubscription.unsubscribe(); this._playingSubscription = null; this._clearSubscription.unsubscribe(); this._clearSubscription = null; this._stateService.setSpeed(1); this._stateService.cutImages(); this._graphService.setGraphMode(GraphMode.Spatial); this._setPlaying(false); } _mapSpeed(speed) { const x = 2 * speed - 1; return Math.pow(10, x) - 0.2 * x; } _mapImagesAhead(stateSpeed) { return Math.round(Math.max(10, Math.min(50, 8 + 6 * stateSpeed))); } _setPlaying(playing) { this._playing = playing; this._playingSubject$.next(playing); } _setSpeed(speed) { this._speed = speed; const stateSpeed = this._mapSpeed(this._speed); this._imagesAhead = this._mapImagesAhead(stateSpeed); return stateSpeed; } } PlayService.sequenceSpeed = 0.54; const MAX_CAMERA_SIZE = 1; const MAX_POINT_SIZE = 1; const MIN_CAMERA_SIZE = 1e-3; const MIN_POINT_SIZE = 1e-3; exports.CameraVisualizationMode = void 0; (function (CameraVisualizationMode) { /** * Cameras are hidden. */ CameraVisualizationMode[CameraVisualizationMode["Hidden"] = 0] = "Hidden"; /** * Cameras are shown, all with the same color. */ CameraVisualizationMode[CameraVisualizationMode["Homogeneous"] = 1] = "Homogeneous"; /** * Cameras are shown with colors based on the * their clusters. */ CameraVisualizationMode[CameraVisualizationMode["Cluster"] = 2] = "Cluster"; /** * Cameras are shown with colors based on the * their connected components. */ CameraVisualizationMode[CameraVisualizationMode["ConnectedComponent"] = 3] = "ConnectedComponent"; /** * Cameras are shown, with colors based on the * their sequence. */ CameraVisualizationMode[CameraVisualizationMode["Sequence"] = 4] = "Sequence"; })(exports.CameraVisualizationMode || (exports.CameraVisualizationMode = {})); exports.OriginalPositionMode = void 0; (function (OriginalPositionMode) { /** * Original positions are hidden. */ OriginalPositionMode[OriginalPositionMode["Hidden"] = 0] = "Hidden"; /** * Visualize original positions with altitude change. */ OriginalPositionMode[OriginalPositionMode["Altitude"] = 1] = "Altitude"; /** * Visualize original positions without altitude change, * i.e. as flat lines from the camera origin. */ OriginalPositionMode[OriginalPositionMode["Flat"] = 2] = "Flat"; })(exports.OriginalPositionMode || (exports.OriginalPositionMode = {})); class ClusterPoints extends Points { constructor(parameters) { super(); this._originalSize = parameters.originalSize; const { cluster, color, scale, translation } = parameters; this._makeAttributes(cluster); this.material.size = scale * this._originalSize; this.setColor(color); this.matrixAutoUpdate = false; this.position.fromArray(translation); this.update(); } dispose() { this.geometry.dispose(); this.material.dispose(); } setColor(color) { this.material.vertexColors = color == null; this.material.color = new Color(color); this.material.needsUpdate = true; } resize(scale) { this.material.size = scale * this._originalSize; this.material.needsUpdate = true; } update() { this.updateMatrix(); this.updateMatrixWorld(false); } _makeAttributes(cluster) { const geometry = this.geometry; geometry.setAttribute("position", new BufferAttribute(new Float32Array(cluster.coordinates), 3)); const colorSize = cluster.colors.length > 0 ? cluster.colors.length / cluster.pointIds.length : 3; geometry.setAttribute("color", new BufferAttribute(new Float32Array(cluster.colors), colorSize)); } } class CellLine extends Line { constructor(vertices) { super(); this._makeAttributes(vertices); this.matrixAutoUpdate = false; this.update(); } dispose() { this.geometry.dispose(); this.material.dispose(); } update() { this.updateMatrix(); this.updateMatrixWorld(false); } _makeAttributes(vertices) { const closedPolygon = vertices.slice(); closedPolygon.push(vertices[0]); let index = 0; const positions = new Float32Array(3 * (vertices.length + 1)); for (const vertex of closedPolygon) { positions[index++] = vertex[0]; positions[index++] = vertex[1]; positions[index++] = vertex[2]; } this.geometry.setAttribute("position", new BufferAttribute(positions, 3)); } } // Level 0: 1 x 1 x 1 meter cubes const OCTREE_ROOT_LEVEL = 14; // 16384 meters const OCTREE_LEAF_LEVEL = 6; // 64 meters function isLeafLevel(level, leafLevel) { return level === leafLevel; } function levelToSize(level) { return Math.pow(2, level); } function levelToRootBoundingBox(level) { const size = levelToSize(level); const half = size / 2; const min = [-half, -half, -half]; const max = [half, half, half]; return { min, max }; } class SpatialOctreeNode { constructor(level, leafLevel, boundingBox, parent) { this.level = level; this.leafLevel = leafLevel; this.boundingBox = boundingBox; this.parent = parent; this.children = []; this.items = []; if (parent) { parent.children.push(this); } } get isEmpty() { return !(this.children.length || this.items.length); } add(object) { const self = this; if (!self.boundingBox.containsPoint(object.position)) { throw new Error(`Item not contained in node`); } if (isLeafLevel(self.level, self.leafLevel)) { self.items.push(object); return this; } for (const child of self.children) { if (child.boundingBox.containsPoint(object.position)) { return child.add(object); } } for (const boundingBox of self._generateBoundingBoxes()) { if (boundingBox.containsPoint(object.position)) { const child = new SpatialOctreeNode(self.level - 1, self.leafLevel, boundingBox, self); return child.add(object); } } throw new Error(`Item not contained in children`); } intersect(ray, target, nodes) { if (!ray.intersectBox(this.boundingBox, target)) { return; } if (isLeafLevel(this.level, this.leafLevel)) { nodes.push(this); return; } for (const child of this.children) { child.intersect(ray, target, nodes); } } remove(object) { const index = this.items.indexOf(object); if (index < 0) { throw new Error(`Item does not exist ${object.uuid}`); } this.items.splice(index, 1); } traverse() { const self = this; if (!self.isEmpty) { return; } const parent = self.parent; if (!parent) { return; } const index = parent.children.indexOf(self); if (index < 0) { throw new Error(`Corrupt octree`); } parent.children.splice(index, 1); this.parent = null; parent.traverse(); } _generateBoundingBoxes() { const self = this; const min = self.boundingBox.min; const max = self.boundingBox.max; const size = (max.x - min.x) / 2; const mins = [ [min.x, min.y + size, min.z + size], [min.x + size, min.y + size, min.z + size], [min.x, min.y, min.z + size], [min.x + size, min.y, min.z + size], [min.x, min.y + size, min.z], [min.x + size, min.y + size, min.z], [min.x, min.y, min.z], [min.x + size, min.y, min.z], ]; const boundingBoxes = []; for (const [minX, minY, minZ] of mins) { boundingBoxes.push(new Box3(new Vector3(minX, minY, minZ), new Vector3(minX + size, minY + size, minZ + size))); } return boundingBoxes; } } class SpatialOctree { constructor(rootLevel, leafLevel) { this.rootLevel = rootLevel; this.leafLevel = leafLevel; if (leafLevel > rootLevel) { throw new Error(); } this._index = new Map(); this._root = this._makeRoot(); } get root() { return this._root; } add(object) { if (!this.root.boundingBox.containsPoint(object.position)) { console.warn(`Object outside bounding box ${object.uuid}`); return false; } const leaf = this._root.add(object); this._index.set(object.uuid, leaf); return true; } has(object) { return this._index.has(object.uuid); } intersect(ray) { const leaves = []; const target = new Vector3(); this._root.intersect(ray, target, leaves); return leaves .map(leaf => leaf.items) .reduce((acc, items) => { acc.push(...items); return acc; }, []); } reset() { this._root = this._makeRoot(); this._index.clear(); } remove(object) { if (!this.has(object)) { throw new Error(`Frame does not exist ${object.uuid}`); } const leaf = this._index.get(object.uuid); leaf.remove(object); leaf.traverse(); this._index.delete(object.uuid); } _makeRoot() { const level = this.rootLevel; const bbox = levelToRootBoundingBox(level); const box = new Box3(new Vector3().fromArray(bbox.min), new Vector3().fromArray(bbox.max)); return new SpatialOctreeNode(level, this.leafLevel, box); } } const MAX_THRESHOLD = 5e-2; const MIN_THRESHOLD = 5e-3; class SpatialIntersection { constructor(octree, raycaster) { this._objects = []; this._objectImageMap = new Map(); this._octree = octree !== null && octree !== void 0 ? octree : new SpatialOctree(OCTREE_ROOT_LEVEL, OCTREE_LEAF_LEVEL); this._raycaster = raycaster !== null && raycaster !== void 0 ? raycaster : new Raycaster(); this._interactiveLayer = 1; this._raycaster = !!raycaster ? raycaster : new Raycaster(undefined, undefined, 1, 10000); this._raycaster.layers.set(this._interactiveLayer); } get interactiveLayer() { return this._interactiveLayer; } get octree() { return this._octree; } get raycaster() { return this._raycaster; } add(object, imageId) { const uuid = object.uuid; const success = this._octree.add(object); if (success) { this._objectImageMap.set(uuid, imageId); this._objects.push(object); } } intersectObjects(viewport, camera) { this._raycaster.setFromCamera(new Vector2().fromArray(viewport), camera); const objects = this._octree.intersect(this.raycaster.ray); const intersects = this._raycaster.intersectObjects(objects); const onMap = this._objectImageMap; for (const intersect of intersects) { const uuid = intersect.object.uuid; if (!onMap.has(uuid)) { continue; } return onMap.get(uuid); } return null; } remove(object) { const objects = this._objects; const index = objects.indexOf(object); if (index !== -1) { const deleted = objects.splice(index, 1); for (const d of deleted) { this._objectImageMap.delete(d.uuid); } this._octree.remove(object); } else { console.warn(`Object does not exist`); } } setIntersectionThreshold(cameraSize) { const threshold = Math.min(Math.max(MIN_THRESHOLD, 2e-1 * cameraSize), MAX_THRESHOLD); this._raycaster.params.Line.threshold = threshold; } } class PositionLine extends Line { constructor(parameters) { super(parameters.geometry, parameters.material); const mode = parameters.mode; const originalOrigin = parameters.originalOrigin; const transform = parameters.transform; const origin = transform.unprojectBasic([0, 0], 0); this._relativeAltitude = originalOrigin[2] - origin[2]; this._makeAttributes(origin, originalOrigin, mode); this.matrixAutoUpdate = false; this.position.fromArray(origin); this.update(); } dispose() { this.geometry.dispose(); this.material.dispose(); } setMode(mode) { const positionAttribute = this.geometry.attributes.position; const positions = positionAttribute.array; positions[5] = this._modeToAltitude(mode); positionAttribute.needsUpdate = true; this.geometry.computeBoundingSphere(); } update() { this.updateMatrix(); this.updateMatrixWorld(false); } _makeAttributes(origin, originalOrigin, mode) { const positions = new Float32Array(6); positions[0] = 0; positions[1] = 0; positions[2] = 0; positions[3] = originalOrigin[0] - origin[0]; positions[4] = originalOrigin[1] - origin[1]; positions[5] = this._modeToAltitude(mode); const attribute = new BufferAttribute(positions, 3); this.geometry.setAttribute("position", attribute); attribute.needsUpdate = true; this.geometry.computeBoundingSphere(); } _modeToAltitude(mode) { return mode === exports.OriginalPositionMode.Altitude ? this._relativeAltitude : 0; } } class CameraFrameBase extends LineSegments { constructor(parameters) { super(parameters.geometry, parameters.material); const color = parameters.color; const size = parameters.size; const scale = parameters.scale; const transform = parameters.transform; const origin = transform.unprojectBasic([0, 0], 0); const positions = this._makePositions(size, transform, origin); this._makeAttributes(positions, color); this.geometry.computeBoundingSphere(); this.geometry.computeBoundingBox(); this.matrixAutoUpdate = false; this.position.fromArray(origin); this.scale.set(scale, scale, scale); this.update(); } dispose() { this.geometry.dispose(); this.material.dispose(); } setColor(color) { this._updateColorAttribute(color); return this; } resize(scale) { this.scale.set(scale, scale, scale); this.updateMatrix(); this.updateMatrixWorld(false); return this; } update() { this.updateMatrix(); this.updateMatrixWorld(false); } _makeAttributes(positions, color) { const geometry = this.geometry; const positionAttribute = new BufferAttribute(new Float32Array(positions), 3); geometry.setAttribute("position", positionAttribute); positionAttribute.needsUpdate = true; const colorAttribute = new BufferAttribute(new Float32Array(positions.length), 3); geometry.setAttribute("color", colorAttribute); this._updateColorAttribute(color); } _updateColorAttribute(color) { const [r, g, b] = new Color(color).toArray(); const colorAttribute = this.geometry.attributes.color; const colors = colorAttribute.array; const length = colors.length; let index = 0; for (let i = 0; i < length; i++) { colors[index++] = r; colors[index++] = g; colors[index++] = b; } colorAttribute.needsUpdate = true; } } class SphericalCameraFrame extends CameraFrameBase { _makePositions(size, transform, origin) { const vs = 10; const positions = []; positions.push(...this._makeAxis(size, transform, origin)); positions.push(...this._makeLat(0.5, vs, size, transform, origin)); for (const lat of [0, 0.25, 0.5, 0.75]) { positions .push(...this._makeLng(lat, vs, size, transform, origin)); } return positions; } _makeAxis(size, transform, origin) { const south = transform.unprojectBasic([0.5, 1], 0.8 * size); const north = transform.unprojectBasic([0.5, 0], 1.2 * size); return [ south[0] - origin[0], south[1] - origin[1], south[2] - origin[2], north[0] - origin[0], north[1] - origin[1], north[2] - origin[2], ]; } _makeLat(basicY, numVertices, size, transform, origin) { const dist = 0.8 * size; const [originX, originY, originZ] = origin; const positions = []; const first = transform.unprojectBasic([0, basicY], dist); first[0] -= originX; first[1] -= originY; first[2] -= originZ; positions.push(...first); for (let i = 1; i <= numVertices; i++) { const position = transform.unprojectBasic([i / numVertices, basicY], dist); position[0] -= originX; position[1] -= originY; position[2] -= originZ; positions.push(...position, ...position); } positions.push(...first); return positions; } _makeLng(basicX, numVertices, size, transform, origin) { const dist = 0.8 * size; const [originX, originY, originZ] = origin; const positions = []; const first = transform.unprojectBasic([basicX, 0], dist); first[0] -= originX; first[1] -= originY; first[2] -= originZ; positions.push(...first); for (let i = 0; i <= numVertices; i++) { const position = transform.unprojectBasic([basicX, i / numVertices], dist); position[0] -= originX; position[1] -= originY; position[2] -= originZ; positions.push(...position, ...position); } positions.push(...first); return positions; } } class PerspectiveCameraFrame extends CameraFrameBase { _makePositions(size, transform, origin) { const samples = 8; const positions = []; positions.push(...this._makeDiags(size, transform, origin)); positions.push(...this._makeFrame(size, samples, transform, origin)); return positions; } _makeDiags(size, transform, origin) { const [originX, originY, originZ] = origin; const cameraCenter = [0, 0, 0]; const positions = []; for (const vertex2d of [[0, 0], [1, 0], [1, 1], [0, 1]]) { const corner = transform.unprojectBasic(vertex2d, size); corner[0] -= originX; corner[1] -= originY; corner[2] -= originZ; positions.push(...cameraCenter, ...corner); } return positions; } _makeFrame(size, samples, transform, origin) { const vertices2d = []; vertices2d.push(...this._subsample([0, 1], [0, 0], samples)); vertices2d.push(...this._subsample([0, 0], [1, 0], samples)); vertices2d.push(...this._subsample([1, 0], [1, 1], samples)); const [originX, originY, originZ] = origin; const positions = []; for (const vertex2d of vertices2d) { const position = transform.unprojectBasic(vertex2d, size); position[0] -= originX; position[1] -= originY; position[2] -= originZ; positions.push(...position); } return positions; } _interpolate(a, b, alpha) { return a + alpha * (b - a); } _subsample(p1, p2, subsamples) { if (subsamples < 1) { return [p1, p2]; } const samples = []; samples.push(p1); for (let i = 0; i <= subsamples; i++) { const p = []; for (let j = 0; j < 3; j++) { p.push(this._interpolate(p1[j], p2[j], i / (subsamples + 1))); } samples.push(p); samples.push(p); } samples.push(p2); return samples; } } const SPATIAL_DEFAULT_COLOR = 0xFFFFFF; function resetEnu(reference, prevEnu, prevReference) { const [prevX, prevY, prevZ] = prevEnu; const [lng, lat, alt] = enuToGeodetic(prevX, prevY, prevZ, prevReference.lng, prevReference.lat, prevReference.alt); return geodeticToEnu(lng, lat, alt, reference.lng, reference.lat, reference.alt); } const DEFAULT_ID = exports.CameraVisualizationMode[exports.CameraVisualizationMode.Homogeneous]; class SpatialCell { constructor(id, _scene, _intersection) { this.id = id; this._scene = _scene; this._intersection = _intersection; this.cameras = new Object3D(); this.keys = []; this._positionLines = {}; this._positions = new Object3D(); this._cameraFrames = {}; this._clusters = new Map(); this._connectedComponents = new Map(); this._defaults = new Map(); this._sequences = new Map(); this._props = {}; this.clusterVisibles = {}; this._frameMaterial = new LineBasicMaterial({ vertexColors: true, }); this._positionMaterial = new LineBasicMaterial({ color: 0xff0000, }); this._clusterImages = new Map(); this._scene.add(this.cameras, this._positions); } addImage(props) { const image = props.image; const id = image.id; if (this.hasImage(id)) { throw new Error(`Image exists ${id}`); } const cId = props.idMap.clusterId; if (!this._clusters.has(cId)) { this._clusters.set(cId, []); } const ccId = props.idMap.ccId; if (!(this._connectedComponents.has(ccId))) { this._connectedComponents.set(ccId, []); } if (!(this._defaults.has(DEFAULT_ID))) { this._defaults.set(DEFAULT_ID, []); } const sId = props.idMap.sequenceId; if (!this._sequences.has(sId)) { this._sequences.set(sId, []); } this._props[id] = { image: image, ids: { ccId, clusterId: cId, sequenceId: sId }, }; this.keys.push(id); if (!this._clusterImages.has(cId)) { this._clusterImages.set(cId, []); } this._clusterImages.get(cId).push(id); } applyCameraColor(imageId, color) { this._cameraFrames[imageId].setColor(color); } applyCameraSize(size) { for (const camera of this.cameras.children) { camera.resize(size); } } applyFilter(filter) { var _a; const clusterVisibles = this.clusterVisibles; for (const clusterId in clusterVisibles) { if (!clusterVisibles.hasOwnProperty(clusterId)) { continue; } clusterVisibles[clusterId] = false; } const cameraFrames = this._cameraFrames; const positionLines = this._positionLines; const interactiveLayer = this._intersection.interactiveLayer; for (const props of Object.values(this._props)) { const image = props.image; const visible = filter(image); const key = image.id; positionLines[key].visible = visible; const camera = cameraFrames[key]; this._setCameraVisibility(camera, visible, interactiveLayer); clusterVisibles[_a = props.ids.clusterId] || (clusterVisibles[_a] = visible); } } applyPositionMode(mode) { this._positions.visible = mode !== exports.OriginalPositionMode.Hidden; for (const position of this._positions.children) { position.setMode(mode); } } dispose() { this._disposeCameras(); this._disposePositions(); this._scene = null; this._intersection = null; } disposeCluster(clusterId) { if (!this._clusterImages.has(clusterId)) { return; } const { _cameraFrames, _intersection, _positionLines, _positions, _props, cameras, keys, } = this; const imageIds = this._clusterImages.get(clusterId); for (const imageId of imageIds) { this._disposeCamera(_cameraFrames[imageId], cameras, _intersection); this._disposePosition(_positionLines[imageId], _positions); delete _cameraFrames[imageId]; delete _positionLines[imageId]; const index = keys.indexOf(imageId); if (index !== -1) { keys.splice(index, 1); } delete _props[imageId]; } this._clusterImages.delete(clusterId); this._clusters.delete(clusterId); delete this.clusterVisibles[clusterId]; } getCamerasByMode(mode) { switch (mode) { case exports.CameraVisualizationMode.Cluster: return this._clusters; case exports.CameraVisualizationMode.ConnectedComponent: return this._connectedComponents; case exports.CameraVisualizationMode.Sequence: return this._sequences; default: return this._defaults; } } getColorId(imageId, mode) { const props = this._props[imageId]; const cvm = exports.CameraVisualizationMode; switch (mode) { case cvm.Cluster: return props.ids.clusterId; case cvm.ConnectedComponent: return props.ids.ccId; case cvm.Sequence: return props.ids.sequenceId; default: return DEFAULT_ID; } } hasImage(key) { return this.keys.indexOf(key) !== -1; } getCluster(imageId) { if (!this.hasImage(imageId)) { throw new Error(`Image does not exist (${imageId})`); } return this._props[imageId].ids.clusterId; } resetReference(reference, prevReference) { const frames = this._cameraFrames; for (const frameId in frames) { if (!frames.hasOwnProperty(frameId)) { continue; } const frame = frames[frameId]; frame.position.fromArray(resetEnu(reference, frame.position.toArray(), prevReference)); frame.update(); } const lines = this._positionLines; for (const lineId in lines) { if (!lines.hasOwnProperty(lineId)) { continue; } const line = lines[lineId]; line.position.fromArray(resetEnu(reference, line.position.toArray(), prevReference)); line.update(); } } visualize(props) { var _a, _b; const id = props.id; const visible = props.visible; const transform = props.transform; const cameraParameters = { color: props.color, material: this._frameMaterial, scale: props.scale, size: props.maxSize, transform, }; const camera = isSpherical(transform.cameraType) ? new SphericalCameraFrame(cameraParameters) : new PerspectiveCameraFrame(cameraParameters); const interactiveLayer = this._intersection.interactiveLayer; this._setCameraVisibility(camera, visible, interactiveLayer); this.cameras.add(camera); this._cameraFrames[id] = camera; const intersection = this._intersection; intersection.add(camera, id); const ids = this._props[id].ids; (_a = this.clusterVisibles)[_b = ids.clusterId] || (_a[_b] = visible); const idCamera = { camera, clusterId: ids.clusterId }; this._clusters.get(ids.clusterId).push(idCamera); this._connectedComponents.get(ids.ccId).push(idCamera); this._defaults.get(DEFAULT_ID).push(idCamera); this._sequences.get(ids.sequenceId).push(idCamera); const positionParameters = { material: this._positionMaterial, mode: props.positionMode, originalOrigin: props.originalPosition, transform, }; const position = new PositionLine(positionParameters); position.visible = visible; this._positions.add(position); this._positionLines[id] = position; } _disposeCamera(camera, cameras, intersection) { camera.dispose(); intersection.remove(camera); cameras.remove(camera); } _disposeCameras() { const intersection = this._intersection; const cameras = this.cameras; for (const camera of cameras.children.slice()) { this._disposeCamera(camera, cameras, intersection); } this._scene.remove(this.cameras); } _disposePosition(position, positions) { position.dispose(); positions.remove(position); } _disposePositions() { const positions = this._positions; for (const position of positions.children.slice()) { this._disposePosition(position, positions); } this._scene.remove(this._positions); } _setCameraVisibility(camera, visible, layer) { camera.visible = visible; if (visible) { camera.layers.enable(layer); } else { camera.layers.disable(layer); } } } class SpatialAssets { constructor() { this._colors = new Map(); const cvm = exports.CameraVisualizationMode; this._colors.set(cvm[cvm.Homogeneous], "#FFFFFF"); } getColor(id) { const colors = this._colors; if (!colors.has(id)) { colors.set(id, this._randomColor()); } return colors.get(id); } _randomColor() { return `hsl(${Math.floor(360 * Math.random())}, 100%, 60%)`; } } function isModeVisible(mode) { return mode !== exports.CameraVisualizationMode.Hidden; } function isOverviewState(state) { return state === State.Custom || state === State.Earth; } exports.PointVisualizationMode = void 0; (function (PointVisualizationMode) { /** * Points are hidden. */ PointVisualizationMode[PointVisualizationMode["Hidden"] = 0] = "Hidden"; /** * Visualize points with original colors. */ PointVisualizationMode[PointVisualizationMode["Original"] = 1] = "Original"; /** * Paint all points belonging to a specific * cluster with the same random color. */ PointVisualizationMode[PointVisualizationMode["Cluster"] = 2] = "Cluster"; })(exports.PointVisualizationMode || (exports.PointVisualizationMode = {})); const NO_CLUSTER_ID = "NO_CLUSTER_ID"; const NO_MERGE_ID = "NO_MERGE_ID"; const NO_SEQUENCE_ID = "NO_SEQUENCE_ID"; const RAY_NEAR_SCALE = 1.2; const ORIGINAL_CAMERA_SIZE = 1; const ORIGINAL_POINT_SIZE = 2; class SpatialScene { constructor(configuration, scene) { this._imageCellMap = new Map(); this._clusterCellMap = new Map(); this._clusterImageMap = new Map(); this._scene = !!scene ? scene : new Scene(); this._scene.matrixWorldAutoUpdate = false; this._intersection = new SpatialIntersection(); this._assets = new SpatialAssets(); this._needsRender = false; this._images = {}; this._cells = {}; this._cellClusters = {}; this._clusters = {}; this._cameraVisualizationMode = !!configuration.cameraVisualizationMode ? configuration.cameraVisualizationMode : exports.CameraVisualizationMode.Homogeneous; this._cameraSize = configuration.cameraSize; this._pointSize = configuration.pointSize; this._pointVisualizationMode = !!configuration.pointVisualizationMode ? configuration.pointVisualizationMode : exports.PointVisualizationMode.Original; this._positionMode = configuration.originalPositionMode; this._cellsVisible = configuration.cellsVisible; this._hoveredId = null; this._selectedId = null; this._colors = { hover: "#FF0000", select: "#FF8000" }; this._cameraOverrideColors = new Map(); this._pointOverrideColors = new Map(); this._filter = () => true; } get needsRender() { return this._needsRender; } get intersection() { return this._intersection; } addCluster(reconstruction, translation, cellId) { if (this.hasCluster(reconstruction.id, cellId)) { return; } const clusterId = reconstruction.id; if (!(clusterId in this._clusters)) { const color = this._getPointColor(clusterId); const points = new ClusterPoints({ cluster: reconstruction, color, originalSize: ORIGINAL_POINT_SIZE, scale: this._pointSize, translation, }); points.visible = this._getClusterVisible(clusterId); this._scene.add(points); this._clusters[clusterId] = { cellIds: [], points: points, }; } if (this._clusters[clusterId].cellIds.indexOf(cellId) === -1) { this._clusters[clusterId].cellIds.push(cellId); } if (!(cellId in this._cellClusters)) { this._cellClusters[cellId] = { keys: [] }; } if (this._cellClusters[cellId].keys.indexOf(clusterId) === -1) { this._cellClusters[cellId].keys.push(clusterId); } if (!this._clusterImageMap.has(clusterId)) { this._clusterImageMap.set(clusterId, new Set()); } this._needsRender = true; } addImage(image, transform, originalPosition, cellId) { var _a, _b, _c; const imageId = image.id; const idMap = { clusterId: (_a = image.clusterId) !== null && _a !== void 0 ? _a : NO_CLUSTER_ID, sequenceId: (_b = image.sequenceId) !== null && _b !== void 0 ? _b : NO_SEQUENCE_ID, ccId: (_c = image.mergeId) !== null && _c !== void 0 ? _c : NO_MERGE_ID, }; if (!(cellId in this._images)) { const created = new SpatialCell(cellId, this._scene, this._intersection); created.cameras.visible = isModeVisible(this._cameraVisualizationMode); created.applyPositionMode(this._positionMode); this._images[cellId] = created; } const cell = this._images[cellId]; if (cell.hasImage(imageId)) { return; } cell.addImage({ idMap, image: image }); const colorId = cell.getColorId(imageId, this._cameraVisualizationMode); let color = this._cameraOverrideColors.has(idMap.clusterId) ? this._cameraOverrideColors.get(idMap.clusterId) : this._assets.getColor(colorId); const visible = this._filter(image); cell.visualize({ id: imageId, color, positionMode: this._positionMode, scale: this._cameraSize, transform, visible, maxSize: ORIGINAL_CAMERA_SIZE, originalPosition }); if (!this._clusterCellMap.has(idMap.clusterId)) { this._clusterCellMap.set(idMap.clusterId, new Set()); } const clusterCells = this._clusterCellMap.get(idMap.clusterId); if (!clusterCells.has(cellId)) { clusterCells.add(cellId); } this._imageCellMap.set(imageId, cellId); if (!this._clusterImageMap.has(idMap.clusterId)) { this._clusterImageMap.set(idMap.clusterId, new Set()); } this._clusterImageMap.get(idMap.clusterId).add(imageId); if (imageId === this._selectedId) { this._highlight(imageId, this._colors.select, this._cameraVisualizationMode); } if (idMap.clusterId in this._clusters) { const clusterVisible = this._getClusterVisible(idMap.clusterId); this._clusters[idMap.clusterId].points.visible = clusterVisible; } this._needsRender = true; } addCell(vertices, cellId) { if (this.hasCell(cellId)) { return; } const cell = new CellLine(vertices); this._cells[cellId] = cell; this._cells[cellId].visible = this._cellsVisible; this._scene.add(this._cells[cellId]); this._needsRender = true; } deactivate() { this._filter = () => true; this._selectedId = null; this._hoveredId = null; this.uncache(); } getCameraOverrideColor(clusterId) { return this._cameraOverrideColors.get(clusterId); } getPointOverrideColor(clusterId) { return this._pointOverrideColors.get(clusterId); } hasCell(cellId) { return cellId in this._cells; } hasCluster(clusterId, cellId) { return clusterId in this._clusters && this._clusters[clusterId].cellIds.indexOf(cellId) !== -1; } hasImage(imageId, cellId) { return cellId in this._images && this._images[cellId].hasImage(imageId); } render(camera, renderer) { renderer.render(this._scene, camera); this._needsRender = false; } resetReference(reference, prevReference) { const clusters = this._clusters; for (const clusterId in clusters) { if (!clusters.hasOwnProperty(clusterId)) { continue; } const cluster = clusters[clusterId]; cluster.points.position.fromArray(resetEnu(reference, cluster.points.position.toArray(), prevReference)); cluster.points.update(); } const cells = this._cells; for (const cellId in cells) { if (!cells.hasOwnProperty(cellId)) { continue; } const cell = cells[cellId]; cell.position.clone(); cell.position.fromArray(resetEnu(reference, cell.position.toArray(), prevReference)); cell.update(); } const images = this._images; for (const cellId in images) { if (!images.hasOwnProperty(cellId)) { continue; } const spatialCell = images[cellId]; spatialCell.resetReference(reference, prevReference); } } setCameraOverrideColor(clusterId, color) { if (color != null) { this._cameraOverrideColors.set(clusterId, color); } else { this._cameraOverrideColors.delete(clusterId); } if (!this._clusterCellMap.has(clusterId)) { return; } const cellIds = this._clusterCellMap.get(clusterId); this._applyCameraColor([...cellIds.keys()]); this._needsRender = true; } setCameraSize(cameraSize) { if (Math.abs(cameraSize - this._cameraSize) < 1e-4) { return; } const imageCells = this._images; for (const cellId of Object.keys(imageCells)) { imageCells[cellId].applyCameraSize(cameraSize); } this._intersection.raycaster.near = this._getNear(cameraSize); this._intersection.setIntersectionThreshold(cameraSize); this._cameraSize = cameraSize; this._needsRender = true; } setCameraVisualizationMode(mode) { if (mode === this._cameraVisualizationMode) { return; } this._cameraVisualizationMode = mode; this._applyCameraColor(Object.keys(this._images)); this._needsRender = true; } setCellVisibility(visible) { if (visible === this._cellsVisible) { return; } for (const cellId in this._cells) { if (!this._cells.hasOwnProperty(cellId)) { continue; } this._cells[cellId].visible = visible; } this._cellsVisible = visible; this._needsRender = true; } setFilter(filter) { this._filter = filter; const clusterVisibles = {}; for (const imageCell of Object.values(this._images)) { imageCell.applyFilter(filter); const imageCV = imageCell.clusterVisibles; for (const clusterId in imageCV) { if (!imageCV.hasOwnProperty(clusterId)) { continue; } if (!(clusterId in clusterVisibles)) { clusterVisibles[clusterId] = false; } clusterVisibles[clusterId] || (clusterVisibles[clusterId] = imageCV[clusterId]); } } const pointsVisible = this._pointVisualizationMode !== exports.PointVisualizationMode.Hidden; for (const clusterId in clusterVisibles) { if (!clusterVisibles.hasOwnProperty(clusterId)) { continue; } clusterVisibles[clusterId] && (clusterVisibles[clusterId] = pointsVisible); const visible = clusterVisibles[clusterId]; if (clusterId in this._clusters) { this._clusters[clusterId].points.visible = visible; } } this._needsRender = true; } setHoveredImage(imageId) { if (imageId != null && !this._imageCellMap.has(imageId)) { throw new MapillaryError(`Image does not exist: ${imageId}`); } if (this._hoveredId === imageId) { return; } this._needsRender = true; if (this._hoveredId != null) { if (this._hoveredId === this._selectedId) { this._highlight(this._hoveredId, this._colors.select, this._cameraVisualizationMode); } else { this._resetCameraColor(this._hoveredId); } } this._highlight(imageId, this._colors.hover, this._cameraVisualizationMode); this._hoveredId = imageId; } setPointOverrideColor(clusterId, color) { if (color != null) { this._pointOverrideColors.set(clusterId, color); } else { this._pointOverrideColors.delete(clusterId); } this._applyPointColor(clusterId); this._needsRender = true; } setPointSize(pointSize) { if (Math.abs(pointSize - this._pointSize) < 1e-4) { return; } const clusters = this._clusters; for (const key in clusters) { if (!clusters.hasOwnProperty(key)) { continue; } clusters[key].points.resize(pointSize); } this._pointSize = pointSize; this._needsRender = true; } setPointVisualizationMode(mode) { if (mode === this._pointVisualizationMode) { return; } this._pointVisualizationMode = mode; for (const clusterId in this._clusters) { if (!this._clusters.hasOwnProperty(clusterId)) { continue; } this._applyPointColor(clusterId); } this._needsRender = true; } setPositionMode(mode) { if (mode === this._positionMode) { return; } for (const cell of Object.values(this._images)) { cell.applyPositionMode(mode); } this._positionMode = mode; this._needsRender = true; } setSelectedImage(id) { if (this._selectedId === id) { return; } if (this._selectedId != null) { this._resetCameraColor(this._selectedId); } this._highlight(id, this._colors.select, this._cameraVisualizationMode); this._selectedId = id; this._needsRender = true; } uncache(keepCellIds) { for (const cellId of Object.keys(this._cellClusters)) { if (!!keepCellIds && keepCellIds.indexOf(cellId) !== -1) { continue; } this._disposeReconstruction(cellId); } for (const cellId of Object.keys(this._images)) { if (!!keepCellIds && keepCellIds.indexOf(cellId) !== -1) { continue; } const nceMap = this._imageCellMap; const keys = this._images[cellId].keys; for (const key of keys) { nceMap.delete(key); } this._images[cellId].dispose(); delete this._images[cellId]; } for (const cellId of Object.keys(this._cells)) { if (!!keepCellIds && keepCellIds.indexOf(cellId) !== -1) { continue; } this._disposeCell(cellId); } this._needsRender = true; } uncacheCluster(clusterId) { var _a; const cellIds = new Set(); if (clusterId in this._clusters) { const cluster = this._clusters[clusterId]; for (const cellId of cluster.cellIds) { cellIds.add(cellId); } this._scene.remove(cluster.points); cluster.points.dispose(); delete this._clusters[clusterId]; } for (const cellId of (_a = this._clusterCellMap.get(clusterId)) !== null && _a !== void 0 ? _a : []) { cellIds.add(cellId); } this._clusterCellMap.delete(clusterId); for (const cellId of cellIds.values()) { if (!(cellId in this._cellClusters)) { continue; } const cellClusters = this._cellClusters[cellId]; const index = cellClusters.keys.indexOf(clusterId); if (index !== -1) { cellClusters.keys.splice(index, 1); } } for (const cellId of cellIds.values()) { if (!(cellId in this._images)) { continue; } const cell = this._images[cellId]; cell.disposeCluster(clusterId); } if (this._clusterImageMap.has(clusterId)) { const imageCellMap = this._imageCellMap; const imageIds = this._clusterImageMap.get(clusterId).values(); for (const imageId of imageIds) { imageCellMap.delete(imageId); } this._clusterImageMap.delete(clusterId); } this._needsRender = true; } _applyCameraColor(cellIds) { const mode = this._cameraVisualizationMode; const visible = isModeVisible(mode); const assets = this._assets; const overrides = this._cameraOverrideColors; const images = this._images; for (const cellId of cellIds) { if (!(cellId in images)) { continue; } const cell = images[cellId]; cell.cameras.visible = visible; const cameraMap = cell.getCamerasByMode(mode); cameraMap.forEach((cameras, colorId) => { let color = assets.getColor(colorId); for (const camera of cameras) { if (overrides.has(camera.clusterId)) { camera.camera.setColor(overrides.get(camera.clusterId)); } else { camera.camera.setColor(color); } } }); } this._highlight(this._hoveredId, this._colors.hover, mode); this._highlight(this._selectedId, this._colors.select, mode); } _applyPointColor(clusterId) { if (!(clusterId in this._clusters)) { return; } const cluster = this._clusters[clusterId]; cluster.points.visible = this._getClusterVisible(clusterId); const color = this._getPointColor(clusterId); cluster.points.setColor(color); } _getClusterVisible(clusterId) { if (this._pointVisualizationMode === exports.PointVisualizationMode.Hidden) { return false; } let visible = false; for (const imageCell of Object.values(this._images)) { const imageCV = imageCell.clusterVisibles; if (!(clusterId in imageCV)) { continue; } visible || (visible = imageCV[clusterId]); } return visible; } _disposeCell(cellId) { const cell = this._cells[cellId]; for (const line of cell.children.slice()) { line.dispose(); cell.remove(line); } this._scene.remove(cell); delete this._cells[cellId]; } _disposePoints(cellId) { for (const clusterId of this._cellClusters[cellId].keys) { if (!(clusterId in this._clusters)) { continue; } const index = this._clusters[clusterId].cellIds.indexOf(cellId); if (index === -1) { continue; } const cluster = this._clusters[clusterId]; cluster.cellIds.splice(index, 1); if (cluster.cellIds.length > 0) { continue; } this._scene.remove(cluster.points); cluster.points.dispose(); delete this._clusters[clusterId]; } } _disposeReconstruction(cellId) { this._disposePoints(cellId); delete this._cellClusters[cellId]; } _getNear(cameraSize) { const near = RAY_NEAR_SCALE * ORIGINAL_CAMERA_SIZE * cameraSize; return Math.max(0.01, near); } _getPointColor(clusterId) { let color = null; if (this._pointVisualizationMode === exports.PointVisualizationMode.Cluster) { color = this._assets.getColor(clusterId); } if (this._pointOverrideColors.has(clusterId)) { color = this._pointOverrideColors.get(clusterId); } return color; } _highlight(imageId, color, mode) { const nceMap = this._imageCellMap; if (imageId == null || !nceMap.has(imageId)) { return; } const cellId = nceMap.get(imageId); const cell = this._images[cellId]; const clusterId = cell.getCluster(imageId); const overridden = this._cameraOverrideColors.get(clusterId); color = mode === exports.CameraVisualizationMode.Homogeneous && !overridden ? color : SPATIAL_DEFAULT_COLOR; this._images[cellId].applyCameraColor(imageId, color); } _resetCameraColor(imageId) { const nceMap = this._imageCellMap; if (imageId == null || !nceMap.has(imageId)) { return; } const cellId = nceMap.get(imageId); const cell = this._images[cellId]; const colorId = cell.getColorId(imageId, this._cameraVisualizationMode); let color = this._assets.getColor(colorId); const clusterId = cell.getCluster(imageId); if (this._cameraOverrideColors.has(clusterId)) { color = this._cameraOverrideColors.get(clusterId); } cell.applyCameraColor(imageId, color); } } class SpatialCache { constructor(graphService, api) { this._graphService = graphService; this._api = api; this._cells = new Map(); this._clusters = {}; this._cellClusters = {}; this._cellImageRequests = {}; this._cellClusterRequests = {}; this._clusterRequests = new Set(); } cacheClusters$(cellId) { if (!this.hasCell(cellId)) { throw new Error("Cannot cache reconstructions of a non-existing cell."); } if (this.hasClusters(cellId)) { throw new Error("Cannot cache reconstructions that already exists."); } if (this.isCachingClusters(cellId)) { return this._cellClusterRequests[cellId].request; } const duplicatedClusters = this.getCell(cellId) .filter((n) => { return !!n.clusterId && !!n.clusterUrl; }) .map((n) => { return { key: n.clusterId, url: n.clusterUrl }; }); const clusters = Array .from(new Map(duplicatedClusters.map((cd) => { return [cd.key, cd]; })) .values()); this._cellClusters[cellId] = clusters; let cancel; const cancellationToken = new Promise((_, reject) => { cancel = reject; }); this._cellClusterRequests[cellId] = { cancel, request: this._cacheClusters$(clusters, cellId, cancellationToken).pipe(finalize(() => { if (cellId in this._cellClusterRequests) { delete this._cellClusterRequests[cellId]; } }), publish(), refCount()) }; return this._cellClusterRequests[cellId].request; } cacheCell$(cellId) { if (this.hasCell(cellId)) { throw new Error("Cannot cache cell that already exists."); } if (this.isCachingCell(cellId)) { return this._cellImageRequests[cellId]; } this._cellImageRequests[cellId] = this._graphService.cacheCell$(cellId).pipe(catchError((error) => { console.error(error); return empty(); }), filter(() => { return !this._cells.has(cellId); }), tap((images) => { const cell = { clusters: new Map(), images: new Map(), }; this._cells.set(cellId, cell); for (const image of images) { cell.images.set(image.id, image); const clusterId = image.clusterId; if (!cell.clusters.has(clusterId)) { cell.clusters.set(clusterId, []); } const clusterImageIds = cell.clusters.get(clusterId); clusterImageIds.push(image.id); } delete this._cellImageRequests[cellId]; }), finalize(() => { if (cellId in this._cellImageRequests) { delete this._cellImageRequests[cellId]; } }), publish(), refCount()); return this._cellImageRequests[cellId]; } isCachingClusters(cellId) { return cellId in this._cellClusterRequests; } isCachingCell(cellId) { return cellId in this._cellImageRequests; } hasClusters(cellId) { if (cellId in this._cellClusterRequests || !(cellId in this._cellClusters)) { return false; } for (const cd of this._cellClusters[cellId]) { if (!(cd.key in this._clusters)) { return false; } } return true; } hasCell(cellId) { return !(cellId in this._cellImageRequests) && this._cells.has(cellId); } getClusters(cellId) { return cellId in this._cellClusters ? this._cellClusters[cellId] .map((cd) => { const cluster = this._clusters[cd.key]; return cluster ? cluster.contract : null; }) .filter((reconstruction) => { return !!reconstruction; }) : []; } getCell(cellId) { return this._cells.has(cellId) ? Array.from(this._cells.get(cellId).images.values()) : []; } removeCluster(clusterId) { var _a; this._clusterRequests.delete(clusterId); if (clusterId in this._clusters) { delete this._clusters[clusterId]; } const cellIds = []; for (const [cellId, cell] of this._cells.entries()) { if (cell.clusters.has(clusterId)) { cellIds.push(cellId); } } for (const cellId of cellIds) { if (!this._cells.has(cellId)) { continue; } const cell = this._cells.get(cellId); const clusterImages = (_a = cell.clusters.get(clusterId)) !== null && _a !== void 0 ? _a : []; for (const imageId of clusterImages) { cell.images.delete(imageId); } cell.clusters.delete(clusterId); if (cellId in this._cellClusters) { const cellClusters = this._cellClusters[cellId]; const index = cellClusters.findIndex(cd => cd.key === clusterId); if (index !== -1) { cellClusters.splice(index, 1); } } } } uncache(keepCellIds) { for (const cellId of Object.keys(this._cellClusterRequests)) { if (!!keepCellIds && keepCellIds.indexOf(cellId) !== -1) { continue; } this._cellClusterRequests[cellId].cancel(); delete this._cellClusterRequests[cellId]; } for (let cellId of Object.keys(this._cellClusters)) { if (!!keepCellIds && keepCellIds.indexOf(cellId) !== -1) { continue; } for (const cd of this._cellClusters[cellId]) { if (!(cd.key in this._clusters)) { continue; } const { cellIds } = this._clusters[cd.key]; cellIds.delete(cellId); if (cellIds.size > 0) { continue; } delete this._clusters[cd.key]; } delete this._cellClusters[cellId]; } for (let cellId of this._cells.keys()) { if (!!keepCellIds && keepCellIds.indexOf(cellId) !== -1) { continue; } this._cells.delete(cellId); } } updateCell$(cellId) { if (!this.hasCell(cellId)) { throw new Error("Cannot update cell that does not exists."); } return this._graphService.cacheCell$(cellId).pipe(catchError((error) => { console.error(error); return empty(); }), filter(() => { return this._cells.has(cellId); }), tap((images) => { const cell = this._cells.get(cellId); for (const image of images) { cell.images.set(image.id, image); const clusterId = image.clusterId; if (!cell.clusters.has(clusterId)) { cell.clusters.set(clusterId, []); } const clusterImageIds = cell.clusters.get(clusterId); clusterImageIds.push(image.id); } }), publish(), refCount()); } updateClusters$(cellId) { if (!this.hasCell(cellId)) { throw new Error("Cannot update reconstructions of a non-existing cell."); } if (!this.hasClusters(cellId)) { throw new Error("Cannot update reconstructions for cell that is not cached."); } const duplicatedClusters = this.getCell(cellId) .filter((n) => { return !!n.clusterId && !!n.clusterUrl; }) .map((n) => { return { key: n.clusterId, url: n.clusterUrl }; }); const clusters = Array .from(new Map(duplicatedClusters.map((cd) => { return [cd.key, cd]; })) .values()) .filter(cd => { return !(cd.key in this._clusters); }); this._cellClusters[cellId].push(...clusters); return this._cacheClusters$(clusters, cellId, null); } _cacheClusters$(clusters, cellId, cancellation) { return from(clusters).pipe(mergeMap((cd) => { if (this._hasCluster(cd.key)) { return of(this._getCluster(cd.key)); } this._clusterRequests.add(cd.key); return this._getCluster$(cd.url, cd.key, cancellation) .pipe(catchError((error) => { if (error instanceof CancelMapillaryError) { return empty(); } console.error(error); return empty(); })); }, 6), filter((cluster) => { return cellId in this._cellClusters && this._clusterRequests.has(cluster.id); }), tap((cluster) => { if (!this._hasCluster(cluster.id)) { this._clusters[cluster.id] = { cellIds: new Set(), contract: cluster, }; } const { cellIds } = this._clusters[cluster.id]; cellIds.add(cellId); this._clusterRequests.delete(cluster.id); })); } _getCluster(id) { return this._clusters[id].contract; } _getCluster$(url, clusterId, abort) { return Observable.create((subscriber) => { this._api.data.getCluster(url, abort) .then((reconstruction) => { reconstruction.id = clusterId; subscriber.next(reconstruction); subscriber.complete(); }, (error) => { subscriber.error(error); }); }); } _hasCluster(id) { return id in this._clusters; } } function connectedComponent(cellId, depth, geometry) { const cells = new Set(); cells.add(cellId); connectedComponentRecursive(cells, [cellId], 0, depth, geometry); return Array.from(cells); } function connectedComponentRecursive(cells, current, currentDepth, maxDepth, geometry) { if (currentDepth >= maxDepth) { return; } const adjacent = []; for (const cellId of current) { const aCells = geometry.getAdjacent(cellId); adjacent.push(...aCells); } const newCells = []; for (const a of adjacent) { if (cells.has(a)) { continue; } cells.add(a); newCells.push(a); } connectedComponentRecursive(cells, newCells, currentDepth + 1, maxDepth, geometry); } class SpatialComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); this._cache = new SpatialCache(navigator.graphService, navigator.api); this._scene = new SpatialScene(this._getDefaultConfiguration()); this._viewportCoords = new ViewportCoords(); this._spatial = new Spatial(); } /** * Get the currently set camera frame override color, or null if * no color is set. * * @param {string} clusterId - Id of the cluster. * * @returns {string | number | null} The current override color * for the cluster. */ getCameraOverrideColor(clusterId) { return this._scene.getCameraOverrideColor(clusterId); } /** * Returns the image id of the camera frame closest to the current * render camera position at the specified point. * * @description Notice that the pixelPoint argument requires x, y * coordinates from pixel space. * * With this function, you can use the coordinates provided by mouse * events to get information out of the spatial component. * * If no camera frame exist at the pixel * point, `null` will be returned. * * @param {Array} pixelPoint - Pixel coordinates on * the viewer element. * @returns {string} Image id of the camera frame closest to * the camera. If no camera frame is intersected at the * pixel point, `null` will be returned. * * @example * ```js * spatialComponent.getFrameIdAt([100, 125]) * .then((imageId) => { console.log(imageId); }); * ``` */ getFrameIdAt(pixelPoint) { return new Promise((resolve, reject) => { this._container.renderService.renderCamera$.pipe(first(), map((render) => { const viewport = this._viewportCoords .canvasToViewport(pixelPoint[0], pixelPoint[1], this._container.container); const id = this._scene.intersection .intersectObjects(viewport, render.perspective); return id; })) .subscribe((id) => { resolve(id); }, (error) => { reject(error); }); }); } /** * Get the currently set point override color, or null if * no color is set. * * @param {string} clusterId - Id of the cluster. * * @returns {string | number | null} The current override color * for the cluster. */ getPointOverrideColor(clusterId) { return this._scene.getPointOverrideColor(clusterId); } /** * Override the camera color for a cluster. * * @description The configured color is applied for all visible * visualization modes, overriding the color of the currently * selected mode. * * @param {string} clusterId - Id of the cluster to configure. * @param {number | string} color - The color to paint the cameras with. * * @example * ```js * spatialComponent.setCameraOverrideColor("my-cluster-id", 0x00ff00); * ``` */ setCameraOverrideColor(clusterId, color) { this._scene.setCameraOverrideColor(clusterId, color); } /** * Override the point color for a cluster. * * @description The configured color is applied for all visible * visualization modes, overriding the color of the currently * selected mode. * * @param {string} clusterId - Id of the cluster to configure. * @param {number | string} color - The color to paint the points with. * * @example * ```js * spatialComponent.setPointOverrideColor("my-cluster-id", 0x00ff00); * ``` */ setPointOverrideColor(clusterId, color) { this._scene.setPointOverrideColor(clusterId, color); } _activate() { this._navigator.cacheService.configure({ cellDepth: 3 }); const subs = this._subscriptions; subs.push(this._configuration$ .pipe(map((c) => { var _a; c.cameraSize = this._spatial.clamp(c.cameraSize, MIN_CAMERA_SIZE, MAX_CAMERA_SIZE); c.pointSize = this._spatial.clamp(c.pointSize, MIN_POINT_SIZE, MAX_POINT_SIZE); c.cellGridDepth = this._spatial.clamp(c.cellGridDepth, 1, 3); const pointVisualizationMode = c.pointsVisible ? (_a = c.pointVisualizationMode) !== null && _a !== void 0 ? _a : exports.PointVisualizationMode.Original : exports.PointVisualizationMode.Hidden; return { cameraSize: c.cameraSize, cameraVisualizationMode: c.cameraVisualizationMode, cellsVisible: c.cellsVisible, originalPositionMode: c.originalPositionMode, pointSize: c.pointSize, pointVisualizationMode, }; }), distinctUntilChanged((c1, c2) => { return c1.cameraSize === c2.cameraSize && c1.cameraVisualizationMode === c2.cameraVisualizationMode && c1.cellsVisible === c2.cellsVisible && c1.originalPositionMode === c2.originalPositionMode && c1.pointSize === c2.pointSize && c1.pointVisualizationMode === c2.pointVisualizationMode; })) .subscribe((c) => { this._scene.setCameraSize(c.cameraSize); const cvm = c.cameraVisualizationMode; this._scene.setCameraVisualizationMode(cvm); this._scene.setCellVisibility(c.cellsVisible); this._scene.setPointSize(c.pointSize); const pvm = c.pointVisualizationMode; this._scene.setPointVisualizationMode(pvm); const opm = c.originalPositionMode; this._scene.setPositionMode(opm); })); subs.push(this._navigator.graphService.dataReset$ .subscribe(() => { this._cache.uncache(); this._scene.uncache(); })); subs.push(this._navigator.stateService.reference$ .pipe(pairwise()) .subscribe(([prevReference, reference]) => { this._scene.resetReference(reference, prevReference); })); subs.push(this._navigator.graphService.filter$ .subscribe(imageFilter => { this._scene.setFilter(imageFilter); })); const bearing$ = this._container.renderService.bearing$.pipe(map((bearing) => { const interval = 6; const discrete = interval * Math.floor(bearing / interval); return discrete; }), distinctUntilChanged(), publishReplay(1), refCount()); const currentImage$ = this._navigator.stateService.currentImage$; const cellId$ = currentImage$ .pipe(map((image) => { return this._navigator.api.data.geometry .lngLatToCellId(image.originalLngLat); }), distinctUntilChanged(), publishReplay(1), refCount()); const cellGridDepth$ = this._configuration$ .pipe(map((c) => { return c.cellGridDepth; }), distinctUntilChanged(), publishReplay(1), refCount()); const sequencePlay$ = combineLatest(this._navigator.playService.playing$, this._navigator.playService.speed$).pipe(map(([playing, speed]) => { return playing && speed > PlayService.sequenceSpeed; }), distinctUntilChanged(), publishReplay(1), refCount()); const isOverview$ = this._navigator.stateService.state$.pipe(map((state) => { return isOverviewState(state); }), distinctUntilChanged(), publishReplay(1), refCount()); const cell$ = combineLatest(isOverview$, sequencePlay$, bearing$, cellGridDepth$, currentImage$) .pipe(distinctUntilChanged(([o1, s1, b1, d1, i1], [o2, s2, b2, d2, i2]) => { if (!i1.assetsCached) { return false; } if (o1 !== o2) { return false; } const isd = i1.id === i2.id && s1 === s2 && d1 === d2; if (o1) { return isd; } return isd && b1 === b2; }), concatMap(([isOverview, sequencePlay, bearing, depth, image]) => { if (isOverview) { const geometry = this._navigator.api.data.geometry; const cellId = geometry .lngLatToCellId(image.originalLngLat); const cells = sequencePlay ? [cellId] : connectedComponent(cellId, depth, geometry); return of(cells); } const fov = sequencePlay ? 30 : 90; return of(this._cellsInFov(image, bearing, fov)); }), switchMap((cellIds) => { return from(cellIds).pipe(mergeMap((cellId) => { const t$ = this._cache.hasCell(cellId) ? of(this._cache.getCell(cellId)) : this._cache.cacheCell$(cellId); return t$.pipe(map((images) => ({ id: cellId, images }))); }, 6)); })); subs.push(cell$.pipe(withLatestFrom(this._navigator.stateService.reference$)) .subscribe(([cell, reference]) => { if (this._scene.hasCell(cell.id)) { return; } this._scene.addCell(this._cellToTopocentric(cell.id, reference), cell.id); })); subs.push(cell$.pipe(withLatestFrom(this._navigator.stateService.reference$)) .subscribe(([cell, reference]) => { this._addSceneImages(cell, reference); })); subs.push(cell$.pipe(concatMap((cell) => { const cellId = cell.id; let reconstructions$; if (this._cache.hasClusters(cellId)) { reconstructions$ = from(this._cache.getClusters(cellId)); } else if (this._cache.isCachingClusters(cellId)) { reconstructions$ = this._cache.cacheClusters$(cellId).pipe(last(null, {}), switchMap(() => { return from(this._cache.getClusters(cellId)); })); } else if (this._cache.hasCell(cellId)) { reconstructions$ = this._cache.cacheClusters$(cellId); } else { reconstructions$ = empty(); } return combineLatest(of(cellId), reconstructions$); }), withLatestFrom(this._navigator.stateService.reference$)) .subscribe(([[cellId, reconstruction], reference]) => { if (this._scene .hasCluster(reconstruction.id, cellId)) { return; } this._scene.addCluster(reconstruction, this._computeTranslation(reconstruction, reference), cellId); })); subs.push(combineLatest(cellId$, cellGridDepth$) .subscribe(([cellId, depth]) => { const keepCells = connectedComponent(cellId, depth, this._navigator.api.data.geometry); this._scene.uncache(keepCells); this._cache.uncache(keepCells); })); subs.push(this._navigator.playService.playing$.pipe(switchMap((playing) => { return playing ? empty() : this._container.mouseService.dblClick$; }), withLatestFrom(this._container.renderService.renderCamera$), switchMap(([event, render]) => { const element = this._container.container; const [canvasX, canvasY] = this._viewportCoords .canvasPosition(event, element); const viewport = this._viewportCoords.canvasToViewport(canvasX, canvasY, element); const id = this._scene.intersection .intersectObjects(viewport, render.perspective); return !!id ? this._navigator.moveTo$(id).pipe(catchError(() => { return empty(); })) : empty(); })) .subscribe()); const intersectChange$ = combineLatest(this._configuration$, this._navigator.stateService.state$).pipe(map(([c, state]) => { return { size: c.cameraSize, visible: isModeVisible(c.cameraVisualizationMode), state, }; }), distinctUntilChanged((c1, c2) => { return c1.size === c2.size && c1.visible === c2.visible && c1.state === c2.state; })); const mouseMove$ = this._container.mouseService.mouseMove$.pipe(publishReplay(1), refCount()); subs.push(mouseMove$.subscribe()); const mouseHover$ = merge(this._container.mouseService.mouseEnter$, this._container.mouseService.mouseLeave$, this._container.mouseService.windowBlur$); subs.push(combineLatest(this._navigator.playService.playing$, mouseHover$, isOverview$, this._navigator.graphService.filter$) .pipe(switchMap(([playing, mouseHover]) => { return !playing && mouseHover.type === "pointerenter" ? combineLatest(concat(mouseMove$.pipe(take(1)), this._container.mouseService.mouseMove$), this._container.renderService.renderCamera$, intersectChange$) : combineLatest(of(mouseHover), of(null), of(null)); })) .subscribe(([event, render]) => { if (event.type !== "pointermove") { this._scene.setHoveredImage(null); return; } const element = this._container.container; const [canvasX, canvasY] = this._viewportCoords.canvasPosition(event, element); const viewport = this._viewportCoords.canvasToViewport(canvasX, canvasY, element); const key = this._scene.intersection .intersectObjects(viewport, render.perspective); this._scene.setHoveredImage(key); })); subs.push(this._navigator.stateService.currentId$ .subscribe((id) => { this._scene.setSelectedImage(id); })); subs.push(this._navigator.stateService.currentState$ .pipe(map((frame) => { const scene = this._scene; return { name: this._name, renderer: { frameId: frame.id, needsRender: scene.needsRender, render: scene.render.bind(scene), pass: RenderPass.Opaque, }, }; })) .subscribe(this._container.glRenderer.render$)); subs.push(this._navigator.graphService.dataDeleted$ .subscribe((clusterIds) => { for (const clusterId of clusterIds) { this._cache.removeCluster(clusterId); this._scene.uncacheCluster(clusterId); } })); const updatedCell$ = this._navigator.graphService.dataAdded$ .pipe(filter((cellId) => { return this._cache.hasCell(cellId); }), mergeMap((cellId) => { return this._cache.updateCell$(cellId).pipe(map((images) => ({ id: cellId, images })), withLatestFrom(this._navigator.stateService.reference$)); }), publish(), refCount()); subs.push(updatedCell$ .subscribe(([cell, reference]) => { this._addSceneImages(cell, reference); })); subs.push(updatedCell$ .pipe(concatMap(([cell]) => { const cellId = cell.id; const cache = this._cache; let reconstructions$; if (cache.hasClusters(cellId)) { reconstructions$ = cache.updateClusters$(cellId); } else if (cache.isCachingClusters(cellId)) { reconstructions$ = this._cache.cacheClusters$(cellId).pipe(last(null, {}), switchMap(() => { return from(cache.updateClusters$(cellId)); })); } else { reconstructions$ = empty(); } return combineLatest(of(cellId), reconstructions$); }), withLatestFrom(this._navigator.stateService.reference$)) .subscribe(([[cellId, reconstruction], reference]) => { if (this._scene.hasCluster(reconstruction.id, cellId)) { return; } this._scene.addCluster(reconstruction, this._computeTranslation(reconstruction, reference), cellId); })); } _deactivate() { this._subscriptions.unsubscribe(); this._cache.uncache(); this._scene.deactivate(); this._navigator.cacheService.configure(); } _getDefaultConfiguration() { return { cameraSize: 0.1, cameraVisualizationMode: exports.CameraVisualizationMode.Homogeneous, cellGridDepth: 1, originalPositionMode: exports.OriginalPositionMode.Hidden, pointSize: 0.05, pointsVisible: true, pointVisualizationMode: exports.PointVisualizationMode.Original, cellsVisible: false, }; } _addSceneImages(cell, reference) { const cellId = cell.id; const images = cell.images; for (const image of images) { if (this._scene.hasImage(image.id, cellId)) { continue; } this._scene.addImage(image, this._createTransform(image, reference), this._computeOriginalPosition(image, reference), cellId); } } _cellsInFov(image, bearing, fov) { const spatial = this._spatial; const geometry = this._navigator.api.data.geometry; const cell = geometry.lngLatToCellId(image.originalLngLat); const cells = [cell]; const threshold = fov / 2; const adjacent = geometry.getAdjacent(cell); for (const a of adjacent) { const vertices = geometry.getVertices(a); for (const vertex of vertices) { const [x, y] = geodeticToEnu(vertex.lng, vertex.lat, 0, image.lngLat.lng, image.lngLat.lat, 0); const azimuthal = Math.atan2(y, x); const vertexBearing = spatial.radToDeg(spatial.azimuthalToBearing(azimuthal)); if (Math.abs(vertexBearing - bearing) < threshold) { cells.push(a); } } } return cells; } _computeOriginalPosition(image, reference) { return geodeticToEnu(image.originalLngLat.lng, image.originalLngLat.lat, image.originalAltitude != null ? image.originalAltitude : image.computedAltitude, reference.lng, reference.lat, reference.alt); } _cellToTopocentric(cellId, reference) { const vertices = this._navigator.api.data.geometry .getVertices(cellId) .map((vertex) => { return geodeticToEnu(vertex.lng, vertex.lat, -2, reference.lng, reference.lat, reference.alt); }); return vertices; } _computeTranslation(reconstruction, reference) { return geodeticToEnu(reconstruction.reference.lng, reconstruction.reference.lat, reconstruction.reference.alt, reference.lng, reference.lat, reference.alt); } _createTransform(image, reference) { const translation = computeTranslation({ alt: image.computedAltitude, lat: image.lngLat.lat, lng: image.lngLat.lng }, image.rotation, reference); const transform = new Transform(image.exifOrientation, image.width, image.height, image.scale, image.rotation, translation, undefined, image.assetsCached ? image.camera : this._navigator.projectionService.makeCamera(image.cameraType, image.cameraParameters)); return transform; } } SpatialComponent.componentName = "spatial"; /** * @class Geometry * @abstract * @classdesc Represents a geometry. */ class Geometry { /** * Create a geometry. * * @constructor * @ignore */ constructor() { this._notifyChanged$ = new Subject(); } /** * Get changed observable. * * @description Emits the geometry itself every time the geometry * has changed. * * @returns {Observable} Observable emitting the geometry instance. * @ignore */ get changed$() { return this._notifyChanged$; } } class GeometryTagError extends MapillaryError { constructor(message) { super(message != null ? message : "The provided geometry value is incorrect"); Object.setPrototypeOf(this, GeometryTagError.prototype); this.name = "GeometryTagError"; } } /** * @class PointsGeometry * * @classdesc Represents a point set in the 2D basic image coordinate system. * * @example * ```js * var points = [[0.5, 0.3], [0.7, 0.3], [0.6, 0.5]]; * var pointsGeometry = new PointsGeometry(points); * ``` */ class PointsGeometry extends Geometry { /** * Create a points geometry. * * @constructor * @param {Array>} points - Array of 2D points on the basic coordinate * system. The number of points must be greater than or equal to two. * * @throws {GeometryTagError} Point coordinates must be valid basic coordinates. */ constructor(points) { super(); const pointsLength = points.length; if (pointsLength < 2) { throw new GeometryTagError("A points geometry must have two or more positions."); } this._points = []; for (const point of points) { if (point[0] < 0 || point[0] > 1 || point[1] < 0 || point[1] > 1) { throw new GeometryTagError("Basic coordinates of points must be on the interval [0, 1]."); } this._points.push(point.slice()); } } /** * Get points property. * @returns {Array>} Array of 2d points. */ get points() { return this._points; } /** * Add a point to the point set. * * @param {Array} point - Point to add. * @ignore */ addPoint2d(point) { const clamped = [ Math.max(0, Math.min(1, point[0])), Math.max(0, Math.min(1, point[1])), ]; this._points.push(clamped); this._notifyChanged$.next(this); } /** * Get the coordinates of a point from the point set representation of the geometry. * * @param {number} index - Point index. * @returns {Array} Array representing the 2D basic coordinates of the point. * @ignore */ getPoint2d(index) { return this._points[index].slice(); } /** * Remove a point from the point set. * * @param {number} index - The index of the point to remove. * @ignore */ removePoint2d(index) { if (index < 0 || index >= this._points.length || this._points.length < 3) { throw new GeometryTagError("Index for removed point must be valid."); } this._points.splice(index, 1); this._notifyChanged$.next(this); } /** @ignore */ setVertex2d(index, value, transform) { this.setPoint2d(index, value, transform); } /** @ignore */ setPoint2d(index, value, transform) { const changed = [ Math.max(0, Math.min(1, value[0])), Math.max(0, Math.min(1, value[1])), ]; this._points[index] = changed; this._notifyChanged$.next(this); } /** @ignore */ getPoints3d(transform) { return this._getPoints3d(this._points, transform); } /** @ignore */ getPoint3d(index, transform) { return transform.unprojectBasic(this._points[index], 200); } /** @ignore */ getPoints2d() { return this._points.slice(); } /** @ignore */ getCentroid2d(transform) { if (!transform) { throw new GeometryTagError("Get centroid must be called with a transform for points geometries."); } const [minX, minY, maxX, maxY] = this.getRect2d(transform); const centroidX = minX < maxX ? (minX + maxX) / 2 : ((minX + maxX + 1) / 2) % 1; const centroidY = (minY + maxY) / 2; return [centroidX, centroidY]; } /** @ignore */ getCentroid3d(transform) { let centroid2d = this.getCentroid2d(); return transform.unprojectBasic(centroid2d, 200); } /** @ignore */ getRect2d(transform) { let minX = 1; let maxX = 0; let minY = 1; let maxY = 0; const points = this._points; for (const point of points) { if (point[0] < minX) { minX = point[0]; } if (point[0] > maxX) { maxX = point[0]; } if (point[1] < minY) { minY = point[1]; } if (point[1] > maxY) { maxY = point[1]; } } if (isSpherical(transform.cameraType)) { const indices = []; for (let i = 0; i < points.length; i++) { indices[i] = i; } indices.sort((a, b) => { return points[a][0] < points[b][0] ? -1 : points[a][0] > points[b][0] ? 1 : a < b ? -1 : 1; }); let maxDistanceX = points[indices[0]][0] + 1 - points[indices[indices.length - 1]][0]; let leftMostIndex = 0; for (let i = 0; i < indices.length - 1; i++) { const index1 = indices[i]; const index2 = indices[i + 1]; const distanceX = points[index2][0] - points[index1][0]; if (distanceX > maxDistanceX) { maxDistanceX = distanceX; leftMostIndex = i + 1; } } if (leftMostIndex > 0) { minX = points[indices[leftMostIndex]][0]; maxX = points[indices[leftMostIndex - 1]][0]; } } return [minX, minY, maxX, maxY]; } /** @ignore */ setCentroid2d(value, transform) { throw new Error("Not implemented"); } _getPoints3d(points2d, transform) { return points2d .map((point) => { return transform.unprojectBasic(point, 200); }); } } class CreateTag { constructor(geometry, transform, viewportCoords) { this._geometry = geometry; this._transform = transform; this._viewportCoords = !!viewportCoords ? viewportCoords : new ViewportCoords(); this._aborted$ = new Subject(); this._created$ = new Subject(); this._glObjectsChanged$ = new Subject(); this._geometryChangedSubscription = this._geometry.changed$ .subscribe(() => { this._onGeometryChanged(); this._glObjectsChanged$.next(this); }); } get geometry() { return this._geometry; } get glObjects() { return this._glObjects; } get aborted$() { return this._aborted$; } get created$() { return this._created$; } get glObjectsChanged$() { return this._glObjectsChanged$; } get geometryChanged$() { return this._geometry.changed$.pipe(map(() => { return this; })); } dispose() { this._geometryChangedSubscription.unsubscribe(); } _canvasToTransform(canvas) { const canvasX = Math.round(canvas[0]); const canvasY = Math.round(canvas[1]); const transform = `translate(-50%,-50%) translate(${canvasX}px,${canvasY}px)`; return transform; } _colorToBackground(color) { return "#" + ("000000" + color.toString(16)).substr(-6); } _createOutine(polygon3d, color) { const positions = this._getLinePositions(polygon3d); const geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); const material = new LineBasicMaterial({ color: color, linewidth: 1, }); return new Line(geometry, material); } _disposeLine(line) { if (line == null) { return; } line.geometry.dispose(); line.material.dispose(); } _getLinePositions(polygon3d) { const length = polygon3d.length; const positions = new Float32Array(length * 3); for (let i = 0; i < length; ++i) { const index = 3 * i; const position = polygon3d[i]; positions[index] = position[0]; positions[index + 1] = position[1]; positions[index + 2] = position[2]; } return positions; } } var earcut$2 = {exports: {}}; earcut$2.exports = earcut; earcut$2.exports.default = earcut; function earcut(data, holeIndices, dim) { dim = dim || 2; var hasHoles = holeIndices && holeIndices.length, outerLen = hasHoles ? holeIndices[0] * dim : data.length, outerNode = linkedList(data, 0, outerLen, dim, true), triangles = []; if (!outerNode || outerNode.next === outerNode.prev) return triangles; var minX, minY, maxX, maxY, x, y, invSize; if (hasHoles) outerNode = eliminateHoles(data, holeIndices, outerNode, dim); // if the shape is not too simple, we"ll use z-order curve hash later; calculate polygon bbox if (data.length > 80 * dim) { minX = maxX = data[0]; minY = maxY = data[1]; for (var i = dim; i < outerLen; i += dim) { x = data[i]; y = data[i + 1]; if (x < minX) minX = x; if (y < minY) minY = y; if (x > maxX) maxX = x; if (y > maxY) maxY = y; } // minX, minY and invSize are later used to transform coords into integers for z-order calculation invSize = Math.max(maxX - minX, maxY - minY); invSize = invSize !== 0 ? 32767 / invSize : 0; } earcutLinked(outerNode, triangles, dim, minX, minY, invSize, 0); return triangles; } // create a circular doubly linked list from polygon points in the specified winding order function linkedList(data, start, end, dim, clockwise) { var i, last; if (clockwise === (signedArea$1(data, start, end, dim) > 0)) { for (i = start; i < end; i += dim) last = insertNode(i, data[i], data[i + 1], last); } else { for (i = end - dim; i >= start; i -= dim) last = insertNode(i, data[i], data[i + 1], last); } if (last && equals$1(last, last.next)) { removeNode(last); last = last.next; } return last; } // eliminate colinear or duplicate points function filterPoints(start, end) { if (!start) return start; if (!end) end = start; var p = start, again; do { again = false; if (!p.steiner && (equals$1(p, p.next) || area(p.prev, p, p.next) === 0)) { removeNode(p); p = end = p.prev; if (p === p.next) break; again = true; } else { p = p.next; } } while (again || p !== end); return end; } // main ear slicing loop which triangulates a polygon (given as a linked list) function earcutLinked(ear, triangles, dim, minX, minY, invSize, pass) { if (!ear) return; // interlink polygon nodes in z-order if (!pass && invSize) indexCurve(ear, minX, minY, invSize); var stop = ear, prev, next; // iterate through ears, slicing them one by one while (ear.prev !== ear.next) { prev = ear.prev; next = ear.next; if (invSize ? isEarHashed(ear, minX, minY, invSize) : isEar(ear)) { // cut off the triangle triangles.push(prev.i / dim | 0); triangles.push(ear.i / dim | 0); triangles.push(next.i / dim | 0); removeNode(ear); // skipping the next vertex leads to less sliver triangles ear = next.next; stop = next.next; continue; } ear = next; // if we looped through the whole remaining polygon and can"t find any more ears if (ear === stop) { // try filtering points and slicing again if (!pass) { earcutLinked(filterPoints(ear), triangles, dim, minX, minY, invSize, 1); // if this didn"t work, try curing all small self-intersections locally } else if (pass === 1) { ear = cureLocalIntersections(filterPoints(ear), triangles, dim); earcutLinked(ear, triangles, dim, minX, minY, invSize, 2); // as a last resort, try splitting the remaining polygon into two } else if (pass === 2) { splitEarcut(ear, triangles, dim, minX, minY, invSize); } break; } } } // check whether a polygon node forms a valid ear with adjacent nodes function isEar(ear) { var a = ear.prev, b = ear, c = ear.next; if (area(a, b, c) >= 0) return false; // reflex, can"t be an ear // now make sure we don"t have other points inside the potential ear var ax = a.x, bx = b.x, cx = c.x, ay = a.y, by = b.y, cy = c.y; // triangle bbox; min & max are calculated like this for speed var x0 = ax < bx ? (ax < cx ? ax : cx) : (bx < cx ? bx : cx), y0 = ay < by ? (ay < cy ? ay : cy) : (by < cy ? by : cy), x1 = ax > bx ? (ax > cx ? ax : cx) : (bx > cx ? bx : cx), y1 = ay > by ? (ay > cy ? ay : cy) : (by > cy ? by : cy); var p = c.next; while (p !== a) { if (p.x >= x0 && p.x <= x1 && p.y >= y0 && p.y <= y1 && pointInTriangle(ax, ay, bx, by, cx, cy, p.x, p.y) && area(p.prev, p, p.next) >= 0) return false; p = p.next; } return true; } function isEarHashed(ear, minX, minY, invSize) { var a = ear.prev, b = ear, c = ear.next; if (area(a, b, c) >= 0) return false; // reflex, can"t be an ear var ax = a.x, bx = b.x, cx = c.x, ay = a.y, by = b.y, cy = c.y; // triangle bbox; min & max are calculated like this for speed var x0 = ax < bx ? (ax < cx ? ax : cx) : (bx < cx ? bx : cx), y0 = ay < by ? (ay < cy ? ay : cy) : (by < cy ? by : cy), x1 = ax > bx ? (ax > cx ? ax : cx) : (bx > cx ? bx : cx), y1 = ay > by ? (ay > cy ? ay : cy) : (by > cy ? by : cy); // z-order range for the current triangle bbox; var minZ = zOrder(x0, y0, minX, minY, invSize), maxZ = zOrder(x1, y1, minX, minY, invSize); var p = ear.prevZ, n = ear.nextZ; // look for points inside the triangle in both directions while (p && p.z >= minZ && n && n.z <= maxZ) { if (p.x >= x0 && p.x <= x1 && p.y >= y0 && p.y <= y1 && p !== a && p !== c && pointInTriangle(ax, ay, bx, by, cx, cy, p.x, p.y) && area(p.prev, p, p.next) >= 0) return false; p = p.prevZ; if (n.x >= x0 && n.x <= x1 && n.y >= y0 && n.y <= y1 && n !== a && n !== c && pointInTriangle(ax, ay, bx, by, cx, cy, n.x, n.y) && area(n.prev, n, n.next) >= 0) return false; n = n.nextZ; } // look for remaining points in decreasing z-order while (p && p.z >= minZ) { if (p.x >= x0 && p.x <= x1 && p.y >= y0 && p.y <= y1 && p !== a && p !== c && pointInTriangle(ax, ay, bx, by, cx, cy, p.x, p.y) && area(p.prev, p, p.next) >= 0) return false; p = p.prevZ; } // look for remaining points in increasing z-order while (n && n.z <= maxZ) { if (n.x >= x0 && n.x <= x1 && n.y >= y0 && n.y <= y1 && n !== a && n !== c && pointInTriangle(ax, ay, bx, by, cx, cy, n.x, n.y) && area(n.prev, n, n.next) >= 0) return false; n = n.nextZ; } return true; } // go through all polygon nodes and cure small local self-intersections function cureLocalIntersections(start, triangles, dim) { var p = start; do { var a = p.prev, b = p.next.next; if (!equals$1(a, b) && intersects(a, p, p.next, b) && locallyInside(a, b) && locallyInside(b, a)) { triangles.push(a.i / dim | 0); triangles.push(p.i / dim | 0); triangles.push(b.i / dim | 0); // remove two nodes involved removeNode(p); removeNode(p.next); p = start = b; } p = p.next; } while (p !== start); return filterPoints(p); } // try splitting polygon into two and triangulate them independently function splitEarcut(start, triangles, dim, minX, minY, invSize) { // look for a valid diagonal that divides the polygon into two var a = start; do { var b = a.next.next; while (b !== a.prev) { if (a.i !== b.i && isValidDiagonal(a, b)) { // split the polygon in two by the diagonal var c = splitPolygon(a, b); // filter colinear points around the cuts a = filterPoints(a, a.next); c = filterPoints(c, c.next); // run earcut on each half earcutLinked(a, triangles, dim, minX, minY, invSize, 0); earcutLinked(c, triangles, dim, minX, minY, invSize, 0); return; } b = b.next; } a = a.next; } while (a !== start); } // link every hole into the outer loop, producing a single-ring polygon without holes function eliminateHoles(data, holeIndices, outerNode, dim) { var queue = [], i, len, start, end, list; for (i = 0, len = holeIndices.length; i < len; i++) { start = holeIndices[i] * dim; end = i < len - 1 ? holeIndices[i + 1] * dim : data.length; list = linkedList(data, start, end, dim, false); if (list === list.next) list.steiner = true; queue.push(getLeftmost(list)); } queue.sort(compareX); // process holes from left to right for (i = 0; i < queue.length; i++) { outerNode = eliminateHole(queue[i], outerNode); } return outerNode; } function compareX(a, b) { return a.x - b.x; } // find a bridge between vertices that connects hole with an outer ring and and link it function eliminateHole(hole, outerNode) { var bridge = findHoleBridge(hole, outerNode); if (!bridge) { return outerNode; } var bridgeReverse = splitPolygon(bridge, hole); // filter collinear points around the cuts filterPoints(bridgeReverse, bridgeReverse.next); return filterPoints(bridge, bridge.next); } // David Eberly"s algorithm for finding a bridge between hole and outer polygon function findHoleBridge(hole, outerNode) { var p = outerNode, hx = hole.x, hy = hole.y, qx = -Infinity, m; // find a segment intersected by a ray from the hole"s leftmost point to the left; // segment"s endpoint with lesser x will be potential connection point do { if (hy <= p.y && hy >= p.next.y && p.next.y !== p.y) { var x = p.x + (hy - p.y) * (p.next.x - p.x) / (p.next.y - p.y); if (x <= hx && x > qx) { qx = x; m = p.x < p.next.x ? p : p.next; if (x === hx) return m; // hole touches outer segment; pick leftmost endpoint } } p = p.next; } while (p !== outerNode); if (!m) return null; // look for points inside the triangle of hole point, segment intersection and endpoint; // if there are no points found, we have a valid connection; // otherwise choose the point of the minimum angle with the ray as connection point var stop = m, mx = m.x, my = m.y, tanMin = Infinity, tan; p = m; do { if (hx >= p.x && p.x >= mx && hx !== p.x && pointInTriangle(hy < my ? hx : qx, hy, mx, my, hy < my ? qx : hx, hy, p.x, p.y)) { tan = Math.abs(hy - p.y) / (hx - p.x); // tangential if (locallyInside(p, hole) && (tan < tanMin || (tan === tanMin && (p.x > m.x || (p.x === m.x && sectorContainsSector(m, p)))))) { m = p; tanMin = tan; } } p = p.next; } while (p !== stop); return m; } // whether sector in vertex m contains sector in vertex p in the same coordinates function sectorContainsSector(m, p) { return area(m.prev, m, p.prev) < 0 && area(p.next, m, m.next) < 0; } // interlink polygon nodes in z-order function indexCurve(start, minX, minY, invSize) { var p = start; do { if (p.z === 0) p.z = zOrder(p.x, p.y, minX, minY, invSize); p.prevZ = p.prev; p.nextZ = p.next; p = p.next; } while (p !== start); p.prevZ.nextZ = null; p.prevZ = null; sortLinked(p); } // Simon Tatham"s linked list merge sort algorithm // http://www.chiark.greenend.org.uk/~sgtatham/algorithms/listsort.html function sortLinked(list) { var i, p, q, e, tail, numMerges, pSize, qSize, inSize = 1; do { p = list; list = null; tail = null; numMerges = 0; while (p) { numMerges++; q = p; pSize = 0; for (i = 0; i < inSize; i++) { pSize++; q = q.nextZ; if (!q) break; } qSize = inSize; while (pSize > 0 || (qSize > 0 && q)) { if (pSize !== 0 && (qSize === 0 || !q || p.z <= q.z)) { e = p; p = p.nextZ; pSize--; } else { e = q; q = q.nextZ; qSize--; } if (tail) tail.nextZ = e; else list = e; e.prevZ = tail; tail = e; } p = q; } tail.nextZ = null; inSize *= 2; } while (numMerges > 1); return list; } // z-order of a point given coords and inverse of the longer side of data bbox function zOrder(x, y, minX, minY, invSize) { // coords are transformed into non-negative 15-bit integer range x = (x - minX) * invSize | 0; y = (y - minY) * invSize | 0; x = (x | (x << 8)) & 0x00FF00FF; x = (x | (x << 4)) & 0x0F0F0F0F; x = (x | (x << 2)) & 0x33333333; x = (x | (x << 1)) & 0x55555555; y = (y | (y << 8)) & 0x00FF00FF; y = (y | (y << 4)) & 0x0F0F0F0F; y = (y | (y << 2)) & 0x33333333; y = (y | (y << 1)) & 0x55555555; return x | (y << 1); } // find the leftmost node of a polygon ring function getLeftmost(start) { var p = start, leftmost = start; do { if (p.x < leftmost.x || (p.x === leftmost.x && p.y < leftmost.y)) leftmost = p; p = p.next; } while (p !== start); return leftmost; } // check if a point lies within a convex triangle function pointInTriangle(ax, ay, bx, by, cx, cy, px, py) { return (cx - px) * (ay - py) >= (ax - px) * (cy - py) && (ax - px) * (by - py) >= (bx - px) * (ay - py) && (bx - px) * (cy - py) >= (cx - px) * (by - py); } // check if a diagonal between two polygon nodes is valid (lies in polygon interior) function isValidDiagonal(a, b) { return a.next.i !== b.i && a.prev.i !== b.i && !intersectsPolygon(a, b) && // dones"t intersect other edges (locallyInside(a, b) && locallyInside(b, a) && middleInside(a, b) && // locally visible (area(a.prev, a, b.prev) || area(a, b.prev, b)) || // does not create opposite-facing sectors equals$1(a, b) && area(a.prev, a, a.next) > 0 && area(b.prev, b, b.next) > 0); // special zero-length case } // signed area of a triangle function area(p, q, r) { return (q.y - p.y) * (r.x - q.x) - (q.x - p.x) * (r.y - q.y); } // check if two points are equal function equals$1(p1, p2) { return p1.x === p2.x && p1.y === p2.y; } // check if two segments intersect function intersects(p1, q1, p2, q2) { var o1 = sign(area(p1, q1, p2)); var o2 = sign(area(p1, q1, q2)); var o3 = sign(area(p2, q2, p1)); var o4 = sign(area(p2, q2, q1)); if (o1 !== o2 && o3 !== o4) return true; // general case if (o1 === 0 && onSegment(p1, p2, q1)) return true; // p1, q1 and p2 are collinear and p2 lies on p1q1 if (o2 === 0 && onSegment(p1, q2, q1)) return true; // p1, q1 and q2 are collinear and q2 lies on p1q1 if (o3 === 0 && onSegment(p2, p1, q2)) return true; // p2, q2 and p1 are collinear and p1 lies on p2q2 if (o4 === 0 && onSegment(p2, q1, q2)) return true; // p2, q2 and q1 are collinear and q1 lies on p2q2 return false; } // for collinear points p, q, r, check if point q lies on segment pr function onSegment(p, q, r) { return q.x <= Math.max(p.x, r.x) && q.x >= Math.min(p.x, r.x) && q.y <= Math.max(p.y, r.y) && q.y >= Math.min(p.y, r.y); } function sign(num) { return num > 0 ? 1 : num < 0 ? -1 : 0; } // check if a polygon diagonal intersects any polygon segments function intersectsPolygon(a, b) { var p = a; do { if (p.i !== a.i && p.next.i !== a.i && p.i !== b.i && p.next.i !== b.i && intersects(p, p.next, a, b)) return true; p = p.next; } while (p !== a); return false; } // check if a polygon diagonal is locally inside the polygon function locallyInside(a, b) { return area(a.prev, a, a.next) < 0 ? area(a, b, a.next) >= 0 && area(a, a.prev, b) >= 0 : area(a, b, a.prev) < 0 || area(a, a.next, b) < 0; } // check if the middle point of a polygon diagonal is inside the polygon function middleInside(a, b) { var p = a, inside = false, px = (a.x + b.x) / 2, py = (a.y + b.y) / 2; do { if (((p.y > py) !== (p.next.y > py)) && p.next.y !== p.y && (px < (p.next.x - p.x) * (py - p.y) / (p.next.y - p.y) + p.x)) inside = !inside; p = p.next; } while (p !== a); return inside; } // link two polygon vertices with a bridge; if the vertices belong to the same ring, it splits polygon into two; // if one belongs to the outer ring and another to a hole, it merges it into a single ring function splitPolygon(a, b) { var a2 = new Node(a.i, a.x, a.y), b2 = new Node(b.i, b.x, b.y), an = a.next, bp = b.prev; a.next = b; b.prev = a; a2.next = an; an.prev = a2; b2.next = a2; a2.prev = b2; bp.next = b2; b2.prev = bp; return b2; } // create a node and optionally link it with previous one (in a circular doubly linked list) function insertNode(i, x, y, last) { var p = new Node(i, x, y); if (!last) { p.prev = p; p.next = p; } else { p.next = last.next; p.prev = last; last.next.prev = p; last.next = p; } return p; } function removeNode(p) { p.next.prev = p.prev; p.prev.next = p.next; if (p.prevZ) p.prevZ.nextZ = p.nextZ; if (p.nextZ) p.nextZ.prevZ = p.prevZ; } function Node(i, x, y) { // vertex index in coordinates array this.i = i; // vertex coordinates this.x = x; this.y = y; // previous and next vertex nodes in a polygon ring this.prev = null; this.next = null; // z-order curve value this.z = 0; // previous and next nodes in z-order this.prevZ = null; this.nextZ = null; // indicates whether this is a steiner point this.steiner = false; } // return a percentage difference between the polygon area and its triangulation area; // used to verify correctness of triangulation earcut.deviation = function (data, holeIndices, dim, triangles) { var hasHoles = holeIndices && holeIndices.length; var outerLen = hasHoles ? holeIndices[0] * dim : data.length; var polygonArea = Math.abs(signedArea$1(data, 0, outerLen, dim)); if (hasHoles) { for (var i = 0, len = holeIndices.length; i < len; i++) { var start = holeIndices[i] * dim; var end = i < len - 1 ? holeIndices[i + 1] * dim : data.length; polygonArea -= Math.abs(signedArea$1(data, start, end, dim)); } } var trianglesArea = 0; for (i = 0; i < triangles.length; i += 3) { var a = triangles[i] * dim; var b = triangles[i + 1] * dim; var c = triangles[i + 2] * dim; trianglesArea += Math.abs( (data[a] - data[c]) * (data[b + 1] - data[a + 1]) - (data[a] - data[b]) * (data[c + 1] - data[a + 1])); } return polygonArea === 0 && trianglesArea === 0 ? 0 : Math.abs((trianglesArea - polygonArea) / polygonArea); }; function signedArea$1(data, start, end, dim) { var sum = 0; for (var i = start, j = end - dim; i < end; i += dim) { sum += (data[j] - data[i]) * (data[i + 1] + data[j + 1]); j = i; } return sum; } // turn a polygon in a multi-dimensional array form (e.g. as in GeoJSON) into a form Earcut accepts earcut.flatten = function (data) { var dim = data[0][0].length, result = {vertices: [], holes: [], dimensions: dim}, holeIndex = 0; for (var i = 0; i < data.length; i++) { for (var j = 0; j < data[i].length; j++) { for (var d = 0; d < dim; d++) result.vertices.push(data[i][j][d]); } if (i > 0) { holeIndex += data[i - 1].length; result.holes.push(holeIndex); } } return result; }; var earcutExports = earcut$2.exports; var earcut$1 = /*@__PURE__*/getDefaultExportFromCjs(earcutExports); var polylabel$2 = {exports: {}}; let TinyQueue$1 = class TinyQueue { constructor(data = [], compare = defaultCompare$1) { this.data = data; this.length = this.data.length; this.compare = compare; if (this.length > 0) { for (let i = (this.length >> 1) - 1; i >= 0; i--) this._down(i); } } push(item) { this.data.push(item); this.length++; this._up(this.length - 1); } pop() { if (this.length === 0) return undefined; const top = this.data[0]; const bottom = this.data.pop(); this.length--; if (this.length > 0) { this.data[0] = bottom; this._down(0); } return top; } peek() { return this.data[0]; } _up(pos) { const {data, compare} = this; const item = data[pos]; while (pos > 0) { const parent = (pos - 1) >> 1; const current = data[parent]; if (compare(item, current) >= 0) break; data[pos] = current; pos = parent; } data[pos] = item; } _down(pos) { const {data, compare} = this; const halfLength = this.length >> 1; const item = data[pos]; while (pos < halfLength) { let left = (pos << 1) + 1; let best = data[left]; const right = left + 1; if (right < this.length && compare(data[right], best) < 0) { left = right; best = data[right]; } if (compare(best, item) >= 0) break; data[pos] = best; pos = left; } data[pos] = item; } }; function defaultCompare$1(a, b) { return a < b ? -1 : a > b ? 1 : 0; } var tinyqueue$1 = /*#__PURE__*/Object.freeze({ __proto__: null, default: TinyQueue$1 }); var require$$0 = /*@__PURE__*/getAugmentedNamespace(tinyqueue$1); var Queue$1 = require$$0; if (Queue$1.default) Queue$1 = Queue$1.default; // temporary webpack fix polylabel$2.exports = polylabel; polylabel$2.exports.default = polylabel; function polylabel(polygon, precision, debug) { precision = precision || 1.0; // find the bounding box of the outer ring var minX, minY, maxX, maxY; for (var i = 0; i < polygon[0].length; i++) { var p = polygon[0][i]; if (!i || p[0] < minX) minX = p[0]; if (!i || p[1] < minY) minY = p[1]; if (!i || p[0] > maxX) maxX = p[0]; if (!i || p[1] > maxY) maxY = p[1]; } var width = maxX - minX; var height = maxY - minY; var cellSize = Math.min(width, height); var h = cellSize / 2; if (cellSize === 0) { var degeneratePoleOfInaccessibility = [minX, minY]; degeneratePoleOfInaccessibility.distance = 0; return degeneratePoleOfInaccessibility; } // a priority queue of cells in order of their "potential" (max distance to polygon) var cellQueue = new Queue$1(undefined, compareMax); // cover polygon with initial cells for (var x = minX; x < maxX; x += cellSize) { for (var y = minY; y < maxY; y += cellSize) { cellQueue.push(new Cell(x + h, y + h, h, polygon)); } } // take centroid as the first best guess var bestCell = getCentroidCell(polygon); // special case for rectangular polygons var bboxCell = new Cell(minX + width / 2, minY + height / 2, 0, polygon); if (bboxCell.d > bestCell.d) bestCell = bboxCell; var numProbes = cellQueue.length; while (cellQueue.length) { // pick the most promising cell from the queue var cell = cellQueue.pop(); // update the best cell if we found a better one if (cell.d > bestCell.d) { bestCell = cell; if (debug) console.log("found best %d after %d probes", Math.round(1e4 * cell.d) / 1e4, numProbes); } // do not drill down further if there"s no chance of a better solution if (cell.max - bestCell.d <= precision) continue; // split the cell into four cells h = cell.h / 2; cellQueue.push(new Cell(cell.x - h, cell.y - h, h, polygon)); cellQueue.push(new Cell(cell.x + h, cell.y - h, h, polygon)); cellQueue.push(new Cell(cell.x - h, cell.y + h, h, polygon)); cellQueue.push(new Cell(cell.x + h, cell.y + h, h, polygon)); numProbes += 4; } if (debug) { console.log("num probes: " + numProbes); console.log("best distance: " + bestCell.d); } var poleOfInaccessibility = [bestCell.x, bestCell.y]; poleOfInaccessibility.distance = bestCell.d; return poleOfInaccessibility; } function compareMax(a, b) { return b.max - a.max; } function Cell(x, y, h, polygon) { this.x = x; // cell center x this.y = y; // cell center y this.h = h; // half the cell size this.d = pointToPolygonDist(x, y, polygon); // distance from cell center to polygon this.max = this.d + this.h * Math.SQRT2; // max distance to polygon within a cell } // signed distance from point to polygon outline (negative if point is outside) function pointToPolygonDist(x, y, polygon) { var inside = false; var minDistSq = Infinity; for (var k = 0; k < polygon.length; k++) { var ring = polygon[k]; for (var i = 0, len = ring.length, j = len - 1; i < len; j = i++) { var a = ring[i]; var b = ring[j]; if ((a[1] > y !== b[1] > y) && (x < (b[0] - a[0]) * (y - a[1]) / (b[1] - a[1]) + a[0])) inside = !inside; minDistSq = Math.min(minDistSq, getSegDistSq(x, y, a, b)); } } return minDistSq === 0 ? 0 : (inside ? 1 : -1) * Math.sqrt(minDistSq); } // get polygon centroid function getCentroidCell(polygon) { var area = 0; var x = 0; var y = 0; var points = polygon[0]; for (var i = 0, len = points.length, j = len - 1; i < len; j = i++) { var a = points[i]; var b = points[j]; var f = a[0] * b[1] - b[0] * a[1]; x += (a[0] + b[0]) * f; y += (a[1] + b[1]) * f; area += f * 3; } if (area === 0) return new Cell(points[0][0], points[0][1], 0, polygon); return new Cell(x / area, y / area, 0, polygon); } // get squared distance from a point to a segment function getSegDistSq(px, py, a, b) { var x = a[0]; var y = a[1]; var dx = b[0] - x; var dy = b[1] - y; if (dx !== 0 || dy !== 0) { var t = ((px - x) * dx + (py - y) * dy) / (dx * dx + dy * dy); if (t > 1) { x = b[0]; y = b[1]; } else if (t > 0) { x += dx * t; y += dy * t; } } dx = px - x; dy = py - y; return dx * dx + dy * dy; } var polylabelExports = polylabel$2.exports; var polylabel$1 = /*@__PURE__*/getDefaultExportFromCjs(polylabelExports); function DEFAULT_COMPARE (a, b) { return a > b ? 1 : a < b ? -1 : 0; } class SplayTree { constructor(compare = DEFAULT_COMPARE, noDuplicates = false) { this._compare = compare; this._root = null; this._size = 0; this._noDuplicates = !!noDuplicates; } rotateLeft(x) { var y = x.right; if (y) { x.right = y.left; if (y.left) y.left.parent = x; y.parent = x.parent; } if (!x.parent) this._root = y; else if (x === x.parent.left) x.parent.left = y; else x.parent.right = y; if (y) y.left = x; x.parent = y; } rotateRight(x) { var y = x.left; if (y) { x.left = y.right; if (y.right) y.right.parent = x; y.parent = x.parent; } if (!x.parent) this._root = y; else if(x === x.parent.left) x.parent.left = y; else x.parent.right = y; if (y) y.right = x; x.parent = y; } _splay(x) { while (x.parent) { var p = x.parent; if (!p.parent) { if (p.left === x) this.rotateRight(p); else this.rotateLeft(p); } else if (p.left === x && p.parent.left === p) { this.rotateRight(p.parent); this.rotateRight(p); } else if (p.right === x && p.parent.right === p) { this.rotateLeft(p.parent); this.rotateLeft(p); } else if (p.left === x && p.parent.right === p) { this.rotateRight(p); this.rotateLeft(p); } else { this.rotateLeft(p); this.rotateRight(p); } } } splay(x) { var p, gp, ggp, l, r; while (x.parent) { p = x.parent; gp = p.parent; if (gp && gp.parent) { ggp = gp.parent; if (ggp.left === gp) ggp.left = x; else ggp.right = x; x.parent = ggp; } else { x.parent = null; this._root = x; } l = x.left; r = x.right; if (x === p.left) { // left if (gp) { if (gp.left === p) { /* zig-zig */ if (p.right) { gp.left = p.right; gp.left.parent = gp; } else gp.left = null; p.right = gp; gp.parent = p; } else { /* zig-zag */ if (l) { gp.right = l; l.parent = gp; } else gp.right = null; x.left = gp; gp.parent = x; } } if (r) { p.left = r; r.parent = p; } else p.left = null; x.right = p; p.parent = x; } else { // right if (gp) { if (gp.right === p) { /* zig-zig */ if (p.left) { gp.right = p.left; gp.right.parent = gp; } else gp.right = null; p.left = gp; gp.parent = p; } else { /* zig-zag */ if (r) { gp.left = r; r.parent = gp; } else gp.left = null; x.right = gp; gp.parent = x; } } if (l) { p.right = l; l.parent = p; } else p.right = null; x.left = p; p.parent = x; } } } replace(u, v) { if (!u.parent) this._root = v; else if (u === u.parent.left) u.parent.left = v; else u.parent.right = v; if (v) v.parent = u.parent; } minNode(u = this._root) { if (u) while (u.left) u = u.left; return u; } maxNode(u = this._root) { if (u) while (u.right) u = u.right; return u; } insert(key, data) { var z = this._root; var p = null; var comp = this._compare; var cmp; if (this._noDuplicates) { while (z) { p = z; cmp = comp(z.key, key); if (cmp === 0) return; else if (comp(z.key, key) < 0) z = z.right; else z = z.left; } } else { while (z) { p = z; if (comp(z.key, key) < 0) z = z.right; else z = z.left; } } z = { key, data, left: null, right: null, parent: p }; if (!p) this._root = z; else if (comp(p.key, z.key) < 0) p.right = z; else p.left = z; this.splay(z); this._size++; return z; } find (key) { var z = this._root; var comp = this._compare; while (z) { var cmp = comp(z.key, key); if (cmp < 0) z = z.right; else if (cmp > 0) z = z.left; else return z; } return null; } /** * Whether the tree contains a node with the given key * @param {Key} key * @return {boolean} true/false */ contains (key) { var node = this._root; var comparator = this._compare; while (node) { var cmp = comparator(key, node.key); if (cmp === 0) return true; else if (cmp < 0) node = node.left; else node = node.right; } return false; } remove (key) { var z = this.find(key); if (!z) return false; this.splay(z); if (!z.left) this.replace(z, z.right); else if (!z.right) this.replace(z, z.left); else { var y = this.minNode(z.right); if (y.parent !== z) { this.replace(y, y.right); y.right = z.right; y.right.parent = y; } this.replace(z, y); y.left = z.left; y.left.parent = y; } this._size--; return true; } removeNode(z) { if (!z) return false; this.splay(z); if (!z.left) this.replace(z, z.right); else if (!z.right) this.replace(z, z.left); else { var y = this.minNode(z.right); if (y.parent !== z) { this.replace(y, y.right); y.right = z.right; y.right.parent = y; } this.replace(z, y); y.left = z.left; y.left.parent = y; } this._size--; return true; } erase (key) { var z = this.find(key); if (!z) return; this.splay(z); var s = z.left; var t = z.right; var sMax = null; if (s) { s.parent = null; sMax = this.maxNode(s); this.splay(sMax); this._root = sMax; } if (t) { if (s) sMax.right = t; else this._root = t; t.parent = sMax; } this._size--; } /** * Removes and returns the node with smallest key * @return {?Node} */ pop () { var node = this._root, returnValue = null; if (node) { while (node.left) node = node.left; returnValue = { key: node.key, data: node.data }; this.remove(node.key); } return returnValue; } /* eslint-disable class-methods-use-this */ /** * Successor node * @param {Node} node * @return {?Node} */ next (node) { var successor = node; if (successor) { if (successor.right) { successor = successor.right; while (successor && successor.left) successor = successor.left; } else { successor = node.parent; while (successor && successor.right === node) { node = successor; successor = successor.parent; } } } return successor; } /** * Predecessor node * @param {Node} node * @return {?Node} */ prev (node) { var predecessor = node; if (predecessor) { if (predecessor.left) { predecessor = predecessor.left; while (predecessor && predecessor.right) predecessor = predecessor.right; } else { predecessor = node.parent; while (predecessor && predecessor.left === node) { node = predecessor; predecessor = predecessor.parent; } } } return predecessor; } /* eslint-enable class-methods-use-this */ /** * @param {forEachCallback} callback * @return {SplayTree} */ forEach(callback) { var current = this._root; var s = [], done = false, i = 0; while (!done) { // Reach the left most Node of the current Node if (current) { // Place pointer to a tree node on the stack // before traversing the node"s left subtree s.push(current); current = current.left; } else { // BackTrack from the empty subtree and visit the Node // at the top of the stack; however, if the stack is // empty you are done if (s.length > 0) { current = s.pop(); callback(current, i++); // We have visited the node and its left // subtree. Now, it"s right subtree"s turn current = current.right; } else done = true; } } return this; } /** * Walk key range from `low` to `high`. Stops if `fn` returns a value. * @param {Key} low * @param {Key} high * @param {Function} fn * @param {*?} ctx * @return {SplayTree} */ range(low, high, fn, ctx) { const Q = []; const compare = this._compare; let node = this._root, cmp; while (Q.length !== 0 || node) { if (node) { Q.push(node); node = node.left; } else { node = Q.pop(); cmp = compare(node.key, high); if (cmp > 0) { break; } else if (compare(node.key, low) >= 0) { if (fn.call(ctx, node)) return this; // stop if smth is returned } node = node.right; } } return this; } /** * Returns all keys in order * @return {Array} */ keys () { var current = this._root; var s = [], r = [], done = false; while (!done) { if (current) { s.push(current); current = current.left; } else { if (s.length > 0) { current = s.pop(); r.push(current.key); current = current.right; } else done = true; } } return r; } /** * Returns `data` fields of all nodes in order. * @return {Array} */ values () { var current = this._root; var s = [], r = [], done = false; while (!done) { if (current) { s.push(current); current = current.left; } else { if (s.length > 0) { current = s.pop(); r.push(current.data); current = current.right; } else done = true; } } return r; } /** * Returns node at given index * @param {number} index * @return {?Node} */ at (index) { // removed after a consideration, more misleading than useful // index = index % this.size; // if (index < 0) index = this.size - index; var current = this._root; var s = [], done = false, i = 0; while (!done) { if (current) { s.push(current); current = current.left; } else { if (s.length > 0) { current = s.pop(); if (i === index) return current; i++; current = current.right; } else done = true; } } return null; } /** * Bulk-load items. Both array have to be same size * @param {Array} keys * @param {Array} [values] * @param {Boolean} [presort=false] Pre-sort keys and values, using * tree"s comparator. Sorting is done * in-place * @return {AVLTree} */ load(keys = [], values = [], presort = false) { if (this._size !== 0) throw new Error("bulk-load: tree is not empty"); const size = keys.length; if (presort) sort(keys, values, 0, size - 1, this._compare); this._root = loadRecursive(null, keys, values, 0, size); this._size = size; return this; } min() { var node = this.minNode(this._root); if (node) return node.key; else return null; } max() { var node = this.maxNode(this._root); if (node) return node.key; else return null; } isEmpty() { return this._root === null; } get size() { return this._size; } /** * Create a tree and load it with items * @param {Array} keys * @param {Array?} [values] * @param {Function?} [comparator] * @param {Boolean?} [presort=false] Pre-sort keys and values, using * tree"s comparator. Sorting is done * in-place * @param {Boolean?} [noDuplicates=false] Allow duplicates * @return {SplayTree} */ static createTree(keys, values, comparator, presort, noDuplicates) { return new SplayTree(comparator, noDuplicates).load(keys, values, presort); } } function loadRecursive (parent, keys, values, start, end) { const size = end - start; if (size > 0) { const middle = start + Math.floor(size / 2); const key = keys[middle]; const data = values[middle]; const node = { key, data, parent }; node.left = loadRecursive(node, keys, values, start, middle); node.right = loadRecursive(node, keys, values, middle + 1, end); return node; } return null; } function sort(keys, values, left, right, compare) { if (left >= right) return; const pivot = keys[(left + right) >> 1]; let i = left - 1; let j = right + 1; while (true) { do i++; while (compare(keys[i], pivot) < 0); do j--; while (compare(keys[j], pivot) > 0); if (i >= j) break; let tmp = keys[i]; keys[i] = keys[j]; keys[j] = tmp; tmp = values[i]; values[i] = values[j]; values[j] = tmp; } sort(keys, values, left, j, compare); sort(keys, values, j + 1, right, compare); } const NORMAL = 0; const NON_CONTRIBUTING = 1; const SAME_TRANSITION = 2; const DIFFERENT_TRANSITION = 3; const INTERSECTION = 0; const UNION = 1; const DIFFERENCE = 2; const XOR = 3; /** * @param {SweepEvent} event * @param {SweepEvent} prev * @param {Operation} operation */ function computeFields (event, prev, operation) { // compute inOut and otherInOut fields if (prev === null) { event.inOut = false; event.otherInOut = true; // previous line segment in sweepline belongs to the same polygon } else { if (event.isSubject === prev.isSubject) { event.inOut = !prev.inOut; event.otherInOut = prev.otherInOut; // previous line segment in sweepline belongs to the clipping polygon } else { event.inOut = !prev.otherInOut; event.otherInOut = prev.isVertical() ? !prev.inOut : prev.inOut; } // compute prevInResult field if (prev) { event.prevInResult = (!inResult(prev, operation) || prev.isVertical()) ? prev.prevInResult : prev; } } // check if the line segment belongs to the Boolean operation let isInResult = inResult(event, operation); if (isInResult) { event.resultTransition = determineResultTransition(event, operation); } else { event.resultTransition = 0; } } /* eslint-disable indent */ function inResult(event, operation) { switch (event.type) { case NORMAL: switch (operation) { case INTERSECTION: return !event.otherInOut; case UNION: return event.otherInOut; case DIFFERENCE: // return (event.isSubject && !event.otherInOut) || // (!event.isSubject && event.otherInOut); return (event.isSubject && event.otherInOut) || (!event.isSubject && !event.otherInOut); case XOR: return true; } break; case SAME_TRANSITION: return operation === INTERSECTION || operation === UNION; case DIFFERENT_TRANSITION: return operation === DIFFERENCE; case NON_CONTRIBUTING: return false; } return false; } /* eslint-enable indent */ function determineResultTransition(event, operation) { let thisIn = !event.inOut; let thatIn = !event.otherInOut; let isIn; switch (operation) { case INTERSECTION: isIn = thisIn && thatIn; break; case UNION: isIn = thisIn || thatIn; break; case XOR: isIn = thisIn ^ thatIn; break; case DIFFERENCE: if (event.isSubject) { isIn = thisIn && !thatIn; } else { isIn = thatIn && !thisIn; } break; } return isIn ? +1 : -1; } class SweepEvent { /** * Sweepline event * * @class {SweepEvent} * @param {Array.} point * @param {Boolean} left * @param {SweepEvent=} otherEvent * @param {Boolean} isSubject * @param {Number} edgeType */ constructor (point, left, otherEvent, isSubject, edgeType) { /** * Is left endpoint? * @type {Boolean} */ this.left = left; /** * @type {Array.} */ this.point = point; /** * Other edge reference * @type {SweepEvent} */ this.otherEvent = otherEvent; /** * Belongs to source or clipping polygon * @type {Boolean} */ this.isSubject = isSubject; /** * Edge contribution type * @type {Number} */ this.type = edgeType || NORMAL; /** * In-out transition for the sweepline crossing polygon * @type {Boolean} */ this.inOut = false; /** * @type {Boolean} */ this.otherInOut = false; /** * Previous event in result? * @type {SweepEvent} */ this.prevInResult = null; /** * Type of result transition (0 = not in result, +1 = out-in, -1, in-out) * @type {Number} */ this.resultTransition = 0; // connection step /** * @type {Number} */ this.otherPos = -1; /** * @type {Number} */ this.outputContourId = -1; this.isExteriorRing = true; // TODO: Looks unused, remove? } /** * @param {Array.} p * @return {Boolean} */ isBelow (p) { const p0 = this.point, p1 = this.otherEvent.point; return this.left ? (p0[0] - p[0]) * (p1[1] - p[1]) - (p1[0] - p[0]) * (p0[1] - p[1]) > 0 // signedArea(this.point, this.otherEvent.point, p) > 0 : : (p1[0] - p[0]) * (p0[1] - p[1]) - (p0[0] - p[0]) * (p1[1] - p[1]) > 0; //signedArea(this.otherEvent.point, this.point, p) > 0; } /** * @param {Array.} p * @return {Boolean} */ isAbove (p) { return !this.isBelow(p); } /** * @return {Boolean} */ isVertical () { return this.point[0] === this.otherEvent.point[0]; } /** * Does event belong to result? * @return {Boolean} */ get inResult() { return this.resultTransition !== 0; } clone () { const copy = new SweepEvent( this.point, this.left, this.otherEvent, this.isSubject, this.type); copy.contourId = this.contourId; copy.resultTransition = this.resultTransition; copy.prevInResult = this.prevInResult; copy.isExteriorRing = this.isExteriorRing; copy.inOut = this.inOut; copy.otherInOut = this.otherInOut; return copy; } } function equals(p1, p2) { if (p1[0] === p2[0]) { if (p1[1] === p2[1]) { return true; } else { return false; } } return false; } // const EPSILON = 1e-9; // const abs = Math.abs; // TODO https://github.com/w8r/martinez/issues/6#issuecomment-262847164 // Precision problem. // // module.exports = function equals(p1, p2) { // return abs(p1[0] - p2[0]) <= EPSILON && abs(p1[1] - p2[1]) <= EPSILON; // }; const epsilon = 1.1102230246251565e-16; const splitter = 134217729; const resulterrbound = (3 + 8 * epsilon) * epsilon; // fast_expansion_sum_zeroelim routine from oritinal code function sum(elen, e, flen, f, h) { let Q, Qnew, hh, bvirt; let enow = e[0]; let fnow = f[0]; let eindex = 0; let findex = 0; if ((fnow > enow) === (fnow > -enow)) { Q = enow; enow = e[++eindex]; } else { Q = fnow; fnow = f[++findex]; } let hindex = 0; if (eindex < elen && findex < flen) { if ((fnow > enow) === (fnow > -enow)) { Qnew = enow + Q; hh = Q - (Qnew - enow); enow = e[++eindex]; } else { Qnew = fnow + Q; hh = Q - (Qnew - fnow); fnow = f[++findex]; } Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } while (eindex < elen && findex < flen) { if ((fnow > enow) === (fnow > -enow)) { Qnew = Q + enow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (enow - bvirt); enow = e[++eindex]; } else { Qnew = Q + fnow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (fnow - bvirt); fnow = f[++findex]; } Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } } } while (eindex < elen) { Qnew = Q + enow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (enow - bvirt); enow = e[++eindex]; Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } } while (findex < flen) { Qnew = Q + fnow; bvirt = Qnew - Q; hh = Q - (Qnew - bvirt) + (fnow - bvirt); fnow = f[++findex]; Q = Qnew; if (hh !== 0) { h[hindex++] = hh; } } if (Q !== 0 || hindex === 0) { h[hindex++] = Q; } return hindex; } function estimate(elen, e) { let Q = e[0]; for (let i = 1; i < elen; i++) Q += e[i]; return Q; } function vec(n) { return new Float64Array(n); } const ccwerrboundA = (3 + 16 * epsilon) * epsilon; const ccwerrboundB = (2 + 12 * epsilon) * epsilon; const ccwerrboundC = (9 + 64 * epsilon) * epsilon * epsilon; const B = vec(4); const C1 = vec(8); const C2 = vec(12); const D = vec(16); const u = vec(4); function orient2dadapt(ax, ay, bx, by, cx, cy, detsum) { let acxtail, acytail, bcxtail, bcytail; let bvirt, c, ahi, alo, bhi, blo, _i, _j, _0, s1, s0, t1, t0, u3; const acx = ax - cx; const bcx = bx - cx; const acy = ay - cy; const bcy = by - cy; s1 = acx * bcy; c = splitter * acx; ahi = c - (c - acx); alo = acx - ahi; c = splitter * bcy; bhi = c - (c - bcy); blo = bcy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acy * bcx; c = splitter * acy; ahi = c - (c - acy); alo = acy - ahi; c = splitter * bcx; bhi = c - (c - bcx); blo = bcx - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; B[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; B[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; B[2] = _j - (u3 - bvirt) + (_i - bvirt); B[3] = u3; let det = estimate(4, B); let errbound = ccwerrboundB * detsum; if (det >= errbound || -det >= errbound) { return det; } bvirt = ax - acx; acxtail = ax - (acx + bvirt) + (bvirt - cx); bvirt = bx - bcx; bcxtail = bx - (bcx + bvirt) + (bvirt - cx); bvirt = ay - acy; acytail = ay - (acy + bvirt) + (bvirt - cy); bvirt = by - bcy; bcytail = by - (bcy + bvirt) + (bvirt - cy); if (acxtail === 0 && acytail === 0 && bcxtail === 0 && bcytail === 0) { return det; } errbound = ccwerrboundC * detsum + resulterrbound * Math.abs(det); det += (acx * bcytail + bcy * acxtail) - (acy * bcxtail + bcx * acytail); if (det >= errbound || -det >= errbound) return det; s1 = acxtail * bcy; c = splitter * acxtail; ahi = c - (c - acxtail); alo = acxtail - ahi; c = splitter * bcy; bhi = c - (c - bcy); blo = bcy - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acytail * bcx; c = splitter * acytail; ahi = c - (c - acytail); alo = acytail - ahi; c = splitter * bcx; bhi = c - (c - bcx); blo = bcx - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; u[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; u[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; u[2] = _j - (u3 - bvirt) + (_i - bvirt); u[3] = u3; const C1len = sum(4, B, 4, u, C1); s1 = acx * bcytail; c = splitter * acx; ahi = c - (c - acx); alo = acx - ahi; c = splitter * bcytail; bhi = c - (c - bcytail); blo = bcytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acy * bcxtail; c = splitter * acy; ahi = c - (c - acy); alo = acy - ahi; c = splitter * bcxtail; bhi = c - (c - bcxtail); blo = bcxtail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; u[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; u[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; u[2] = _j - (u3 - bvirt) + (_i - bvirt); u[3] = u3; const C2len = sum(C1len, C1, 4, u, C2); s1 = acxtail * bcytail; c = splitter * acxtail; ahi = c - (c - acxtail); alo = acxtail - ahi; c = splitter * bcytail; bhi = c - (c - bcytail); blo = bcytail - bhi; s0 = alo * blo - (s1 - ahi * bhi - alo * bhi - ahi * blo); t1 = acytail * bcxtail; c = splitter * acytail; ahi = c - (c - acytail); alo = acytail - ahi; c = splitter * bcxtail; bhi = c - (c - bcxtail); blo = bcxtail - bhi; t0 = alo * blo - (t1 - ahi * bhi - alo * bhi - ahi * blo); _i = s0 - t0; bvirt = s0 - _i; u[0] = s0 - (_i + bvirt) + (bvirt - t0); _j = s1 + _i; bvirt = _j - s1; _0 = s1 - (_j - bvirt) + (_i - bvirt); _i = _0 - t1; bvirt = _0 - _i; u[1] = _0 - (_i + bvirt) + (bvirt - t1); u3 = _j + _i; bvirt = u3 - _j; u[2] = _j - (u3 - bvirt) + (_i - bvirt); u[3] = u3; const Dlen = sum(C2len, C2, 4, u, D); return D[Dlen - 1]; } function orient2d(ax, ay, bx, by, cx, cy) { const detleft = (ay - cy) * (bx - cx); const detright = (ax - cx) * (by - cy); const det = detleft - detright; if (detleft === 0 || detright === 0 || (detleft > 0) !== (detright > 0)) return det; const detsum = Math.abs(detleft + detright); if (Math.abs(det) >= ccwerrboundA * detsum) return det; return -orient2dadapt(ax, ay, bx, by, cx, cy, detsum); } /** * Signed area of the triangle (p0, p1, p2) * @param {Array.} p0 * @param {Array.} p1 * @param {Array.} p2 * @return {Number} */ function signedArea(p0, p1, p2) { const res = orient2d(p0[0], p0[1], p1[0], p1[1], p2[0], p2[1]); if (res > 0) return -1; if (res < 0) return 1; return 0; } /** * @param {SweepEvent} e1 * @param {SweepEvent} e2 * @return {Number} */ function compareEvents(e1, e2) { const p1 = e1.point; const p2 = e2.point; // Different x-coordinate if (p1[0] > p2[0]) return 1; if (p1[0] < p2[0]) return -1; // Different points, but same x-coordinate // Event with lower y-coordinate is processed first if (p1[1] !== p2[1]) return p1[1] > p2[1] ? 1 : -1; return specialCases(e1, e2, p1); } /* eslint-disable no-unused-vars */ function specialCases(e1, e2, p1, p2) { // Same coordinates, but one is a left endpoint and the other is // a right endpoint. The right endpoint is processed first if (e1.left !== e2.left) return e1.left ? 1 : -1; // const p2 = e1.otherEvent.point, p3 = e2.otherEvent.point; // const sa = (p1[0] - p3[0]) * (p2[1] - p3[1]) - (p2[0] - p3[0]) * (p1[1] - p3[1]) // Same coordinates, both events // are left endpoints or right endpoints. // not collinear if (signedArea(p1, e1.otherEvent.point, e2.otherEvent.point) !== 0) { // the event associate to the bottom segment is processed first return (!e1.isBelow(e2.otherEvent.point)) ? 1 : -1; } return (!e1.isSubject && e2.isSubject) ? 1 : -1; } /* eslint-enable no-unused-vars */ /** * @param {SweepEvent} se * @param {Array.} p * @param {Queue} queue * @return {Queue} */ function divideSegment(se, p, queue) { const r = new SweepEvent(p, false, se, se.isSubject); const l = new SweepEvent(p, true, se.otherEvent, se.isSubject); /* eslint-disable no-console */ if (equals(se.point, se.otherEvent.point)) { console.warn("what is that, a collapsed segment?", se); } /* eslint-enable no-console */ r.contourId = l.contourId = se.contourId; // avoid a rounding error. The left event would be processed after the right event if (compareEvents(l, se.otherEvent) > 0) { se.otherEvent.left = true; l.left = false; } // avoid a rounding error. The left event would be processed after the right event // if (compareEvents(se, r) > 0) {} se.otherEvent.otherEvent = l; se.otherEvent = r; queue.push(l); queue.push(r); return queue; } //const EPS = 1e-9; /** * Finds the magnitude of the cross product of two vectors (if we pretend * they"re in three dimensions) * * @param {Object} a First vector * @param {Object} b Second vector * @private * @returns {Number} The magnitude of the cross product */ function crossProduct(a, b) { return (a[0] * b[1]) - (a[1] * b[0]); } /** * Finds the dot product of two vectors. * * @param {Object} a First vector * @param {Object} b Second vector * @private * @returns {Number} The dot product */ function dotProduct(a, b) { return (a[0] * b[0]) + (a[1] * b[1]); } /** * Finds the intersection (if any) between two line segments a and b, given the * line segments" end points a1, a2 and b1, b2. * * This algorithm is based on Schneider and Eberly. * http://www.cimec.org.ar/~ncalvo/Schneider_Eberly.pdf * Page 244. * * @param {Array.} a1 point of first line * @param {Array.} a2 point of first line * @param {Array.} b1 point of second line * @param {Array.} b2 point of second line * @param {Boolean=} noEndpointTouch whether to skip single touchpoints * (meaning connected segments) as * intersections * @returns {Array.>|Null} If the lines intersect, the point of * intersection. If they overlap, the two end points of the overlapping segment. * Otherwise, null. */ function intersection$1 (a1, a2, b1, b2, noEndpointTouch) { // The algorithm expects our lines in the form P + sd, where P is a point, // s is on the interval [0, 1], and d is a vector. // We are passed two points. P can be the first point of each pair. The // vector, then, could be thought of as the distance (in x and y components) // from the first point to the second point. // So first, let"s make our vectors: const va = [a2[0] - a1[0], a2[1] - a1[1]]; const vb = [b2[0] - b1[0], b2[1] - b1[1]]; // We also define a function to convert back to regular point form: /* eslint-disable arrow-body-style */ function toPoint(p, s, d) { return [ p[0] + s * d[0], p[1] + s * d[1] ]; } /* eslint-enable arrow-body-style */ // The rest is pretty much a straight port of the algorithm. const e = [b1[0] - a1[0], b1[1] - a1[1]]; let kross = crossProduct(va, vb); let sqrKross = kross * kross; const sqrLenA = dotProduct(va, va); //const sqrLenB = dotProduct(vb, vb); // Check for line intersection. This works because of the properties of the // cross product -- specifically, two vectors are parallel if and only if the // cross product is the 0 vector. The full calculation involves relative error // to account for possible very small line segments. See Schneider & Eberly // for details. if (sqrKross > 0/* EPS * sqrLenB * sqLenA */) { // If they"re not parallel, then (because these are line segments) they // still might not actually intersect. This code checks that the // intersection point of the lines is actually on both line segments. const s = crossProduct(e, vb) / kross; if (s < 0 || s > 1) { // not on line segment a return null; } const t = crossProduct(e, va) / kross; if (t < 0 || t > 1) { // not on line segment b return null; } if (s === 0 || s === 1) { // on an endpoint of line segment a return noEndpointTouch ? null : [toPoint(a1, s, va)]; } if (t === 0 || t === 1) { // on an endpoint of line segment b return noEndpointTouch ? null : [toPoint(b1, t, vb)]; } return [toPoint(a1, s, va)]; } // If we"ve reached this point, then the lines are either parallel or the // same, but the segments could overlap partially or fully, or not at all. // So we need to find the overlap, if any. To do that, we can use e, which is // the (vector) difference between the two initial points. If this is parallel // with the line itself, then the two lines are the same line, and there will // be overlap. //const sqrLenE = dotProduct(e, e); kross = crossProduct(e, va); sqrKross = kross * kross; if (sqrKross > 0 /* EPS * sqLenB * sqLenE */) { // Lines are just parallel, not the same. No overlap. return null; } const sa = dotProduct(va, e) / sqrLenA; const sb = sa + dotProduct(va, vb) / sqrLenA; const smin = Math.min(sa, sb); const smax = Math.max(sa, sb); // this is, essentially, the FindIntersection acting on floats from // Schneider & Eberly, just inlined into this function. if (smin <= 1 && smax >= 0) { // overlap on an end point if (smin === 1) { return noEndpointTouch ? null : [toPoint(a1, smin > 0 ? smin : 0, va)]; } if (smax === 0) { return noEndpointTouch ? null : [toPoint(a1, smax < 1 ? smax : 1, va)]; } if (noEndpointTouch && smin === 0 && smax === 1) return null; // There"s overlap on a segment -- two points of intersection. Return both. return [ toPoint(a1, smin > 0 ? smin : 0, va), toPoint(a1, smax < 1 ? smax : 1, va) ]; } return null; } /** * @param {SweepEvent} se1 * @param {SweepEvent} se2 * @param {Queue} queue * @return {Number} */ function possibleIntersection (se1, se2, queue) { // that disallows self-intersecting polygons, // did cost us half a day, so I"ll leave it // out of respect // if (se1.isSubject === se2.isSubject) return; const inter = intersection$1( se1.point, se1.otherEvent.point, se2.point, se2.otherEvent.point ); const nintersections = inter ? inter.length : 0; if (nintersections === 0) return 0; // no intersection // the line segments intersect at an endpoint of both line segments if ((nintersections === 1) && (equals(se1.point, se2.point) || equals(se1.otherEvent.point, se2.otherEvent.point))) { return 0; } if (nintersections === 2 && se1.isSubject === se2.isSubject) { // if(se1.contourId === se2.contourId){ // console.warn("Edges of the same polygon overlap", // se1.point, se1.otherEvent.point, se2.point, se2.otherEvent.point); // } //throw new Error("Edges of the same polygon overlap"); return 0; } // The line segments associated to se1 and se2 intersect if (nintersections === 1) { // if the intersection point is not an endpoint of se1 if (!equals(se1.point, inter[0]) && !equals(se1.otherEvent.point, inter[0])) { divideSegment(se1, inter[0], queue); } // if the intersection point is not an endpoint of se2 if (!equals(se2.point, inter[0]) && !equals(se2.otherEvent.point, inter[0])) { divideSegment(se2, inter[0], queue); } return 1; } // The line segments associated to se1 and se2 overlap const events = []; let leftCoincide = false; let rightCoincide = false; if (equals(se1.point, se2.point)) { leftCoincide = true; // linked } else if (compareEvents(se1, se2) === 1) { events.push(se2, se1); } else { events.push(se1, se2); } if (equals(se1.otherEvent.point, se2.otherEvent.point)) { rightCoincide = true; } else if (compareEvents(se1.otherEvent, se2.otherEvent) === 1) { events.push(se2.otherEvent, se1.otherEvent); } else { events.push(se1.otherEvent, se2.otherEvent); } if ((leftCoincide && rightCoincide) || leftCoincide) { // both line segments are equal or share the left endpoint se2.type = NON_CONTRIBUTING; se1.type = (se2.inOut === se1.inOut) ? SAME_TRANSITION : DIFFERENT_TRANSITION; if (leftCoincide && !rightCoincide) { // honestly no idea, but changing events selection from [2, 1] // to [0, 1] fixes the overlapping self-intersecting polygons issue divideSegment(events[1].otherEvent, events[0].point, queue); } return 2; } // the line segments share the right endpoint if (rightCoincide) { divideSegment(events[0], events[1].point, queue); return 3; } // no line segment includes totally the other one if (events[0] !== events[3].otherEvent) { divideSegment(events[0], events[1].point, queue); divideSegment(events[1], events[2].point, queue); return 3; } // one line segment includes the other one divideSegment(events[0], events[1].point, queue); divideSegment(events[3].otherEvent, events[2].point, queue); return 3; } /** * @param {SweepEvent} le1 * @param {SweepEvent} le2 * @return {Number} */ function compareSegments(le1, le2) { if (le1 === le2) return 0; // Segments are not collinear if (signedArea(le1.point, le1.otherEvent.point, le2.point) !== 0 || signedArea(le1.point, le1.otherEvent.point, le2.otherEvent.point) !== 0) { // If they share their left endpoint use the right endpoint to sort if (equals(le1.point, le2.point)) return le1.isBelow(le2.otherEvent.point) ? -1 : 1; // Different left endpoint: use the left endpoint to sort if (le1.point[0] === le2.point[0]) return le1.point[1] < le2.point[1] ? -1 : 1; // has the line segment associated to e1 been inserted // into S after the line segment associated to e2 ? if (compareEvents(le1, le2) === 1) return le2.isAbove(le1.point) ? -1 : 1; // The line segment associated to e2 has been inserted // into S after the line segment associated to e1 return le1.isBelow(le2.point) ? -1 : 1; } if (le1.isSubject === le2.isSubject) { // same polygon let p1 = le1.point, p2 = le2.point; if (p1[0] === p2[0] && p1[1] === p2[1]/*equals(le1.point, le2.point)*/) { p1 = le1.otherEvent.point; p2 = le2.otherEvent.point; if (p1[0] === p2[0] && p1[1] === p2[1]) return 0; else return le1.contourId > le2.contourId ? 1 : -1; } } else { // Segments are collinear, but belong to separate polygons return le1.isSubject ? -1 : 1; } return compareEvents(le1, le2) === 1 ? 1 : -1; } function subdivide(eventQueue, subject, clipping, sbbox, cbbox, operation) { const sweepLine = new SplayTree(compareSegments); const sortedEvents = []; const rightbound = Math.min(sbbox[2], cbbox[2]); let prev, next, begin; while (eventQueue.length !== 0) { let event = eventQueue.pop(); sortedEvents.push(event); // optimization by bboxes for intersection and difference goes here if ((operation === INTERSECTION && event.point[0] > rightbound) || (operation === DIFFERENCE && event.point[0] > sbbox[2])) { break; } if (event.left) { next = prev = sweepLine.insert(event); begin = sweepLine.minNode(); if (prev !== begin) prev = sweepLine.prev(prev); else prev = null; next = sweepLine.next(next); const prevEvent = prev ? prev.key : null; let prevprevEvent; computeFields(event, prevEvent, operation); if (next) { if (possibleIntersection(event, next.key, eventQueue) === 2) { computeFields(event, prevEvent, operation); computeFields(next.key, event, operation); } } if (prev) { if (possibleIntersection(prev.key, event, eventQueue) === 2) { let prevprev = prev; if (prevprev !== begin) prevprev = sweepLine.prev(prevprev); else prevprev = null; prevprevEvent = prevprev ? prevprev.key : null; computeFields(prevEvent, prevprevEvent, operation); computeFields(event, prevEvent, operation); } } } else { event = event.otherEvent; next = prev = sweepLine.find(event); if (prev && next) { if (prev !== begin) prev = sweepLine.prev(prev); else prev = null; next = sweepLine.next(next); sweepLine.remove(event); if (next && prev) { possibleIntersection(prev.key, next.key, eventQueue); } } } } return sortedEvents; } class Contour { /** * Contour * * @class {Contour} */ constructor() { this.points = []; this.holeIds = []; this.holeOf = null; this.depth = null; } isExterior() { return this.holeOf == null; } } /** * @param {Array.} sortedEvents * @return {Array.} */ function orderEvents(sortedEvents) { let event, i, len, tmp; const resultEvents = []; for (i = 0, len = sortedEvents.length; i < len; i++) { event = sortedEvents[i]; if ((event.left && event.inResult) || (!event.left && event.otherEvent.inResult)) { resultEvents.push(event); } } // Due to overlapping edges the resultEvents array can be not wholly sorted let sorted = false; while (!sorted) { sorted = true; for (i = 0, len = resultEvents.length; i < len; i++) { if ((i + 1) < len && compareEvents(resultEvents[i], resultEvents[i + 1]) === 1) { tmp = resultEvents[i]; resultEvents[i] = resultEvents[i + 1]; resultEvents[i + 1] = tmp; sorted = false; } } } for (i = 0, len = resultEvents.length; i < len; i++) { event = resultEvents[i]; event.otherPos = i; } // imagine, the right event is found in the beginning of the queue, // when his left counterpart is not marked yet for (i = 0, len = resultEvents.length; i < len; i++) { event = resultEvents[i]; if (!event.left) { tmp = event.otherPos; event.otherPos = event.otherEvent.otherPos; event.otherEvent.otherPos = tmp; } } return resultEvents; } /** * @param {Number} pos * @param {Array.} resultEvents * @param {Object>} processed * @return {Number} */ function nextPos(pos, resultEvents, processed, origPos) { let newPos = pos + 1, p = resultEvents[pos].point, p1; const length = resultEvents.length; if (newPos < length) p1 = resultEvents[newPos].point; while (newPos < length && p1[0] === p[0] && p1[1] === p[1]) { if (!processed[newPos]) { return newPos; } else { newPos++; } if (newPos < length) { p1 = resultEvents[newPos].point; } } newPos = pos - 1; while (processed[newPos] && newPos > origPos) { newPos--; } return newPos; } function initializeContourFromContext(event, contours, contourId) { const contour = new Contour(); if (event.prevInResult != null) { const prevInResult = event.prevInResult; // Note that it is valid to query the "previous in result" for its output contour id, // because we must have already processed it (i.e., assigned an output contour id) // in an earlier iteration, otherwise it wouldn"t be possible that it is "previous in // result". const lowerContourId = prevInResult.outputContourId; const lowerResultTransition = prevInResult.resultTransition; if (lowerResultTransition > 0) { // We are inside. Now we have to check if the thing below us is another hole or // an exterior contour. const lowerContour = contours[lowerContourId]; if (lowerContour.holeOf != null) { // The lower contour is a hole => Connect the new contour as a hole to its parent, // and use same depth. const parentContourId = lowerContour.holeOf; contours[parentContourId].holeIds.push(contourId); contour.holeOf = parentContourId; contour.depth = contours[lowerContourId].depth; } else { // The lower contour is an exterior contour => Connect the new contour as a hole, // and increment depth. contours[lowerContourId].holeIds.push(contourId); contour.holeOf = lowerContourId; contour.depth = contours[lowerContourId].depth + 1; } } else { // We are outside => this contour is an exterior contour of same depth. contour.holeOf = null; contour.depth = contours[lowerContourId].depth; } } else { // There is no lower/previous contour => this contour is an exterior contour of depth 0. contour.holeOf = null; contour.depth = 0; } return contour; } /** * @param {Array.} sortedEvents * @return {Array.<*>} polygons */ function connectEdges(sortedEvents) { let i, len; const resultEvents = orderEvents(sortedEvents); // "false"-filled array const processed = {}; const contours = []; for (i = 0, len = resultEvents.length; i < len; i++) { if (processed[i]) { continue; } const contourId = contours.length; const contour = initializeContourFromContext(resultEvents[i], contours, contourId); // Helper function that combines marking an event as processed with assigning its output contour ID const markAsProcessed = (pos) => { processed[pos] = true; if (pos < resultEvents.length && resultEvents[pos]) { resultEvents[pos].outputContourId = contourId; } }; let pos = i; let origPos = i; const initial = resultEvents[i].point; contour.points.push(initial); /* eslint no-constant-condition: "off" */ while (true) { markAsProcessed(pos); pos = resultEvents[pos].otherPos; markAsProcessed(pos); contour.points.push(resultEvents[pos].point); pos = nextPos(pos, resultEvents, processed, origPos); if (pos == origPos || pos >= resultEvents.length || !resultEvents[pos]) { break; } } contours.push(contour); } return contours; } var tinyqueue = {exports: {}}; tinyqueue.exports = TinyQueue; tinyqueue.exports.default = TinyQueue; function TinyQueue(data, compare) { if (!(this instanceof TinyQueue)) return new TinyQueue(data, compare); this.data = data || []; this.length = this.data.length; this.compare = compare || defaultCompare; if (this.length > 0) { for (var i = (this.length >> 1) - 1; i >= 0; i--) this._down(i); } } function defaultCompare(a, b) { return a < b ? -1 : a > b ? 1 : 0; } TinyQueue.prototype = { push: function (item) { this.data.push(item); this.length++; this._up(this.length - 1); }, pop: function () { if (this.length === 0) return undefined; var top = this.data[0]; this.length--; if (this.length > 0) { this.data[0] = this.data[this.length]; this._down(0); } this.data.pop(); return top; }, peek: function () { return this.data[0]; }, _up: function (pos) { var data = this.data; var compare = this.compare; var item = data[pos]; while (pos > 0) { var parent = (pos - 1) >> 1; var current = data[parent]; if (compare(item, current) >= 0) break; data[pos] = current; pos = parent; } data[pos] = item; }, _down: function (pos) { var data = this.data; var compare = this.compare; var halfLength = this.length >> 1; var item = data[pos]; while (pos < halfLength) { var left = (pos << 1) + 1; var right = left + 1; var best = data[left]; if (right < this.length && compare(data[right], best) < 0) { left = right; best = data[right]; } if (compare(best, item) >= 0) break; data[pos] = best; pos = left; } data[pos] = item; } }; var tinyqueueExports = tinyqueue.exports; var Queue = /*@__PURE__*/getDefaultExportFromCjs(tinyqueueExports); const max = Math.max; const min = Math.min; let contourId = 0; function processPolygon(contourOrHole, isSubject, depth, Q, bbox, isExteriorRing) { let i, len, s1, s2, e1, e2; for (i = 0, len = contourOrHole.length - 1; i < len; i++) { s1 = contourOrHole[i]; s2 = contourOrHole[i + 1]; e1 = new SweepEvent(s1, false, undefined, isSubject); e2 = new SweepEvent(s2, false, e1, isSubject); e1.otherEvent = e2; if (s1[0] === s2[0] && s1[1] === s2[1]) { continue; // skip collapsed edges, or it breaks } e1.contourId = e2.contourId = depth; if (!isExteriorRing) { e1.isExteriorRing = false; e2.isExteriorRing = false; } if (compareEvents(e1, e2) > 0) { e2.left = true; } else { e1.left = true; } const x = s1[0], y = s1[1]; bbox[0] = min(bbox[0], x); bbox[1] = min(bbox[1], y); bbox[2] = max(bbox[2], x); bbox[3] = max(bbox[3], y); // Pushing it so the queue is sorted from left to right, // with object on the left having the highest priority. Q.push(e1); Q.push(e2); } } function fillQueue(subject, clipping, sbbox, cbbox, operation) { const eventQueue = new Queue(null, compareEvents); let polygonSet, isExteriorRing, i, ii, j, jj; //, k, kk; for (i = 0, ii = subject.length; i < ii; i++) { polygonSet = subject[i]; for (j = 0, jj = polygonSet.length; j < jj; j++) { isExteriorRing = j === 0; if (isExteriorRing) contourId++; processPolygon(polygonSet[j], true, contourId, eventQueue, sbbox, isExteriorRing); } } for (i = 0, ii = clipping.length; i < ii; i++) { polygonSet = clipping[i]; for (j = 0, jj = polygonSet.length; j < jj; j++) { isExteriorRing = j === 0; if (operation === DIFFERENCE) isExteriorRing = false; if (isExteriorRing) contourId++; processPolygon(polygonSet[j], false, contourId, eventQueue, cbbox, isExteriorRing); } } return eventQueue; } const EMPTY = []; function trivialOperation(subject, clipping, operation) { let result = null; if (subject.length * clipping.length === 0) { if (operation === INTERSECTION) { result = EMPTY; } else if (operation === DIFFERENCE) { result = subject; } else if (operation === UNION || operation === XOR) { result = (subject.length === 0) ? clipping : subject; } } return result; } function compareBBoxes(subject, clipping, sbbox, cbbox, operation) { let result = null; if (sbbox[0] > cbbox[2] || cbbox[0] > sbbox[2] || sbbox[1] > cbbox[3] || cbbox[1] > sbbox[3]) { if (operation === INTERSECTION) { result = EMPTY; } else if (operation === DIFFERENCE) { result = subject; } else if (operation === UNION || operation === XOR) { result = subject.concat(clipping); } } return result; } function boolean(subject, clipping, operation) { if (typeof subject[0][0][0] === "number") { subject = [subject]; } if (typeof clipping[0][0][0] === "number") { clipping = [clipping]; } let trivial = trivialOperation(subject, clipping, operation); if (trivial) { return trivial === EMPTY ? null : trivial; } const sbbox = [Infinity, Infinity, -Infinity, -Infinity]; const cbbox = [Infinity, Infinity, -Infinity, -Infinity]; // console.time("fill queue"); const eventQueue = fillQueue(subject, clipping, sbbox, cbbox, operation); //console.timeEnd("fill queue"); trivial = compareBBoxes(subject, clipping, sbbox, cbbox, operation); if (trivial) { return trivial === EMPTY ? null : trivial; } // console.time("subdivide edges"); const sortedEvents = subdivide(eventQueue, subject, clipping, sbbox, cbbox, operation); //console.timeEnd("subdivide edges"); // console.time("connect vertices"); const contours = connectEdges(sortedEvents); //console.timeEnd("connect vertices"); // Convert contours to polygons const polygons = []; for (let i = 0; i < contours.length; i++) { let contour = contours[i]; if (contour.isExterior()) { // The exterior ring goes first let rings = [contour.points]; // Followed by holes if any for (let j = 0; j < contour.holeIds.length; j++) { let holeId = contour.holeIds[j]; rings.push(contours[holeId].points); } polygons.push(rings); } } return polygons; } function intersection (subject, clipping) { return boolean(subject, clipping, INTERSECTION); } /** * @class VertexGeometry * @abstract * @classdesc Represents a vertex geometry. */ class VertexGeometry extends Geometry { /** * Create a vertex geometry. * * @constructor * @ignore */ constructor() { super(); this._subsampleThreshold = 0.005; } /** * Finds the polygon pole of inaccessibility, the most distant internal * point from the polygon outline. * * @param {Array>} points2d - 2d points of outline to triangulate. * @returns {Array} Point of inaccessibility. * @ignore */ _getPoleOfInaccessibility2d(points2d) { let pole2d = polylabel$1([points2d], 3e-2); return pole2d; } _project(points2d, transform) { const camera = this._createCamera(transform.upVector().toArray(), transform.unprojectSfM([0, 0], 0), transform.unprojectSfM([0, 0], 10)); return this._deunproject(points2d, transform, camera); } _subsample(points2d, threshold = this._subsampleThreshold) { const subsampled = []; const length = points2d.length; for (let index = 0; index < length; index++) { const p1 = points2d[index]; const p2 = points2d[(index + 1) % length]; subsampled.push(p1); const dist = Math.sqrt(Math.pow((p2[0] - p1[0]), 2) + Math.pow((p2[1] - p1[1]), 2)); const subsamples = Math.floor(dist / threshold); const coeff = 1 / (subsamples + 1); for (let i = 1; i <= subsamples; i++) { const alpha = i * coeff; const subsample = [ (1 - alpha) * p1[0] + alpha * p2[0], (1 - alpha) * p1[1] + alpha * p2[1], ]; subsampled.push(subsample); } } return subsampled; } /** * Triangulates a 2d polygon and returns the triangle * representation as a flattened array of 3d points. * * @param {Array>} points2d - 2d points of outline to triangulate. * @param {Array>} points3d - 3d points of outline corresponding to the 2d points. * @param {Array>>} [holes2d] - 2d points of holes to triangulate. * @param {Array>>} [holes3d] - 3d points of holes corresponding to the 2d points. * @returns {Array} Flattened array of 3d points ordered based on the triangles. * @ignore */ _triangulate(points2d, points3d, holes2d, holes3d) { let data = [points2d.slice(0, -1)]; for (let hole2d of holes2d != null ? holes2d : []) { data.push(hole2d.slice(0, -1)); } let points = points3d.slice(0, -1); for (let hole3d of holes3d != null ? holes3d : []) { points = points.concat(hole3d.slice(0, -1)); } let flattened = earcut$1.flatten(data); let indices = earcut$1(flattened.vertices, flattened.holes, flattened.dimensions); let triangles = []; for (let i = 0; i < indices.length; ++i) { let point = points[indices[i]]; triangles.push(point[0]); triangles.push(point[1]); triangles.push(point[2]); } return triangles; } _triangulateSpherical(points2d, holes2d, transform) { const triangles = []; const epsilon = 1e-9; const subareasX = 3; const subareasY = 3; for (let x = 0; x < subareasX; x++) { for (let y = 0; y < subareasY; y++) { const epsilonX0 = x === 0 ? -epsilon : epsilon; const epsilonY0 = y === 0 ? -epsilon : epsilon; const x0 = x / subareasX + epsilonX0; const y0 = y / subareasY + epsilonY0; const x1 = (x + 1) / subareasX + epsilon; const y1 = (y + 1) / subareasY + epsilon; const bbox2d = [ [x0, y0], [x0, y1], [x1, y1], [x1, y0], [x0, y0], ]; const lookat2d = [ (2 * x + 1) / (2 * subareasX), (2 * y + 1) / (2 * subareasY), ]; triangles.push(...this._triangulateSubarea(points2d, holes2d, bbox2d, lookat2d, transform)); } } return triangles; } _unproject(points2d, transform, distance = 200) { return points2d .map((point) => { return transform.unprojectBasic(point, distance); }); } _createCamera(upVector, position, lookAt) { // @ts-ignore const camera = new Camera$2(); camera.up.copy(new Vector3().fromArray(upVector)); camera.position.copy(new Vector3().fromArray(position)); camera.lookAt(new Vector3().fromArray(lookAt)); camera.updateMatrix(); camera.updateMatrixWorld(true); return camera; } _deunproject(points2d, transform, camera) { return points2d .map((point2d) => { const pointWorld = transform.unprojectBasic(point2d, 10000); const pointCamera = new Vector3(pointWorld[0], pointWorld[1], pointWorld[2]) .applyMatrix4(camera.matrixWorldInverse); return [pointCamera.x / pointCamera.z, pointCamera.y / pointCamera.z]; }); } _triangulateSubarea(points2d, holes2d, bbox2d, lookat2d, transform) { const intersections = intersection([points2d, ...holes2d], [bbox2d]); if (!intersections) { return []; } const triangles = []; const threshold = this._subsampleThreshold; const camera = this._createCamera(transform.upVector().toArray(), transform.unprojectSfM([0, 0], 0), transform.unprojectBasic(lookat2d, 10)); for (const intersection of intersections) { const subsampledPolygon2d = this._subsample(intersection[0], threshold); const polygon2d = this._deunproject(subsampledPolygon2d, transform, camera); const polygon3d = this._unproject(subsampledPolygon2d, transform); const polygonHoles2d = []; const polygonHoles3d = []; for (let i = 1; i < intersection.length; i++) { let subsampledHole2d = this._subsample(intersection[i], threshold); const hole2d = this._deunproject(subsampledHole2d, transform, camera); const hole3d = this._unproject(subsampledHole2d, transform); polygonHoles2d.push(hole2d); polygonHoles3d.push(hole3d); } triangles.push(...this._triangulate(polygon2d, polygon3d, polygonHoles2d, polygonHoles3d)); } return triangles; } } /** * @class RectGeometry * * @classdesc Represents a rectangle geometry in the 2D basic image coordinate system. * * @example * ```js * var basicRect = [0.5, 0.3, 0.7, 0.4]; * var rectGeometry = new RectGeometry(basicRect); * ``` */ class RectGeometry extends VertexGeometry { /** * Create a rectangle geometry. * * @constructor * @param {Array} rect - An array representing the top-left and bottom-right * corners of the rectangle in basic coordinates. Ordered according to [x0, y0, x1, y1]. * * @throws {GeometryTagError} Rectangle coordinates must be valid basic coordinates. */ constructor(rect) { super(); if (rect.length !== 4) { throw new GeometryTagError("Rectangle needs to have four values."); } if (rect[1] > rect[3]) { throw new GeometryTagError("Basic Y coordinates values can not be inverted."); } for (let coord of rect) { if (coord < 0 || coord > 1) { throw new GeometryTagError("Basic coordinates must be on the interval [0, 1]."); } } this._anchorIndex = undefined; this._rect = rect.slice(0, 4); this._inverted = this._rect[0] > this._rect[2]; } /** * Get anchor index property. * * @returns {number} Index representing the current anchor property if * achoring indexing has been initialized. If anchor indexing has not been * initialized or has been terminated undefined will be returned. * @ignore */ get anchorIndex() { return this._anchorIndex; } /** * Get inverted property. * * @returns {boolean} Boolean determining whether the rect geometry is * inverted. For spherical the rect geometrye may be inverted. * @ignore */ get inverted() { return this._inverted; } /** * Get rect property. * * @returns {Array} Array representing the top-left and bottom-right * corners of the rectangle in basic coordinates. */ get rect() { return this._rect; } /** * Initialize anchor indexing to enable setting opposite vertex. * * @param {number} [index] - The index of the vertex to use as anchor. * * @throws {GeometryTagError} If anchor indexing has already been initialized. * @throws {GeometryTagError} If index is not valid (0 to 3). * @ignore */ initializeAnchorIndexing(index) { if (this._anchorIndex !== undefined) { throw new GeometryTagError("Anchor indexing is already initialized."); } if (index < 0 || index > 3) { throw new GeometryTagError(`Invalid anchor index: ${index}.`); } this._anchorIndex = index === undefined ? 0 : index; } /** * Terminate anchor indexing to disable setting pposite vertex. * @ignore */ terminateAnchorIndexing() { this._anchorIndex = undefined; } /** * Set the value of the vertex opposite to the anchor in the polygon * representation of the rectangle. * * @description Setting the opposite vertex may change the anchor index. * * @param {Array} opposite - The new value of the vertex opposite to the anchor. * @param {Transform} transform - The transform of the image related to the rectangle. * * @throws {GeometryTagError} When anchor indexing has not been initialized. * @ignore */ setOppositeVertex2d(opposite, transform) { if (this._anchorIndex === undefined) { throw new GeometryTagError("Anchor indexing needs to be initialized."); } const changed = [ Math.max(0, Math.min(1, opposite[0])), Math.max(0, Math.min(1, opposite[1])), ]; const original = this._rect.slice(); const anchor = this._anchorIndex === 0 ? [original[0], original[3]] : this._anchorIndex === 1 ? [original[0], original[1]] : this._anchorIndex === 2 ? [original[2], original[1]] : [original[2], original[3]]; if (isSpherical(transform.cameraType)) { const deltaX = this._anchorIndex < 2 ? changed[0] - original[2] : changed[0] - original[0]; if (!this._inverted && this._anchorIndex < 2 && changed[0] < 0.25 && original[2] > 0.75 && deltaX < -0.5) { // right side passes boundary rightward this._inverted = true; this._anchorIndex = anchor[1] > changed[1] ? 0 : 1; } else if (!this._inverted && this._anchorIndex >= 2 && changed[0] < 0.25 && original[2] > 0.75 && deltaX < -0.5) { // left side passes right side and boundary rightward this._inverted = true; this._anchorIndex = anchor[1] > changed[1] ? 0 : 1; } else if (this._inverted && this._anchorIndex >= 2 && changed[0] < 0.25 && original[0] > 0.75 && deltaX < -0.5) { this._inverted = false; if (anchor[0] > changed[0]) { // left side passes boundary rightward this._anchorIndex = anchor[1] > changed[1] ? 3 : 2; } else { // left side passes right side and boundary rightward this._anchorIndex = anchor[1] > changed[1] ? 0 : 1; } } else if (!this._inverted && this._anchorIndex >= 2 && changed[0] > 0.75 && original[0] < 0.25 && deltaX > 0.5) { // left side passes boundary leftward this._inverted = true; this._anchorIndex = anchor[1] > changed[1] ? 3 : 2; } else if (!this._inverted && this._anchorIndex < 2 && changed[0] > 0.75 && original[0] < 0.25 && deltaX > 0.5) { // right side passes left side and boundary leftward this._inverted = true; this._anchorIndex = anchor[1] > changed[1] ? 3 : 2; } else if (this._inverted && this._anchorIndex < 2 && changed[0] > 0.75 && original[2] < 0.25 && deltaX > 0.5) { this._inverted = false; if (anchor[0] > changed[0]) { // right side passes boundary leftward this._anchorIndex = anchor[1] > changed[1] ? 3 : 2; } else { // right side passes left side and boundary leftward this._anchorIndex = anchor[1] > changed[1] ? 0 : 1; } } else if (this._inverted && this._anchorIndex < 2 && changed[0] > original[0]) { // inverted and right side passes left side completing a loop this._inverted = false; this._anchorIndex = anchor[1] > changed[1] ? 0 : 1; } else if (this._inverted && this._anchorIndex >= 2 && changed[0] < original[2]) { // inverted and left side passes right side completing a loop this._inverted = false; this._anchorIndex = anchor[1] > changed[1] ? 3 : 2; } else if (this._inverted) { // if still inverted only top and bottom can switch if (this._anchorIndex < 2) { this._anchorIndex = anchor[1] > changed[1] ? 0 : 1; } else { this._anchorIndex = anchor[1] > changed[1] ? 3 : 2; } } else { // if still not inverted treat as non spherical if (anchor[0] <= changed[0] && anchor[1] > changed[1]) { this._anchorIndex = 0; } else if (anchor[0] <= changed[0] && anchor[1] <= changed[1]) { this._anchorIndex = 1; } else if (anchor[0] > changed[0] && anchor[1] <= changed[1]) { this._anchorIndex = 2; } else { this._anchorIndex = 3; } } const rect = []; if (this._anchorIndex === 0) { rect[0] = anchor[0]; rect[1] = changed[1]; rect[2] = changed[0]; rect[3] = anchor[1]; } else if (this._anchorIndex === 1) { rect[0] = anchor[0]; rect[1] = anchor[1]; rect[2] = changed[0]; rect[3] = changed[1]; } else if (this._anchorIndex === 2) { rect[0] = changed[0]; rect[1] = anchor[1]; rect[2] = anchor[0]; rect[3] = changed[1]; } else { rect[0] = changed[0]; rect[1] = changed[1]; rect[2] = anchor[0]; rect[3] = anchor[1]; } if (!this._inverted && rect[0] > rect[2] || this._inverted && rect[0] < rect[2]) { rect[0] = original[0]; rect[2] = original[2]; } if (rect[1] > rect[3]) { rect[1] = original[1]; rect[3] = original[3]; } this._rect[0] = rect[0]; this._rect[1] = rect[1]; this._rect[2] = rect[2]; this._rect[3] = rect[3]; } else { if (anchor[0] <= changed[0] && anchor[1] > changed[1]) { this._anchorIndex = 0; } else if (anchor[0] <= changed[0] && anchor[1] <= changed[1]) { this._anchorIndex = 1; } else if (anchor[0] > changed[0] && anchor[1] <= changed[1]) { this._anchorIndex = 2; } else { this._anchorIndex = 3; } const rect = []; if (this._anchorIndex === 0) { rect[0] = anchor[0]; rect[1] = changed[1]; rect[2] = changed[0]; rect[3] = anchor[1]; } else if (this._anchorIndex === 1) { rect[0] = anchor[0]; rect[1] = anchor[1]; rect[2] = changed[0]; rect[3] = changed[1]; } else if (this._anchorIndex === 2) { rect[0] = changed[0]; rect[1] = anchor[1]; rect[2] = anchor[0]; rect[3] = changed[1]; } else { rect[0] = changed[0]; rect[1] = changed[1]; rect[2] = anchor[0]; rect[3] = anchor[1]; } if (rect[0] > rect[2]) { rect[0] = original[0]; rect[2] = original[2]; } if (rect[1] > rect[3]) { rect[1] = original[1]; rect[3] = original[3]; } this._rect[0] = rect[0]; this._rect[1] = rect[1]; this._rect[2] = rect[2]; this._rect[3] = rect[3]; } this._notifyChanged$.next(this); } /** * Set the value of a vertex in the polygon representation of the rectangle. * * @description The polygon is defined to have the first vertex at the * bottom-left corner with the rest of the vertices following in clockwise order. * * @param {number} index - The index of the vertex to be set. * @param {Array} value - The new value of the vertex. * @param {Transform} transform - The transform of the image related to the rectangle. * @ignore */ setVertex2d(index, value, transform) { let original = this._rect.slice(); let changed = [ Math.max(0, Math.min(1, value[0])), Math.max(0, Math.min(1, value[1])), ]; let rect = []; if (index === 0) { rect[0] = changed[0]; rect[1] = original[1]; rect[2] = original[2]; rect[3] = changed[1]; } else if (index === 1) { rect[0] = changed[0]; rect[1] = changed[1]; rect[2] = original[2]; rect[3] = original[3]; } else if (index === 2) { rect[0] = original[0]; rect[1] = changed[1]; rect[2] = changed[0]; rect[3] = original[3]; } else if (index === 3) { rect[0] = original[0]; rect[1] = original[1]; rect[2] = changed[0]; rect[3] = changed[1]; } if (isSpherical(transform.cameraType)) { let passingBoundaryLeftward = index < 2 && changed[0] > 0.75 && original[0] < 0.25 || index >= 2 && this._inverted && changed[0] > 0.75 && original[2] < 0.25; let passingBoundaryRightward = index < 2 && this._inverted && changed[0] < 0.25 && original[0] > 0.75 || index >= 2 && changed[0] < 0.25 && original[2] > 0.75; if (passingBoundaryLeftward || passingBoundaryRightward) { this._inverted = !this._inverted; } else { if (rect[0] - original[0] < -0.25) { rect[0] = original[0]; } if (rect[2] - original[2] > 0.25) { rect[2] = original[2]; } } if (!this._inverted && rect[0] > rect[2] || this._inverted && rect[0] < rect[2]) { rect[0] = original[0]; rect[2] = original[2]; } } else { if (rect[0] > rect[2]) { rect[0] = original[0]; rect[2] = original[2]; } } if (rect[1] > rect[3]) { rect[1] = original[1]; rect[3] = original[3]; } this._rect[0] = rect[0]; this._rect[1] = rect[1]; this._rect[2] = rect[2]; this._rect[3] = rect[3]; this._notifyChanged$.next(this); } /** @ignore */ setCentroid2d(value, transform) { let original = this._rect.slice(); let x0 = original[0]; let x1 = this._inverted ? original[2] + 1 : original[2]; let y0 = original[1]; let y1 = original[3]; let centerX = x0 + (x1 - x0) / 2; let centerY = y0 + (y1 - y0) / 2; let translationX = 0; if (isSpherical(transform.cameraType)) { translationX = this._inverted ? value[0] + 1 - centerX : value[0] - centerX; } else { let minTranslationX = -x0; let maxTranslationX = 1 - x1; translationX = Math.max(minTranslationX, Math.min(maxTranslationX, value[0] - centerX)); } let minTranslationY = -y0; let maxTranslationY = 1 - y1; let translationY = Math.max(minTranslationY, Math.min(maxTranslationY, value[1] - centerY)); this._rect[0] = original[0] + translationX; this._rect[1] = original[1] + translationY; this._rect[2] = original[2] + translationX; this._rect[3] = original[3] + translationY; if (this._rect[0] < 0) { this._rect[0] += 1; this._inverted = !this._inverted; } else if (this._rect[0] > 1) { this._rect[0] -= 1; this._inverted = !this._inverted; } if (this._rect[2] < 0) { this._rect[2] += 1; this._inverted = !this._inverted; } else if (this._rect[2] > 1) { this._rect[2] -= 1; this._inverted = !this._inverted; } this._notifyChanged$.next(this); } /** * Get the 3D coordinates for the vertices of the rectangle with * interpolated points along the lines. * * @param {Transform} transform - The transform of the image related to * the rectangle. * @returns {Array>} Polygon array of 3D world coordinates * representing the rectangle. * @ignore */ getPoints3d(transform) { return this._getPoints2d() .map((point) => { return transform.unprojectBasic(point, 200); }); } /** * Get the coordinates of a vertex from the polygon representation of the geometry. * * @description The first vertex represents the bottom-left corner with the rest of * the vertices following in clockwise order. The method shifts the right side * coordinates of the rectangle by one unit to ensure that the vertices are ordered * clockwise. * * @param {number} index - Vertex index. * @returns {Array} Array representing the 2D basic coordinates of the vertex. * @ignore */ getVertex2d(index) { return this._rectToVertices2d(this._rect)[index]; } /** * Get the coordinates of a vertex from the polygon representation of the geometry. * * @description The first vertex represents the bottom-left corner with the rest of * the vertices following in clockwise order. The coordinates will not be shifted * so they may not appear in clockwise order when layed out on the plane. * * @param {number} index - Vertex index. * @returns {Array} Array representing the 2D basic coordinates of the vertex. * @ignore */ getNonAdjustedVertex2d(index) { return this._rectToNonAdjustedVertices2d(this._rect)[index]; } /** * Get a vertex from the polygon representation of the 3D coordinates for the * vertices of the geometry. * * @description The first vertex represents the bottom-left corner with the rest of * the vertices following in clockwise order. * * @param {number} index - Vertex index. * @param {Transform} transform - The transform of the image related to the geometry. * @returns {Array>} Polygon array of 3D world coordinates representing * the vertices of the geometry. * @ignore */ getVertex3d(index, transform) { return transform.unprojectBasic(this._rectToVertices2d(this._rect)[index], 200); } /** * Get a polygon representation of the 2D basic coordinates for the vertices of the rectangle. * * @description The first vertex represents the bottom-left corner with the rest of * the vertices following in clockwise order. * * @returns {Array>} Polygon array of 2D basic coordinates representing * the rectangle vertices. * @ignore */ getVertices2d() { return this._rectToVertices2d(this._rect); } /** * Get a polygon representation of the 3D coordinates for the vertices of the rectangle. * * @description The first vertex represents the bottom-left corner with the rest of * the vertices following in clockwise order. * * @param {Transform} transform - The transform of the image related to the rectangle. * @returns {Array>} Polygon array of 3D world coordinates representing * the rectangle vertices. * @ignore */ getVertices3d(transform) { return this._rectToVertices2d(this._rect) .map((vertex) => { return transform.unprojectBasic(vertex, 200); }); } /** @ignore */ getCentroid2d() { const rect = this._rect; const x0 = rect[0]; const x1 = this._inverted ? rect[2] + 1 : rect[2]; const y0 = rect[1]; const y1 = rect[3]; const centroidX = (x0 + x1) / 2; const centroidY = (y0 + y1) / 2; return [centroidX, centroidY]; } /** @ignore */ getCentroid3d(transform) { const centroid2d = this.getCentroid2d(); return transform.unprojectBasic(centroid2d, 200); } /** * @ignore */ getPoleOfInaccessibility2d() { return this._getPoleOfInaccessibility2d(this._rectToVertices2d(this._rect)); } /** @ignore */ getPoleOfInaccessibility3d(transform) { let pole2d = this._getPoleOfInaccessibility2d(this._rectToVertices2d(this._rect)); return transform.unprojectBasic(pole2d, 200); } /** @ignore */ getTriangles3d(transform) { return isSpherical(transform.cameraType) ? [] : this._triangulate(this._project(this._getPoints2d(), transform), this.getPoints3d(transform)); } /** * Check if a particular bottom-right value is valid according to the current * rectangle coordinates. * * @param {Array} bottomRight - The bottom-right coordinates to validate * @returns {boolean} Value indicating whether the provided bottom-right coordinates * are valid. * @ignore */ validate(bottomRight) { let rect = this._rect; if (!this._inverted && bottomRight[0] < rect[0] || bottomRight[0] - rect[2] > 0.25 || bottomRight[1] < rect[1]) { return false; } return true; } /** * Get the 2D coordinates for the vertices of the rectangle with * interpolated points along the lines. * * @returns {Array>} Polygon array of 2D basic coordinates * representing the rectangle. */ _getPoints2d() { let vertices2d = this._rectToVertices2d(this._rect); let sides = vertices2d.length - 1; let sections = 10; let points2d = []; for (let i = 0; i < sides; ++i) { let startX = vertices2d[i][0]; let startY = vertices2d[i][1]; let endX = vertices2d[i + 1][0]; let endY = vertices2d[i + 1][1]; let intervalX = (endX - startX) / (sections - 1); let intervalY = (endY - startY) / (sections - 1); for (let j = 0; j < sections; ++j) { let point = [ startX + j * intervalX, startY + j * intervalY, ]; points2d.push(point); } } return points2d; } /** * Convert the top-left, bottom-right representation of a rectangle to a polygon * representation of the vertices starting at the bottom-left corner going * clockwise. * * @description The method shifts the right side coordinates of the rectangle * by one unit to ensure that the vertices are ordered clockwise. * * @param {Array} rect - Top-left, bottom-right representation of a * rectangle. * @returns {Array>} Polygon representation of the vertices of the * rectangle. */ _rectToVertices2d(rect) { return [ [rect[0], rect[3]], [rect[0], rect[1]], [this._inverted ? rect[2] + 1 : rect[2], rect[1]], [this._inverted ? rect[2] + 1 : rect[2], rect[3]], [rect[0], rect[3]], ]; } /** * Convert the top-left, bottom-right representation of a rectangle to a polygon * representation of the vertices starting at the bottom-left corner going * clockwise. * * @description The first vertex represents the bottom-left corner with the rest of * the vertices following in clockwise order. The coordinates will not be shifted * to ensure that the vertices are ordered clockwise when layed out on the plane. * * @param {Array} rect - Top-left, bottom-right representation of a * rectangle. * @returns {Array>} Polygon representation of the vertices of the * rectangle. */ _rectToNonAdjustedVertices2d(rect) { return [ [rect[0], rect[3]], [rect[0], rect[1]], [rect[2], rect[1]], [rect[2], rect[3]], [rect[0], rect[3]], ]; } } class ExtremePointCreateTag extends CreateTag { constructor(geometry, options, transform, viewportCoords) { super(geometry, transform, viewportCoords); this._options = { color: options.color == null ? 0xFFFFFF : options.color, indicateCompleter: options.indicateCompleter == null ? true : options.indicateCompleter, }; this._rectGeometry = new RectGeometry(this._geometry.getRect2d(transform)); this._createGlObjects(); } create() { if (this._geometry.points.length < 3) { return; } this._geometry.removePoint2d(this._geometry.points.length - 1); this._created$.next(this); } dispose() { super.dispose(); this._disposeObjects(); } getDOMObjects(camera, size) { const container = { offsetHeight: size.height, offsetWidth: size.width, }; const vNodes = []; const points2d = this._geometry.getPoints2d(); const length = points2d.length; for (let index = 0; index < length - 1; index++) { const nonModifiedIndex = index; const [pointX, pointY] = points2d[index]; const pointCanvas = this._viewportCoords.basicToCanvasSafe(pointX, pointY, container, this._transform, camera); if (!pointCanvas) { continue; } const abort = (e) => { e.stopPropagation(); this._aborted$.next(this); }; const remove = (e) => { e.stopPropagation(); this._geometry.removePoint2d(nonModifiedIndex); }; const transform = this._canvasToTransform(pointCanvas); const completerProperties = { onclick: index === 0 && length < 3 ? abort : remove, style: { transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-interactor", completerProperties, [])); const background = this._colorToBackground(this._options.color); const pointProperties = { style: { background: background, transform: transform, }, }; vNodes.push(virtualDom.h("div.mapillary-tag-vertex", pointProperties, [])); } if (length > 2 && this._options.indicateCompleter === true) { const [centroidX, centroidY] = this._geometry.getCentroid2d(this._transform); const centroidCanvas = this._viewportCoords.basicToCanvasSafe(centroidX, centroidY, container, this._transform, camera); if (!!centroidCanvas) { const complete = (e) => { e.stopPropagation(); this._geometry.removePoint2d(this._geometry.points.length - 1); this._created$.next(this); }; const transform = this._canvasToTransform(centroidCanvas); const completerProperties = { onclick: complete, style: { transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-completer.mapillary-tag-larger", completerProperties, [])); const pointProperties = { style: { background: this._colorToBackground(this._options.color), transform: transform, }, }; vNodes.push(virtualDom.h("div.mapillary-tag-vertex.mapillary-tag-larger", pointProperties, [])); const dotProperties = { style: { transform: transform, }, }; vNodes.push(virtualDom.h("div.mapillary-tag-dot", dotProperties, [])); } } return vNodes; } _onGeometryChanged() { this._disposeObjects(); this._rectGeometry = new RectGeometry(this._geometry.getRect2d(this._transform)); this._createGlObjects(); } _createGlObjects() { this._glObjects = []; const polygon3d = this._rectGeometry.getPoints3d(this._transform); this._outline = this._createOutine(polygon3d, this._options.color); this._glObjects.push(this._outline); } _disposeObjects() { this._disposeLine(this._outline); this._outline = null; this._glObjects = null; } } /** * @class PolygonGeometry * * @classdesc Represents a polygon geometry in the 2D basic image coordinate system. * All polygons and holes provided to the constructor needs to be closed. * * @example * ```js * var basicPolygon = [[0.5, 0.3], [0.7, 0.3], [0.6, 0.5], [0.5, 0.3]]; * var polygonGeometry = new PolygonGeometry(basicPolygon); * ``` */ class PolygonGeometry extends VertexGeometry { /** * Create a polygon geometry. * * @constructor * @param {Array>} polygon - Array of polygon vertices. Must be closed. * @param {Array>>} [holes] - Array of arrays of hole vertices. * Each array of holes vertices must be closed. * * @throws {GeometryTagError} Polygon coordinates must be valid basic coordinates. */ constructor(polygon, holes) { super(); let polygonLength = polygon.length; if (polygonLength < 3) { throw new GeometryTagError("A polygon must have three or more positions."); } if (polygon[0][0] !== polygon[polygonLength - 1][0] || polygon[0][1] !== polygon[polygonLength - 1][1]) { throw new GeometryTagError("First and last positions must be equivalent."); } this._polygon = []; for (let vertex of polygon) { if (vertex[0] < 0 || vertex[0] > 1 || vertex[1] < 0 || vertex[1] > 1) { throw new GeometryTagError("Basic coordinates of polygon must be on the interval [0, 1]."); } this._polygon.push(vertex.slice()); } this._holes = []; if (holes == null) { return; } for (let i = 0; i < holes.length; i++) { let hole = holes[i]; let holeLength = hole.length; if (holeLength < 3) { throw new GeometryTagError("A polygon hole must have three or more positions."); } if (hole[0][0] !== hole[holeLength - 1][0] || hole[0][1] !== hole[holeLength - 1][1]) { throw new GeometryTagError("First and last positions of hole must be equivalent."); } this._holes.push([]); for (let vertex of hole) { if (vertex[0] < 0 || vertex[0] > 1 || vertex[1] < 0 || vertex[1] > 1) { throw new GeometryTagError("Basic coordinates of hole must be on the interval [0, 1]."); } this._holes[i].push(vertex.slice()); } } } /** * Get polygon property. * @returns {Array>} Closed 2d polygon. */ get polygon() { return this._polygon; } /** * Get holes property. * @returns {Array>>} Holes of 2d polygon. */ get holes() { return this._holes; } /** * Add a vertex to the polygon by appending it after the last vertex. * * @param {Array} vertex - Vertex to add. * @ignore */ addVertex2d(vertex) { let clamped = [ Math.max(0, Math.min(1, vertex[0])), Math.max(0, Math.min(1, vertex[1])), ]; this._polygon.splice(this._polygon.length - 1, 0, clamped); this._notifyChanged$.next(this); } /** * Get the coordinates of a vertex from the polygon representation of the geometry. * * @param {number} index - Vertex index. * @returns {Array} Array representing the 2D basic coordinates of the vertex. * @ignore */ getVertex2d(index) { return this._polygon[index].slice(); } /** * Remove a vertex from the polygon. * * @param {number} index - The index of the vertex to remove. * @ignore */ removeVertex2d(index) { if (index < 0 || index >= this._polygon.length || this._polygon.length < 4) { throw new GeometryTagError("Index for removed vertex must be valid."); } if (index > 0 && index < this._polygon.length - 1) { this._polygon.splice(index, 1); } else { this._polygon.splice(0, 1); this._polygon.pop(); let closing = this._polygon[0].slice(); this._polygon.push(closing); } this._notifyChanged$.next(this); } /** @ignore */ setVertex2d(index, value, transform) { let changed = [ Math.max(0, Math.min(1, value[0])), Math.max(0, Math.min(1, value[1])), ]; if (index === 0 || index === this._polygon.length - 1) { this._polygon[0] = changed.slice(); this._polygon[this._polygon.length - 1] = changed.slice(); } else { this._polygon[index] = changed.slice(); } this._notifyChanged$.next(this); } /** @ignore */ setCentroid2d(value, transform) { let xs = this._polygon.map((point) => { return point[0]; }); let ys = this._polygon.map((point) => { return point[1]; }); let minX = Math.min.apply(Math, xs); let maxX = Math.max.apply(Math, xs); let minY = Math.min.apply(Math, ys); let maxY = Math.max.apply(Math, ys); let centroid = this.getCentroid2d(); let minTranslationX = -minX; let maxTranslationX = 1 - maxX; let minTranslationY = -minY; let maxTranslationY = 1 - maxY; let translationX = Math.max(minTranslationX, Math.min(maxTranslationX, value[0] - centroid[0])); let translationY = Math.max(minTranslationY, Math.min(maxTranslationY, value[1] - centroid[1])); for (let point of this._polygon) { point[0] += translationX; point[1] += translationY; } this._notifyChanged$.next(this); } /** @ignore */ getPoints3d(transform) { return this._getPoints3d(this._subsample(this._polygon), transform); } /** @ignore */ getVertex3d(index, transform) { return transform.unprojectBasic(this._polygon[index], 200); } /** @ignore */ getVertices2d() { return this._polygon.slice(); } /** @ignore */ getVertices3d(transform) { return this._getPoints3d(this._polygon, transform); } /** * Get a polygon representation of the 3D coordinates for the vertices of each hole * of the geometry. Line segments between vertices will possibly be subsampled * resulting in a larger number of points than the total number of vertices. * * @param {Transform} transform - The transform of the image related to the geometry. * @returns {Array>>} Array of hole polygons in 3D world coordinates * representing the vertices of each hole of the geometry. * @ignore */ getHolePoints3d(transform) { return this._holes .map((hole2d) => { return this._getPoints3d(this._subsample(hole2d), transform); }); } /** * Get a polygon representation of the 3D coordinates for the vertices of each hole * of the geometry. * * @param {Transform} transform - The transform of the image related to the geometry. * @returns {Array>>} Array of hole polygons in 3D world coordinates * representing the vertices of each hole of the geometry. * @ignore */ getHoleVertices3d(transform) { return this._holes .map((hole2d) => { return this._getPoints3d(hole2d, transform); }); } /** @ignore */ getCentroid2d() { let polygon = this._polygon; let area = 0; let centroidX = 0; let centroidY = 0; for (let i = 0; i < polygon.length - 1; i++) { let xi = polygon[i][0]; let yi = polygon[i][1]; let xi1 = polygon[i + 1][0]; let yi1 = polygon[i + 1][1]; let a = xi * yi1 - xi1 * yi; area += a; centroidX += (xi + xi1) * a; centroidY += (yi + yi1) * a; } area /= 2; centroidX /= 6 * area; centroidY /= 6 * area; return [centroidX, centroidY]; } /** @ignore */ getCentroid3d(transform) { let centroid2d = this.getCentroid2d(); return transform.unprojectBasic(centroid2d, 200); } /** @ignore */ get3dDomainTriangles3d(transform) { return this._triangulate(this._project(this._polygon, transform), this.getVertices3d(transform), this._holes .map((hole2d) => { return this._project(hole2d, transform); }), this.getHoleVertices3d(transform)); } /** @ignore */ getTriangles3d(transform) { if (isSpherical(transform.cameraType)) { return this._triangulateSpherical(this._polygon.slice(), this.holes.slice(), transform); } const points2d = this._project(this._subsample(this._polygon), transform); const points3d = this.getPoints3d(transform); const holes2d = this._holes .map((hole) => { return this._project(this._subsample(hole), transform); }); const holes3d = this.getHolePoints3d(transform); return this._triangulate(points2d, points3d, holes2d, holes3d); } /** @ignore */ getPoleOfInaccessibility2d() { return this._getPoleOfInaccessibility2d(this._polygon.slice()); } /** @ignore */ getPoleOfInaccessibility3d(transform) { let pole2d = this._getPoleOfInaccessibility2d(this._polygon.slice()); return transform.unprojectBasic(pole2d, 200); } _getPoints3d(points2d, transform) { return points2d .map((point) => { return transform.unprojectBasic(point, 200); }); } } class OutlineCreateTag extends CreateTag { constructor(geometry, options, transform, viewportCoords) { super(geometry, transform, viewportCoords); this._options = { color: options.color == null ? 0xFFFFFF : options.color }; this._createGlObjects(); } create() { if (this._geometry instanceof RectGeometry) { this._created$.next(this); } else if (this._geometry instanceof PolygonGeometry) { const polygonGeometry = this._geometry; polygonGeometry.removeVertex2d(polygonGeometry.polygon.length - 2); this._created$.next(this); } } dispose() { super.dispose(); this._disposeLine(this._outline); this._disposeObjects(); } getDOMObjects(camera, size) { const vNodes = []; const container = { offsetHeight: size.height, offsetWidth: size.width, }; const abort = (e) => { e.stopPropagation(); this._aborted$.next(this); }; if (this._geometry instanceof RectGeometry) { const anchorIndex = this._geometry.anchorIndex; const vertexIndex = anchorIndex === undefined ? 1 : anchorIndex; const [basicX, basicY] = this._geometry.getVertex2d(vertexIndex); const canvasPoint = this._viewportCoords.basicToCanvasSafe(basicX, basicY, container, this._transform, camera); if (canvasPoint != null) { const background = this._colorToBackground(this._options.color); const transform = this._canvasToTransform(canvasPoint); const pointProperties = { style: { background: background, transform: transform }, }; const completerProperties = { onclick: abort, style: { transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-interactor", completerProperties, [])); vNodes.push(virtualDom.h("div.mapillary-tag-vertex", pointProperties, [])); } } else if (this._geometry instanceof PolygonGeometry) { const polygonGeometry = this._geometry; const [firstVertexBasicX, firstVertexBasicY] = polygonGeometry.getVertex2d(0); const firstVertexCanvas = this._viewportCoords.basicToCanvasSafe(firstVertexBasicX, firstVertexBasicY, container, this._transform, camera); if (firstVertexCanvas != null) { const firstOnclick = polygonGeometry.polygon.length > 4 ? (e) => { e.stopPropagation(); polygonGeometry.removeVertex2d(polygonGeometry.polygon.length - 2); this._created$.next(this); } : abort; const transform = this._canvasToTransform(firstVertexCanvas); const completerProperties = { onclick: firstOnclick, style: { transform: transform }, }; const firstClass = polygonGeometry.polygon.length > 4 ? "mapillary-tag-completer" : "mapillary-tag-interactor"; vNodes.push(virtualDom.h("div." + firstClass, completerProperties, [])); } if (polygonGeometry.polygon.length > 3) { const [lastVertexBasicX, lastVertexBasicY] = polygonGeometry.getVertex2d(polygonGeometry.polygon.length - 3); const lastVertexCanvas = this._viewportCoords.basicToCanvasSafe(lastVertexBasicX, lastVertexBasicY, container, this._transform, camera); if (lastVertexCanvas != null) { const remove = (e) => { e.stopPropagation(); polygonGeometry.removeVertex2d(polygonGeometry.polygon.length - 3); }; const transform = this._canvasToTransform(lastVertexCanvas); const completerProperties = { onclick: remove, style: { transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-interactor", completerProperties, [])); } } const verticesBasic = polygonGeometry.polygon.slice(); verticesBasic.splice(-2, 2); for (const vertexBasic of verticesBasic) { const vertexCanvas = this._viewportCoords.basicToCanvasSafe(vertexBasic[0], vertexBasic[1], container, this._transform, camera); if (vertexCanvas != null) { const background = this._colorToBackground(this._options.color); const transform = this._canvasToTransform(vertexCanvas); const pointProperties = { style: { background: background, transform: transform, }, }; vNodes.push(virtualDom.h("div.mapillary-tag-vertex", pointProperties, [])); } } } return vNodes; } addPoint(point) { if (this._geometry instanceof RectGeometry) { const rectGeometry = this._geometry; if (!rectGeometry.validate(point)) { return; } this._created$.next(this); } else if (this._geometry instanceof PolygonGeometry) { const polygonGeometry = this._geometry; polygonGeometry.addVertex2d(point); } } _onGeometryChanged() { this._disposeLine(this._outline); this._disposeObjects(); this._createGlObjects(); } _disposeObjects() { this._outline = null; this._glObjects = []; } _createGlObjects() { const polygon3d = this._geometry instanceof RectGeometry ? this._geometry.getPoints3d(this._transform) : this._geometry.getVertices3d(this._transform); this._outline = this._createOutine(polygon3d, this._options.color); this._glObjects = [this._outline]; } } class TagCreator { constructor(component, navigator) { this._component = component; this._navigator = navigator; this._tagOperation$ = new Subject(); this._createPoints$ = new Subject(); this._createPolygon$ = new Subject(); this._createRect$ = new Subject(); this._delete$ = new Subject(); this._tag$ = this._tagOperation$.pipe(scan((tag, operation) => { return operation(tag); }, null), share()); this._replayedTag$ = this._tag$.pipe(publishReplay(1), refCount()); this._replayedTag$.subscribe(); this._createPoints$.pipe(withLatestFrom(this._component.configuration$, this._navigator.stateService.currentTransform$), map(([coord, conf, transform]) => { return () => { const geometry = new PointsGeometry([ [coord[0], coord[1]], [coord[0], coord[1]], ]); return new ExtremePointCreateTag(geometry, { color: conf.createColor, indicateCompleter: conf.indicatePointsCompleter, }, transform); }; })) .subscribe(this._tagOperation$); this._createRect$.pipe(withLatestFrom(this._component.configuration$, this._navigator.stateService.currentTransform$), map(([coord, conf, transform]) => { return () => { const geometry = new RectGeometry([ coord[0], coord[1], coord[0], coord[1], ]); return new OutlineCreateTag(geometry, { color: conf.createColor }, transform); }; })) .subscribe(this._tagOperation$); this._createPolygon$.pipe(withLatestFrom(this._component.configuration$, this._navigator.stateService.currentTransform$), map(([coord, conf, transform]) => { return () => { const geometry = new PolygonGeometry([ [coord[0], coord[1]], [coord[0], coord[1]], [coord[0], coord[1]], ]); return new OutlineCreateTag(geometry, { color: conf.createColor }, transform); }; })) .subscribe(this._tagOperation$); this._delete$.pipe(map(() => { return () => { return null; }; })) .subscribe(this._tagOperation$); } get createRect$() { return this._createRect$; } get createPolygon$() { return this._createPolygon$; } get createPoints$() { return this._createPoints$; } get delete$() { return this._delete$; } get tag$() { return this._tag$; } get replayedTag$() { return this._replayedTag$; } } class TagDOMRenderer { render(tags, createTag, atlas, camera, size) { let vNodes = []; for (const tag of tags) { vNodes = vNodes.concat(tag.getDOMObjects(atlas, camera, size)); } if (createTag != null) { vNodes = vNodes.concat(createTag.getDOMObjects(camera, size)); } return virtualDom.h("div.mapillary-tag-container", {}, vNodes); } clear() { return virtualDom.h("div", {}, []); } } class TagScene { constructor(scene, raycaster) { this._createTag = null; this._needsRender = false; this._raycaster = !!raycaster ? raycaster : new Raycaster(); this._scene = !!scene ? scene : new Scene(); this._objectTags = {}; this._retrievableObjects = []; this._tags = {}; } get needsRender() { return this._needsRender; } add(tags) { for (let tag of tags) { if (tag.tag.id in this._tags) { this._remove(tag.tag.id); } this._add(tag); } this._needsRender = true; } addCreateTag(tag) { for (const object of tag.glObjects) { this._scene.add(object); } this._createTag = { tag: tag, objects: tag.glObjects }; this._needsRender = true; } clear() { for (const id of Object.keys(this._tags)) { this._remove(id); } this._needsRender = false; } get(id) { return this.has(id) ? this._tags[id].tag : undefined; } has(id) { return id in this._tags; } hasCreateTag() { return this._createTag != null; } intersectObjects([viewportX, viewportY], camera) { this._raycaster.setFromCamera(new Vector2(viewportX, viewportY), camera); const intersects = this._raycaster.intersectObjects(this._retrievableObjects); const intersectedIds = []; for (const intersect of intersects) { if (intersect.object.uuid in this._objectTags) { intersectedIds.push(this._objectTags[intersect.object.uuid]); } } return intersectedIds; } remove(ids) { for (const id of ids) { this._remove(id); } this._needsRender = true; } removeAll() { for (const id of Object.keys(this._tags)) { this._remove(id); } this._needsRender = true; } removeCreateTag() { if (this._createTag == null) { return; } for (const object of this._createTag.objects) { this._scene.remove(object); } this._createTag.tag.dispose(); this._createTag = null; this._needsRender = true; } render(perspectiveCamera, renderer) { renderer.render(this._scene, perspectiveCamera); this._needsRender = false; } update() { this._needsRender = true; } updateCreateTagObjects(tag) { if (this._createTag.tag !== tag) { throw new Error("Create tags do not have the same reference."); } for (let object of this._createTag.objects) { this._scene.remove(object); } for (const object of tag.glObjects) { this._scene.add(object); } this._createTag.objects = tag.glObjects; this._needsRender = true; } updateObjects(tag) { const id = tag.tag.id; if (this._tags[id].tag !== tag) { throw new Error("Tags do not have the same reference."); } const tagObjects = this._tags[id]; this._removeObjects(tagObjects); delete this._tags[id]; this._add(tag); this._needsRender = true; } _add(tag) { const id = tag.tag.id; const tagObjects = { tag: tag, objects: [], retrievableObjects: [] }; this._tags[id] = tagObjects; for (const object of tag.getGLObjects()) { tagObjects.objects.push(object); this._scene.add(object); } for (const retrievableObject of tag.getRetrievableObjects()) { tagObjects.retrievableObjects.push(retrievableObject); this._retrievableObjects.push(retrievableObject); this._objectTags[retrievableObject.uuid] = tag.tag.id; } } _remove(id) { const tagObjects = this._tags[id]; this._removeObjects(tagObjects); tagObjects.tag.dispose(); delete this._tags[id]; } _removeObjects(tagObjects) { for (const object of tagObjects.objects) { this._scene.remove(object); } for (const retrievableObject of tagObjects.retrievableObjects) { const index = this._retrievableObjects.indexOf(retrievableObject); if (index !== -1) { this._retrievableObjects.splice(index, 1); } } } } /** * Enumeration for tag modes * @enum {number} * @readonly * @description Modes for the interaction in the tag component. */ exports.TagMode = void 0; (function (TagMode) { /** * Disables creating tags. */ TagMode[TagMode["Default"] = 0] = "Default"; /** * Create a point geometry through a click. */ TagMode[TagMode["CreatePoint"] = 1] = "CreatePoint"; /** * Create a points geometry through clicks. */ TagMode[TagMode["CreatePoints"] = 2] = "CreatePoints"; /** * Create a polygon geometry through clicks. */ TagMode[TagMode["CreatePolygon"] = 3] = "CreatePolygon"; /** * Create a rect geometry through clicks. */ TagMode[TagMode["CreateRect"] = 4] = "CreateRect"; /** * Create a rect geometry through drag. * * @description Claims the mouse which results in mouse handlers like * drag pan and scroll zoom becoming inactive. */ TagMode[TagMode["CreateRectDrag"] = 5] = "CreateRectDrag"; })(exports.TagMode || (exports.TagMode = {})); var TagOperation; (function (TagOperation) { TagOperation[TagOperation["None"] = 0] = "None"; TagOperation[TagOperation["Centroid"] = 1] = "Centroid"; TagOperation[TagOperation["Vertex"] = 2] = "Vertex"; })(TagOperation || (TagOperation = {})); class RenderTag { constructor(tag, transform, viewportCoords) { this._tag = tag; this._transform = transform; this._viewportCoords = !!viewportCoords ? viewportCoords : new ViewportCoords(); this._glObjectsChanged$ = new Subject(); this._interact$ = new Subject(); } get glObjectsChanged$() { return this._glObjectsChanged$; } get interact$() { return this._interact$; } get tag() { return this._tag; } } class OutlineRenderTagBase extends RenderTag { constructor(tag, transform) { super(tag, transform); this._geometryChangedSubscription = this._tag.geometry.changed$ .subscribe(() => { this._onGeometryChanged(); }); this._changedSubscription = this._tag.changed$ .subscribe(() => { const glObjectsChanged = this._onTagChanged(); if (glObjectsChanged) { this._glObjectsChanged$.next(this); } }); } dispose() { this._changedSubscription.unsubscribe(); this._geometryChangedSubscription.unsubscribe(); } _colorToCss(color) { return "#" + ("000000" + color.toString(16)).substr(-6); } _createFill() { let triangles = this._getTriangles(); let positions = new Float32Array(triangles); let geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); geometry.computeBoundingSphere(); let material = new MeshBasicMaterial({ side: DoubleSide, transparent: true }); this._updateFillMaterial(material); return new Mesh(geometry, material); } _createLine(points3d) { let positions = this._getLinePositions(points3d); let geometry = new BufferGeometry(); geometry.setAttribute("position", new BufferAttribute(positions, 3)); geometry.computeBoundingSphere(); let material = new LineBasicMaterial(); this._updateLineBasicMaterial(material); const line = new Line(geometry, material); line.renderOrder = 1; return line; } _createOutline() { return this._createLine(this._getPoints3d()); } _disposeFill() { if (this._fill == null) { return; } this._fill.geometry.dispose(); this._fill.material.dispose(); this._fill = null; } _disposeOutline() { if (this._outline == null) { return; } this._outline.geometry.dispose(); this._outline.material.dispose(); this._outline = null; } _getLinePositions(points3d) { let length = points3d.length; let positions = new Float32Array(length * 3); for (let i = 0; i < length; ++i) { let index = 3 * i; let position = points3d[i]; positions[index + 0] = position[0]; positions[index + 1] = position[1]; positions[index + 2] = position[2]; } return positions; } _interact(operation, cursor, vertexIndex) { return (e) => { let offsetX = e.offsetX - e.target.offsetWidth / 2; let offsetY = e.offsetY - e.target.offsetHeight / 2; this._interact$.next({ cursor: cursor, offsetX: offsetX, offsetY: offsetY, operation: operation, tag: this._tag, vertexIndex: vertexIndex, }); }; } _updateFillGeometry() { let triangles = this._getTriangles(); let positions = new Float32Array(triangles); let geometry = this._fill.geometry; let attribute = geometry.getAttribute("position"); if (attribute.array.length === positions.length) { attribute.set(positions); attribute.needsUpdate = true; } else { geometry.deleteAttribute("position"); geometry.setAttribute("position", new BufferAttribute(positions, 3)); } geometry.computeBoundingSphere(); } _updateLine(line, points3d) { let positions = this._getLinePositions(points3d); let geometry = line.geometry; let attribute = geometry.getAttribute("position"); attribute.set(positions); attribute.needsUpdate = true; geometry.computeBoundingSphere(); } _updateOulineGeometry() { this._updateLine(this._outline, this._getPoints3d()); } } /** * @class OutlineRenderTag * @classdesc Tag visualizing the properties of an OutlineTag. */ class ExtremePointRenderTag extends OutlineRenderTagBase { constructor(tag, transform) { super(tag, transform); this._rectGeometry = new RectGeometry(this._tag.geometry.getRect2d(transform)); this._fill = !isSpherical(transform.cameraType) ? this._createFill() : null; this._outline = this._tag.lineWidth >= 1 ? this._createOutline() : null; } dispose() { super.dispose(); this._disposeFill(); this._disposeOutline(); } getDOMObjects(atlas, camera, size) { const vNodes = []; const container = { offsetHeight: size.height, offsetWidth: size.width, }; if (!this._tag.editable) { return vNodes; } const lineColor = this._colorToCss(this._tag.lineColor); const points2d = this._tag.geometry.getPoints2d(); for (let i = 0; i < points2d.length; i++) { const [vertexBasicX, vertexBasicY] = points2d[i]; const vertexCanvas = this._viewportCoords.basicToCanvasSafe(vertexBasicX, vertexBasicY, container, this._transform, camera); if (vertexCanvas == null) { continue; } const cursor = "crosshair"; const interact = this._interact(TagOperation.Vertex, cursor, i); const vertexCanvasX = Math.round(vertexCanvas[0]); const vertexCanvasY = Math.round(vertexCanvas[1]); const transform = `translate(-50%, -50%) translate(${vertexCanvasX}px,${vertexCanvasY}px)`; const properties = { onpointerdown: interact, style: { background: lineColor, transform: transform, cursor: cursor }, }; vNodes.push(virtualDom.h("div.mapillary-tag-resizer", properties, [])); if (!this._tag.indicateVertices) { continue; } const pointProperties = { style: { background: lineColor, transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-vertex", pointProperties, [])); } return vNodes; } getGLObjects() { const glObjects = []; if (this._fill != null) { glObjects.push(this._fill); } if (this._outline != null) { glObjects.push(this._outline); } return glObjects; } getRetrievableObjects() { return this._fill != null ? [this._fill] : []; } _onGeometryChanged() { this._rectGeometry = new RectGeometry(this._tag.geometry.getRect2d(this._transform)); if (this._fill != null) { this._updateFillGeometry(); } if (this._outline != null) { this._updateOulineGeometry(); } } _onTagChanged() { let glObjectsChanged = false; if (this._fill != null) { this._updateFillMaterial(this._fill.material); } if (this._outline == null) { if (this._tag.lineWidth >= 1) { this._outline = this._createOutline(); glObjectsChanged = true; } } else { this._updateOutlineMaterial(); } return glObjectsChanged; } _getPoints3d() { return this._rectGeometry.getPoints3d(this._transform); } _getTriangles() { return this._rectGeometry.getTriangles3d(this._transform); } _updateFillMaterial(material) { material.color = new Color(this._tag.fillColor); material.opacity = this._tag.fillOpacity; material.needsUpdate = true; } _updateLineBasicMaterial(material) { material.color = new Color(this._tag.lineColor); material.linewidth = Math.max(this._tag.lineWidth, 1); material.visible = this._tag.lineWidth >= 1 && this._tag.lineOpacity > 0; material.opacity = this._tag.lineOpacity; material.transparent = this._tag.lineOpacity < 1; material.needsUpdate = true; } _updateOutlineMaterial() { let material = this._outline.material; this._updateLineBasicMaterial(material); } } /** * @class Tag * @abstract * @classdesc Abstract class representing the basic functionality of for a tag. */ class Tag extends EventEmitter { /** * Create a tag. * * @constructor * @param {string} id * @param {Geometry} geometry */ constructor(id, geometry) { super(); this._id = id; this._geometry = geometry; this._notifyChanged$ = new Subject(); this._notifyChanged$ .subscribe((t) => { const type = "tag"; const event = { target: this, type, }; this.fire(type, event); }); this._geometry.changed$ .subscribe((g) => { const type = "geometry"; const event = { target: this, type, }; this.fire(type, event); }); } /** * Get id property. * @returns {string} */ get id() { return this._id; } /** * Get geometry property. * @returns {Geometry} The geometry of the tag. */ get geometry() { return this._geometry; } /** * Get changed observable. * @returns {Observable} * @ignore */ get changed$() { return this._notifyChanged$; } /** * Get geometry changed observable. * @returns {Observable} * @ignore */ get geometryChanged$() { return this._geometry.changed$.pipe(map(() => { return this; }), share()); } fire(type, event) { super.fire(type, event); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } } /** * @class ExtremePointTag * * @classdesc Tag holding properties for visualizing a extreme points * and their outline. * * @example * ```js * var geometry = new PointsGeometry([[0.3, 0.3], [0.5, 0.4]]); * var tag = new ExtremePointTag( * "id-1", * geometry * { editable: true, lineColor: 0xff0000 }); * * tagComponent.add([tag]); * ``` */ class ExtremePointTag extends Tag { /** * Create an extreme point tag. * * @override * @constructor * @param {string} id - Unique identifier of the tag. * @param {PointsGeometry} geometry - Geometry defining points of tag. * @param {ExtremePointTagOptions} options - Options defining the visual appearance and * behavior of the extreme point tag. */ constructor(id, geometry, options) { super(id, geometry); options = !!options ? options : {}; this._editable = options.editable == null ? false : options.editable; this._fillColor = options.fillColor == null ? 0xFFFFFF : options.fillColor; this._fillOpacity = options.fillOpacity == null ? 0.0 : options.fillOpacity; this._indicateVertices = options.indicateVertices == null ? true : options.indicateVertices; this._lineColor = options.lineColor == null ? 0xFFFFFF : options.lineColor; this._lineOpacity = options.lineOpacity == null ? 1 : options.lineOpacity; this._lineWidth = options.lineWidth == null ? 1 : options.lineWidth; } /** * Get editable property. * @returns {boolean} Value indicating if tag is editable. */ get editable() { return this._editable; } /** * Set editable property. * @param {boolean} * * @fires changed */ set editable(value) { this._editable = value; this._notifyChanged$.next(this); } /** * Get fill color property. * @returns {number} */ get fillColor() { return this._fillColor; } /** * Set fill color property. * @param {number} * * @fires changed */ set fillColor(value) { this._fillColor = value; this._notifyChanged$.next(this); } /** * Get fill opacity property. * @returns {number} */ get fillOpacity() { return this._fillOpacity; } /** * Set fill opacity property. * @param {number} * * @fires changed */ set fillOpacity(value) { this._fillOpacity = value; this._notifyChanged$.next(this); } /** @inheritdoc */ get geometry() { return this._geometry; } /** * Get indicate vertices property. * @returns {boolean} Value indicating if vertices should be indicated * when tag is editable. */ get indicateVertices() { return this._indicateVertices; } /** * Set indicate vertices property. * @param {boolean} * * @fires changed */ set indicateVertices(value) { this._indicateVertices = value; this._notifyChanged$.next(this); } /** * Get line color property. * @returns {number} */ get lineColor() { return this._lineColor; } /** * Set line color property. * @param {number} * * @fires changed */ set lineColor(value) { this._lineColor = value; this._notifyChanged$.next(this); } /** * Get line opacity property. * @returns {number} */ get lineOpacity() { return this._lineOpacity; } /** * Set line opacity property. * @param {number} * * @fires changed */ set lineOpacity(value) { this._lineOpacity = value; this._notifyChanged$.next(this); } /** * Get line width property. * @returns {number} */ get lineWidth() { return this._lineWidth; } /** * Set line width property. * @param {number} * * @fires changed */ set lineWidth(value) { this._lineWidth = value; this._notifyChanged$.next(this); } /** * Set options for tag. * * @description Sets all the option properties provided and keeps * the rest of the values as is. * * @param {ExtremePointTagOptions} options - Extreme point tag options * * @fires changed */ setOptions(options) { this._editable = options.editable == null ? this._editable : options.editable; this._indicateVertices = options.indicateVertices == null ? this._indicateVertices : options.indicateVertices; this._lineColor = options.lineColor == null ? this._lineColor : options.lineColor; this._lineWidth = options.lineWidth == null ? this._lineWidth : options.lineWidth; this._fillColor = options.fillColor == null ? this._fillColor : options.fillColor; this._fillOpacity = options.fillOpacity == null ? this._fillOpacity : options.fillOpacity; this._notifyChanged$.next(this); } } /** * Enumeration for tag domains. * @enum {number} * @readonly * @description Defines where lines between two vertices are treated * as straight. * * Only applicable for polygons. For rectangles lines between * vertices are always treated as straight in the distorted 2D * projection and bended in the undistorted 3D space. */ exports.TagDomain = void 0; (function (TagDomain) { /** * Treats lines between two vertices as straight in the * distorted 2D projection, i.e. on the image. If the image * is distorted this will result in bended lines when rendered * in the undistorted 3D space. */ TagDomain[TagDomain["TwoDimensional"] = 0] = "TwoDimensional"; /** * Treats lines as straight in the undistorted 3D space. If the * image is distorted this will result in bended lines when rendered * on the distorted 2D projection of the image. */ TagDomain[TagDomain["ThreeDimensional"] = 1] = "ThreeDimensional"; })(exports.TagDomain || (exports.TagDomain = {})); /** * @class OutlineRenderTag * @classdesc Tag visualizing the properties of an OutlineTag. */ class OutlineRenderTag extends OutlineRenderTagBase { constructor(tag, transform) { super(tag, transform); this._fill = !isSpherical(transform.cameraType) ? this._createFill() : tag.domain === exports.TagDomain.TwoDimensional && tag.geometry instanceof PolygonGeometry ? this._createFill() : null; this._holes = this._tag.lineWidth >= 1 ? this._createHoles() : []; this._outline = this._tag.lineWidth >= 1 ? this._createOutline() : null; } dispose() { super.dispose(); this._disposeFill(); this._disposeHoles(); this._disposeOutline(); } getDOMObjects(atlas, camera, size) { const vNodes = []; const isRect = this._tag.geometry instanceof RectGeometry; const isPerspective = !isSpherical(this._transform.cameraType); const container = { offsetHeight: size.height, offsetWidth: size.width, }; if (this._tag.icon != null && (isRect || isPerspective)) { const [iconBasicX, iconBasicY] = this._tag.geometry instanceof RectGeometry ? this._tag.geometry.getVertex2d(this._tag.iconIndex) : this._tag.geometry.getPoleOfInaccessibility2d(); const iconCanvas = this._viewportCoords.basicToCanvasSafe(iconBasicX, iconBasicY, container, this._transform, camera); if (iconCanvas != null) { const interact = () => { this._interact$.next({ offsetX: 0, offsetY: 0, operation: TagOperation.None, tag: this._tag }); }; if (atlas.loaded) { const sprite = atlas.getDOMSprite(this._tag.icon, this._tag.iconFloat); const iconCanvasX = Math.round(iconCanvas[0]); const iconCanvasY = Math.round(iconCanvas[1]); const transform = `translate(${iconCanvasX}px,${iconCanvasY}px)`; const click = (e) => { e.stopPropagation(); this._tag.click$.next(this._tag); }; const properties = { onclick: click, onpointerdown: interact, style: { transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-symbol", properties, [sprite])); } } } else if (this._tag.text != null && (isRect || isPerspective)) { const [textBasicX, textBasicY] = this._tag.geometry instanceof RectGeometry ? this._tag.geometry.getVertex2d(3) : this._tag.geometry.getPoleOfInaccessibility2d(); const textCanvas = this._viewportCoords.basicToCanvasSafe(textBasicX, textBasicY, container, this._transform, camera); if (textCanvas != null) { const textCanvasX = Math.round(textCanvas[0]); const textCanvasY = Math.round(textCanvas[1]); const transform = this._tag.geometry instanceof RectGeometry ? `translate(${textCanvasX}px,${textCanvasY}px)` : `translate(-50%, -50%) translate(${textCanvasX}px,${textCanvasY}px)`; const interact = () => { this._interact$.next({ offsetX: 0, offsetY: 0, operation: TagOperation.None, tag: this._tag }); }; const properties = { onpointerdown: interact, style: { color: this._colorToCss(this._tag.textColor), transform: transform, }, textContent: this._tag.text, }; vNodes.push(virtualDom.h("span.mapillary-tag-symbol", properties, [])); } } if (!this._tag.editable) { return vNodes; } const lineColor = this._colorToCss(this._tag.lineColor); if (this._tag.geometry instanceof RectGeometry) { const [centroidBasicX, centroidBasicY] = this._tag.geometry.getCentroid2d(); const centroidCanvas = this._viewportCoords.basicToCanvasSafe(centroidBasicX, centroidBasicY, container, this._transform, camera); if (centroidCanvas != null) { const interact = this._interact(TagOperation.Centroid, "move"); const centroidCanvasX = Math.round(centroidCanvas[0]); const centroidCanvasY = Math.round(centroidCanvas[1]); const transform = `translate(-50%, -50%) translate(${centroidCanvasX}px,${centroidCanvasY}px)`; const properties = { onpointerdown: interact, style: { background: lineColor, transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-mover", properties, [])); } } const vertices2d = this._tag.geometry.getVertices2d(); for (let i = 0; i < vertices2d.length - 1; i++) { if (isRect && ((this._tag.icon != null && i === this._tag.iconIndex) || (this._tag.icon == null && this._tag.text != null && i === 3))) { continue; } const [vertexBasicX, vertexBasicY] = vertices2d[i]; const vertexCanvas = this._viewportCoords.basicToCanvasSafe(vertexBasicX, vertexBasicY, container, this._transform, camera); if (vertexCanvas == null) { continue; } const cursor = isRect ? i % 2 === 0 ? "nesw-resize" : "nwse-resize" : "crosshair"; const interact = this._interact(TagOperation.Vertex, cursor, i); const vertexCanvasX = Math.round(vertexCanvas[0]); const vertexCanvasY = Math.round(vertexCanvas[1]); const transform = `translate(-50%, -50%) translate(${vertexCanvasX}px,${vertexCanvasY}px)`; const properties = { onpointerdown: interact, style: { background: lineColor, transform: transform, cursor: cursor }, }; vNodes.push(virtualDom.h("div.mapillary-tag-resizer", properties, [])); if (!this._tag.indicateVertices) { continue; } const pointProperties = { style: { background: lineColor, transform: transform }, }; vNodes.push(virtualDom.h("div.mapillary-tag-vertex", pointProperties, [])); } return vNodes; } getGLObjects() { const glObjects = []; if (this._fill != null) { glObjects.push(this._fill); } for (const hole of this._holes) { glObjects.push(hole); } if (this._outline != null) { glObjects.push(this._outline); } return glObjects; } getRetrievableObjects() { return this._fill != null ? [this._fill] : []; } _onGeometryChanged() { if (this._fill != null) { this._updateFillGeometry(); } if (this._holes.length > 0) { this._updateHoleGeometries(); } if (this._outline != null) { this._updateOulineGeometry(); } } _onTagChanged() { let glObjectsChanged = false; if (this._fill != null) { this._updateFillMaterial(this._fill.material); } if (this._outline == null) { if (this._tag.lineWidth >= 1) { this._holes = this._createHoles(); this._outline = this._createOutline(); glObjectsChanged = true; } } else { this._updateHoleMaterials(); this._updateOutlineMaterial(); } return glObjectsChanged; } _getPoints3d() { return this._in3dDomain() ? this._tag.geometry.getVertices3d(this._transform) : this._tag.geometry.getPoints3d(this._transform); } _getTriangles() { return this._in3dDomain() ? this._tag.geometry.get3dDomainTriangles3d(this._transform) : this._tag.geometry.getTriangles3d(this._transform); } _updateFillMaterial(material) { material.color = new Color(this._tag.fillColor); material.opacity = this._tag.fillOpacity; material.needsUpdate = true; } _updateLineBasicMaterial(material) { material.color = new Color(this._tag.lineColor); material.linewidth = Math.max(this._tag.lineWidth, 1); material.visible = this._tag.lineWidth >= 1 && this._tag.lineOpacity > 0; material.opacity = this._tag.lineOpacity; material.transparent = this._tag.lineOpacity < 1; material.needsUpdate = true; } _createHoles() { let holes = []; if (this._tag.geometry instanceof PolygonGeometry) { let holes3d = this._getHoles3d(); for (let holePoints3d of holes3d) { let hole = this._createLine(holePoints3d); holes.push(hole); } } return holes; } _disposeHoles() { for (let hole of this._holes) { hole.geometry.dispose(); hole.material.dispose(); } this._holes = []; } _getHoles3d() { const polygonGeometry = this._tag.geometry; return this._in3dDomain() ? polygonGeometry.getHoleVertices3d(this._transform) : polygonGeometry.getHolePoints3d(this._transform); } _in3dDomain() { return this._tag.geometry instanceof PolygonGeometry && this._tag.domain === exports.TagDomain.ThreeDimensional; } _updateHoleGeometries() { let holes3d = this._getHoles3d(); if (holes3d.length !== this._holes.length) { throw new Error("Changing the number of holes is not supported."); } for (let i = 0; i < this._holes.length; i++) { let holePoints3d = holes3d[i]; let hole = this._holes[i]; this._updateLine(hole, holePoints3d); } } _updateHoleMaterials() { for (const hole of this._holes) { this._updateLineBasicMaterial(hole.material); } } _updateOutlineMaterial() { this._updateLineBasicMaterial(this._outline.material); } } /** * Enumeration for alignments * @enum {number} * @readonly */ exports.Alignment = void 0; (function (Alignment) { /** * Align to bottom */ Alignment[Alignment["Bottom"] = 0] = "Bottom"; /** * Align to bottom left */ Alignment[Alignment["BottomLeft"] = 1] = "BottomLeft"; /** * Align to bottom right */ Alignment[Alignment["BottomRight"] = 2] = "BottomRight"; /** * Align to center */ Alignment[Alignment["Center"] = 3] = "Center"; /** * Align to left */ Alignment[Alignment["Left"] = 4] = "Left"; /** * Align to right */ Alignment[Alignment["Right"] = 5] = "Right"; /** * Align to top */ Alignment[Alignment["Top"] = 6] = "Top"; /** * Align to top left */ Alignment[Alignment["TopLeft"] = 7] = "TopLeft"; /** * Align to top right */ Alignment[Alignment["TopRight"] = 8] = "TopRight"; })(exports.Alignment || (exports.Alignment = {})); /** * @class OutlineTag * * @classdesc Tag holding properties for visualizing a geometry outline. * * @example * ```js * var geometry = new RectGeometry([0.3, 0.3, 0.5, 0.4]); * var tag = new OutlineTag( * "id-1", * geometry * { editable: true, lineColor: 0xff0000 }); * * tagComponent.add([tag]); * ``` */ class OutlineTag extends Tag { /** * Create an outline tag. * * @override * @constructor * @param {string} id - Unique identifier of the tag. * @param {VertexGeometry} geometry - Geometry defining vertices of tag. * @param {OutlineTagOptions} options - Options defining the visual appearance and * behavior of the outline tag. */ constructor(id, geometry, options) { super(id, geometry); options = !!options ? options : {}; const domain = options.domain != null && geometry instanceof PolygonGeometry ? options.domain : exports.TagDomain.TwoDimensional; const twoDimensionalPolygon = this._twoDimensionalPolygon(domain, geometry); this._domain = domain; this._editable = options.editable == null || twoDimensionalPolygon ? false : options.editable; this._fillColor = options.fillColor == null ? 0xFFFFFF : options.fillColor; this._fillOpacity = options.fillOpacity == null ? 0.0 : options.fillOpacity; this._icon = options.icon === undefined ? null : options.icon; this._iconFloat = options.iconFloat == null ? exports.Alignment.Center : options.iconFloat; this._iconIndex = options.iconIndex == null ? 3 : options.iconIndex; this._indicateVertices = options.indicateVertices == null ? true : options.indicateVertices; this._lineColor = options.lineColor == null ? 0xFFFFFF : options.lineColor; this._lineOpacity = options.lineOpacity == null ? 1 : options.lineOpacity; this._lineWidth = options.lineWidth == null ? 1 : options.lineWidth; this._text = options.text === undefined ? null : options.text; this._textColor = options.textColor == null ? 0xFFFFFF : options.textColor; this._click$ = new Subject(); this._click$ .subscribe(() => { const type = "click"; const event = { target: this, type, }; this.fire(type, event); }); } /** * Click observable. * * @description An observable emitting the tag when the icon of the * tag has been clicked. * * @returns {Observable} */ get click$() { return this._click$; } /** * Get domain property. * * @description Readonly property that can only be set in constructor. * * @returns Value indicating the domain of the tag. */ get domain() { return this._domain; } /** * Get editable property. * @returns {boolean} Value indicating if tag is editable. */ get editable() { return this._editable; } /** * Set editable property. * @param {boolean} * * @fires changed */ set editable(value) { if (this._twoDimensionalPolygon(this._domain, this._geometry)) { return; } this._editable = value; this._notifyChanged$.next(this); } /** * Get fill color property. * @returns {number} */ get fillColor() { return this._fillColor; } /** * Set fill color property. * @param {number} * * @fires changed */ set fillColor(value) { this._fillColor = value; this._notifyChanged$.next(this); } /** * Get fill opacity property. * @returns {number} */ get fillOpacity() { return this._fillOpacity; } /** * Set fill opacity property. * @param {number} * * @fires changed */ set fillOpacity(value) { this._fillOpacity = value; this._notifyChanged$.next(this); } /** @inheritdoc */ get geometry() { return this._geometry; } /** * Get icon property. * @returns {string} */ get icon() { return this._icon; } /** * Set icon property. * @param {string} * * @fires changed */ set icon(value) { this._icon = value; this._notifyChanged$.next(this); } /** * Get icon float property. * @returns {Alignment} */ get iconFloat() { return this._iconFloat; } /** * Set icon float property. * @param {Alignment} * * @fires changed */ set iconFloat(value) { this._iconFloat = value; this._notifyChanged$.next(this); } /** * Get icon index property. * @returns {number} */ get iconIndex() { return this._iconIndex; } /** * Set icon index property. * @param {number} * * @fires changed */ set iconIndex(value) { this._iconIndex = value; this._notifyChanged$.next(this); } /** * Get indicate vertices property. * @returns {boolean} Value indicating if vertices should be indicated * when tag is editable. */ get indicateVertices() { return this._indicateVertices; } /** * Set indicate vertices property. * @param {boolean} * * @fires changed */ set indicateVertices(value) { this._indicateVertices = value; this._notifyChanged$.next(this); } /** * Get line color property. * @returns {number} */ get lineColor() { return this._lineColor; } /** * Set line color property. * @param {number} * * @fires changed */ set lineColor(value) { this._lineColor = value; this._notifyChanged$.next(this); } /** * Get line opacity property. * @returns {number} */ get lineOpacity() { return this._lineOpacity; } /** * Set line opacity property. * @param {number} * * @fires changed */ set lineOpacity(value) { this._lineOpacity = value; this._notifyChanged$.next(this); } /** * Get line width property. * @returns {number} */ get lineWidth() { return this._lineWidth; } /** * Set line width property. * @param {number} * * @fires changed */ set lineWidth(value) { this._lineWidth = value; this._notifyChanged$.next(this); } /** * Get text property. * @returns {string} */ get text() { return this._text; } /** * Set text property. * @param {string} * * @fires changed */ set text(value) { this._text = value; this._notifyChanged$.next(this); } /** * Get text color property. * @returns {number} */ get textColor() { return this._textColor; } /** * Set text color property. * @param {number} * * @fires changed */ set textColor(value) { this._textColor = value; this._notifyChanged$.next(this); } fire(type, event) { super.fire(type, event); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } /** * Set options for tag. * * @description Sets all the option properties provided and keeps * the rest of the values as is. * * @param {OutlineTagOptions} options - Outline tag options * * @fires changed */ setOptions(options) { const twoDimensionalPolygon = this._twoDimensionalPolygon(this._domain, this._geometry); this._editable = twoDimensionalPolygon || options.editable == null ? this._editable : options.editable; this._icon = options.icon === undefined ? this._icon : options.icon; this._iconFloat = options.iconFloat == null ? this._iconFloat : options.iconFloat; this._iconIndex = options.iconIndex == null ? this._iconIndex : options.iconIndex; this._indicateVertices = options.indicateVertices == null ? this._indicateVertices : options.indicateVertices; this._lineColor = options.lineColor == null ? this._lineColor : options.lineColor; this._lineWidth = options.lineWidth == null ? this._lineWidth : options.lineWidth; this._fillColor = options.fillColor == null ? this._fillColor : options.fillColor; this._fillOpacity = options.fillOpacity == null ? this._fillOpacity : options.fillOpacity; this._text = options.text === undefined ? this._text : options.text; this._textColor = options.textColor == null ? this._textColor : options.textColor; this._notifyChanged$.next(this); } _twoDimensionalPolygon(domain, geometry) { return domain !== exports.TagDomain.ThreeDimensional && geometry instanceof PolygonGeometry; } } /** * @class SpotRenderTag * @classdesc Tag visualizing the properties of a SpotTag. */ class SpotRenderTag extends RenderTag { dispose() { } getDOMObjects(atlas, camera, size) { const tag = this._tag; const container = { offsetHeight: size.height, offsetWidth: size.width, }; const vNodes = []; const [centroidBasicX, centroidBasicY] = tag.geometry.getCentroid2d(); const centroidCanvas = this._viewportCoords.basicToCanvasSafe(centroidBasicX, centroidBasicY, container, this._transform, camera); if (centroidCanvas != null) { const interactNone = (e) => { this._interact$.next({ offsetX: 0, offsetY: 0, operation: TagOperation.None, tag: tag }); }; const canvasX = Math.round(centroidCanvas[0]); const canvasY = Math.round(centroidCanvas[1]); if (tag.icon != null) { if (atlas.loaded) { const sprite = atlas.getDOMSprite(tag.icon, exports.Alignment.Bottom); const iconTransform = `translate(${canvasX}px,${canvasY + 8}px)`; const properties = { onpointerdown: interactNone, style: { pointerEvents: "all", transform: iconTransform, }, }; vNodes.push(virtualDom.h("div", properties, [sprite])); } } else if (tag.text != null) { const textTransform = `translate(-50%,0%) translate(${canvasX}px,${canvasY + 8}px)`; const properties = { onpointerdown: interactNone, style: { color: this._colorToCss(tag.textColor), transform: textTransform, }, textContent: tag.text, }; vNodes.push(virtualDom.h("span.mapillary-tag-symbol", properties, [])); } const interact = this._interact(TagOperation.Centroid, tag, "move"); const background = this._colorToCss(tag.color); const transform = `translate(-50%,-50%) translate(${canvasX}px,${canvasY}px)`; if (tag.editable) { let interactorProperties = { onpointerdown: interact, style: { background: background, transform: transform, }, }; vNodes.push(virtualDom.h("div.mapillary-tag-spot-interactor", interactorProperties, [])); } const pointProperties = { style: { background: background, transform: transform, }, }; vNodes.push(virtualDom.h("div.mapillary-tag-vertex", pointProperties, [])); } return vNodes; } getGLObjects() { return []; } getRetrievableObjects() { return []; } _colorToCss(color) { return "#" + ("000000" + color.toString(16)).substr(-6); } _interact(operation, tag, cursor, vertexIndex) { return (e) => { const offsetX = e.offsetX - e.target.offsetWidth / 2; const offsetY = e.offsetY - e.target.offsetHeight / 2; this._interact$.next({ cursor: cursor, offsetX: offsetX, offsetY: offsetY, operation: operation, tag: tag, vertexIndex: vertexIndex, }); }; } } /** * @class SpotTag * * @classdesc Tag holding properties for visualizing the centroid of a geometry. * * @example * ```js * var geometry = new PointGeometry([0.3, 0.3]); * var tag = new SpotTag( * "id-1", * geometry * { editable: true, color: 0xff0000 }); * * tagComponent.add([tag]); * ``` */ class SpotTag extends Tag { /** * Create a spot tag. * * @override * @constructor * @param {string} id * @param {Geometry} geometry * @param {IOutlineTagOptions} options - Options defining the visual appearance and * behavior of the spot tag. */ constructor(id, geometry, options) { super(id, geometry); options = !!options ? options : {}; this._color = options.color == null ? 0xFFFFFF : options.color; this._editable = options.editable == null ? false : options.editable; this._icon = options.icon === undefined ? null : options.icon; this._text = options.text === undefined ? null : options.text; this._textColor = options.textColor == null ? 0xFFFFFF : options.textColor; } /** * Get color property. * @returns {number} The color of the spot as a hexagonal number; */ get color() { return this._color; } /** * Set color property. * @param {number} * * @fires changed */ set color(value) { this._color = value; this._notifyChanged$.next(this); } /** * Get editable property. * @returns {boolean} Value indicating if tag is editable. */ get editable() { return this._editable; } /** * Set editable property. * @param {boolean} * * @fires changed */ set editable(value) { this._editable = value; this._notifyChanged$.next(this); } /** * Get icon property. * @returns {string} */ get icon() { return this._icon; } /** * Set icon property. * @param {string} * * @fires changed */ set icon(value) { this._icon = value; this._notifyChanged$.next(this); } /** * Get text property. * @returns {string} */ get text() { return this._text; } /** * Set text property. * @param {string} * * @fires changed */ set text(value) { this._text = value; this._notifyChanged$.next(this); } /** * Get text color property. * @returns {number} */ get textColor() { return this._textColor; } /** * Set text color property. * @param {number} * * @fires changed */ set textColor(value) { this._textColor = value; this._notifyChanged$.next(this); } /** * Set options for tag. * * @description Sets all the option properties provided and keps * the rest of the values as is. * * @param {SpotTagOptions} options - Spot tag options * * @fires changed */ setOptions(options) { this._color = options.color == null ? this._color : options.color; this._editable = options.editable == null ? this._editable : options.editable; this._icon = options.icon === undefined ? this._icon : options.icon; this._text = options.text === undefined ? this._text : options.text; this._textColor = options.textColor == null ? this._textColor : options.textColor; this._notifyChanged$.next(this); } } class TagSet { constructor() { this._active = false; this._hash = {}; this._hashDeactivated = {}; this._notifyChanged$ = new Subject(); } get active() { return this._active; } get changed$() { return this._notifyChanged$; } activate(transform) { if (this._active) { return; } for (const id in this._hashDeactivated) { if (!this._hashDeactivated.hasOwnProperty(id)) { continue; } const tag = this._hashDeactivated[id]; this._add(tag, transform); } this._hashDeactivated = {}; this._active = true; this._notifyChanged$.next(this); } deactivate() { if (!this._active) { return; } for (const id in this._hash) { if (!this._hash.hasOwnProperty(id)) { continue; } this._hashDeactivated[id] = this._hash[id].tag; } this._hash = {}; this._active = false; } add(tags, transform) { this._assertActivationState(true); for (const tag of tags) { this._add(tag, transform); } this._notifyChanged$.next(this); } addDeactivated(tags) { this._assertActivationState(false); for (const tag of tags) { if (!(tag instanceof OutlineTag || tag instanceof SpotTag || tag instanceof ExtremePointTag)) { throw new Error("Tag type not supported"); } this._hashDeactivated[tag.id] = tag; } } get(id) { return this.has(id) ? this._hash[id] : undefined; } getAll() { const hash = this._hash; return Object.keys(hash) .map((id) => { return hash[id]; }); } getAllDeactivated() { const hashDeactivated = this._hashDeactivated; return Object.keys(hashDeactivated) .map((id) => { return hashDeactivated[id]; }); } getDeactivated(id) { return this.hasDeactivated(id) ? this._hashDeactivated[id] : undefined; } has(id) { return id in this._hash; } hasDeactivated(id) { return id in this._hashDeactivated; } remove(ids) { this._assertActivationState(true); const hash = this._hash; for (const id of ids) { if (!(id in hash)) { continue; } delete hash[id]; } this._notifyChanged$.next(this); } removeAll() { this._assertActivationState(true); this._hash = {}; this._notifyChanged$.next(this); } removeAllDeactivated() { this._assertActivationState(false); this._hashDeactivated = {}; } removeDeactivated(ids) { this._assertActivationState(false); const hashDeactivated = this._hashDeactivated; for (const id of ids) { if (!(id in hashDeactivated)) { continue; } delete hashDeactivated[id]; } } _add(tag, transform) { if (tag instanceof OutlineTag) { this._hash[tag.id] = new OutlineRenderTag(tag, transform); } else if (tag instanceof SpotTag) { this._hash[tag.id] = new SpotRenderTag(tag, transform); } else if (tag instanceof ExtremePointTag) { this._hash[tag.id] = new ExtremePointRenderTag(tag, transform); } else { throw new Error("Tag type not supported"); } } _assertActivationState(should) { if (should !== this._active) { throw new Error("Tag set not in correct state for operation."); } } } /** * @class PointGeometry * * @classdesc Represents a point geometry in the 2D basic image coordinate system. * * @example * ```js * var basicPoint = [0.5, 0.7]; * var pointGeometry = new PointGeometry(basicPoint); * ``` */ class PointGeometry extends Geometry { /** * Create a point geometry. * * @constructor * @param {Array} point - An array representing the basic coordinates of * the point. * * @throws {GeometryTagError} Point coordinates must be valid basic coordinates. */ constructor(point) { super(); let x = point[0]; let y = point[1]; if (x < 0 || x > 1 || y < 0 || y > 1) { throw new GeometryTagError("Basic coordinates must be on the interval [0, 1]."); } this._point = point.slice(); } /** * Get point property. * @returns {Array} Array representing the basic coordinates of the point. */ get point() { return this._point; } /** * Get the 2D basic coordinates for the centroid of the point, i.e. the 2D * basic coordinates of the point itself. * * @returns {Array} 2D basic coordinates representing the centroid. * @ignore */ getCentroid2d() { return this._point.slice(); } /** * Get the 3D world coordinates for the centroid of the point, i.e. the 3D * world coordinates of the point itself. * * @param {Transform} transform - The transform of the image related to the point. * @returns {Array} 3D world coordinates representing the centroid. * @ignore */ getCentroid3d(transform) { return transform.unprojectBasic(this._point, 200); } /** * Set the centroid of the point, i.e. the point coordinates. * * @param {Array} value - The new value of the centroid. * @param {Transform} transform - The transform of the image related to the point. * @ignore */ setCentroid2d(value, transform) { let changed = [ Math.max(0, Math.min(1, value[0])), Math.max(0, Math.min(1, value[1])), ]; this._point[0] = changed[0]; this._point[1] = changed[1]; this._notifyChanged$.next(this); } } class TagHandlerBase extends HandlerBase { constructor(component, container, navigator, viewportCoords) { super(component, container, navigator); this._name = `${this._component.name}-${this._getNameExtension()}`; this._viewportCoords = viewportCoords; } _getConfiguration(enable) { return {}; } _mouseEventToBasic(event, element, camera, transform, offsetX, offsetY) { offsetX = offsetX != null ? offsetX : 0; offsetY = offsetY != null ? offsetY : 0; const [canvasX, canvasY] = this._viewportCoords.canvasPosition(event, element); const basic = this._viewportCoords.canvasToBasic(canvasX - offsetX, canvasY - offsetY, element, transform, camera.perspective); return basic; } } class CreateHandlerBase extends TagHandlerBase { constructor(component, container, navigator, viewportCoords, tagCreator) { super(component, container, navigator, viewportCoords); this._tagCreator = tagCreator; this._geometryCreated$ = new Subject(); } get geometryCreated$() { return this._geometryCreated$; } _enable() { this._enableCreate(); this._container.container.classList.add("component-tag-create"); } _disable() { this._container.container.classList.remove("component-tag-create"); this._disableCreate(); } _validateBasic(basic) { const x = basic[0]; const y = basic[1]; return 0 <= x && x <= 1 && 0 <= y && y <= 1; } _mouseEventToBasic$(mouseEvent$) { return mouseEvent$.pipe(withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$), map(([event, camera, transform]) => { return this._mouseEventToBasic(event, this._container.container, camera, transform); })); } } class CreatePointHandler extends CreateHandlerBase { _enableCreate() { this._container.mouseService.deferPixels(this._name, 4); this._geometryCreatedSubscription = this._mouseEventToBasic$(this._container.mouseService.proximateClick$).pipe(filter(this._validateBasic), map((basic) => { return new PointGeometry(basic); })) .subscribe(this._geometryCreated$); } _disableCreate() { this._container.mouseService.undeferPixels(this._name); this._geometryCreatedSubscription.unsubscribe(); } _getNameExtension() { return "create-point"; } } class CreateVertexHandler extends CreateHandlerBase { _enableCreate() { this._container.mouseService.deferPixels(this._name, 4); const transformChanged$ = this._navigator.stateService.currentTransform$.pipe(map(() => { }), publishReplay(1), refCount()); this._deleteSubscription = transformChanged$.pipe(skip(1)) .subscribe(this._tagCreator.delete$); const basicClick$ = this._mouseEventToBasic$(this._container.mouseService.proximateClick$).pipe(share()); this._createSubscription = transformChanged$.pipe(switchMap(() => { return basicClick$.pipe(filter(this._validateBasic), take(1)); })) .subscribe(this._create$); this._setVertexSubscription = this._tagCreator.tag$.pipe(switchMap((tag) => { return !!tag ? combineLatest(of(tag), merge(this._container.mouseService.mouseMove$, this._container.mouseService.domMouseMove$), this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$) : empty(); })) .subscribe(([tag, event, camera, transform]) => { const basicPoint = this._mouseEventToBasic(event, this._container.container, camera, transform); this._setVertex2d(tag, basicPoint, transform); }); this._addPointSubscription = this._tagCreator.tag$.pipe(switchMap((tag) => { return !!tag ? combineLatest(of(tag), basicClick$) : empty(); })) .subscribe(([tag, basicPoint]) => { this._addPoint(tag, basicPoint); }); this._geometryCreateSubscription = this._tagCreator.tag$.pipe(switchMap((tag) => { return !!tag ? tag.created$.pipe(map((t) => { return t.geometry; })) : empty(); })) .subscribe(this._geometryCreated$); } _disableCreate() { this._container.mouseService.undeferPixels(this._name); this._tagCreator.delete$.next(null); this._addPointSubscription.unsubscribe(); this._createSubscription.unsubscribe(); this._deleteSubscription.unsubscribe(); this._geometryCreateSubscription.unsubscribe(); this._setVertexSubscription.unsubscribe(); } } class CreatePointsHandler extends CreateVertexHandler { get _create$() { return this._tagCreator.createPoints$; } _addPoint(tag, basicPoint) { tag.geometry.addPoint2d(basicPoint); } _getNameExtension() { return "create-points"; } _setVertex2d(tag, basicPoint, transform) { tag.geometry.setPoint2d((tag.geometry).points.length - 1, basicPoint, transform); } } class CreatePolygonHandler extends CreateVertexHandler { get _create$() { return this._tagCreator.createPolygon$; } _addPoint(tag, basicPoint) { tag.addPoint(basicPoint); } _getNameExtension() { return "create-polygon"; } _setVertex2d(tag, basicPoint, transform) { tag.geometry.setVertex2d(tag.geometry.polygon.length - 2, basicPoint, transform); } } class CreateRectHandler extends CreateVertexHandler { get _create$() { return this._tagCreator.createRect$; } _addPoint(tag, basicPoint) { const rectGeometry = tag.geometry; if (!rectGeometry.validate(basicPoint)) { basicPoint = rectGeometry.getNonAdjustedVertex2d(3); } tag.addPoint(basicPoint); } _enable() { super._enable(); this._initializeAnchorIndexingSubscription = this._tagCreator.tag$.pipe(filter((tag) => { return !!tag; })) .subscribe((tag) => { tag.geometry.initializeAnchorIndexing(); }); } _disable() { super._disable(); this._initializeAnchorIndexingSubscription.unsubscribe(); } _getNameExtension() { return "create-rect"; } _setVertex2d(tag, basicPoint, transform) { tag.geometry.setOppositeVertex2d(basicPoint, transform); } } class CreateRectDragHandler extends CreateHandlerBase { _enableCreate() { this._container.mouseService.claimMouse(this._name, 2); this._deleteSubscription = this._navigator.stateService.currentTransform$.pipe(map((transform) => { return null; }), skip(1)) .subscribe(this._tagCreator.delete$); this._createSubscription = this._mouseEventToBasic$(this._container.mouseService.filtered$(this._name, this._container.mouseService.mouseDragStart$)).pipe(filter(this._validateBasic)) .subscribe(this._tagCreator.createRect$); this._initializeAnchorIndexingSubscription = this._tagCreator.tag$.pipe(filter((tag) => { return !!tag; })) .subscribe((tag) => { tag.geometry.initializeAnchorIndexing(); }); const basicMouse$ = combineLatest(merge(this._container.mouseService.filtered$(this._name, this._container.mouseService.mouseMove$), this._container.mouseService.filtered$(this._name, this._container.mouseService.domMouseMove$)), this._container.renderService.renderCamera$).pipe(withLatestFrom(this._navigator.stateService.currentTransform$), map(([[event, camera], transform]) => { return this._mouseEventToBasic(event, this._container.container, camera, transform); })); this._setVertexSubscription = this._tagCreator.tag$.pipe(switchMap((tag) => { return !!tag ? combineLatest(of(tag), basicMouse$, this._navigator.stateService.currentTransform$) : empty(); })) .subscribe(([tag, basicPoint, transform]) => { tag.geometry.setOppositeVertex2d(basicPoint, transform); }); const basicMouseDragEnd$ = this._container.mouseService.mouseDragEnd$.pipe(withLatestFrom(this._mouseEventToBasic$(this._container.mouseService.filtered$(this._name, this._container.mouseService.mouseDrag$)).pipe(filter(this._validateBasic)), (event, basicPoint) => { return basicPoint; }), share()); this._addPointSubscription = this._tagCreator.tag$.pipe(switchMap((tag) => { return !!tag ? combineLatest(of(tag), basicMouseDragEnd$) : empty(); })) .subscribe(([tag, basicPoint]) => { const rectGeometry = tag.geometry; if (!rectGeometry.validate(basicPoint)) { basicPoint = rectGeometry.getNonAdjustedVertex2d(3); } tag.addPoint(basicPoint); }); this._geometryCreatedSubscription = this._tagCreator.tag$.pipe(switchMap((tag) => { return !!tag ? tag.created$.pipe(map((t) => { return t.geometry; })) : empty(); })) .subscribe(this._geometryCreated$); } _disableCreate() { this._container.mouseService.unclaimMouse(this._name); this._tagCreator.delete$.next(null); this._addPointSubscription.unsubscribe(); this._createSubscription.unsubscribe(); this._deleteSubscription.unsubscribe(); this._geometryCreatedSubscription.unsubscribe(); this._initializeAnchorIndexingSubscription.unsubscribe(); this._setVertexSubscription.unsubscribe(); } _getNameExtension() { return "create-rect-drag"; } } class EditVertexHandler extends TagHandlerBase { constructor(component, container, navigator, viewportCoords, tagSet) { super(component, container, navigator, viewportCoords); this._tagSet = tagSet; } _enable() { const interaction$ = this._tagSet.changed$.pipe(map((tagSet) => { return tagSet.getAll(); }), switchMap((tags) => { return from(tags).pipe(mergeMap((tag) => { return tag.interact$; })); }), switchMap((interaction) => { return concat(of(interaction), this._container.mouseService.documentMouseUp$.pipe(map(() => { return { offsetX: 0, offsetY: 0, operation: TagOperation.None, tag: null }; }), first())); }), share()); merge(this._container.mouseService.mouseMove$, this._container.mouseService.domMouseMove$).pipe(share()); this._claimMouseSubscription = interaction$.pipe(switchMap((interaction) => { return !!interaction.tag ? this._container.mouseService.domMouseDragStart$ : empty(); })) .subscribe(() => { this._container.mouseService.claimMouse(this._name, 3); }); this._cursorSubscription = interaction$.pipe(map((interaction) => { return interaction.cursor; }), distinctUntilChanged()) .subscribe((cursor) => { const interactionCursors = ["crosshair", "move", "nesw-resize", "nwse-resize"]; for (const interactionCursor of interactionCursors) { this._container.container.classList.remove(`component-tag-edit-${interactionCursor}`); } if (!!cursor) { this._container.container.classList.add(`component-tag-edit-${cursor}`); } }); this._unclaimMouseSubscription = this._container.mouseService .filtered$(this._name, this._container.mouseService.domMouseDragEnd$) .subscribe((e) => { this._container.mouseService.unclaimMouse(this._name); }); this._preventDefaultSubscription = interaction$.pipe(switchMap((interaction) => { return !!interaction.tag ? this._container.mouseService.documentMouseMove$ : empty(); })) .subscribe((event) => { event.preventDefault(); // prevent selection of content outside the viewer }); this._updateGeometrySubscription = interaction$.pipe(switchMap((interaction) => { if (interaction.operation === TagOperation.None || !interaction.tag) { return empty(); } const mouseDrag$ = this._container.mouseService .filtered$(this._name, this._container.mouseService.domMouseDrag$).pipe(filter((event) => { return this._viewportCoords.insideElement(event, this._container.container); })); return combineLatest(mouseDrag$, this._container.renderService.renderCamera$).pipe(withLatestFrom(of(interaction), this._navigator.stateService.currentTransform$, ([event, render], i, transform) => { return [event, render, i, transform]; })); })) .subscribe(([mouseEvent, renderCamera, interaction, transform]) => { const basic = this._mouseEventToBasic(mouseEvent, this._container.container, renderCamera, transform, interaction.offsetX, interaction.offsetY); const geometry = interaction.tag.geometry; if (interaction.operation === TagOperation.Centroid) { geometry.setCentroid2d(basic, transform); } else if (interaction.operation === TagOperation.Vertex) { geometry.setVertex2d(interaction.vertexIndex, basic, transform); } }); } _disable() { this._claimMouseSubscription.unsubscribe(); this._cursorSubscription.unsubscribe(); this._preventDefaultSubscription.unsubscribe(); this._unclaimMouseSubscription.unsubscribe(); this._updateGeometrySubscription.unsubscribe(); } _getNameExtension() { return "edit-vertex"; } } /** * @class TagComponent * * @classdesc Component for showing and editing tags with different * geometries composed from 2D basic image coordinates (see the * {@link Viewer} class documentation for more information about coordinate * systems). * * The `add` method is used for adding new tags or replacing * tags already in the set. Tags are removed by id. * * If a tag already in the set has the same * id as one of the tags added, the old tag will be removed and * the added tag will take its place. * * The tag component mode can be set to either be non interactive or * to be in creating mode of a certain geometry type. * * The tag properties can be updated at any time and the change will * be visibile immediately. * * Tags are only relevant to a single image because they are based on * 2D basic image coordinates. Tags related to a certain image should * be removed when the viewer is moved to another image. * * To retrive and use the tag component * * @example * ```js * var viewer = new Viewer({ component: { tag: true } }, ...); * * var tagComponent = viewer.getComponent("tag"); * ``` */ class TagComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); this._tagDomRenderer = new TagDOMRenderer(); this._tagScene = new TagScene(); this._tagSet = new TagSet(); this._tagCreator = new TagCreator(this, navigator); this._viewportCoords = new ViewportCoords(); this._createHandlers = { "CreatePoint": new CreatePointHandler(this, container, navigator, this._viewportCoords, this._tagCreator), "CreatePoints": new CreatePointsHandler(this, container, navigator, this._viewportCoords, this._tagCreator), "CreatePolygon": new CreatePolygonHandler(this, container, navigator, this._viewportCoords, this._tagCreator), "CreateRect": new CreateRectHandler(this, container, navigator, this._viewportCoords, this._tagCreator), "CreateRectDrag": new CreateRectDragHandler(this, container, navigator, this._viewportCoords, this._tagCreator), "Default": undefined, }; this._editVertexHandler = new EditVertexHandler(this, container, navigator, this._viewportCoords, this._tagSet); this._renderTags$ = this._tagSet.changed$.pipe(map((tagSet) => { const tags = tagSet.getAll(); // ensure that tags are always rendered in the same order // to avoid hover tracking problems on first resize. tags.sort((t1, t2) => { const id1 = t1.tag.id; const id2 = t2.tag.id; if (id1 < id2) { return -1; } if (id1 > id2) { return 1; } return 0; }); return tags; }), share()); this._tagChanged$ = this._renderTags$.pipe(switchMap((tags) => { return from(tags).pipe(mergeMap((tag) => { return merge(tag.tag.changed$, tag.tag.geometryChanged$); })); }), share()); this._renderTagGLChanged$ = this._renderTags$.pipe(switchMap((tags) => { return from(tags).pipe(mergeMap((tag) => { return tag.glObjectsChanged$; })); }), share()); this._createGeometryChanged$ = this._tagCreator.tag$.pipe(switchMap((tag) => { return tag != null ? tag.geometryChanged$ : empty(); }), share()); this._createGLObjectsChanged$ = this._tagCreator.tag$.pipe(switchMap((tag) => { return tag != null ? tag.glObjectsChanged$ : empty(); }), share()); this._creatingConfiguration$ = this._configuration$.pipe(distinctUntilChanged((c1, c2) => { return c1.mode === c2.mode; }, (configuration) => { return { createColor: configuration.createColor, mode: configuration.mode, }; }), publishReplay(1), refCount()); this._creatingConfiguration$ .subscribe((configuration) => { const type = "tagmode"; const event = { mode: configuration.mode, target: this, type, }; this.fire(type, event); }); } /** * Add tags to the tag set or replace tags in the tag set. * * @description If a tag already in the set has the same * id as one of the tags added, the old tag will be removed * the added tag will take its place. * * @param {Array} tags - Tags to add. * * @example * ```js * tagComponent.add([tag1, tag2]); * ``` */ add(tags) { if (this._activated) { this._navigator.stateService.currentTransform$.pipe(first()) .subscribe((transform) => { this._tagSet.add(tags, transform); const renderTags = tags .map((tag) => { return this._tagSet.get(tag.id); }); this._tagScene.add(renderTags); }); } else { this._tagSet.addDeactivated(tags); } } /** * Calculate the smallest rectangle containing all the points * in the points geometry. * * @description The result may be different depending on if the * current image is an spherical or not. If the * current image is an spherical the rectangle may * wrap the horizontal border of the image. * * @returns {Promise>} Promise to the rectangle * on the format specified for the {@link RectGeometry} in basic * coordinates. */ calculateRect(geometry) { return new Promise((resolve, reject) => { this._navigator.stateService.currentTransform$.pipe(first(), map((transform) => { return geometry.getRect2d(transform); })) .subscribe((rect) => { resolve(rect); }, (error) => { reject(error); }); }); } /** * Force the creation of a geometry programatically using its * current vertices. * * @description The method only has an effect when the tag * mode is either of the following modes: * * {@link TagMode.CreatePoints} * {@link TagMode.CreatePolygon} * {@link TagMode.CreateRect} * {@link TagMode.CreateRectDrag} * * In the case of points or polygon creation, only the created * vertices are used, i.e. the mouse position is disregarded. * * In the case of rectangle creation the position of the mouse * at the time of the method call is used as one of the vertices * defining the rectangle. * * @fires geometrycreate * * @example * ```js * tagComponent.on("geometrycreate", function(geometry) { * console.log(geometry); * }); * * tagComponent.create(); * ``` */ create() { this._tagCreator.replayedTag$.pipe(first(), filter((tag) => { return !!tag; })) .subscribe((tag) => { tag.create(); }); } /** * Change the current tag mode. * * @description Change the tag mode to one of the create modes for creating new geometries. * * @param {TagMode} mode - New tag mode. * * @fires tagmode * * @example * ```js * tagComponent.changeMode(TagMode.CreateRect); * ``` */ changeMode(mode) { this.configure({ mode: mode }); } fire(type, event) { super.fire(type, event); } /** * Returns the tag in the tag set with the specified id, or * undefined if the id matches no tag. * * @param {string} tagId - Id of the tag. * * @example * ```js * var tag = tagComponent.get("tagId"); * ``` */ get(tagId) { if (this._activated) { const renderTag = this._tagSet.get(tagId); return renderTag !== undefined ? renderTag.tag : undefined; } else { return this._tagSet.getDeactivated(tagId); } } /** * Returns an array of all tags. * * @example * ```js * var tags = tagComponent.getAll(); * ``` */ getAll() { if (this.activated) { return this._tagSet .getAll() .map((renderTag) => { return renderTag.tag; }); } else { return this._tagSet.getAllDeactivated(); } } /** * Returns an array of tag ids for tags that contain the specified point. * * @description The pixel point must lie inside the polygon or rectangle * of an added tag for the tag id to be returned. Tag ids for * tags that do not have a fill will also be returned if the point is inside * the geometry of the tag. Tags with point geometries can not be retrieved. * * No tag ids will be returned for polygons rendered in cropped spherical or * rectangles rendered in spherical. * * Notice that the pixelPoint argument requires x, y coordinates from pixel space. * * With this function, you can use the coordinates provided by mouse * events to get information out of the tag component. * * If no tag at exist the pixel point, an empty array will be returned. * * @param {Array} pixelPoint - Pixel coordinates on the viewer element. * @returns {Promise>} Promise to the ids of the tags that * contain the specified pixel point. * * @example * ```js * tagComponent.getTagIdsAt([100, 100]) * .then((tagIds) => { console.log(tagIds); }); * ``` */ getTagIdsAt(pixelPoint) { return new Promise((resolve, reject) => { this._container.renderService.renderCamera$.pipe(first(), map((render) => { const viewport = this._viewportCoords .canvasToViewport(pixelPoint[0], pixelPoint[1], this._container.container); const ids = this._tagScene.intersectObjects(viewport, render.perspective); return ids; })) .subscribe((ids) => { resolve(ids); }, (error) => { reject(error); }); }); } /** * Check if a tag exist in the tag set. * * @param {string} tagId - Id of the tag. * * @example * ```js * var tagExists = tagComponent.has("tagId"); * ``` */ has(tagId) { return this._activated ? this._tagSet.has(tagId) : this._tagSet.hasDeactivated(tagId); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } /** * Remove tags with the specified ids from the tag set. * * @param {Array} tagIds - Ids for tags to remove. * * @example * ```js * tagComponent.remove(["id-1", "id-2"]); * ``` */ remove(tagIds) { if (this._activated) { this._tagSet.remove(tagIds); this._tagScene.remove(tagIds); } else { this._tagSet.removeDeactivated(tagIds); } } /** * Remove all tags from the tag set. * * @example * ```js * tagComponent.removeAll(); * ``` */ removeAll() { if (this._activated) { this._tagSet.removeAll(); this._tagScene.removeAll(); } else { this._tagSet.removeAllDeactivated(); } } _activate() { this._editVertexHandler.enable(); const handlerGeometryCreated$ = from(Object.keys(this._createHandlers)).pipe(map((key) => { return this._createHandlers[key]; }), filter((handler) => { return !!handler; }), mergeMap((handler) => { return handler.geometryCreated$; }), share()); const subs = this._subscriptions; subs.push(handlerGeometryCreated$ .subscribe((geometry) => { const type = "geometrycreate"; const event = { geometry, target: this, type, }; this.fire(type, event); })); subs.push(this._tagCreator.tag$.pipe(skipWhile((tag) => { return tag == null; }), distinctUntilChanged()) .subscribe((tag) => { const type = tag != null ? "tagcreatestart" : "tagcreateend"; const event = { target: this, type, }; this.fire(type, event); })); subs.push(handlerGeometryCreated$ .subscribe(() => { this.changeMode(exports.TagMode.Default); })); subs.push(this._creatingConfiguration$ .subscribe((configuration) => { this._disableCreateHandlers(); const mode = exports.TagMode[configuration.mode]; const handler = this._createHandlers[mode]; if (!!handler) { handler.enable(); } })); subs.push(this._renderTags$ .subscribe(() => { const type = "tags"; const event = { target: this, type, }; this.fire(type, event); })); subs.push(this._tagCreator.tag$.pipe(switchMap((tag) => { return tag != null ? tag.aborted$.pipe(map(() => { return null; })) : empty(); })) .subscribe(() => { this.changeMode(exports.TagMode.Default); })); subs.push(this._tagCreator.tag$ .subscribe((tag) => { if (this._tagScene.hasCreateTag()) { this._tagScene.removeCreateTag(); } if (tag != null) { this._tagScene.addCreateTag(tag); } })); subs.push(this._createGLObjectsChanged$ .subscribe((tag) => { this._tagScene.updateCreateTagObjects(tag); })); subs.push(this._renderTagGLChanged$ .subscribe((tag) => { this._tagScene.updateObjects(tag); })); subs.push(this._tagChanged$ .subscribe(() => { this._tagScene.update(); })); subs.push(combineLatest(this._renderTags$.pipe(startWith([]), tap(() => { this._container.domRenderer.render$.next({ name: this._name, vNode: this._tagDomRenderer.clear(), }); })), this._container.renderService.renderCamera$, this._container.spriteService.spriteAtlas$, this._container.renderService.size$, this._tagChanged$.pipe(startWith(null)), merge(this._tagCreator.tag$, this._createGeometryChanged$).pipe(startWith(null))).pipe(map(([renderTags, rc, atlas, size, , ct]) => { return { name: this._name, vNode: this._tagDomRenderer.render(renderTags, ct, atlas, rc.perspective, size), }; })) .subscribe(this._container.domRenderer.render$)); subs.push(this._navigator.stateService.currentState$.pipe(map((frame) => { const tagScene = this._tagScene; return { name: this._name, renderer: { frameId: frame.id, needsRender: tagScene.needsRender, render: tagScene.render.bind(tagScene), pass: RenderPass.Opaque, }, }; })) .subscribe(this._container.glRenderer.render$)); this._navigator.stateService.currentTransform$.pipe(first()) .subscribe((transform) => { this._tagSet.activate(transform); this._tagScene.add(this._tagSet.getAll()); }); } _deactivate() { this._editVertexHandler.disable(); this._disableCreateHandlers(); this._tagScene.clear(); this._tagSet.deactivate(); this._tagCreator.delete$.next(null); this._subscriptions.unsubscribe(); this._container.container.classList.remove("component-tag-create"); } _getDefaultConfiguration() { return { createColor: 0xFFFFFF, indicatePointsCompleter: true, mode: exports.TagMode.Default, }; } _disableCreateHandlers() { const createHandlers = this._createHandlers; for (const key in createHandlers) { if (!createHandlers.hasOwnProperty(key)) { continue; } const handler = createHandlers[key]; if (!!handler) { handler.disable(); } } } } /** @inheritdoc */ TagComponent.componentName = "tag"; /** * @class ZoomComponent * * @classdesc Component rendering UI elements used for zooming. * * @example * ```js * var viewer = new Viewer({ ... }); * * var zoomComponent = viewer.getComponent("zoom"); * zoomComponent.configure({ size: ComponentSize.Small }); * ``` */ class ZoomComponent extends Component { constructor(name, container, navigator) { super(name, container, navigator); this._viewportCoords = new ViewportCoords(); this._zoomDelta$ = new Subject(); } _activate() { const subs = this._subscriptions; subs.push(combineLatest(this._navigator.stateService.currentState$, this._navigator.stateService.state$, this._configuration$, this._container.renderService.size$).pipe(map(([frame, state, configuration, size]) => { const zoom = frame.state.zoom; const zoomInIcon = virtualDom.h("div.mapillary-zoom-in-icon", []); const zoomInButton = zoom >= 3 || state === State.Waiting ? virtualDom.h("div.mapillary-zoom-in-button-inactive", [zoomInIcon]) : virtualDom.h("div.mapillary-zoom-in-button", { onclick: () => { this._zoomDelta$.next(1); } }, [zoomInIcon]); const zoomOutIcon = virtualDom.h("div.mapillary-zoom-out-icon", []); const zoomOutButton = zoom <= 0 || state === State.Waiting ? virtualDom.h("div.mapillary-zoom-out-button-inactive", [zoomOutIcon]) : virtualDom.h("div.mapillary-zoom-out-button", { onclick: () => { this._zoomDelta$.next(-1); } }, [zoomOutIcon]); const compact = configuration.size === exports.ComponentSize.Small || configuration.size === exports.ComponentSize.Automatic && size.width < 640 ? ".mapillary-zoom-compact" : ""; return { name: this._name, vNode: virtualDom.h("div.mapillary-zoom-container" + compact, { oncontextmenu: (event) => { event.preventDefault(); } }, [zoomInButton, zoomOutButton]), }; })) .subscribe(this._container.domRenderer.render$)); subs.push(this._zoomDelta$.pipe(withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$)) .subscribe(([zoomDelta, render, transform]) => { const unprojected = this._viewportCoords.unprojectFromViewport(0, 0, render.perspective); const reference = transform.projectBasic(unprojected.toArray()); this._navigator.stateService.zoomIn(zoomDelta, reference); })); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return { size: exports.ComponentSize.Automatic }; } } ZoomComponent.componentName = "zoom"; class ImageFallbackComponent extends Component { constructor(name, container, navigator, dom) { super(name, container, navigator); this._canvasId = `${container.id}-${this._name}`; this._dom = !!dom ? dom : new DOM(); } _activate() { const canvasSize$ = this._container.domRenderer.element$.pipe(map(() => { return this._dom.document.getElementById(this._canvasId); }), filter((canvas) => { return !!canvas; }), map((canvas) => { const adaptableDomRenderer = canvas.parentElement; const width = adaptableDomRenderer.offsetWidth; const height = adaptableDomRenderer.offsetHeight; return [canvas, { height: height, width: width }]; }), distinctUntilChanged((s1, s2) => { return s1.height === s2.height && s1.width === s2.width; }, ([, size]) => { return size; })); this._subscriptions.push(combineLatest(canvasSize$, this._navigator.stateService.currentImage$) .subscribe(([[canvas, size], image]) => { canvas.width = size.width; canvas.height = size.height; canvas .getContext("2d") .drawImage(image.image, 0, 0, size.width, size.height); })); this._container.domRenderer.renderAdaptive$.next({ name: this._name, vNode: virtualDom.h(`canvas#${this._canvasId}`, []) }); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return {}; } } ImageFallbackComponent.componentName = "imagefallback"; /** * @class NavigationFallbackComponent * * @classdesc Fallback navigation component for environments without WebGL support. * * Replaces the functionality in the Direction and Sequence components. */ class NavigationFallbackComponent extends Component { /** @ignore */ constructor(name, container, navigator) { super(name, container, navigator); this._seqNames = {}; this._seqNames[exports.NavigationDirection[exports.NavigationDirection.Prev]] = "-prev"; this._seqNames[exports.NavigationDirection[exports.NavigationDirection.Next]] = "-next"; this._spaTopNames = {}; this._spaTopNames[exports.NavigationDirection[exports.NavigationDirection.TurnLeft]] = "-turn-left"; this._spaTopNames[exports.NavigationDirection[exports.NavigationDirection.StepLeft]] = "-left"; this._spaTopNames[exports.NavigationDirection[exports.NavigationDirection.StepForward]] = "-forward"; this._spaTopNames[exports.NavigationDirection[exports.NavigationDirection.StepRight]] = "-right"; this._spaTopNames[exports.NavigationDirection[exports.NavigationDirection.TurnRight]] = "-turn-right"; this._spaBottomNames = {}; this._spaBottomNames[exports.NavigationDirection[exports.NavigationDirection.TurnU]] = "-turn-around"; this._spaBottomNames[exports.NavigationDirection[exports.NavigationDirection.StepBackward]] = "-backward"; } _activate() { this._subscriptions.push(combineLatest(this._navigator.stateService.currentImage$, this._configuration$).pipe(switchMap(([image, configuration]) => { const sequenceEdges$ = configuration.sequence ? image.sequenceEdges$.pipe(map((status) => { return status.edges .map((edge) => { return edge.data.direction; }); })) : of([]); const spatialEdges$ = !isSpherical(image.cameraType) && configuration.spatial ? image.spatialEdges$.pipe(map((status) => { return status.edges .map((edge) => { return edge.data.direction; }); })) : of([]); return combineLatest(sequenceEdges$, spatialEdges$).pipe(map(([seq, spa]) => { return seq.concat(spa); })); }), map((edgeDirections) => { const seqs = this._createArrowRow(this._seqNames, edgeDirections); const spaTops = this._createArrowRow(this._spaTopNames, edgeDirections); const spaBottoms = this._createArrowRow(this._spaBottomNames, edgeDirections); const seqContainer = virtualDom.h(`div.mapillary-navigation-sequence`, seqs); const spaTopContainer = virtualDom.h(`div.NavigationSpatialTop`, spaTops); const spaBottomContainer = virtualDom.h(`div.mapillary-navigation-spatial-bottom`, spaBottoms); const spaContainer = virtualDom.h(`div.mapillary-navigation-spatial`, [spaTopContainer, spaBottomContainer]); return { name: this._name, vNode: virtualDom.h(`div.NavigationContainer`, [seqContainer, spaContainer]) }; })) .subscribe(this._container.domRenderer.render$)); } _deactivate() { this._subscriptions.unsubscribe(); } _getDefaultConfiguration() { return { sequence: true, spatial: true }; } _createArrowRow(arrowNames, edgeDirections) { const arrows = []; for (const arrowName in arrowNames) { if (!(arrowNames.hasOwnProperty(arrowName))) { continue; } const direction = exports.NavigationDirection[arrowName]; if (edgeDirections.indexOf(direction) !== -1) { arrows.push(this._createVNode(direction, arrowNames[arrowName], "visible")); } else { arrows.push(this._createVNode(direction, arrowNames[arrowName], "hidden")); } } return arrows; } _createVNode(direction, name, visibility) { return virtualDom.h(`span.mapillary-navigation-button.mapillary-navigation${name}`, { onclick: () => { this._navigator.moveDir$(direction) .subscribe(undefined, (error) => { if (!(error instanceof CancelMapillaryError)) { console.error(error); } }); }, style: { visibility: visibility, }, }, []); } } NavigationFallbackComponent.componentName = "navigationfallback"; /*! pako 2.1.0 https://github.com/nodeca/pako @license (MIT AND Zlib) */ // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. /* eslint-disable space-unary-ops */ /* Public constants ==========================================================*/ /* ===========================================================================*/ //const Z_FILTERED = 1; //const Z_HUFFMAN_ONLY = 2; //const Z_RLE = 3; const Z_FIXED$1 = 4; //const Z_DEFAULT_STRATEGY = 0; /* Possible values of the data_type field (though see inflate()) */ const Z_BINARY = 0; const Z_TEXT = 1; //const Z_ASCII = 1; // = Z_TEXT const Z_UNKNOWN$1 = 2; /*============================================================================*/ function zero$1(buf) { let len = buf.length; while (--len >= 0) { buf[len] = 0; } } // From zutil.h const STORED_BLOCK = 0; const STATIC_TREES = 1; const DYN_TREES = 2; /* The three kinds of block type */ const MIN_MATCH$1 = 3; const MAX_MATCH$1 = 258; /* The minimum and maximum match lengths */ // From deflate.h /* =========================================================================== * Internal compression state. */ const LENGTH_CODES$1 = 29; /* number of length codes, not counting the special END_BLOCK code */ const LITERALS$1 = 256; /* number of literal bytes 0..255 */ const L_CODES$1 = LITERALS$1 + 1 + LENGTH_CODES$1; /* number of Literal or Length codes, including the END_BLOCK code */ const D_CODES$1 = 30; /* number of distance codes */ const BL_CODES$1 = 19; /* number of codes used to transfer the bit lengths */ const HEAP_SIZE$1 = 2 * L_CODES$1 + 1; /* maximum heap size */ const MAX_BITS$1 = 15; /* All codes must not exceed MAX_BITS bits */ const Buf_size = 16; /* size of bit buffer in bi_buf */ /* =========================================================================== * Constants */ const MAX_BL_BITS = 7; /* Bit length codes must not exceed MAX_BL_BITS bits */ const END_BLOCK = 256; /* end of block literal code */ const REP_3_6 = 16; /* repeat previous bit length 3-6 times (2 bits of repeat count) */ const REPZ_3_10 = 17; /* repeat a zero length 3-10 times (3 bits of repeat count) */ const REPZ_11_138 = 18; /* repeat a zero length 11-138 times (7 bits of repeat count) */ /* eslint-disable comma-spacing,array-bracket-spacing */ const extra_lbits = /* extra bits for each length code */ new Uint8Array([0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0]); const extra_dbits = /* extra bits for each distance code */ new Uint8Array([0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13]); const extra_blbits = /* extra bits for each bit length code */ new Uint8Array([0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7]); const bl_order = new Uint8Array([16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15]); /* eslint-enable comma-spacing,array-bracket-spacing */ /* The lengths of the bit length codes are sent in order of decreasing * probability, to avoid transmitting the lengths for unused bit length codes. */ /* =========================================================================== * Local data. These are initialized only once. */ // We pre-fill arrays with 0 to avoid uninitialized gaps const DIST_CODE_LEN = 512; /* see definition of array dist_code below */ // !!!! Use flat array instead of structure, Freq = i*2, Len = i*2+1 const static_ltree = new Array((L_CODES$1 + 2) * 2); zero$1(static_ltree); /* The static literal tree. Since the bit lengths are imposed, there is no * need for the L_CODES extra codes used during heap construction. However * The codes 286 and 287 are needed to build a canonical tree (see _tr_init * below). */ const static_dtree = new Array(D_CODES$1 * 2); zero$1(static_dtree); /* The static distance tree. (Actually a trivial tree since all codes use * 5 bits.) */ const _dist_code = new Array(DIST_CODE_LEN); zero$1(_dist_code); /* Distance codes. The first 256 values correspond to the distances * 3 .. 258, the last 256 values correspond to the top 8 bits of * the 15 bit distances. */ const _length_code = new Array(MAX_MATCH$1 - MIN_MATCH$1 + 1); zero$1(_length_code); /* length code for each normalized match length (0 == MIN_MATCH) */ const base_length = new Array(LENGTH_CODES$1); zero$1(base_length); /* First normalized length for each code (0 = MIN_MATCH) */ const base_dist = new Array(D_CODES$1); zero$1(base_dist); /* First normalized distance for each code (0 = distance of 1) */ function StaticTreeDesc(static_tree, extra_bits, extra_base, elems, max_length) { this.static_tree = static_tree; /* static tree or NULL */ this.extra_bits = extra_bits; /* extra bits for each code or NULL */ this.extra_base = extra_base; /* base index for extra_bits */ this.elems = elems; /* max number of elements in the tree */ this.max_length = max_length; /* max bit length for the codes */ // show if `static_tree` has data or dummy - needed for monomorphic objects this.has_stree = static_tree && static_tree.length; } let static_l_desc; let static_d_desc; let static_bl_desc; function TreeDesc(dyn_tree, stat_desc) { this.dyn_tree = dyn_tree; /* the dynamic tree */ this.max_code = 0; /* largest code with non zero frequency */ this.stat_desc = stat_desc; /* the corresponding static tree */ } const d_code = (dist) => { return dist < 256 ? _dist_code[dist] : _dist_code[256 + (dist >>> 7)]; }; /* =========================================================================== * Output a short LSB first on the stream. * IN assertion: there is enough room in pendingBuf. */ const put_short = (s, w) => { // put_byte(s, (uch)((w) & 0xff)); // put_byte(s, (uch)((ush)(w) >> 8)); s.pending_buf[s.pending++] = (w) & 0xff; s.pending_buf[s.pending++] = (w >>> 8) & 0xff; }; /* =========================================================================== * Send a value on a given number of bits. * IN assertion: length <= 16 and value fits in length bits. */ const send_bits = (s, value, length) => { if (s.bi_valid > (Buf_size - length)) { s.bi_buf |= (value << s.bi_valid) & 0xffff; put_short(s, s.bi_buf); s.bi_buf = value >> (Buf_size - s.bi_valid); s.bi_valid += length - Buf_size; } else { s.bi_buf |= (value << s.bi_valid) & 0xffff; s.bi_valid += length; } }; const send_code = (s, c, tree) => { send_bits(s, tree[c * 2]/*.Code*/, tree[c * 2 + 1]/*.Len*/); }; /* =========================================================================== * Reverse the first len bits of a code, using straightforward code (a faster * method would use a table) * IN assertion: 1 <= len <= 15 */ const bi_reverse = (code, len) => { let res = 0; do { res |= code & 1; code >>>= 1; res <<= 1; } while (--len > 0); return res >>> 1; }; /* =========================================================================== * Flush the bit buffer, keeping at most 7 bits in it. */ const bi_flush = (s) => { if (s.bi_valid === 16) { put_short(s, s.bi_buf); s.bi_buf = 0; s.bi_valid = 0; } else if (s.bi_valid >= 8) { s.pending_buf[s.pending++] = s.bi_buf & 0xff; s.bi_buf >>= 8; s.bi_valid -= 8; } }; /* =========================================================================== * Compute the optimal bit lengths for a tree and update the total bit length * for the current block. * IN assertion: the fields freq and dad are set, heap[heap_max] and * above are the tree nodes sorted by increasing frequency. * OUT assertions: the field len is set to the optimal bit length, the * array bl_count contains the frequencies for each bit length. * The length opt_len is updated; static_len is also updated if stree is * not null. */ const gen_bitlen = (s, desc) => { // deflate_state *s; // tree_desc *desc; /* the tree descriptor */ const tree = desc.dyn_tree; const max_code = desc.max_code; const stree = desc.stat_desc.static_tree; const has_stree = desc.stat_desc.has_stree; const extra = desc.stat_desc.extra_bits; const base = desc.stat_desc.extra_base; const max_length = desc.stat_desc.max_length; let h; /* heap index */ let n, m; /* iterate over the tree elements */ let bits; /* bit length */ let xbits; /* extra bits */ let f; /* frequency */ let overflow = 0; /* number of elements with bit length too large */ for (bits = 0; bits <= MAX_BITS$1; bits++) { s.bl_count[bits] = 0; } /* In a first pass, compute the optimal bit lengths (which may * overflow in the case of the bit length tree). */ tree[s.heap[s.heap_max] * 2 + 1]/*.Len*/ = 0; /* root of the heap */ for (h = s.heap_max + 1; h < HEAP_SIZE$1; h++) { n = s.heap[h]; bits = tree[tree[n * 2 + 1]/*.Dad*/ * 2 + 1]/*.Len*/ + 1; if (bits > max_length) { bits = max_length; overflow++; } tree[n * 2 + 1]/*.Len*/ = bits; /* We overwrite tree[n].Dad which is no longer needed */ if (n > max_code) { continue; } /* not a leaf node */ s.bl_count[bits]++; xbits = 0; if (n >= base) { xbits = extra[n - base]; } f = tree[n * 2]/*.Freq*/; s.opt_len += f * (bits + xbits); if (has_stree) { s.static_len += f * (stree[n * 2 + 1]/*.Len*/ + xbits); } } if (overflow === 0) { return; } // Tracev((stderr," bit length overflow ")); /* This happens for example on obj2 and pic of the Calgary corpus */ /* Find the first bit length which could increase: */ do { bits = max_length - 1; while (s.bl_count[bits] === 0) { bits--; } s.bl_count[bits]--; /* move one leaf down the tree */ s.bl_count[bits + 1] += 2; /* move one overflow item as its brother */ s.bl_count[max_length]--; /* The brother of the overflow item also moves one step up, * but this does not affect bl_count[max_length] */ overflow -= 2; } while (overflow > 0); /* Now recompute all bit lengths, scanning in increasing frequency. * h is still equal to HEAP_SIZE. (It is simpler to reconstruct all * lengths instead of fixing only the wrong ones. This idea is taken * from "ar" written by Haruhiko Okumura.) */ for (bits = max_length; bits !== 0; bits--) { n = s.bl_count[bits]; while (n !== 0) { m = s.heap[--h]; if (m > max_code) { continue; } if (tree[m * 2 + 1]/*.Len*/ !== bits) { // Tracev((stderr,"code %d bits %d->%d ", m, tree[m].Len, bits)); s.opt_len += (bits - tree[m * 2 + 1]/*.Len*/) * tree[m * 2]/*.Freq*/; tree[m * 2 + 1]/*.Len*/ = bits; } n--; } } }; /* =========================================================================== * Generate the codes for a given tree and bit counts (which need not be * optimal). * IN assertion: the array bl_count contains the bit length statistics for * the given tree and the field len is set for all tree elements. * OUT assertion: the field code is set for all tree elements of non * zero code length. */ const gen_codes = (tree, max_code, bl_count) => { // ct_data *tree; /* the tree to decorate */ // int max_code; /* largest code with non zero frequency */ // ushf *bl_count; /* number of codes at each bit length */ const next_code = new Array(MAX_BITS$1 + 1); /* next code value for each bit length */ let code = 0; /* running code value */ let bits; /* bit index */ let n; /* code index */ /* The distribution counts are first used to generate the code values * without bit reversal. */ for (bits = 1; bits <= MAX_BITS$1; bits++) { code = (code + bl_count[bits - 1]) << 1; next_code[bits] = code; } /* Check that the bit counts in bl_count are consistent. The last code * must be all ones. */ //Assert (code + bl_count[MAX_BITS]-1 == (1< { let n; /* iterates over tree elements */ let bits; /* bit counter */ let length; /* length value */ let code; /* code value */ let dist; /* distance index */ const bl_count = new Array(MAX_BITS$1 + 1); /* number of codes at each bit length for an optimal tree */ // do check in _tr_init() //if (static_init_done) return; /* For some embedded targets, global variables are not initialized: */ /*#ifdef NO_INIT_GLOBAL_POINTERS static_l_desc.static_tree = static_ltree; static_l_desc.extra_bits = extra_lbits; static_d_desc.static_tree = static_dtree; static_d_desc.extra_bits = extra_dbits; static_bl_desc.extra_bits = extra_blbits; #endif*/ /* Initialize the mapping length (0..255) -> length code (0..28) */ length = 0; for (code = 0; code < LENGTH_CODES$1 - 1; code++) { base_length[code] = length; for (n = 0; n < (1 << extra_lbits[code]); n++) { _length_code[length++] = code; } } //Assert (length == 256, "tr_static_init: length != 256"); /* Note that the length 255 (match length 258) can be represented * in two different ways: code 284 + 5 bits or code 285, so we * overwrite length_code[255] to use the best encoding: */ _length_code[length - 1] = code; /* Initialize the mapping dist (0..32K) -> dist code (0..29) */ dist = 0; for (code = 0; code < 16; code++) { base_dist[code] = dist; for (n = 0; n < (1 << extra_dbits[code]); n++) { _dist_code[dist++] = code; } } //Assert (dist == 256, "tr_static_init: dist != 256"); dist >>= 7; /* from now on, all distances are divided by 128 */ for (; code < D_CODES$1; code++) { base_dist[code] = dist << 7; for (n = 0; n < (1 << (extra_dbits[code] - 7)); n++) { _dist_code[256 + dist++] = code; } } //Assert (dist == 256, "tr_static_init: 256+dist != 512"); /* Construct the codes of the static literal tree */ for (bits = 0; bits <= MAX_BITS$1; bits++) { bl_count[bits] = 0; } n = 0; while (n <= 143) { static_ltree[n * 2 + 1]/*.Len*/ = 8; n++; bl_count[8]++; } while (n <= 255) { static_ltree[n * 2 + 1]/*.Len*/ = 9; n++; bl_count[9]++; } while (n <= 279) { static_ltree[n * 2 + 1]/*.Len*/ = 7; n++; bl_count[7]++; } while (n <= 287) { static_ltree[n * 2 + 1]/*.Len*/ = 8; n++; bl_count[8]++; } /* Codes 286 and 287 do not exist, but we must include them in the * tree construction to get a canonical Huffman tree (longest code * all ones) */ gen_codes(static_ltree, L_CODES$1 + 1, bl_count); /* The static distance tree is trivial: */ for (n = 0; n < D_CODES$1; n++) { static_dtree[n * 2 + 1]/*.Len*/ = 5; static_dtree[n * 2]/*.Code*/ = bi_reverse(n, 5); } // Now data ready and we can init static trees static_l_desc = new StaticTreeDesc(static_ltree, extra_lbits, LITERALS$1 + 1, L_CODES$1, MAX_BITS$1); static_d_desc = new StaticTreeDesc(static_dtree, extra_dbits, 0, D_CODES$1, MAX_BITS$1); static_bl_desc = new StaticTreeDesc(new Array(0), extra_blbits, 0, BL_CODES$1, MAX_BL_BITS); //static_init_done = true; }; /* =========================================================================== * Initialize a new block. */ const init_block = (s) => { let n; /* iterates over tree elements */ /* Initialize the trees. */ for (n = 0; n < L_CODES$1; n++) { s.dyn_ltree[n * 2]/*.Freq*/ = 0; } for (n = 0; n < D_CODES$1; n++) { s.dyn_dtree[n * 2]/*.Freq*/ = 0; } for (n = 0; n < BL_CODES$1; n++) { s.bl_tree[n * 2]/*.Freq*/ = 0; } s.dyn_ltree[END_BLOCK * 2]/*.Freq*/ = 1; s.opt_len = s.static_len = 0; s.sym_next = s.matches = 0; }; /* =========================================================================== * Flush the bit buffer and align the output on a byte boundary */ const bi_windup = (s) => { if (s.bi_valid > 8) { put_short(s, s.bi_buf); } else if (s.bi_valid > 0) { //put_byte(s, (Byte)s->bi_buf); s.pending_buf[s.pending++] = s.bi_buf; } s.bi_buf = 0; s.bi_valid = 0; }; /* =========================================================================== * Compares to subtrees, using the tree depth as tie breaker when * the subtrees have equal frequency. This minimizes the worst case length. */ const smaller = (tree, n, m, depth) => { const _n2 = n * 2; const _m2 = m * 2; return (tree[_n2]/*.Freq*/ < tree[_m2]/*.Freq*/ || (tree[_n2]/*.Freq*/ === tree[_m2]/*.Freq*/ && depth[n] <= depth[m])); }; /* =========================================================================== * Restore the heap property by moving down the tree starting at node k, * exchanging a node with the smallest of its two sons if necessary, stopping * when the heap property is re-established (each father smaller than its * two sons). */ const pqdownheap = (s, tree, k) => { // deflate_state *s; // ct_data *tree; /* the tree to restore */ // int k; /* node to move down */ const v = s.heap[k]; let j = k << 1; /* left son of k */ while (j <= s.heap_len) { /* Set j to the smallest of the two sons: */ if (j < s.heap_len && smaller(tree, s.heap[j + 1], s.heap[j], s.depth)) { j++; } /* Exit if v is smaller than both sons */ if (smaller(tree, v, s.heap[j], s.depth)) { break; } /* Exchange v with the smallest son */ s.heap[k] = s.heap[j]; k = j; /* And continue down the tree, setting j to the left son of k */ j <<= 1; } s.heap[k] = v; }; // inlined manually // const SMALLEST = 1; /* =========================================================================== * Send the block data compressed using the given Huffman trees */ const compress_block = (s, ltree, dtree) => { // deflate_state *s; // const ct_data *ltree; /* literal tree */ // const ct_data *dtree; /* distance tree */ let dist; /* distance of matched string */ let lc; /* match length or unmatched char (if dist == 0) */ let sx = 0; /* running index in sym_buf */ let code; /* the code to send */ let extra; /* number of extra bits to send */ if (s.sym_next !== 0) { do { dist = s.pending_buf[s.sym_buf + sx++] & 0xff; dist += (s.pending_buf[s.sym_buf + sx++] & 0xff) << 8; lc = s.pending_buf[s.sym_buf + sx++]; if (dist === 0) { send_code(s, lc, ltree); /* send a literal byte */ //Tracecv(isgraph(lc), (stderr," "%c" ", lc)); } else { /* Here, lc is the match length - MIN_MATCH */ code = _length_code[lc]; send_code(s, code + LITERALS$1 + 1, ltree); /* send the length code */ extra = extra_lbits[code]; if (extra !== 0) { lc -= base_length[code]; send_bits(s, lc, extra); /* send the extra length bits */ } dist--; /* dist is now the match distance - 1 */ code = d_code(dist); //Assert (code < D_CODES, "bad d_code"); send_code(s, code, dtree); /* send the distance code */ extra = extra_dbits[code]; if (extra !== 0) { dist -= base_dist[code]; send_bits(s, dist, extra); /* send the extra distance bits */ } } /* literal or match pair ? */ /* Check that the overlay between pending_buf and sym_buf is ok: */ //Assert(s->pending < s->lit_bufsize + sx, "pendingBuf overflow"); } while (sx < s.sym_next); } send_code(s, END_BLOCK, ltree); }; /* =========================================================================== * Construct one Huffman tree and assigns the code bit strings and lengths. * Update the total bit length for the current block. * IN assertion: the field freq is set for all tree elements. * OUT assertions: the fields len and code are set to the optimal bit length * and corresponding code. The length opt_len is updated; static_len is * also updated if stree is not null. The field max_code is set. */ const build_tree = (s, desc) => { // deflate_state *s; // tree_desc *desc; /* the tree descriptor */ const tree = desc.dyn_tree; const stree = desc.stat_desc.static_tree; const has_stree = desc.stat_desc.has_stree; const elems = desc.stat_desc.elems; let n, m; /* iterate over heap elements */ let max_code = -1; /* largest code with non zero frequency */ let node; /* new node being created */ /* Construct the initial heap, with least frequent element in * heap[SMALLEST]. The sons of heap[n] are heap[2*n] and heap[2*n+1]. * heap[0] is not used. */ s.heap_len = 0; s.heap_max = HEAP_SIZE$1; for (n = 0; n < elems; n++) { if (tree[n * 2]/*.Freq*/ !== 0) { s.heap[++s.heap_len] = max_code = n; s.depth[n] = 0; } else { tree[n * 2 + 1]/*.Len*/ = 0; } } /* The pkzip format requires that at least one distance code exists, * and that at least one bit should be sent even if there is only one * possible code. So to avoid special checks later on we force at least * two codes of non zero frequency. */ while (s.heap_len < 2) { node = s.heap[++s.heap_len] = (max_code < 2 ? ++max_code : 0); tree[node * 2]/*.Freq*/ = 1; s.depth[node] = 0; s.opt_len--; if (has_stree) { s.static_len -= stree[node * 2 + 1]/*.Len*/; } /* node is 0 or 1 so it does not have extra bits */ } desc.max_code = max_code; /* The elements heap[heap_len/2+1 .. heap_len] are leaves of the tree, * establish sub-heaps of increasing lengths: */ for (n = (s.heap_len >> 1/*int /2*/); n >= 1; n--) { pqdownheap(s, tree, n); } /* Construct the Huffman tree by repeatedly combining the least two * frequent nodes. */ node = elems; /* next internal node of the tree */ do { //pqremove(s, tree, n); /* n = node of least frequency */ /*** pqremove ***/ n = s.heap[1/*SMALLEST*/]; s.heap[1/*SMALLEST*/] = s.heap[s.heap_len--]; pqdownheap(s, tree, 1/*SMALLEST*/); /***/ m = s.heap[1/*SMALLEST*/]; /* m = node of next least frequency */ s.heap[--s.heap_max] = n; /* keep the nodes sorted by frequency */ s.heap[--s.heap_max] = m; /* Create a new node father of n and m */ tree[node * 2]/*.Freq*/ = tree[n * 2]/*.Freq*/ + tree[m * 2]/*.Freq*/; s.depth[node] = (s.depth[n] >= s.depth[m] ? s.depth[n] : s.depth[m]) + 1; tree[n * 2 + 1]/*.Dad*/ = tree[m * 2 + 1]/*.Dad*/ = node; /* and insert the new node in the heap */ s.heap[1/*SMALLEST*/] = node++; pqdownheap(s, tree, 1/*SMALLEST*/); } while (s.heap_len >= 2); s.heap[--s.heap_max] = s.heap[1/*SMALLEST*/]; /* At this point, the fields freq and dad are set. We can now * generate the bit lengths. */ gen_bitlen(s, desc); /* The field len is now set, we can generate the bit codes */ gen_codes(tree, max_code, s.bl_count); }; /* =========================================================================== * Scan a literal or distance tree to determine the frequencies of the codes * in the bit length tree. */ const scan_tree = (s, tree, max_code) => { // deflate_state *s; // ct_data *tree; /* the tree to be scanned */ // int max_code; /* and its largest code of non zero frequency */ let n; /* iterates over all tree elements */ let prevlen = -1; /* last emitted length */ let curlen; /* length of current code */ let nextlen = tree[0 * 2 + 1]/*.Len*/; /* length of next code */ let count = 0; /* repeat count of the current code */ let max_count = 7; /* max repeat count */ let min_count = 4; /* min repeat count */ if (nextlen === 0) { max_count = 138; min_count = 3; } tree[(max_code + 1) * 2 + 1]/*.Len*/ = 0xffff; /* guard */ for (n = 0; n <= max_code; n++) { curlen = nextlen; nextlen = tree[(n + 1) * 2 + 1]/*.Len*/; if (++count < max_count && curlen === nextlen) { continue; } else if (count < min_count) { s.bl_tree[curlen * 2]/*.Freq*/ += count; } else if (curlen !== 0) { if (curlen !== prevlen) { s.bl_tree[curlen * 2]/*.Freq*/++; } s.bl_tree[REP_3_6 * 2]/*.Freq*/++; } else if (count <= 10) { s.bl_tree[REPZ_3_10 * 2]/*.Freq*/++; } else { s.bl_tree[REPZ_11_138 * 2]/*.Freq*/++; } count = 0; prevlen = curlen; if (nextlen === 0) { max_count = 138; min_count = 3; } else if (curlen === nextlen) { max_count = 6; min_count = 3; } else { max_count = 7; min_count = 4; } } }; /* =========================================================================== * Send a literal or distance tree in compressed form, using the codes in * bl_tree. */ const send_tree = (s, tree, max_code) => { // deflate_state *s; // ct_data *tree; /* the tree to be scanned */ // int max_code; /* and its largest code of non zero frequency */ let n; /* iterates over all tree elements */ let prevlen = -1; /* last emitted length */ let curlen; /* length of current code */ let nextlen = tree[0 * 2 + 1]/*.Len*/; /* length of next code */ let count = 0; /* repeat count of the current code */ let max_count = 7; /* max repeat count */ let min_count = 4; /* min repeat count */ /* tree[max_code+1].Len = -1; */ /* guard already set */ if (nextlen === 0) { max_count = 138; min_count = 3; } for (n = 0; n <= max_code; n++) { curlen = nextlen; nextlen = tree[(n + 1) * 2 + 1]/*.Len*/; if (++count < max_count && curlen === nextlen) { continue; } else if (count < min_count) { do { send_code(s, curlen, s.bl_tree); } while (--count !== 0); } else if (curlen !== 0) { if (curlen !== prevlen) { send_code(s, curlen, s.bl_tree); count--; } //Assert(count >= 3 && count <= 6, " 3_6?"); send_code(s, REP_3_6, s.bl_tree); send_bits(s, count - 3, 2); } else if (count <= 10) { send_code(s, REPZ_3_10, s.bl_tree); send_bits(s, count - 3, 3); } else { send_code(s, REPZ_11_138, s.bl_tree); send_bits(s, count - 11, 7); } count = 0; prevlen = curlen; if (nextlen === 0) { max_count = 138; min_count = 3; } else if (curlen === nextlen) { max_count = 6; min_count = 3; } else { max_count = 7; min_count = 4; } } }; /* =========================================================================== * Construct the Huffman tree for the bit lengths and return the index in * bl_order of the last bit length code to send. */ const build_bl_tree = (s) => { let max_blindex; /* index of last bit length code of non zero freq */ /* Determine the bit length frequencies for literal and distance trees */ scan_tree(s, s.dyn_ltree, s.l_desc.max_code); scan_tree(s, s.dyn_dtree, s.d_desc.max_code); /* Build the bit length tree: */ build_tree(s, s.bl_desc); /* opt_len now includes the length of the tree representations, except * the lengths of the bit lengths codes and the 5+5+4 bits for the counts. */ /* Determine the number of bit length codes to send. The pkzip format * requires that at least 4 bit length codes be sent. (appnote.txt says * 3 but the actual value used is 4.) */ for (max_blindex = BL_CODES$1 - 1; max_blindex >= 3; max_blindex--) { if (s.bl_tree[bl_order[max_blindex] * 2 + 1]/*.Len*/ !== 0) { break; } } /* Update opt_len to include the bit length tree and counts */ s.opt_len += 3 * (max_blindex + 1) + 5 + 5 + 4; //Tracev((stderr, " dyn trees: dyn %ld, stat %ld", // s->opt_len, s->static_len)); return max_blindex; }; /* =========================================================================== * Send the header for a block using dynamic Huffman trees: the counts, the * lengths of the bit length codes, the literal tree and the distance tree. * IN assertion: lcodes >= 257, dcodes >= 1, blcodes >= 4. */ const send_all_trees = (s, lcodes, dcodes, blcodes) => { // deflate_state *s; // int lcodes, dcodes, blcodes; /* number of codes for each tree */ let rank; /* index in bl_order */ //Assert (lcodes >= 257 && dcodes >= 1 && blcodes >= 4, "not enough codes"); //Assert (lcodes <= L_CODES && dcodes <= D_CODES && blcodes <= BL_CODES, // "too many codes"); //Tracev((stderr, " bl counts: ")); send_bits(s, lcodes - 257, 5); /* not +255 as stated in appnote.txt */ send_bits(s, dcodes - 1, 5); send_bits(s, blcodes - 4, 4); /* not -3 as stated in appnote.txt */ for (rank = 0; rank < blcodes; rank++) { //Tracev((stderr, " bl code %2d ", bl_order[rank])); send_bits(s, s.bl_tree[bl_order[rank] * 2 + 1]/*.Len*/, 3); } //Tracev((stderr, " bl tree: sent %ld", s->bits_sent)); send_tree(s, s.dyn_ltree, lcodes - 1); /* literal tree */ //Tracev((stderr, " lit tree: sent %ld", s->bits_sent)); send_tree(s, s.dyn_dtree, dcodes - 1); /* distance tree */ //Tracev((stderr, " dist tree: sent %ld", s->bits_sent)); }; /* =========================================================================== * Check if the data type is TEXT or BINARY, using the following algorithm: * - TEXT if the two conditions below are satisfied: * a) There are no non-portable control characters belonging to the * "block list" (0..6, 14..25, 28..31). * b) There is at least one printable character belonging to the * "allow list" (9 {TAB}, 10 {LF}, 13 {CR}, 32..255). * - BINARY otherwise. * - The following partially-portable control characters form a * "gray list" that is ignored in this detection algorithm: * (7 {BEL}, 8 {BS}, 11 {VT}, 12 {FF}, 26 {SUB}, 27 {ESC}). * IN assertion: the fields Freq of dyn_ltree are set. */ const detect_data_type = (s) => { /* block_mask is the bit mask of block-listed bytes * set bits 0..6, 14..25, and 28..31 * 0xf3ffc07f = binary 11110011111111111100000001111111 */ let block_mask = 0xf3ffc07f; let n; /* Check for non-textual ("block-listed") bytes. */ for (n = 0; n <= 31; n++, block_mask >>>= 1) { if ((block_mask & 1) && (s.dyn_ltree[n * 2]/*.Freq*/ !== 0)) { return Z_BINARY; } } /* Check for textual ("allow-listed") bytes. */ if (s.dyn_ltree[9 * 2]/*.Freq*/ !== 0 || s.dyn_ltree[10 * 2]/*.Freq*/ !== 0 || s.dyn_ltree[13 * 2]/*.Freq*/ !== 0) { return Z_TEXT; } for (n = 32; n < LITERALS$1; n++) { if (s.dyn_ltree[n * 2]/*.Freq*/ !== 0) { return Z_TEXT; } } /* There are no "block-listed" or "allow-listed" bytes: * this stream either is empty or has tolerated ("gray-listed") bytes only. */ return Z_BINARY; }; let static_init_done = false; /* =========================================================================== * Initialize the tree data structures for a new zlib stream. */ const _tr_init$1 = (s) => { if (!static_init_done) { tr_static_init(); static_init_done = true; } s.l_desc = new TreeDesc(s.dyn_ltree, static_l_desc); s.d_desc = new TreeDesc(s.dyn_dtree, static_d_desc); s.bl_desc = new TreeDesc(s.bl_tree, static_bl_desc); s.bi_buf = 0; s.bi_valid = 0; /* Initialize the first block of the first file: */ init_block(s); }; /* =========================================================================== * Send a stored block */ const _tr_stored_block$1 = (s, buf, stored_len, last) => { //DeflateState *s; //charf *buf; /* input block */ //ulg stored_len; /* length of input block */ //int last; /* one if this is the last block for a file */ send_bits(s, (STORED_BLOCK << 1) + (last ? 1 : 0), 3); /* send block type */ bi_windup(s); /* align on byte boundary */ put_short(s, stored_len); put_short(s, ~stored_len); if (stored_len) { s.pending_buf.set(s.window.subarray(buf, buf + stored_len), s.pending); } s.pending += stored_len; }; /* =========================================================================== * Send one empty static block to give enough lookahead for inflate. * This takes 10 bits, of which 7 may remain in the bit buffer. */ const _tr_align$1 = (s) => { send_bits(s, STATIC_TREES << 1, 3); send_code(s, END_BLOCK, static_ltree); bi_flush(s); }; /* =========================================================================== * Determine the best encoding for the current block: dynamic trees, static * trees or store, and write out the encoded block. */ const _tr_flush_block$1 = (s, buf, stored_len, last) => { //DeflateState *s; //charf *buf; /* input block, or NULL if too old */ //ulg stored_len; /* length of input block */ //int last; /* one if this is the last block for a file */ let opt_lenb, static_lenb; /* opt_len and static_len in bytes */ let max_blindex = 0; /* index of last bit length code of non zero freq */ /* Build the Huffman trees unless a stored block is forced */ if (s.level > 0) { /* Check if the file is binary or text */ if (s.strm.data_type === Z_UNKNOWN$1) { s.strm.data_type = detect_data_type(s); } /* Construct the literal and distance trees */ build_tree(s, s.l_desc); // Tracev((stderr, " lit data: dyn %ld, stat %ld", s->opt_len, // s->static_len)); build_tree(s, s.d_desc); // Tracev((stderr, " dist data: dyn %ld, stat %ld", s->opt_len, // s->static_len)); /* At this point, opt_len and static_len are the total bit lengths of * the compressed block data, excluding the tree representations. */ /* Build the bit length tree for the above two trees, and get the index * in bl_order of the last bit length code to send. */ max_blindex = build_bl_tree(s); /* Determine the best encoding. Compute the block lengths in bytes. */ opt_lenb = (s.opt_len + 3 + 7) >>> 3; static_lenb = (s.static_len + 3 + 7) >>> 3; // Tracev((stderr, " opt %lu(%lu) stat %lu(%lu) stored %lu lit %u ", // opt_lenb, s->opt_len, static_lenb, s->static_len, stored_len, // s->sym_next / 3)); if (static_lenb <= opt_lenb) { opt_lenb = static_lenb; } } else { // Assert(buf != (char*)0, "lost buf"); opt_lenb = static_lenb = stored_len + 5; /* force a stored block */ } if ((stored_len + 4 <= opt_lenb) && (buf !== -1)) { /* 4: two words for the lengths */ /* The test buf != NULL is only necessary if LIT_BUFSIZE > WSIZE. * Otherwise we can"t have processed more than WSIZE input bytes since * the last block flush, because compression would have been * successful. If LIT_BUFSIZE <= WSIZE, it is never too late to * transform a block into a stored block. */ _tr_stored_block$1(s, buf, stored_len, last); } else if (s.strategy === Z_FIXED$1 || static_lenb === opt_lenb) { send_bits(s, (STATIC_TREES << 1) + (last ? 1 : 0), 3); compress_block(s, static_ltree, static_dtree); } else { send_bits(s, (DYN_TREES << 1) + (last ? 1 : 0), 3); send_all_trees(s, s.l_desc.max_code + 1, s.d_desc.max_code + 1, max_blindex + 1); compress_block(s, s.dyn_ltree, s.dyn_dtree); } // Assert (s->compressed_len == s->bits_sent, "bad compressed size"); /* The above check is made mod 2^32, for files larger than 512 MB * and uLong implemented on 32 bits. */ init_block(s); if (last) { bi_windup(s); } // Tracev((stderr," comprlen %lu(%lu) ", s->compressed_len>>3, // s->compressed_len-7*last)); }; /* =========================================================================== * Save the match info and tally the frequency counts. Return true if * the current block must be flushed. */ const _tr_tally$1 = (s, dist, lc) => { // deflate_state *s; // unsigned dist; /* distance of matched string */ // unsigned lc; /* match length-MIN_MATCH or unmatched char (if dist==0) */ s.pending_buf[s.sym_buf + s.sym_next++] = dist; s.pending_buf[s.sym_buf + s.sym_next++] = dist >> 8; s.pending_buf[s.sym_buf + s.sym_next++] = lc; if (dist === 0) { /* lc is the unmatched char */ s.dyn_ltree[lc * 2]/*.Freq*/++; } else { s.matches++; /* Here, lc is the match length - MIN_MATCH */ dist--; /* dist = match distance - 1 */ //Assert((ush)dist < (ush)MAX_DIST(s) && // (ush)lc <= (ush)(MAX_MATCH-MIN_MATCH) && // (ush)d_code(dist) < (ush)D_CODES, "_tr_tally: bad match"); s.dyn_ltree[(_length_code[lc] + LITERALS$1 + 1) * 2]/*.Freq*/++; s.dyn_dtree[d_code(dist) * 2]/*.Freq*/++; } return (s.sym_next === s.sym_end); }; var _tr_init_1 = _tr_init$1; var _tr_stored_block_1 = _tr_stored_block$1; var _tr_flush_block_1 = _tr_flush_block$1; var _tr_tally_1 = _tr_tally$1; var _tr_align_1 = _tr_align$1; var trees = { _tr_init: _tr_init_1, _tr_stored_block: _tr_stored_block_1, _tr_flush_block: _tr_flush_block_1, _tr_tally: _tr_tally_1, _tr_align: _tr_align_1 }; // Note: adler32 takes 12% for level 0 and 2% for level 6. // It isn"t worth it to make additional optimizations as in original. // Small size is preferable. // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. const adler32 = (adler, buf, len, pos) => { let s1 = (adler & 0xffff) |0, s2 = ((adler >>> 16) & 0xffff) |0, n = 0; while (len !== 0) { // Set limit ~ twice less than 5552, to keep // s2 in 31-bits, because we force signed ints. // in other case %= will fail. n = len > 2000 ? 2000 : len; len -= n; do { s1 = (s1 + buf[pos++]) |0; s2 = (s2 + s1) |0; } while (--n); s1 %= 65521; s2 %= 65521; } return (s1 | (s2 << 16)) |0; }; var adler32_1 = adler32; // Note: we can"t get significant speed boost here. // So write code to minimize size - no pregenerated tables // and array tools dependencies. // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. // Use ordinary array, since untyped makes no boost here const makeTable = () => { let c, table = []; for (var n = 0; n < 256; n++) { c = n; for (var k = 0; k < 8; k++) { c = ((c & 1) ? (0xEDB88320 ^ (c >>> 1)) : (c >>> 1)); } table[n] = c; } return table; }; // Create table on load. Just 255 signed longs. Not a problem. const crcTable = new Uint32Array(makeTable()); const crc32 = (crc, buf, len, pos) => { const t = crcTable; const end = pos + len; crc ^= -1; for (let i = pos; i < end; i++) { crc = (crc >>> 8) ^ t[(crc ^ buf[i]) & 0xFF]; } return (crc ^ (-1)); // >>> 0; }; var crc32_1 = crc32; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. var messages = { 2: "need dictionary", /* Z_NEED_DICT 2 */ 1: "stream end", /* Z_STREAM_END 1 */ 0: "", /* Z_OK 0 */ "-1": "file error", /* Z_ERRNO (-1) */ "-2": "stream error", /* Z_STREAM_ERROR (-2) */ "-3": "data error", /* Z_DATA_ERROR (-3) */ "-4": "insufficient memory", /* Z_MEM_ERROR (-4) */ "-5": "buffer error", /* Z_BUF_ERROR (-5) */ "-6": "incompatible version" /* Z_VERSION_ERROR (-6) */ }; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. var constants$2 = { /* Allowed flush values; see deflate() and inflate() below for details */ Z_NO_FLUSH: 0, Z_PARTIAL_FLUSH: 1, Z_SYNC_FLUSH: 2, Z_FULL_FLUSH: 3, Z_FINISH: 4, Z_BLOCK: 5, Z_TREES: 6, /* Return codes for the compression/decompression functions. Negative values * are errors, positive values are used for special but normal events. */ Z_OK: 0, Z_STREAM_END: 1, Z_NEED_DICT: 2, Z_ERRNO: -1, Z_STREAM_ERROR: -2, Z_DATA_ERROR: -3, Z_MEM_ERROR: -4, Z_BUF_ERROR: -5, //Z_VERSION_ERROR: -6, /* compression levels */ Z_NO_COMPRESSION: 0, Z_BEST_SPEED: 1, Z_BEST_COMPRESSION: 9, Z_DEFAULT_COMPRESSION: -1, Z_FILTERED: 1, Z_HUFFMAN_ONLY: 2, Z_RLE: 3, Z_FIXED: 4, Z_DEFAULT_STRATEGY: 0, /* Possible values of the data_type field (though see inflate()) */ Z_BINARY: 0, Z_TEXT: 1, //Z_ASCII: 1, // = Z_TEXT (deprecated) Z_UNKNOWN: 2, /* The deflate compression method */ Z_DEFLATED: 8 //Z_NULL: null // Use -1 or null inline, depending on var type }; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. const { _tr_init, _tr_stored_block, _tr_flush_block, _tr_tally, _tr_align } = trees; /* Public constants ==========================================================*/ /* ===========================================================================*/ const { Z_NO_FLUSH: Z_NO_FLUSH$2, Z_PARTIAL_FLUSH, Z_FULL_FLUSH: Z_FULL_FLUSH$1, Z_FINISH: Z_FINISH$3, Z_BLOCK: Z_BLOCK$1, Z_OK: Z_OK$3, Z_STREAM_END: Z_STREAM_END$3, Z_STREAM_ERROR: Z_STREAM_ERROR$2, Z_DATA_ERROR: Z_DATA_ERROR$2, Z_BUF_ERROR: Z_BUF_ERROR$1, Z_DEFAULT_COMPRESSION: Z_DEFAULT_COMPRESSION$1, Z_FILTERED, Z_HUFFMAN_ONLY, Z_RLE, Z_FIXED, Z_DEFAULT_STRATEGY: Z_DEFAULT_STRATEGY$1, Z_UNKNOWN, Z_DEFLATED: Z_DEFLATED$2 } = constants$2; /*============================================================================*/ const MAX_MEM_LEVEL = 9; /* Maximum value for memLevel in deflateInit2 */ const MAX_WBITS$1 = 15; /* 32K LZ77 window */ const DEF_MEM_LEVEL = 8; const LENGTH_CODES = 29; /* number of length codes, not counting the special END_BLOCK code */ const LITERALS = 256; /* number of literal bytes 0..255 */ const L_CODES = LITERALS + 1 + LENGTH_CODES; /* number of Literal or Length codes, including the END_BLOCK code */ const D_CODES = 30; /* number of distance codes */ const BL_CODES = 19; /* number of codes used to transfer the bit lengths */ const HEAP_SIZE = 2 * L_CODES + 1; /* maximum heap size */ const MAX_BITS = 15; /* All codes must not exceed MAX_BITS bits */ const MIN_MATCH = 3; const MAX_MATCH = 258; const MIN_LOOKAHEAD = (MAX_MATCH + MIN_MATCH + 1); const PRESET_DICT = 0x20; const INIT_STATE = 42; /* zlib header -> BUSY_STATE */ //#ifdef GZIP const GZIP_STATE = 57; /* gzip header -> BUSY_STATE | EXTRA_STATE */ //#endif const EXTRA_STATE = 69; /* gzip extra block -> NAME_STATE */ const NAME_STATE = 73; /* gzip file name -> COMMENT_STATE */ const COMMENT_STATE = 91; /* gzip comment -> HCRC_STATE */ const HCRC_STATE = 103; /* gzip header CRC -> BUSY_STATE */ const BUSY_STATE = 113; /* deflate -> FINISH_STATE */ const FINISH_STATE = 666; /* stream complete */ const BS_NEED_MORE = 1; /* block not completed, need more input or more output */ const BS_BLOCK_DONE = 2; /* block flush performed */ const BS_FINISH_STARTED = 3; /* finish started, need only more output at next deflate */ const BS_FINISH_DONE = 4; /* finish done, accept no more input or output */ const OS_CODE = 0x03; // Unix :) . Don"t detect, use this default. const err = (strm, errorCode) => { strm.msg = messages[errorCode]; return errorCode; }; const rank = (f) => { return ((f) * 2) - ((f) > 4 ? 9 : 0); }; const zero = (buf) => { let len = buf.length; while (--len >= 0) { buf[len] = 0; } }; /* =========================================================================== * Slide the hash table when sliding the window down (could be avoided with 32 * bit values at the expense of memory usage). We slide even when level == 0 to * keep the hash table consistent if we switch back to level > 0 later. */ const slide_hash = (s) => { let n, m; let p; let wsize = s.w_size; n = s.hash_size; p = n; do { m = s.head[--p]; s.head[p] = (m >= wsize ? m - wsize : 0); } while (--n); n = wsize; //#ifndef FASTEST p = n; do { m = s.prev[--p]; s.prev[p] = (m >= wsize ? m - wsize : 0); /* If n is not on any hash chain, prev[n] is garbage but * its value will never be used. */ } while (--n); //#endif }; /* eslint-disable new-cap */ let HASH_ZLIB = (s, prev, data) => ((prev << s.hash_shift) ^ data) & s.hash_mask; // This hash causes less collisions, https://github.com/nodeca/pako/issues/135 // But breaks binary compatibility //let HASH_FAST = (s, prev, data) => ((prev << 8) + (prev >> 8) + (data << 4)) & s.hash_mask; let HASH = HASH_ZLIB; /* ========================================================================= * Flush as much pending output as possible. All deflate() output, except for * some deflate_stored() output, goes through this function so some * applications may wish to modify it to avoid allocating a large * strm->next_out buffer and copying into it. (See also read_buf()). */ const flush_pending = (strm) => { const s = strm.state; //_tr_flush_bits(s); let len = s.pending; if (len > strm.avail_out) { len = strm.avail_out; } if (len === 0) { return; } strm.output.set(s.pending_buf.subarray(s.pending_out, s.pending_out + len), strm.next_out); strm.next_out += len; s.pending_out += len; strm.total_out += len; strm.avail_out -= len; s.pending -= len; if (s.pending === 0) { s.pending_out = 0; } }; const flush_block_only = (s, last) => { _tr_flush_block(s, (s.block_start >= 0 ? s.block_start : -1), s.strstart - s.block_start, last); s.block_start = s.strstart; flush_pending(s.strm); }; const put_byte = (s, b) => { s.pending_buf[s.pending++] = b; }; /* ========================================================================= * Put a short in the pending buffer. The 16-bit value is put in MSB order. * IN assertion: the stream state is correct and there is enough room in * pending_buf. */ const putShortMSB = (s, b) => { // put_byte(s, (Byte)(b >> 8)); // put_byte(s, (Byte)(b & 0xff)); s.pending_buf[s.pending++] = (b >>> 8) & 0xff; s.pending_buf[s.pending++] = b & 0xff; }; /* =========================================================================== * Read a new buffer from the current input stream, update the adler32 * and total number of bytes read. All deflate() input goes through * this function so some applications may wish to modify it to avoid * allocating a large strm->input buffer and copying from it. * (See also flush_pending()). */ const read_buf = (strm, buf, start, size) => { let len = strm.avail_in; if (len > size) { len = size; } if (len === 0) { return 0; } strm.avail_in -= len; // zmemcpy(buf, strm->next_in, len); buf.set(strm.input.subarray(strm.next_in, strm.next_in + len), start); if (strm.state.wrap === 1) { strm.adler = adler32_1(strm.adler, buf, len, start); } else if (strm.state.wrap === 2) { strm.adler = crc32_1(strm.adler, buf, len, start); } strm.next_in += len; strm.total_in += len; return len; }; /* =========================================================================== * Set match_start to the longest match starting at the given string and * return its length. Matches shorter or equal to prev_length are discarded, * in which case the result is equal to prev_length and match_start is * garbage. * IN assertions: cur_match is the head of the hash chain for the current * string (strstart) and its distance is <= MAX_DIST, and prev_length >= 1 * OUT assertion: the match length is not greater than s->lookahead. */ const longest_match = (s, cur_match) => { let chain_length = s.max_chain_length; /* max hash chain length */ let scan = s.strstart; /* current string */ let match; /* matched string */ let len; /* length of current match */ let best_len = s.prev_length; /* best match length so far */ let nice_match = s.nice_match; /* stop if match long enough */ const limit = (s.strstart > (s.w_size - MIN_LOOKAHEAD)) ? s.strstart - (s.w_size - MIN_LOOKAHEAD) : 0/*NIL*/; const _win = s.window; // shortcut const wmask = s.w_mask; const prev = s.prev; /* Stop when cur_match becomes <= limit. To simplify the code, * we prevent matches with the string of window index 0. */ const strend = s.strstart + MAX_MATCH; let scan_end1 = _win[scan + best_len - 1]; let scan_end = _win[scan + best_len]; /* The code is optimized for HASH_BITS >= 8 and MAX_MATCH-2 multiple of 16. * It is easy to get rid of this optimization if necessary. */ // Assert(s->hash_bits >= 8 && MAX_MATCH == 258, "Code too clever"); /* Do not waste too much time if we already have a good match: */ if (s.prev_length >= s.good_match) { chain_length >>= 2; } /* Do not look for matches beyond the end of the input. This is necessary * to make deflate deterministic. */ if (nice_match > s.lookahead) { nice_match = s.lookahead; } // Assert((ulg)s->strstart <= s->window_size-MIN_LOOKAHEAD, "need lookahead"); do { // Assert(cur_match < s->strstart, "no future"); match = cur_match; /* Skip to next match if the match length cannot increase * or if the match length is less than 2. Note that the checks below * for insufficient lookahead only occur occasionally for performance * reasons. Therefore uninitialized memory will be accessed, and * conditional jumps will be made that depend on those values. * However the length of the match is limited to the lookahead, so * the output of deflate is not affected by the uninitialized values. */ if (_win[match + best_len] !== scan_end || _win[match + best_len - 1] !== scan_end1 || _win[match] !== _win[scan] || _win[++match] !== _win[scan + 1]) { continue; } /* The check at best_len-1 can be removed because it will be made * again later. (This heuristic is not always a win.) * It is not necessary to compare scan[2] and match[2] since they * are always equal when the other bytes match, given that * the hash keys are equal and that HASH_BITS >= 8. */ scan += 2; match++; // Assert(*scan == *match, "match[2]?"); /* We check for insufficient lookahead only every 8th comparison; * the 256th check will be made at strstart+258. */ do { /*jshint noempty:false*/ } while (_win[++scan] === _win[++match] && _win[++scan] === _win[++match] && _win[++scan] === _win[++match] && _win[++scan] === _win[++match] && _win[++scan] === _win[++match] && _win[++scan] === _win[++match] && _win[++scan] === _win[++match] && _win[++scan] === _win[++match] && scan < strend); // Assert(scan <= s->window+(unsigned)(s->window_size-1), "wild scan"); len = MAX_MATCH - (strend - scan); scan = strend - MAX_MATCH; if (len > best_len) { s.match_start = cur_match; best_len = len; if (len >= nice_match) { break; } scan_end1 = _win[scan + best_len - 1]; scan_end = _win[scan + best_len]; } } while ((cur_match = prev[cur_match & wmask]) > limit && --chain_length !== 0); if (best_len <= s.lookahead) { return best_len; } return s.lookahead; }; /* =========================================================================== * Fill the window when the lookahead becomes insufficient. * Updates strstart and lookahead. * * IN assertion: lookahead < MIN_LOOKAHEAD * OUT assertions: strstart <= window_size-MIN_LOOKAHEAD * At least one byte has been read, or avail_in == 0; reads are * performed for at least two bytes (required for the zip translate_eol * option -- not supported here). */ const fill_window = (s) => { const _w_size = s.w_size; let n, more, str; //Assert(s->lookahead < MIN_LOOKAHEAD, "already enough lookahead"); do { more = s.window_size - s.lookahead - s.strstart; // JS ints have 32 bit, block below not needed /* Deal with !@#$% 64K limit: */ //if (sizeof(int) <= 2) { // if (more == 0 && s->strstart == 0 && s->lookahead == 0) { // more = wsize; // // } else if (more == (unsigned)(-1)) { // /* Very unlikely, but possible on 16 bit machine if // * strstart == 0 && lookahead == 1 (input done a byte at time) // */ // more--; // } //} /* If the window is almost full and there is insufficient lookahead, * move the upper half to the lower one to make room in the upper half. */ if (s.strstart >= _w_size + (_w_size - MIN_LOOKAHEAD)) { s.window.set(s.window.subarray(_w_size, _w_size + _w_size - more), 0); s.match_start -= _w_size; s.strstart -= _w_size; /* we now have strstart >= MAX_DIST */ s.block_start -= _w_size; if (s.insert > s.strstart) { s.insert = s.strstart; } slide_hash(s); more += _w_size; } if (s.strm.avail_in === 0) { break; } /* If there was no sliding: * strstart <= WSIZE+MAX_DIST-1 && lookahead <= MIN_LOOKAHEAD - 1 && * more == window_size - lookahead - strstart * => more >= window_size - (MIN_LOOKAHEAD-1 + WSIZE + MAX_DIST-1) * => more >= window_size - 2*WSIZE + 2 * In the BIG_MEM or MMAP case (not yet supported), * window_size == input_size + MIN_LOOKAHEAD && * strstart + s->lookahead <= input_size => more >= MIN_LOOKAHEAD. * Otherwise, window_size == 2*WSIZE so more >= 2. * If there was sliding, more >= WSIZE. So in all cases, more >= 2. */ //Assert(more >= 2, "more < 2"); n = read_buf(s.strm, s.window, s.strstart + s.lookahead, more); s.lookahead += n; /* Initialize the hash value now that we have some input: */ if (s.lookahead + s.insert >= MIN_MATCH) { str = s.strstart - s.insert; s.ins_h = s.window[str]; /* UPDATE_HASH(s, s->ins_h, s->window[str + 1]); */ s.ins_h = HASH(s, s.ins_h, s.window[str + 1]); //#if MIN_MATCH != 3 // Call update_hash() MIN_MATCH-3 more times //#endif while (s.insert) { /* UPDATE_HASH(s, s->ins_h, s->window[str + MIN_MATCH-1]); */ s.ins_h = HASH(s, s.ins_h, s.window[str + MIN_MATCH - 1]); s.prev[str & s.w_mask] = s.head[s.ins_h]; s.head[s.ins_h] = str; str++; s.insert--; if (s.lookahead + s.insert < MIN_MATCH) { break; } } } /* If the whole input has less than MIN_MATCH bytes, ins_h is garbage, * but this is not important since only literal bytes will be emitted. */ } while (s.lookahead < MIN_LOOKAHEAD && s.strm.avail_in !== 0); /* If the WIN_INIT bytes after the end of the current data have never been * written, then zero those bytes in order to avoid memory check reports of * the use of uninitialized (or uninitialised as Julian writes) bytes by * the longest match routines. Update the high water mark for the next * time through here. WIN_INIT is set to MAX_MATCH since the longest match * routines allow scanning to strstart + MAX_MATCH, ignoring lookahead. */ // if (s.high_water < s.window_size) { // const curr = s.strstart + s.lookahead; // let init = 0; // // if (s.high_water < curr) { // /* Previous high water mark below current data -- zero WIN_INIT // * bytes or up to end of window, whichever is less. // */ // init = s.window_size - curr; // if (init > WIN_INIT) // init = WIN_INIT; // zmemzero(s->window + curr, (unsigned)init); // s->high_water = curr + init; // } // else if (s->high_water < (ulg)curr + WIN_INIT) { // /* High water mark at or above current data, but below current data // * plus WIN_INIT -- zero out to current data plus WIN_INIT, or up // * to end of window, whichever is less. // */ // init = (ulg)curr + WIN_INIT - s->high_water; // if (init > s->window_size - s->high_water) // init = s->window_size - s->high_water; // zmemzero(s->window + s->high_water, (unsigned)init); // s->high_water += init; // } // } // // Assert((ulg)s->strstart <= s->window_size - MIN_LOOKAHEAD, // "not enough room for search"); }; /* =========================================================================== * Copy without compression as much as possible from the input stream, return * the current block state. * * In case deflateParams() is used to later switch to a non-zero compression * level, s->matches (otherwise unused when storing) keeps track of the number * of hash table slides to perform. If s->matches is 1, then one hash table * slide will be done when switching. If s->matches is 2, the maximum value * allowed here, then the hash table will be cleared, since two or more slides * is the same as a clear. * * deflate_stored() is written to minimize the number of times an input byte is * copied. It is most efficient with large input and output buffers, which * maximizes the opportunites to have a single copy from next_in to next_out. */ const deflate_stored = (s, flush) => { /* Smallest worthy block size when not flushing or finishing. By default * this is 32K. This can be as small as 507 bytes for memLevel == 1. For * large input and output buffers, the stored block size will be larger. */ let min_block = s.pending_buf_size - 5 > s.w_size ? s.w_size : s.pending_buf_size - 5; /* Copy as many min_block or larger stored blocks directly to next_out as * possible. If flushing, copy the remaining available input to next_out as * stored blocks, if there is enough space. */ let len, left, have, last = 0; let used = s.strm.avail_in; do { /* Set len to the maximum size block that we can copy directly with the * available input data and output space. Set left to how much of that * would be copied from what"s left in the window. */ len = 65535/* MAX_STORED */; /* maximum deflate stored block length */ have = (s.bi_valid + 42) >> 3; /* number of header bytes */ if (s.strm.avail_out < have) { /* need room for header */ break; } /* maximum stored block length that will fit in avail_out: */ have = s.strm.avail_out - have; left = s.strstart - s.block_start; /* bytes left in window */ if (len > left + s.strm.avail_in) { len = left + s.strm.avail_in; /* limit len to the input */ } if (len > have) { len = have; /* limit len to the output */ } /* If the stored block would be less than min_block in length, or if * unable to copy all of the available input when flushing, then try * copying to the window and the pending buffer instead. Also don"t * write an empty block when flushing -- deflate() does that. */ if (len < min_block && ((len === 0 && flush !== Z_FINISH$3) || flush === Z_NO_FLUSH$2 || len !== left + s.strm.avail_in)) { break; } /* Make a dummy stored block in pending to get the header bytes, * including any pending bits. This also updates the debugging counts. */ last = flush === Z_FINISH$3 && len === left + s.strm.avail_in ? 1 : 0; _tr_stored_block(s, 0, 0, last); /* Replace the lengths in the dummy stored block with len. */ s.pending_buf[s.pending - 4] = len; s.pending_buf[s.pending - 3] = len >> 8; s.pending_buf[s.pending - 2] = ~len; s.pending_buf[s.pending - 1] = ~len >> 8; /* Write the stored block header bytes. */ flush_pending(s.strm); //#ifdef ZLIB_DEBUG // /* Update debugging counts for the data about to be copied. */ // s->compressed_len += len << 3; // s->bits_sent += len << 3; //#endif /* Copy uncompressed bytes from the window to next_out. */ if (left) { if (left > len) { left = len; } //zmemcpy(s->strm->next_out, s->window + s->block_start, left); s.strm.output.set(s.window.subarray(s.block_start, s.block_start + left), s.strm.next_out); s.strm.next_out += left; s.strm.avail_out -= left; s.strm.total_out += left; s.block_start += left; len -= left; } /* Copy uncompressed bytes directly from next_in to next_out, updating * the check value. */ if (len) { read_buf(s.strm, s.strm.output, s.strm.next_out, len); s.strm.next_out += len; s.strm.avail_out -= len; s.strm.total_out += len; } } while (last === 0); /* Update the sliding window with the last s->w_size bytes of the copied * data, or append all of the copied data to the existing window if less * than s->w_size bytes were copied. Also update the number of bytes to * insert in the hash tables, in the event that deflateParams() switches to * a non-zero compression level. */ used -= s.strm.avail_in; /* number of input bytes directly copied */ if (used) { /* If any input was used, then no unused input remains in the window, * therefore s->block_start == s->strstart. */ if (used >= s.w_size) { /* supplant the previous history */ s.matches = 2; /* clear hash */ //zmemcpy(s->window, s->strm->next_in - s->w_size, s->w_size); s.window.set(s.strm.input.subarray(s.strm.next_in - s.w_size, s.strm.next_in), 0); s.strstart = s.w_size; s.insert = s.strstart; } else { if (s.window_size - s.strstart <= used) { /* Slide the window down. */ s.strstart -= s.w_size; //zmemcpy(s->window, s->window + s->w_size, s->strstart); s.window.set(s.window.subarray(s.w_size, s.w_size + s.strstart), 0); if (s.matches < 2) { s.matches++; /* add a pending slide_hash() */ } if (s.insert > s.strstart) { s.insert = s.strstart; } } //zmemcpy(s->window + s->strstart, s->strm->next_in - used, used); s.window.set(s.strm.input.subarray(s.strm.next_in - used, s.strm.next_in), s.strstart); s.strstart += used; s.insert += used > s.w_size - s.insert ? s.w_size - s.insert : used; } s.block_start = s.strstart; } if (s.high_water < s.strstart) { s.high_water = s.strstart; } /* If the last block was written to next_out, then done. */ if (last) { return BS_FINISH_DONE; } /* If flushing and all input has been consumed, then done. */ if (flush !== Z_NO_FLUSH$2 && flush !== Z_FINISH$3 && s.strm.avail_in === 0 && s.strstart === s.block_start) { return BS_BLOCK_DONE; } /* Fill the window with any remaining input. */ have = s.window_size - s.strstart; if (s.strm.avail_in > have && s.block_start >= s.w_size) { /* Slide the window down. */ s.block_start -= s.w_size; s.strstart -= s.w_size; //zmemcpy(s->window, s->window + s->w_size, s->strstart); s.window.set(s.window.subarray(s.w_size, s.w_size + s.strstart), 0); if (s.matches < 2) { s.matches++; /* add a pending slide_hash() */ } have += s.w_size; /* more space now */ if (s.insert > s.strstart) { s.insert = s.strstart; } } if (have > s.strm.avail_in) { have = s.strm.avail_in; } if (have) { read_buf(s.strm, s.window, s.strstart, have); s.strstart += have; s.insert += have > s.w_size - s.insert ? s.w_size - s.insert : have; } if (s.high_water < s.strstart) { s.high_water = s.strstart; } /* There was not enough avail_out to write a complete worthy or flushed * stored block to next_out. Write a stored block to pending instead, if we * have enough input for a worthy block, or if flushing and there is enough * room for the remaining input as a stored block in the pending buffer. */ have = (s.bi_valid + 42) >> 3; /* number of header bytes */ /* maximum stored block length that will fit in pending: */ have = s.pending_buf_size - have > 65535/* MAX_STORED */ ? 65535/* MAX_STORED */ : s.pending_buf_size - have; min_block = have > s.w_size ? s.w_size : have; left = s.strstart - s.block_start; if (left >= min_block || ((left || flush === Z_FINISH$3) && flush !== Z_NO_FLUSH$2 && s.strm.avail_in === 0 && left <= have)) { len = left > have ? have : left; last = flush === Z_FINISH$3 && s.strm.avail_in === 0 && len === left ? 1 : 0; _tr_stored_block(s, s.block_start, len, last); s.block_start += len; flush_pending(s.strm); } /* We"ve done all we can with the available input and output. */ return last ? BS_FINISH_STARTED : BS_NEED_MORE; }; /* =========================================================================== * Compress as much as possible from the input stream, return the current * block state. * This function does not perform lazy evaluation of matches and inserts * new strings in the dictionary only for unmatched strings or for short * matches. It is used only for the fast compression options. */ const deflate_fast = (s, flush) => { let hash_head; /* head of the hash chain */ let bflush; /* set if current block must be flushed */ for (;;) { /* Make sure that we always have enough lookahead, except * at the end of the input file. We need MAX_MATCH bytes * for the next match, plus MIN_MATCH bytes to insert the * string following the next match. */ if (s.lookahead < MIN_LOOKAHEAD) { fill_window(s); if (s.lookahead < MIN_LOOKAHEAD && flush === Z_NO_FLUSH$2) { return BS_NEED_MORE; } if (s.lookahead === 0) { break; /* flush the current block */ } } /* Insert the string window[strstart .. strstart+2] in the * dictionary, and set hash_head to the head of the hash chain: */ hash_head = 0/*NIL*/; if (s.lookahead >= MIN_MATCH) { /*** INSERT_STRING(s, s.strstart, hash_head); ***/ s.ins_h = HASH(s, s.ins_h, s.window[s.strstart + MIN_MATCH - 1]); hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h]; s.head[s.ins_h] = s.strstart; /***/ } /* Find the longest match, discarding those <= prev_length. * At this point we have always match_length < MIN_MATCH */ if (hash_head !== 0/*NIL*/ && ((s.strstart - hash_head) <= (s.w_size - MIN_LOOKAHEAD))) { /* To simplify the code, we prevent matches with the string * of window index 0 (in particular we have to avoid a match * of the string with itself at the start of the input file). */ s.match_length = longest_match(s, hash_head); /* longest_match() sets match_start */ } if (s.match_length >= MIN_MATCH) { // check_match(s, s.strstart, s.match_start, s.match_length); // for debug only /*** _tr_tally_dist(s, s.strstart - s.match_start, s.match_length - MIN_MATCH, bflush); ***/ bflush = _tr_tally(s, s.strstart - s.match_start, s.match_length - MIN_MATCH); s.lookahead -= s.match_length; /* Insert new strings in the hash table only if the match length * is not too large. This saves time but degrades compression. */ if (s.match_length <= s.max_lazy_match/*max_insert_length*/ && s.lookahead >= MIN_MATCH) { s.match_length--; /* string at strstart already in table */ do { s.strstart++; /*** INSERT_STRING(s, s.strstart, hash_head); ***/ s.ins_h = HASH(s, s.ins_h, s.window[s.strstart + MIN_MATCH - 1]); hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h]; s.head[s.ins_h] = s.strstart; /***/ /* strstart never exceeds WSIZE-MAX_MATCH, so there are * always MIN_MATCH bytes ahead. */ } while (--s.match_length !== 0); s.strstart++; } else { s.strstart += s.match_length; s.match_length = 0; s.ins_h = s.window[s.strstart]; /* UPDATE_HASH(s, s.ins_h, s.window[s.strstart+1]); */ s.ins_h = HASH(s, s.ins_h, s.window[s.strstart + 1]); //#if MIN_MATCH != 3 // Call UPDATE_HASH() MIN_MATCH-3 more times //#endif /* If lookahead < MIN_MATCH, ins_h is garbage, but it does not * matter since it will be recomputed at next deflate call. */ } } else { /* No match, output a literal byte */ //Tracevv((stderr,"%c", s.window[s.strstart])); /*** _tr_tally_lit(s, s.window[s.strstart], bflush); ***/ bflush = _tr_tally(s, 0, s.window[s.strstart]); s.lookahead--; s.strstart++; } if (bflush) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } } s.insert = ((s.strstart < (MIN_MATCH - 1)) ? s.strstart : MIN_MATCH - 1); if (flush === Z_FINISH$3) { /*** FLUSH_BLOCK(s, 1); ***/ flush_block_only(s, true); if (s.strm.avail_out === 0) { return BS_FINISH_STARTED; } /***/ return BS_FINISH_DONE; } if (s.sym_next) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } return BS_BLOCK_DONE; }; /* =========================================================================== * Same as above, but achieves better compression. We use a lazy * evaluation for matches: a match is finally adopted only if there is * no better match at the next window position. */ const deflate_slow = (s, flush) => { let hash_head; /* head of hash chain */ let bflush; /* set if current block must be flushed */ let max_insert; /* Process the input block. */ for (;;) { /* Make sure that we always have enough lookahead, except * at the end of the input file. We need MAX_MATCH bytes * for the next match, plus MIN_MATCH bytes to insert the * string following the next match. */ if (s.lookahead < MIN_LOOKAHEAD) { fill_window(s); if (s.lookahead < MIN_LOOKAHEAD && flush === Z_NO_FLUSH$2) { return BS_NEED_MORE; } if (s.lookahead === 0) { break; } /* flush the current block */ } /* Insert the string window[strstart .. strstart+2] in the * dictionary, and set hash_head to the head of the hash chain: */ hash_head = 0/*NIL*/; if (s.lookahead >= MIN_MATCH) { /*** INSERT_STRING(s, s.strstart, hash_head); ***/ s.ins_h = HASH(s, s.ins_h, s.window[s.strstart + MIN_MATCH - 1]); hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h]; s.head[s.ins_h] = s.strstart; /***/ } /* Find the longest match, discarding those <= prev_length. */ s.prev_length = s.match_length; s.prev_match = s.match_start; s.match_length = MIN_MATCH - 1; if (hash_head !== 0/*NIL*/ && s.prev_length < s.max_lazy_match && s.strstart - hash_head <= (s.w_size - MIN_LOOKAHEAD)/*MAX_DIST(s)*/) { /* To simplify the code, we prevent matches with the string * of window index 0 (in particular we have to avoid a match * of the string with itself at the start of the input file). */ s.match_length = longest_match(s, hash_head); /* longest_match() sets match_start */ if (s.match_length <= 5 && (s.strategy === Z_FILTERED || (s.match_length === MIN_MATCH && s.strstart - s.match_start > 4096/*TOO_FAR*/))) { /* If prev_match is also MIN_MATCH, match_start is garbage * but we will ignore the current match anyway. */ s.match_length = MIN_MATCH - 1; } } /* If there was a match at the previous step and the current * match is not better, output the previous match: */ if (s.prev_length >= MIN_MATCH && s.match_length <= s.prev_length) { max_insert = s.strstart + s.lookahead - MIN_MATCH; /* Do not insert strings in hash table beyond this. */ //check_match(s, s.strstart-1, s.prev_match, s.prev_length); /***_tr_tally_dist(s, s.strstart - 1 - s.prev_match, s.prev_length - MIN_MATCH, bflush);***/ bflush = _tr_tally(s, s.strstart - 1 - s.prev_match, s.prev_length - MIN_MATCH); /* Insert in hash table all strings up to the end of the match. * strstart-1 and strstart are already inserted. If there is not * enough lookahead, the last two strings are not inserted in * the hash table. */ s.lookahead -= s.prev_length - 1; s.prev_length -= 2; do { if (++s.strstart <= max_insert) { /*** INSERT_STRING(s, s.strstart, hash_head); ***/ s.ins_h = HASH(s, s.ins_h, s.window[s.strstart + MIN_MATCH - 1]); hash_head = s.prev[s.strstart & s.w_mask] = s.head[s.ins_h]; s.head[s.ins_h] = s.strstart; /***/ } } while (--s.prev_length !== 0); s.match_available = 0; s.match_length = MIN_MATCH - 1; s.strstart++; if (bflush) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } } else if (s.match_available) { /* If there was no match at the previous position, output a * single literal. If there was a match but the current match * is longer, truncate the previous match to a single literal. */ //Tracevv((stderr,"%c", s->window[s->strstart-1])); /*** _tr_tally_lit(s, s.window[s.strstart-1], bflush); ***/ bflush = _tr_tally(s, 0, s.window[s.strstart - 1]); if (bflush) { /*** FLUSH_BLOCK_ONLY(s, 0) ***/ flush_block_only(s, false); /***/ } s.strstart++; s.lookahead--; if (s.strm.avail_out === 0) { return BS_NEED_MORE; } } else { /* There is no previous match to compare with, wait for * the next step to decide. */ s.match_available = 1; s.strstart++; s.lookahead--; } } //Assert (flush != Z_NO_FLUSH, "no flush?"); if (s.match_available) { //Tracevv((stderr,"%c", s->window[s->strstart-1])); /*** _tr_tally_lit(s, s.window[s.strstart-1], bflush); ***/ bflush = _tr_tally(s, 0, s.window[s.strstart - 1]); s.match_available = 0; } s.insert = s.strstart < MIN_MATCH - 1 ? s.strstart : MIN_MATCH - 1; if (flush === Z_FINISH$3) { /*** FLUSH_BLOCK(s, 1); ***/ flush_block_only(s, true); if (s.strm.avail_out === 0) { return BS_FINISH_STARTED; } /***/ return BS_FINISH_DONE; } if (s.sym_next) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } return BS_BLOCK_DONE; }; /* =========================================================================== * For Z_RLE, simply look for runs of bytes, generate matches only of distance * one. Do not maintain a hash table. (It will be regenerated if this run of * deflate switches away from Z_RLE.) */ const deflate_rle = (s, flush) => { let bflush; /* set if current block must be flushed */ let prev; /* byte at distance one to match */ let scan, strend; /* scan goes up to strend for length of run */ const _win = s.window; for (;;) { /* Make sure that we always have enough lookahead, except * at the end of the input file. We need MAX_MATCH bytes * for the longest run, plus one for the unrolled loop. */ if (s.lookahead <= MAX_MATCH) { fill_window(s); if (s.lookahead <= MAX_MATCH && flush === Z_NO_FLUSH$2) { return BS_NEED_MORE; } if (s.lookahead === 0) { break; } /* flush the current block */ } /* See how many times the previous byte repeats */ s.match_length = 0; if (s.lookahead >= MIN_MATCH && s.strstart > 0) { scan = s.strstart - 1; prev = _win[scan]; if (prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan]) { strend = s.strstart + MAX_MATCH; do { /*jshint noempty:false*/ } while (prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan] && prev === _win[++scan] && scan < strend); s.match_length = MAX_MATCH - (strend - scan); if (s.match_length > s.lookahead) { s.match_length = s.lookahead; } } //Assert(scan <= s->window+(uInt)(s->window_size-1), "wild scan"); } /* Emit match if have run of MIN_MATCH or longer, else emit literal */ if (s.match_length >= MIN_MATCH) { //check_match(s, s.strstart, s.strstart - 1, s.match_length); /*** _tr_tally_dist(s, 1, s.match_length - MIN_MATCH, bflush); ***/ bflush = _tr_tally(s, 1, s.match_length - MIN_MATCH); s.lookahead -= s.match_length; s.strstart += s.match_length; s.match_length = 0; } else { /* No match, output a literal byte */ //Tracevv((stderr,"%c", s->window[s->strstart])); /*** _tr_tally_lit(s, s.window[s.strstart], bflush); ***/ bflush = _tr_tally(s, 0, s.window[s.strstart]); s.lookahead--; s.strstart++; } if (bflush) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } } s.insert = 0; if (flush === Z_FINISH$3) { /*** FLUSH_BLOCK(s, 1); ***/ flush_block_only(s, true); if (s.strm.avail_out === 0) { return BS_FINISH_STARTED; } /***/ return BS_FINISH_DONE; } if (s.sym_next) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } return BS_BLOCK_DONE; }; /* =========================================================================== * For Z_HUFFMAN_ONLY, do not look for matches. Do not maintain a hash table. * (It will be regenerated if this run of deflate switches away from Huffman.) */ const deflate_huff = (s, flush) => { let bflush; /* set if current block must be flushed */ for (;;) { /* Make sure that we have a literal to write. */ if (s.lookahead === 0) { fill_window(s); if (s.lookahead === 0) { if (flush === Z_NO_FLUSH$2) { return BS_NEED_MORE; } break; /* flush the current block */ } } /* Output a literal byte */ s.match_length = 0; //Tracevv((stderr,"%c", s->window[s->strstart])); /*** _tr_tally_lit(s, s.window[s.strstart], bflush); ***/ bflush = _tr_tally(s, 0, s.window[s.strstart]); s.lookahead--; s.strstart++; if (bflush) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } } s.insert = 0; if (flush === Z_FINISH$3) { /*** FLUSH_BLOCK(s, 1); ***/ flush_block_only(s, true); if (s.strm.avail_out === 0) { return BS_FINISH_STARTED; } /***/ return BS_FINISH_DONE; } if (s.sym_next) { /*** FLUSH_BLOCK(s, 0); ***/ flush_block_only(s, false); if (s.strm.avail_out === 0) { return BS_NEED_MORE; } /***/ } return BS_BLOCK_DONE; }; /* Values for max_lazy_match, good_match and max_chain_length, depending on * the desired pack level (0..9). The values given below have been tuned to * exclude worst case performance for pathological files. Better values may be * found for specific files. */ function Config(good_length, max_lazy, nice_length, max_chain, func) { this.good_length = good_length; this.max_lazy = max_lazy; this.nice_length = nice_length; this.max_chain = max_chain; this.func = func; } const configuration_table = [ /* good lazy nice chain */ new Config(0, 0, 0, 0, deflate_stored), /* 0 store only */ new Config(4, 4, 8, 4, deflate_fast), /* 1 max speed, no lazy matches */ new Config(4, 5, 16, 8, deflate_fast), /* 2 */ new Config(4, 6, 32, 32, deflate_fast), /* 3 */ new Config(4, 4, 16, 16, deflate_slow), /* 4 lazy matches */ new Config(8, 16, 32, 32, deflate_slow), /* 5 */ new Config(8, 16, 128, 128, deflate_slow), /* 6 */ new Config(8, 32, 128, 256, deflate_slow), /* 7 */ new Config(32, 128, 258, 1024, deflate_slow), /* 8 */ new Config(32, 258, 258, 4096, deflate_slow) /* 9 max compression */ ]; /* =========================================================================== * Initialize the "longest match" routines for a new zlib stream */ const lm_init = (s) => { s.window_size = 2 * s.w_size; /*** CLEAR_HASH(s); ***/ zero(s.head); // Fill with NIL (= 0); /* Set the default configuration parameters: */ s.max_lazy_match = configuration_table[s.level].max_lazy; s.good_match = configuration_table[s.level].good_length; s.nice_match = configuration_table[s.level].nice_length; s.max_chain_length = configuration_table[s.level].max_chain; s.strstart = 0; s.block_start = 0; s.lookahead = 0; s.insert = 0; s.match_length = s.prev_length = MIN_MATCH - 1; s.match_available = 0; s.ins_h = 0; }; function DeflateState() { this.strm = null; /* pointer back to this zlib stream */ this.status = 0; /* as the name implies */ this.pending_buf = null; /* output still pending */ this.pending_buf_size = 0; /* size of pending_buf */ this.pending_out = 0; /* next pending byte to output to the stream */ this.pending = 0; /* nb of bytes in the pending buffer */ this.wrap = 0; /* bit 0 true for zlib, bit 1 true for gzip */ this.gzhead = null; /* gzip header information to write */ this.gzindex = 0; /* where in extra, name, or comment */ this.method = Z_DEFLATED$2; /* can only be DEFLATED */ this.last_flush = -1; /* value of flush param for previous deflate call */ this.w_size = 0; /* LZ77 window size (32K by default) */ this.w_bits = 0; /* log2(w_size) (8..16) */ this.w_mask = 0; /* w_size - 1 */ this.window = null; /* Sliding window. Input bytes are read into the second half of the window, * and move to the first half later to keep a dictionary of at least wSize * bytes. With this organization, matches are limited to a distance of * wSize-MAX_MATCH bytes, but this ensures that IO is always * performed with a length multiple of the block size. */ this.window_size = 0; /* Actual size of window: 2*wSize, except when the user input buffer * is directly used as sliding window. */ this.prev = null; /* Link to older string with same hash index. To limit the size of this * array to 64K, this link is maintained only for the last 32K strings. * An index in this array is thus a window index modulo 32K. */ this.head = null; /* Heads of the hash chains or NIL. */ this.ins_h = 0; /* hash index of string to be inserted */ this.hash_size = 0; /* number of elements in hash table */ this.hash_bits = 0; /* log2(hash_size) */ this.hash_mask = 0; /* hash_size-1 */ this.hash_shift = 0; /* Number of bits by which ins_h must be shifted at each input * step. It must be such that after MIN_MATCH steps, the oldest * byte no longer takes part in the hash key, that is: * hash_shift * MIN_MATCH >= hash_bits */ this.block_start = 0; /* Window position at the beginning of the current output block. Gets * negative when the window is moved backwards. */ this.match_length = 0; /* length of best match */ this.prev_match = 0; /* previous match */ this.match_available = 0; /* set if previous match exists */ this.strstart = 0; /* start of string to insert */ this.match_start = 0; /* start of matching string */ this.lookahead = 0; /* number of valid bytes ahead in window */ this.prev_length = 0; /* Length of the best match at previous step. Matches not greater than this * are discarded. This is used in the lazy match evaluation. */ this.max_chain_length = 0; /* To speed up deflation, hash chains are never searched beyond this * length. A higher limit improves compression ratio but degrades the * speed. */ this.max_lazy_match = 0; /* Attempt to find a better match only when the current match is strictly * smaller than this value. This mechanism is used only for compression * levels >= 4. */ // That"s alias to max_lazy_match, don"t use directly //this.max_insert_length = 0; /* Insert new strings in the hash table only if the match length is not * greater than this length. This saves time but degrades compression. * max_insert_length is used only for compression levels <= 3. */ this.level = 0; /* compression level (1..9) */ this.strategy = 0; /* favor or force Huffman coding*/ this.good_match = 0; /* Use a faster search when the previous match is longer than this */ this.nice_match = 0; /* Stop searching when current match exceeds this */ /* used by trees.c: */ /* Didn"t use ct_data typedef below to suppress compiler warning */ // struct ct_data_s dyn_ltree[HEAP_SIZE]; /* literal and length tree */ // struct ct_data_s dyn_dtree[2*D_CODES+1]; /* distance tree */ // struct ct_data_s bl_tree[2*BL_CODES+1]; /* Huffman tree for bit lengths */ // Use flat array of DOUBLE size, with interleaved fata, // because JS does not support effective this.dyn_ltree = new Uint16Array(HEAP_SIZE * 2); this.dyn_dtree = new Uint16Array((2 * D_CODES + 1) * 2); this.bl_tree = new Uint16Array((2 * BL_CODES + 1) * 2); zero(this.dyn_ltree); zero(this.dyn_dtree); zero(this.bl_tree); this.l_desc = null; /* desc. for literal tree */ this.d_desc = null; /* desc. for distance tree */ this.bl_desc = null; /* desc. for bit length tree */ //ush bl_count[MAX_BITS+1]; this.bl_count = new Uint16Array(MAX_BITS + 1); /* number of codes at each bit length for an optimal tree */ //int heap[2*L_CODES+1]; /* heap used to build the Huffman trees */ this.heap = new Uint16Array(2 * L_CODES + 1); /* heap used to build the Huffman trees */ zero(this.heap); this.heap_len = 0; /* number of elements in the heap */ this.heap_max = 0; /* element of largest frequency */ /* The sons of heap[n] are heap[2*n] and heap[2*n+1]. heap[0] is not used. * The same heap array is used to build all trees. */ this.depth = new Uint16Array(2 * L_CODES + 1); //uch depth[2*L_CODES+1]; zero(this.depth); /* Depth of each subtree used as tie breaker for trees of equal frequency */ this.sym_buf = 0; /* buffer for distances and literals/lengths */ this.lit_bufsize = 0; /* Size of match buffer for literals/lengths. There are 4 reasons for * limiting lit_bufsize to 64K: * - frequencies can be kept in 16 bit counters * - if compression is not successful for the first block, all input * data is still in the window so we can still emit a stored block even * when input comes from standard input. (This can also be done for * all blocks if lit_bufsize is not greater than 32K.) * - if compression is not successful for a file smaller than 64K, we can * even emit a stored file instead of a stored block (saving 5 bytes). * This is applicable only for zip (not gzip or zlib). * - creating new Huffman trees less frequently may not provide fast * adaptation to changes in the input data statistics. (Take for * example a binary file with poorly compressible code followed by * a highly compressible string table.) Smaller buffer sizes give * fast adaptation but have of course the overhead of transmitting * trees more frequently. * - I can"t count above 4 */ this.sym_next = 0; /* running index in sym_buf */ this.sym_end = 0; /* symbol table full when sym_next reaches this */ this.opt_len = 0; /* bit length of current block with optimal trees */ this.static_len = 0; /* bit length of current block with static trees */ this.matches = 0; /* number of string matches in current block */ this.insert = 0; /* bytes at end of window left to insert */ this.bi_buf = 0; /* Output buffer. bits are inserted starting at the bottom (least * significant bits). */ this.bi_valid = 0; /* Number of valid bits in bi_buf. All bits above the last valid bit * are always zero. */ // Used for window memory init. We safely ignore it for JS. That makes // sense only for pointers and memory check tools. //this.high_water = 0; /* High water mark offset in window for initialized bytes -- bytes above * this are set to zero in order to avoid memory check warnings when * longest match routines access bytes past the input. This is then * updated to the new high water mark. */ } /* ========================================================================= * Check for a valid deflate stream state. Return 0 if ok, 1 if not. */ const deflateStateCheck = (strm) => { if (!strm) { return 1; } const s = strm.state; if (!s || s.strm !== strm || (s.status !== INIT_STATE && //#ifdef GZIP s.status !== GZIP_STATE && //#endif s.status !== EXTRA_STATE && s.status !== NAME_STATE && s.status !== COMMENT_STATE && s.status !== HCRC_STATE && s.status !== BUSY_STATE && s.status !== FINISH_STATE)) { return 1; } return 0; }; const deflateResetKeep = (strm) => { if (deflateStateCheck(strm)) { return err(strm, Z_STREAM_ERROR$2); } strm.total_in = strm.total_out = 0; strm.data_type = Z_UNKNOWN; const s = strm.state; s.pending = 0; s.pending_out = 0; if (s.wrap < 0) { s.wrap = -s.wrap; /* was made negative by deflate(..., Z_FINISH); */ } s.status = //#ifdef GZIP s.wrap === 2 ? GZIP_STATE : //#endif s.wrap ? INIT_STATE : BUSY_STATE; strm.adler = (s.wrap === 2) ? 0 // crc32(0, Z_NULL, 0) : 1; // adler32(0, Z_NULL, 0) s.last_flush = -2; _tr_init(s); return Z_OK$3; }; const deflateReset = (strm) => { const ret = deflateResetKeep(strm); if (ret === Z_OK$3) { lm_init(strm.state); } return ret; }; const deflateSetHeader = (strm, head) => { if (deflateStateCheck(strm) || strm.state.wrap !== 2) { return Z_STREAM_ERROR$2; } strm.state.gzhead = head; return Z_OK$3; }; const deflateInit2 = (strm, level, method, windowBits, memLevel, strategy) => { if (!strm) { // === Z_NULL return Z_STREAM_ERROR$2; } let wrap = 1; if (level === Z_DEFAULT_COMPRESSION$1) { level = 6; } if (windowBits < 0) { /* suppress zlib wrapper */ wrap = 0; windowBits = -windowBits; } else if (windowBits > 15) { wrap = 2; /* write gzip wrapper instead */ windowBits -= 16; } if (memLevel < 1 || memLevel > MAX_MEM_LEVEL || method !== Z_DEFLATED$2 || windowBits < 8 || windowBits > 15 || level < 0 || level > 9 || strategy < 0 || strategy > Z_FIXED || (windowBits === 8 && wrap !== 1)) { return err(strm, Z_STREAM_ERROR$2); } if (windowBits === 8) { windowBits = 9; } /* until 256-byte window bug fixed */ const s = new DeflateState(); strm.state = s; s.strm = strm; s.status = INIT_STATE; /* to pass state test in deflateReset() */ s.wrap = wrap; s.gzhead = null; s.w_bits = windowBits; s.w_size = 1 << s.w_bits; s.w_mask = s.w_size - 1; s.hash_bits = memLevel + 7; s.hash_size = 1 << s.hash_bits; s.hash_mask = s.hash_size - 1; s.hash_shift = ~~((s.hash_bits + MIN_MATCH - 1) / MIN_MATCH); s.window = new Uint8Array(s.w_size * 2); s.head = new Uint16Array(s.hash_size); s.prev = new Uint16Array(s.w_size); // Don"t need mem init magic for JS. //s.high_water = 0; /* nothing written to s->window yet */ s.lit_bufsize = 1 << (memLevel + 6); /* 16K elements by default */ /* We overlay pending_buf and sym_buf. This works since the average size * for length/distance pairs over any compressed block is assured to be 31 * bits or less. * * Analysis: The longest fixed codes are a length code of 8 bits plus 5 * extra bits, for lengths 131 to 257. The longest fixed distance codes are * 5 bits plus 13 extra bits, for distances 16385 to 32768. The longest * possible fixed-codes length/distance pair is then 31 bits total. * * sym_buf starts one-fourth of the way into pending_buf. So there are * three bytes in sym_buf for every four bytes in pending_buf. Each symbol * in sym_buf is three bytes -- two for the distance and one for the * literal/length. As each symbol is consumed, the pointer to the next * sym_buf value to read moves forward three bytes. From that symbol, up to * 31 bits are written to pending_buf. The closest the written pending_buf * bits gets to the next sym_buf symbol to read is just before the last * code is written. At that time, 31*(n-2) bits have been written, just * after 24*(n-2) bits have been consumed from sym_buf. sym_buf starts at * 8*n bits into pending_buf. (Note that the symbol buffer fills when n-1 * symbols are written.) The closest the writing gets to what is unread is * then n+14 bits. Here n is lit_bufsize, which is 16384 by default, and * can range from 128 to 32768. * * Therefore, at a minimum, there are 142 bits of space between what is * written and what is read in the overlain buffers, so the symbols cannot * be overwritten by the compressed data. That space is actually 139 bits, * due to the three-bit fixed-code block header. * * That covers the case where either Z_FIXED is specified, forcing fixed * codes, or when the use of fixed codes is chosen, because that choice * results in a smaller compressed block than dynamic codes. That latter * condition then assures that the above analysis also covers all dynamic * blocks. A dynamic-code block will only be chosen to be emitted if it has * fewer bits than a fixed-code block would for the same set of symbols. * Therefore its average symbol length is assured to be less than 31. So * the compressed data for a dynamic block also cannot overwrite the * symbols from which it is being constructed. */ s.pending_buf_size = s.lit_bufsize * 4; s.pending_buf = new Uint8Array(s.pending_buf_size); // It is offset from `s.pending_buf` (size is `s.lit_bufsize * 2`) //s->sym_buf = s->pending_buf + s->lit_bufsize; s.sym_buf = s.lit_bufsize; //s->sym_end = (s->lit_bufsize - 1) * 3; s.sym_end = (s.lit_bufsize - 1) * 3; /* We avoid equality with lit_bufsize*3 because of wraparound at 64K * on 16 bit machines and because stored blocks are restricted to * 64K-1 bytes. */ s.level = level; s.strategy = strategy; s.method = method; return deflateReset(strm); }; const deflateInit = (strm, level) => { return deflateInit2(strm, level, Z_DEFLATED$2, MAX_WBITS$1, DEF_MEM_LEVEL, Z_DEFAULT_STRATEGY$1); }; /* ========================================================================= */ const deflate$2 = (strm, flush) => { if (deflateStateCheck(strm) || flush > Z_BLOCK$1 || flush < 0) { return strm ? err(strm, Z_STREAM_ERROR$2) : Z_STREAM_ERROR$2; } const s = strm.state; if (!strm.output || (strm.avail_in !== 0 && !strm.input) || (s.status === FINISH_STATE && flush !== Z_FINISH$3)) { return err(strm, (strm.avail_out === 0) ? Z_BUF_ERROR$1 : Z_STREAM_ERROR$2); } const old_flush = s.last_flush; s.last_flush = flush; /* Flush as much pending output as possible */ if (s.pending !== 0) { flush_pending(strm); if (strm.avail_out === 0) { /* Since avail_out is 0, deflate will be called again with * more output space, but possibly with both pending and * avail_in equal to zero. There won"t be anything to do, * but this is not an error situation so make sure we * return OK instead of BUF_ERROR at next call of deflate: */ s.last_flush = -1; return Z_OK$3; } /* Make sure there is something to do and avoid duplicate consecutive * flushes. For repeated and useless calls with Z_FINISH, we keep * returning Z_STREAM_END instead of Z_BUF_ERROR. */ } else if (strm.avail_in === 0 && rank(flush) <= rank(old_flush) && flush !== Z_FINISH$3) { return err(strm, Z_BUF_ERROR$1); } /* User must not provide more input after the first FINISH: */ if (s.status === FINISH_STATE && strm.avail_in !== 0) { return err(strm, Z_BUF_ERROR$1); } /* Write the header */ if (s.status === INIT_STATE && s.wrap === 0) { s.status = BUSY_STATE; } if (s.status === INIT_STATE) { /* zlib header */ let header = (Z_DEFLATED$2 + ((s.w_bits - 8) << 4)) << 8; let level_flags = -1; if (s.strategy >= Z_HUFFMAN_ONLY || s.level < 2) { level_flags = 0; } else if (s.level < 6) { level_flags = 1; } else if (s.level === 6) { level_flags = 2; } else { level_flags = 3; } header |= (level_flags << 6); if (s.strstart !== 0) { header |= PRESET_DICT; } header += 31 - (header % 31); putShortMSB(s, header); /* Save the adler32 of the preset dictionary: */ if (s.strstart !== 0) { putShortMSB(s, strm.adler >>> 16); putShortMSB(s, strm.adler & 0xffff); } strm.adler = 1; // adler32(0L, Z_NULL, 0); s.status = BUSY_STATE; /* Compression must start with an empty pending buffer */ flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } } //#ifdef GZIP if (s.status === GZIP_STATE) { /* gzip header */ strm.adler = 0; //crc32(0L, Z_NULL, 0); put_byte(s, 31); put_byte(s, 139); put_byte(s, 8); if (!s.gzhead) { // s->gzhead == Z_NULL put_byte(s, 0); put_byte(s, 0); put_byte(s, 0); put_byte(s, 0); put_byte(s, 0); put_byte(s, s.level === 9 ? 2 : (s.strategy >= Z_HUFFMAN_ONLY || s.level < 2 ? 4 : 0)); put_byte(s, OS_CODE); s.status = BUSY_STATE; /* Compression must start with an empty pending buffer */ flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } } else { put_byte(s, (s.gzhead.text ? 1 : 0) + (s.gzhead.hcrc ? 2 : 0) + (!s.gzhead.extra ? 0 : 4) + (!s.gzhead.name ? 0 : 8) + (!s.gzhead.comment ? 0 : 16) ); put_byte(s, s.gzhead.time & 0xff); put_byte(s, (s.gzhead.time >> 8) & 0xff); put_byte(s, (s.gzhead.time >> 16) & 0xff); put_byte(s, (s.gzhead.time >> 24) & 0xff); put_byte(s, s.level === 9 ? 2 : (s.strategy >= Z_HUFFMAN_ONLY || s.level < 2 ? 4 : 0)); put_byte(s, s.gzhead.os & 0xff); if (s.gzhead.extra && s.gzhead.extra.length) { put_byte(s, s.gzhead.extra.length & 0xff); put_byte(s, (s.gzhead.extra.length >> 8) & 0xff); } if (s.gzhead.hcrc) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending, 0); } s.gzindex = 0; s.status = EXTRA_STATE; } } if (s.status === EXTRA_STATE) { if (s.gzhead.extra/* != Z_NULL*/) { let beg = s.pending; /* start of bytes to update crc */ let left = (s.gzhead.extra.length & 0xffff) - s.gzindex; while (s.pending + left > s.pending_buf_size) { let copy = s.pending_buf_size - s.pending; // zmemcpy(s.pending_buf + s.pending, // s.gzhead.extra + s.gzindex, copy); s.pending_buf.set(s.gzhead.extra.subarray(s.gzindex, s.gzindex + copy), s.pending); s.pending = s.pending_buf_size; //--- HCRC_UPDATE(beg) ---// if (s.gzhead.hcrc && s.pending > beg) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending - beg, beg); } //---// s.gzindex += copy; flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } beg = 0; left -= copy; } // JS specific: s.gzhead.extra may be TypedArray or Array for backward compatibility // TypedArray.slice and TypedArray.from don"t exist in IE10-IE11 let gzhead_extra = new Uint8Array(s.gzhead.extra); // zmemcpy(s->pending_buf + s->pending, // s->gzhead->extra + s->gzindex, left); s.pending_buf.set(gzhead_extra.subarray(s.gzindex, s.gzindex + left), s.pending); s.pending += left; //--- HCRC_UPDATE(beg) ---// if (s.gzhead.hcrc && s.pending > beg) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending - beg, beg); } //---// s.gzindex = 0; } s.status = NAME_STATE; } if (s.status === NAME_STATE) { if (s.gzhead.name/* != Z_NULL*/) { let beg = s.pending; /* start of bytes to update crc */ let val; do { if (s.pending === s.pending_buf_size) { //--- HCRC_UPDATE(beg) ---// if (s.gzhead.hcrc && s.pending > beg) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending - beg, beg); } //---// flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } beg = 0; } // JS specific: little magic to add zero terminator to end of string if (s.gzindex < s.gzhead.name.length) { val = s.gzhead.name.charCodeAt(s.gzindex++) & 0xff; } else { val = 0; } put_byte(s, val); } while (val !== 0); //--- HCRC_UPDATE(beg) ---// if (s.gzhead.hcrc && s.pending > beg) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending - beg, beg); } //---// s.gzindex = 0; } s.status = COMMENT_STATE; } if (s.status === COMMENT_STATE) { if (s.gzhead.comment/* != Z_NULL*/) { let beg = s.pending; /* start of bytes to update crc */ let val; do { if (s.pending === s.pending_buf_size) { //--- HCRC_UPDATE(beg) ---// if (s.gzhead.hcrc && s.pending > beg) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending - beg, beg); } //---// flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } beg = 0; } // JS specific: little magic to add zero terminator to end of string if (s.gzindex < s.gzhead.comment.length) { val = s.gzhead.comment.charCodeAt(s.gzindex++) & 0xff; } else { val = 0; } put_byte(s, val); } while (val !== 0); //--- HCRC_UPDATE(beg) ---// if (s.gzhead.hcrc && s.pending > beg) { strm.adler = crc32_1(strm.adler, s.pending_buf, s.pending - beg, beg); } //---// } s.status = HCRC_STATE; } if (s.status === HCRC_STATE) { if (s.gzhead.hcrc) { if (s.pending + 2 > s.pending_buf_size) { flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } } put_byte(s, strm.adler & 0xff); put_byte(s, (strm.adler >> 8) & 0xff); strm.adler = 0; //crc32(0L, Z_NULL, 0); } s.status = BUSY_STATE; /* Compression must start with an empty pending buffer */ flush_pending(strm); if (s.pending !== 0) { s.last_flush = -1; return Z_OK$3; } } //#endif /* Start a new block or continue the current one. */ if (strm.avail_in !== 0 || s.lookahead !== 0 || (flush !== Z_NO_FLUSH$2 && s.status !== FINISH_STATE)) { let bstate = s.level === 0 ? deflate_stored(s, flush) : s.strategy === Z_HUFFMAN_ONLY ? deflate_huff(s, flush) : s.strategy === Z_RLE ? deflate_rle(s, flush) : configuration_table[s.level].func(s, flush); if (bstate === BS_FINISH_STARTED || bstate === BS_FINISH_DONE) { s.status = FINISH_STATE; } if (bstate === BS_NEED_MORE || bstate === BS_FINISH_STARTED) { if (strm.avail_out === 0) { s.last_flush = -1; /* avoid BUF_ERROR next call, see above */ } return Z_OK$3; /* If flush != Z_NO_FLUSH && avail_out == 0, the next call * of deflate should use the same flush parameter to make sure * that the flush is complete. So we don"t have to output an * empty block here, this will be done at next call. This also * ensures that for a very small output buffer, we emit at most * one empty block. */ } if (bstate === BS_BLOCK_DONE) { if (flush === Z_PARTIAL_FLUSH) { _tr_align(s); } else if (flush !== Z_BLOCK$1) { /* FULL_FLUSH or SYNC_FLUSH */ _tr_stored_block(s, 0, 0, false); /* For a full flush, this empty block will be recognized * as a special marker by inflate_sync(). */ if (flush === Z_FULL_FLUSH$1) { /*** CLEAR_HASH(s); ***/ /* forget history */ zero(s.head); // Fill with NIL (= 0); if (s.lookahead === 0) { s.strstart = 0; s.block_start = 0; s.insert = 0; } } } flush_pending(strm); if (strm.avail_out === 0) { s.last_flush = -1; /* avoid BUF_ERROR at next call, see above */ return Z_OK$3; } } } if (flush !== Z_FINISH$3) { return Z_OK$3; } if (s.wrap <= 0) { return Z_STREAM_END$3; } /* Write the trailer */ if (s.wrap === 2) { put_byte(s, strm.adler & 0xff); put_byte(s, (strm.adler >> 8) & 0xff); put_byte(s, (strm.adler >> 16) & 0xff); put_byte(s, (strm.adler >> 24) & 0xff); put_byte(s, strm.total_in & 0xff); put_byte(s, (strm.total_in >> 8) & 0xff); put_byte(s, (strm.total_in >> 16) & 0xff); put_byte(s, (strm.total_in >> 24) & 0xff); } else { putShortMSB(s, strm.adler >>> 16); putShortMSB(s, strm.adler & 0xffff); } flush_pending(strm); /* If avail_out is zero, the application will call deflate again * to flush the rest. */ if (s.wrap > 0) { s.wrap = -s.wrap; } /* write the trailer only once! */ return s.pending !== 0 ? Z_OK$3 : Z_STREAM_END$3; }; const deflateEnd = (strm) => { if (deflateStateCheck(strm)) { return Z_STREAM_ERROR$2; } const status = strm.state.status; strm.state = null; return status === BUSY_STATE ? err(strm, Z_DATA_ERROR$2) : Z_OK$3; }; /* ========================================================================= * Initializes the compression dictionary from the given byte * sequence without producing any compressed output. */ const deflateSetDictionary = (strm, dictionary) => { let dictLength = dictionary.length; if (deflateStateCheck(strm)) { return Z_STREAM_ERROR$2; } const s = strm.state; const wrap = s.wrap; if (wrap === 2 || (wrap === 1 && s.status !== INIT_STATE) || s.lookahead) { return Z_STREAM_ERROR$2; } /* when using zlib wrappers, compute Adler-32 for provided dictionary */ if (wrap === 1) { /* adler32(strm->adler, dictionary, dictLength); */ strm.adler = adler32_1(strm.adler, dictionary, dictLength, 0); } s.wrap = 0; /* avoid computing Adler-32 in read_buf */ /* if dictionary would fill window, just replace the history */ if (dictLength >= s.w_size) { if (wrap === 0) { /* already empty otherwise */ /*** CLEAR_HASH(s); ***/ zero(s.head); // Fill with NIL (= 0); s.strstart = 0; s.block_start = 0; s.insert = 0; } /* use the tail */ // dictionary = dictionary.slice(dictLength - s.w_size); let tmpDict = new Uint8Array(s.w_size); tmpDict.set(dictionary.subarray(dictLength - s.w_size, dictLength), 0); dictionary = tmpDict; dictLength = s.w_size; } /* insert dictionary into window and hash */ const avail = strm.avail_in; const next = strm.next_in; const input = strm.input; strm.avail_in = dictLength; strm.next_in = 0; strm.input = dictionary; fill_window(s); while (s.lookahead >= MIN_MATCH) { let str = s.strstart; let n = s.lookahead - (MIN_MATCH - 1); do { /* UPDATE_HASH(s, s->ins_h, s->window[str + MIN_MATCH-1]); */ s.ins_h = HASH(s, s.ins_h, s.window[str + MIN_MATCH - 1]); s.prev[str & s.w_mask] = s.head[s.ins_h]; s.head[s.ins_h] = str; str++; } while (--n); s.strstart = str; s.lookahead = MIN_MATCH - 1; fill_window(s); } s.strstart += s.lookahead; s.block_start = s.strstart; s.insert = s.lookahead; s.lookahead = 0; s.match_length = s.prev_length = MIN_MATCH - 1; s.match_available = 0; strm.next_in = next; strm.input = input; strm.avail_in = avail; s.wrap = wrap; return Z_OK$3; }; var deflateInit_1 = deflateInit; var deflateInit2_1 = deflateInit2; var deflateReset_1 = deflateReset; var deflateResetKeep_1 = deflateResetKeep; var deflateSetHeader_1 = deflateSetHeader; var deflate_2$1 = deflate$2; var deflateEnd_1 = deflateEnd; var deflateSetDictionary_1 = deflateSetDictionary; var deflateInfo = "pako deflate (from Nodeca project)"; /* Not implemented module.exports.deflateBound = deflateBound; module.exports.deflateCopy = deflateCopy; module.exports.deflateGetDictionary = deflateGetDictionary; module.exports.deflateParams = deflateParams; module.exports.deflatePending = deflatePending; module.exports.deflatePrime = deflatePrime; module.exports.deflateTune = deflateTune; */ var deflate_1$2 = { deflateInit: deflateInit_1, deflateInit2: deflateInit2_1, deflateReset: deflateReset_1, deflateResetKeep: deflateResetKeep_1, deflateSetHeader: deflateSetHeader_1, deflate: deflate_2$1, deflateEnd: deflateEnd_1, deflateSetDictionary: deflateSetDictionary_1, deflateInfo: deflateInfo }; const _has = (obj, key) => { return Object.prototype.hasOwnProperty.call(obj, key); }; var assign = function (obj /*from1, from2, from3, ...*/) { const sources = Array.prototype.slice.call(arguments, 1); while (sources.length) { const source = sources.shift(); if (!source) { continue; } if (typeof source !== "object") { throw new TypeError(source + "must be non-object"); } for (const p in source) { if (_has(source, p)) { obj[p] = source[p]; } } } return obj; }; // Join array of chunks to single array. var flattenChunks = (chunks) => { // calculate data length let len = 0; for (let i = 0, l = chunks.length; i < l; i++) { len += chunks[i].length; } // join chunks const result = new Uint8Array(len); for (let i = 0, pos = 0, l = chunks.length; i < l; i++) { let chunk = chunks[i]; result.set(chunk, pos); pos += chunk.length; } return result; }; var common = { assign: assign, flattenChunks: flattenChunks }; // String encode/decode helpers // Quick check if we can use fast array to bin string conversion // // - apply(Array) can fail on Android 2.2 // - apply(Uint8Array) can fail on iOS 5.1 Safari // let STR_APPLY_UIA_OK = true; try { String.fromCharCode.apply(null, new Uint8Array(1)); } catch (__) { STR_APPLY_UIA_OK = false; } // Table with utf8 lengths (calculated by first byte of sequence) // Note, that 5 & 6-byte values and some 4-byte values can not be represented in JS, // because max possible codepoint is 0x10ffff const _utf8len = new Uint8Array(256); for (let q = 0; q < 256; q++) { _utf8len[q] = (q >= 252 ? 6 : q >= 248 ? 5 : q >= 240 ? 4 : q >= 224 ? 3 : q >= 192 ? 2 : 1); } _utf8len[254] = _utf8len[254] = 1; // Invalid sequence start // convert string to array (typed, when possible) var string2buf = (str) => { if (typeof TextEncoder === "function" && TextEncoder.prototype.encode) { return new TextEncoder().encode(str); } let buf, c, c2, m_pos, i, str_len = str.length, buf_len = 0; // count binary size for (m_pos = 0; m_pos < str_len; m_pos++) { c = str.charCodeAt(m_pos); if ((c & 0xfc00) === 0xd800 && (m_pos + 1 < str_len)) { c2 = str.charCodeAt(m_pos + 1); if ((c2 & 0xfc00) === 0xdc00) { c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00); m_pos++; } } buf_len += c < 0x80 ? 1 : c < 0x800 ? 2 : c < 0x10000 ? 3 : 4; } // allocate buffer buf = new Uint8Array(buf_len); // convert for (i = 0, m_pos = 0; i < buf_len; m_pos++) { c = str.charCodeAt(m_pos); if ((c & 0xfc00) === 0xd800 && (m_pos + 1 < str_len)) { c2 = str.charCodeAt(m_pos + 1); if ((c2 & 0xfc00) === 0xdc00) { c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00); m_pos++; } } if (c < 0x80) { /* one byte */ buf[i++] = c; } else if (c < 0x800) { /* two bytes */ buf[i++] = 0xC0 | (c >>> 6); buf[i++] = 0x80 | (c & 0x3f); } else if (c < 0x10000) { /* three bytes */ buf[i++] = 0xE0 | (c >>> 12); buf[i++] = 0x80 | (c >>> 6 & 0x3f); buf[i++] = 0x80 | (c & 0x3f); } else { /* four bytes */ buf[i++] = 0xf0 | (c >>> 18); buf[i++] = 0x80 | (c >>> 12 & 0x3f); buf[i++] = 0x80 | (c >>> 6 & 0x3f); buf[i++] = 0x80 | (c & 0x3f); } } return buf; }; // Helper const buf2binstring = (buf, len) => { // On Chrome, the arguments in a function call that are allowed is `65534`. // If the length of the buffer is smaller than that, we can use this optimization, // otherwise we will take a slower path. if (len < 65534) { if (buf.subarray && STR_APPLY_UIA_OK) { return String.fromCharCode.apply(null, buf.length === len ? buf : buf.subarray(0, len)); } } let result = ""; for (let i = 0; i < len; i++) { result += String.fromCharCode(buf[i]); } return result; }; // convert array to string var buf2string = (buf, max) => { const len = max || buf.length; if (typeof TextDecoder === "function" && TextDecoder.prototype.decode) { return new TextDecoder().decode(buf.subarray(0, max)); } let i, out; // Reserve max possible length (2 words per char) // NB: by unknown reasons, Array is significantly faster for // String.fromCharCode.apply than Uint16Array. const utf16buf = new Array(len * 2); for (out = 0, i = 0; i < len;) { let c = buf[i++]; // quick process ascii if (c < 0x80) { utf16buf[out++] = c; continue; } let c_len = _utf8len[c]; // skip 5 & 6 byte codes if (c_len > 4) { utf16buf[out++] = 0xfffd; i += c_len - 1; continue; } // apply mask on first byte c &= c_len === 2 ? 0x1f : c_len === 3 ? 0x0f : 0x07; // join the rest while (c_len > 1 && i < len) { c = (c << 6) | (buf[i++] & 0x3f); c_len--; } // terminated by end of string? if (c_len > 1) { utf16buf[out++] = 0xfffd; continue; } if (c < 0x10000) { utf16buf[out++] = c; } else { c -= 0x10000; utf16buf[out++] = 0xd800 | ((c >> 10) & 0x3ff); utf16buf[out++] = 0xdc00 | (c & 0x3ff); } } return buf2binstring(utf16buf, out); }; // Calculate max possible position in utf8 buffer, // that will not break sequence. If that"s not possible // - (very small limits) return max size as is. // // buf[] - utf8 bytes array // max - length limit (mandatory); var utf8border = (buf, max) => { max = max || buf.length; if (max > buf.length) { max = buf.length; } // go back from last position, until start of sequence found let pos = max - 1; while (pos >= 0 && (buf[pos] & 0xC0) === 0x80) { pos--; } // Very small and broken sequence, // return max, because we should return something anyway. if (pos < 0) { return max; } // If we came to start of buffer - that means buffer is too small, // return max too. if (pos === 0) { return max; } return (pos + _utf8len[buf[pos]] > max) ? pos : max; }; var strings = { string2buf: string2buf, buf2string: buf2string, utf8border: utf8border }; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. function ZStream() { /* next input byte */ this.input = null; // JS specific, because we have no pointers this.next_in = 0; /* number of bytes available at input */ this.avail_in = 0; /* total number of input bytes read so far */ this.total_in = 0; /* next output byte should be put there */ this.output = null; // JS specific, because we have no pointers this.next_out = 0; /* remaining free space at output */ this.avail_out = 0; /* total number of bytes output so far */ this.total_out = 0; /* last error message, NULL if no error */ this.msg = ""/*Z_NULL*/; /* not visible by applications */ this.state = null; /* best guess about the data type: binary or text */ this.data_type = 2/*Z_UNKNOWN*/; /* adler32 value of the uncompressed data */ this.adler = 0; } var zstream = ZStream; const toString$1 = Object.prototype.toString; /* Public constants ==========================================================*/ /* ===========================================================================*/ const { Z_NO_FLUSH: Z_NO_FLUSH$1, Z_SYNC_FLUSH, Z_FULL_FLUSH, Z_FINISH: Z_FINISH$2, Z_OK: Z_OK$2, Z_STREAM_END: Z_STREAM_END$2, Z_DEFAULT_COMPRESSION, Z_DEFAULT_STRATEGY, Z_DEFLATED: Z_DEFLATED$1 } = constants$2; /* ===========================================================================*/ /** * class Deflate * * Generic JS-style wrapper for zlib calls. If you don"t need * streaming behaviour - use more simple functions: [[deflate]], * [[deflateRaw]] and [[gzip]]. **/ /* internal * Deflate.chunks -> Array * * Chunks of output data, if [[Deflate#onData]] not overridden. **/ /** * Deflate.result -> Uint8Array * * Compressed result, generated by default [[Deflate#onData]] * and [[Deflate#onEnd]] handlers. Filled after you push last chunk * (call [[Deflate#push]] with `Z_FINISH` / `true` param). **/ /** * Deflate.err -> Number * * Error code after deflate finished. 0 (Z_OK) on success. * You will not need it in real life, because deflate errors * are possible only on wrong options or bad `onData` / `onEnd` * custom handlers. **/ /** * Deflate.msg -> String * * Error message, if [[Deflate.err]] != 0 **/ /** * new Deflate(options) * - options (Object): zlib deflate options. * * Creates new deflator instance with specified params. Throws exception * on bad params. Supported options: * * - `level` * - `windowBits` * - `memLevel` * - `strategy` * - `dictionary` * * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced) * for more information on these. * * Additional options, for internal needs: * * - `chunkSize` - size of generated data chunks (16K by default) * - `raw` (Boolean) - do raw deflate * - `gzip` (Boolean) - create gzip wrapper * - `header` (Object) - custom header for gzip * - `text` (Boolean) - true if compressed data believed to be text * - `time` (Number) - modification time, unix timestamp * - `os` (Number) - operation system code * - `extra` (Array) - array of bytes with extra data (max 65536) * - `name` (String) - file name (binary string) * - `comment` (String) - comment (binary string) * - `hcrc` (Boolean) - true if header crc should be added * * ##### Example: * * ```javascript * const pako = require("pako") * , chunk1 = new Uint8Array([1,2,3,4,5,6,7,8,9]) * , chunk2 = new Uint8Array([10,11,12,13,14,15,16,17,18,19]); * * const deflate = new pako.Deflate({ level: 3}); * * deflate.push(chunk1, false); * deflate.push(chunk2, true); // true -> last chunk * * if (deflate.err) { throw new Error(deflate.err); } * * console.log(deflate.result); * ``` **/ function Deflate$1(options) { this.options = common.assign({ level: Z_DEFAULT_COMPRESSION, method: Z_DEFLATED$1, chunkSize: 16384, windowBits: 15, memLevel: 8, strategy: Z_DEFAULT_STRATEGY }, options || {}); let opt = this.options; if (opt.raw && (opt.windowBits > 0)) { opt.windowBits = -opt.windowBits; } else if (opt.gzip && (opt.windowBits > 0) && (opt.windowBits < 16)) { opt.windowBits += 16; } this.err = 0; // error code, if happens (0 = Z_OK) this.msg = ""; // error message this.ended = false; // used to avoid multiple onEnd() calls this.chunks = []; // chunks of compressed data this.strm = new zstream(); this.strm.avail_out = 0; let status = deflate_1$2.deflateInit2( this.strm, opt.level, opt.method, opt.windowBits, opt.memLevel, opt.strategy ); if (status !== Z_OK$2) { throw new Error(messages[status]); } if (opt.header) { deflate_1$2.deflateSetHeader(this.strm, opt.header); } if (opt.dictionary) { let dict; // Convert data if needed if (typeof opt.dictionary === "string") { // If we need to compress text, change encoding to utf8. dict = strings.string2buf(opt.dictionary); } else if (toString$1.call(opt.dictionary) === "[object ArrayBuffer]") { dict = new Uint8Array(opt.dictionary); } else { dict = opt.dictionary; } status = deflate_1$2.deflateSetDictionary(this.strm, dict); if (status !== Z_OK$2) { throw new Error(messages[status]); } this._dict_set = true; } } /** * Deflate#push(data[, flush_mode]) -> Boolean * - data (Uint8Array|ArrayBuffer|String): input data. Strings will be * converted to utf8 byte sequence. * - flush_mode (Number|Boolean): 0..6 for corresponding Z_NO_FLUSH..Z_TREE modes. * See constants. Skipped or `false` means Z_NO_FLUSH, `true` means Z_FINISH. * * Sends input data to deflate pipe, generating [[Deflate#onData]] calls with * new compressed chunks. Returns `true` on success. The last data block must * have `flush_mode` Z_FINISH (or `true`). That will flush internal pending * buffers and call [[Deflate#onEnd]]. * * On fail call [[Deflate#onEnd]] with error code and return false. * * ##### Example * * ```javascript * push(chunk, false); // push one of data chunks * ... * push(chunk, true); // push last chunk * ``` **/ Deflate$1.prototype.push = function (data, flush_mode) { const strm = this.strm; const chunkSize = this.options.chunkSize; let status, _flush_mode; if (this.ended) { return false; } if (flush_mode === ~~flush_mode) _flush_mode = flush_mode; else _flush_mode = flush_mode === true ? Z_FINISH$2 : Z_NO_FLUSH$1; // Convert data if needed if (typeof data === "string") { // If we need to compress text, change encoding to utf8. strm.input = strings.string2buf(data); } else if (toString$1.call(data) === "[object ArrayBuffer]") { strm.input = new Uint8Array(data); } else { strm.input = data; } strm.next_in = 0; strm.avail_in = strm.input.length; for (;;) { if (strm.avail_out === 0) { strm.output = new Uint8Array(chunkSize); strm.next_out = 0; strm.avail_out = chunkSize; } // Make sure avail_out > 6 to avoid repeating markers if ((_flush_mode === Z_SYNC_FLUSH || _flush_mode === Z_FULL_FLUSH) && strm.avail_out <= 6) { this.onData(strm.output.subarray(0, strm.next_out)); strm.avail_out = 0; continue; } status = deflate_1$2.deflate(strm, _flush_mode); // Ended => flush and finish if (status === Z_STREAM_END$2) { if (strm.next_out > 0) { this.onData(strm.output.subarray(0, strm.next_out)); } status = deflate_1$2.deflateEnd(this.strm); this.onEnd(status); this.ended = true; return status === Z_OK$2; } // Flush if out buffer full if (strm.avail_out === 0) { this.onData(strm.output); continue; } // Flush if requested and has data if (_flush_mode > 0 && strm.next_out > 0) { this.onData(strm.output.subarray(0, strm.next_out)); strm.avail_out = 0; continue; } if (strm.avail_in === 0) break; } return true; }; /** * Deflate#onData(chunk) -> Void * - chunk (Uint8Array): output data. * * By default, stores data blocks in `chunks[]` property and glue * those in `onEnd`. Override this handler, if you need another behaviour. **/ Deflate$1.prototype.onData = function (chunk) { this.chunks.push(chunk); }; /** * Deflate#onEnd(status) -> Void * - status (Number): deflate status. 0 (Z_OK) on success, * other if not. * * Called once after you tell deflate that the input stream is * complete (Z_FINISH). By default - join collected chunks, * free memory and fill `results` / `err` properties. **/ Deflate$1.prototype.onEnd = function (status) { // On success - join if (status === Z_OK$2) { this.result = common.flattenChunks(this.chunks); } this.chunks = []; this.err = status; this.msg = this.strm.msg; }; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. // See state defs from inflate.js const BAD$1 = 16209; /* got a data error -- remain here until reset */ const TYPE$1 = 16191; /* i: waiting for type bits, including last-flag bit */ /* Decode literal, length, and distance codes and write out the resulting literal and match bytes until either not enough input or output is available, an end-of-block is encountered, or a data error is encountered. When large enough input and output buffers are supplied to inflate(), for example, a 16K input buffer and a 64K output buffer, more than 95% of the inflate execution time is spent in this routine. Entry assumptions: state.mode === LEN strm.avail_in >= 6 strm.avail_out >= 258 start >= strm.avail_out state.bits < 8 On return, state.mode is one of: LEN -- ran out of enough output space or enough available input TYPE -- reached end of block code, inflate() to interpret next block BAD -- error in block data Notes: - The maximum input bits used by a length/distance pair is 15 bits for the length code, 5 bits for the length extra, 15 bits for the distance code, and 13 bits for the distance extra. This totals 48 bits, or six bytes. Therefore if strm.avail_in >= 6, then there is enough input to avoid checking for available input while decoding. - The maximum bytes that a single length/distance pair can output is 258 bytes, which is the maximum length that can be coded. inflate_fast() requires strm.avail_out >= 258 for each loop to avoid checking for output space. */ var inffast = function inflate_fast(strm, start) { let _in; /* local strm.input */ let last; /* have enough input while in < last */ let _out; /* local strm.output */ let beg; /* inflate()"s initial strm.output */ let end; /* while out < end, enough space available */ //#ifdef INFLATE_STRICT let dmax; /* maximum distance from zlib header */ //#endif let wsize; /* window size or zero if not using window */ let whave; /* valid bytes in the window */ let wnext; /* window write index */ // Use `s_window` instead `window`, avoid conflict with instrumentation tools let s_window; /* allocated sliding window, if wsize != 0 */ let hold; /* local strm.hold */ let bits; /* local strm.bits */ let lcode; /* local strm.lencode */ let dcode; /* local strm.distcode */ let lmask; /* mask for first level of length codes */ let dmask; /* mask for first level of distance codes */ let here; /* retrieved table entry */ let op; /* code bits, operation, extra bits, or */ /* window position, window bytes to copy */ let len; /* match length, unused bytes */ let dist; /* match distance */ let from; /* where to copy match from */ let from_source; let input, output; // JS specific, because we have no pointers /* copy state to local variables */ const state = strm.state; //here = state.here; _in = strm.next_in; input = strm.input; last = _in + (strm.avail_in - 5); _out = strm.next_out; output = strm.output; beg = _out - (start - strm.avail_out); end = _out + (strm.avail_out - 257); //#ifdef INFLATE_STRICT dmax = state.dmax; //#endif wsize = state.wsize; whave = state.whave; wnext = state.wnext; s_window = state.window; hold = state.hold; bits = state.bits; lcode = state.lencode; dcode = state.distcode; lmask = (1 << state.lenbits) - 1; dmask = (1 << state.distbits) - 1; /* decode literals and length/distances until end-of-block or not enough input data or output space */ top: do { if (bits < 15) { hold += input[_in++] << bits; bits += 8; hold += input[_in++] << bits; bits += 8; } here = lcode[hold & lmask]; dolen: for (;;) { // Goto emulation op = here >>> 24/*here.bits*/; hold >>>= op; bits -= op; op = (here >>> 16) & 0xff/*here.op*/; if (op === 0) { /* literal */ //Tracevv((stderr, here.val >= 0x20 && here.val < 0x7f ? // "inflate: literal "%c" " : // "inflate: literal 0x%02x ", here.val)); output[_out++] = here & 0xffff/*here.val*/; } else if (op & 16) { /* length base */ len = here & 0xffff/*here.val*/; op &= 15; /* number of extra bits */ if (op) { if (bits < op) { hold += input[_in++] << bits; bits += 8; } len += hold & ((1 << op) - 1); hold >>>= op; bits -= op; } //Tracevv((stderr, "inflate: length %u ", len)); if (bits < 15) { hold += input[_in++] << bits; bits += 8; hold += input[_in++] << bits; bits += 8; } here = dcode[hold & dmask]; dodist: for (;;) { // goto emulation op = here >>> 24/*here.bits*/; hold >>>= op; bits -= op; op = (here >>> 16) & 0xff/*here.op*/; if (op & 16) { /* distance base */ dist = here & 0xffff/*here.val*/; op &= 15; /* number of extra bits */ if (bits < op) { hold += input[_in++] << bits; bits += 8; if (bits < op) { hold += input[_in++] << bits; bits += 8; } } dist += hold & ((1 << op) - 1); //#ifdef INFLATE_STRICT if (dist > dmax) { strm.msg = "invalid distance too far back"; state.mode = BAD$1; break top; } //#endif hold >>>= op; bits -= op; //Tracevv((stderr, "inflate: distance %u ", dist)); op = _out - beg; /* max distance in output */ if (dist > op) { /* see if copy from window */ op = dist - op; /* distance back in window */ if (op > whave) { if (state.sane) { strm.msg = "invalid distance too far back"; state.mode = BAD$1; break top; } // (!) This block is disabled in zlib defaults, // don"t enable it for binary compatibility //#ifdef INFLATE_ALLOW_INVALID_DISTANCE_TOOFAR_ARRR // if (len <= op - whave) { // do { // output[_out++] = 0; // } while (--len); // continue top; // } // len -= op - whave; // do { // output[_out++] = 0; // } while (--op > whave); // if (op === 0) { // from = _out - dist; // do { // output[_out++] = output[from++]; // } while (--len); // continue top; // } //#endif } from = 0; // window index from_source = s_window; if (wnext === 0) { /* very common case */ from += wsize - op; if (op < len) { /* some from window */ len -= op; do { output[_out++] = s_window[from++]; } while (--op); from = _out - dist; /* rest from output */ from_source = output; } } else if (wnext < op) { /* wrap around window */ from += wsize + wnext - op; op -= wnext; if (op < len) { /* some from end of window */ len -= op; do { output[_out++] = s_window[from++]; } while (--op); from = 0; if (wnext < len) { /* some from start of window */ op = wnext; len -= op; do { output[_out++] = s_window[from++]; } while (--op); from = _out - dist; /* rest from output */ from_source = output; } } } else { /* contiguous in window */ from += wnext - op; if (op < len) { /* some from window */ len -= op; do { output[_out++] = s_window[from++]; } while (--op); from = _out - dist; /* rest from output */ from_source = output; } } while (len > 2) { output[_out++] = from_source[from++]; output[_out++] = from_source[from++]; output[_out++] = from_source[from++]; len -= 3; } if (len) { output[_out++] = from_source[from++]; if (len > 1) { output[_out++] = from_source[from++]; } } } else { from = _out - dist; /* copy direct from output */ do { /* minimum length is three */ output[_out++] = output[from++]; output[_out++] = output[from++]; output[_out++] = output[from++]; len -= 3; } while (len > 2); if (len) { output[_out++] = output[from++]; if (len > 1) { output[_out++] = output[from++]; } } } } else if ((op & 64) === 0) { /* 2nd level distance code */ here = dcode[(here & 0xffff)/*here.val*/ + (hold & ((1 << op) - 1))]; continue dodist; } else { strm.msg = "invalid distance code"; state.mode = BAD$1; break top; } break; // need to emulate goto via "continue" } } else if ((op & 64) === 0) { /* 2nd level length code */ here = lcode[(here & 0xffff)/*here.val*/ + (hold & ((1 << op) - 1))]; continue dolen; } else if (op & 32) { /* end-of-block */ //Tracevv((stderr, "inflate: end of block ")); state.mode = TYPE$1; break top; } else { strm.msg = "invalid literal/length code"; state.mode = BAD$1; break top; } break; // need to emulate goto via "continue" } } while (_in < last && _out < end); /* return unused bytes (on entry, bits < 8, so in won"t go too far back) */ len = bits >> 3; _in -= len; bits -= len << 3; hold &= (1 << bits) - 1; /* update state and return */ strm.next_in = _in; strm.next_out = _out; strm.avail_in = (_in < last ? 5 + (last - _in) : 5 - (_in - last)); strm.avail_out = (_out < end ? 257 + (end - _out) : 257 - (_out - end)); state.hold = hold; state.bits = bits; return; }; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. const MAXBITS = 15; const ENOUGH_LENS$1 = 852; const ENOUGH_DISTS$1 = 592; //const ENOUGH = (ENOUGH_LENS+ENOUGH_DISTS); const CODES$1 = 0; const LENS$1 = 1; const DISTS$1 = 2; const lbase = new Uint16Array([ /* Length codes 257..285 base */ 3, 4, 5, 6, 7, 8, 9, 10, 11, 13, 15, 17, 19, 23, 27, 31, 35, 43, 51, 59, 67, 83, 99, 115, 131, 163, 195, 227, 258, 0, 0 ]); const lext = new Uint8Array([ /* Length codes 257..285 extra */ 16, 16, 16, 16, 16, 16, 16, 16, 17, 17, 17, 17, 18, 18, 18, 18, 19, 19, 19, 19, 20, 20, 20, 20, 21, 21, 21, 21, 16, 72, 78 ]); const dbase = new Uint16Array([ /* Distance codes 0..29 base */ 1, 2, 3, 4, 5, 7, 9, 13, 17, 25, 33, 49, 65, 97, 129, 193, 257, 385, 513, 769, 1025, 1537, 2049, 3073, 4097, 6145, 8193, 12289, 16385, 24577, 0, 0 ]); const dext = new Uint8Array([ /* Distance codes 0..29 extra */ 16, 16, 16, 16, 17, 17, 18, 18, 19, 19, 20, 20, 21, 21, 22, 22, 23, 23, 24, 24, 25, 25, 26, 26, 27, 27, 28, 28, 29, 29, 64, 64 ]); const inflate_table = (type, lens, lens_index, codes, table, table_index, work, opts) => { const bits = opts.bits; //here = opts.here; /* table entry for duplication */ let len = 0; /* a code"s length in bits */ let sym = 0; /* index of code symbols */ let min = 0, max = 0; /* minimum and maximum code lengths */ let root = 0; /* number of index bits for root table */ let curr = 0; /* number of index bits for current table */ let drop = 0; /* code bits to drop for sub-table */ let left = 0; /* number of prefix codes available */ let used = 0; /* code entries in table used */ let huff = 0; /* Huffman code */ let incr; /* for incrementing code, index */ let fill; /* index for replicating entries */ let low; /* low bits for current root entry */ let mask; /* mask for low root bits */ let next; /* next available space in table */ let base = null; /* base value table to use */ // let shoextra; /* extra bits table to use */ let match; /* use base and extra for symbol >= match */ const count = new Uint16Array(MAXBITS + 1); //[MAXBITS+1]; /* number of codes of each length */ const offs = new Uint16Array(MAXBITS + 1); //[MAXBITS+1]; /* offsets in table for each length */ let extra = null; let here_bits, here_op, here_val; /* Process a set of code lengths to create a canonical Huffman code. The code lengths are lens[0..codes-1]. Each length corresponds to the symbols 0..codes-1. The Huffman code is generated by first sorting the symbols by length from short to long, and retaining the symbol order for codes with equal lengths. Then the code starts with all zero bits for the first code of the shortest length, and the codes are integer increments for the same length, and zeros are appended as the length increases. For the deflate format, these bits are stored backwards from their more natural integer increment ordering, and so when the decoding tables are built in the large loop below, the integer codes are incremented backwards. This routine assumes, but does not check, that all of the entries in lens[] are in the range 0..MAXBITS. The caller must assure this. 1..MAXBITS is interpreted as that code length. zero means that that symbol does not occur in this code. The codes are sorted by computing a count of codes for each length, creating from that a table of starting indices for each length in the sorted table, and then entering the symbols in order in the sorted table. The sorted table is work[], with that space being provided by the caller. The length counts are used for other purposes as well, i.e. finding the minimum and maximum length codes, determining if there are any codes at all, checking for a valid set of lengths, and looking ahead at length counts to determine sub-table sizes when building the decoding tables. */ /* accumulate lengths for codes (assumes lens[] all in 0..MAXBITS) */ for (len = 0; len <= MAXBITS; len++) { count[len] = 0; } for (sym = 0; sym < codes; sym++) { count[lens[lens_index + sym]]++; } /* bound code lengths, force root to be within code lengths */ root = bits; for (max = MAXBITS; max >= 1; max--) { if (count[max] !== 0) { break; } } if (root > max) { root = max; } if (max === 0) { /* no symbols to code at all */ //table.op[opts.table_index] = 64; //here.op = (var char)64; /* invalid code marker */ //table.bits[opts.table_index] = 1; //here.bits = (var char)1; //table.val[opts.table_index++] = 0; //here.val = (var short)0; table[table_index++] = (1 << 24) | (64 << 16) | 0; //table.op[opts.table_index] = 64; //table.bits[opts.table_index] = 1; //table.val[opts.table_index++] = 0; table[table_index++] = (1 << 24) | (64 << 16) | 0; opts.bits = 1; return 0; /* no symbols, but wait for decoding to report error */ } for (min = 1; min < max; min++) { if (count[min] !== 0) { break; } } if (root < min) { root = min; } /* check for an over-subscribed or incomplete set of lengths */ left = 1; for (len = 1; len <= MAXBITS; len++) { left <<= 1; left -= count[len]; if (left < 0) { return -1; } /* over-subscribed */ } if (left > 0 && (type === CODES$1 || max !== 1)) { return -1; /* incomplete set */ } /* generate offsets into symbol table for each length for sorting */ offs[1] = 0; for (len = 1; len < MAXBITS; len++) { offs[len + 1] = offs[len] + count[len]; } /* sort symbols by length, by symbol order within each length */ for (sym = 0; sym < codes; sym++) { if (lens[lens_index + sym] !== 0) { work[offs[lens[lens_index + sym]]++] = sym; } } /* Create and fill in decoding tables. In this loop, the table being filled is at next and has curr index bits. The code being used is huff with length len. That code is converted to an index by dropping drop bits off of the bottom. For codes where len is less than drop + curr, those top drop + curr - len bits are incremented through all values to fill the table with replicated entries. root is the number of index bits for the root table. When len exceeds root, sub-tables are created pointed to by the root entry with an index of the low root bits of huff. This is saved in low to check for when a new sub-table should be started. drop is zero when the root table is being filled, and drop is root when sub-tables are being filled. When a new sub-table is needed, it is necessary to look ahead in the code lengths to determine what size sub-table is needed. The length counts are used for this, and so count[] is decremented as codes are entered in the tables. used keeps track of how many table entries have been allocated from the provided *table space. It is checked for LENS and DIST tables against the constants ENOUGH_LENS and ENOUGH_DISTS to guard against changes in the initial root table size constants. See the comments in inftrees.h for more information. sym increments through all symbols, and the loop terminates when all codes of length max, i.e. all codes, have been processed. This routine permits incomplete codes, so another loop after this one fills in the rest of the decoding tables with invalid code markers. */ /* set up for code type */ // poor man optimization - use if-else instead of switch, // to avoid deopts in old v8 if (type === CODES$1) { base = extra = work; /* dummy value--not used */ match = 20; } else if (type === LENS$1) { base = lbase; extra = lext; match = 257; } else { /* DISTS */ base = dbase; extra = dext; match = 0; } /* initialize opts for loop */ huff = 0; /* starting code */ sym = 0; /* starting code symbol */ len = min; /* starting code length */ next = table_index; /* current table to fill in */ curr = root; /* current table index bits */ drop = 0; /* current bits to drop from code for index */ low = -1; /* trigger new sub-table when len > root */ used = 1 << root; /* use root table entries */ mask = used - 1; /* mask for comparing low */ /* check available table space */ if ((type === LENS$1 && used > ENOUGH_LENS$1) || (type === DISTS$1 && used > ENOUGH_DISTS$1)) { return 1; } /* process all codes and make table entries */ for (;;) { /* create table entry */ here_bits = len - drop; if (work[sym] + 1 < match) { here_op = 0; here_val = work[sym]; } else if (work[sym] >= match) { here_op = extra[work[sym] - match]; here_val = base[work[sym] - match]; } else { here_op = 32 + 64; /* end of block */ here_val = 0; } /* replicate for those indices with low len bits equal to huff */ incr = 1 << (len - drop); fill = 1 << curr; min = fill; /* save offset to next table */ do { fill -= incr; table[next + (huff >> drop) + fill] = (here_bits << 24) | (here_op << 16) | here_val |0; } while (fill !== 0); /* backwards increment the len-bit code huff */ incr = 1 << (len - 1); while (huff & incr) { incr >>= 1; } if (incr !== 0) { huff &= incr - 1; huff += incr; } else { huff = 0; } /* go to next symbol, update count, len */ sym++; if (--count[len] === 0) { if (len === max) { break; } len = lens[lens_index + work[sym]]; } /* create new sub-table if needed */ if (len > root && (huff & mask) !== low) { /* if first time, transition to sub-tables */ if (drop === 0) { drop = root; } /* increment past last table */ next += min; /* here min is 1 << curr */ /* determine length of next table */ curr = len - drop; left = 1 << curr; while (curr + drop < max) { left -= count[curr + drop]; if (left <= 0) { break; } curr++; left <<= 1; } /* check for enough space */ used += 1 << curr; if ((type === LENS$1 && used > ENOUGH_LENS$1) || (type === DISTS$1 && used > ENOUGH_DISTS$1)) { return 1; } /* point entry in root table to sub-table */ low = huff & mask; /*table.op[low] = curr; table.bits[low] = root; table.val[low] = next - opts.table_index;*/ table[low] = (root << 24) | (curr << 16) | (next - table_index) |0; } } /* fill in remaining table entry if code is incomplete (guaranteed to have at most one remaining entry, since if the code is incomplete, the maximum code length that was allowed to get this far is one bit) */ if (huff !== 0) { //table.op[next + huff] = 64; /* invalid code marker */ //table.bits[next + huff] = len - drop; //table.val[next + huff] = 0; table[next + huff] = ((len - drop) << 24) | (64 << 16) |0; } /* set return parameters */ //opts.table_index += used; opts.bits = root; return 0; }; var inftrees = inflate_table; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. const CODES = 0; const LENS = 1; const DISTS = 2; /* Public constants ==========================================================*/ /* ===========================================================================*/ const { Z_FINISH: Z_FINISH$1, Z_BLOCK, Z_TREES, Z_OK: Z_OK$1, Z_STREAM_END: Z_STREAM_END$1, Z_NEED_DICT: Z_NEED_DICT$1, Z_STREAM_ERROR: Z_STREAM_ERROR$1, Z_DATA_ERROR: Z_DATA_ERROR$1, Z_MEM_ERROR: Z_MEM_ERROR$1, Z_BUF_ERROR, Z_DEFLATED } = constants$2; /* STATES ====================================================================*/ /* ===========================================================================*/ const HEAD = 16180; /* i: waiting for magic header */ const FLAGS = 16181; /* i: waiting for method and flags (gzip) */ const TIME = 16182; /* i: waiting for modification time (gzip) */ const OS = 16183; /* i: waiting for extra flags and operating system (gzip) */ const EXLEN = 16184; /* i: waiting for extra length (gzip) */ const EXTRA = 16185; /* i: waiting for extra bytes (gzip) */ const NAME = 16186; /* i: waiting for end of file name (gzip) */ const COMMENT = 16187; /* i: waiting for end of comment (gzip) */ const HCRC = 16188; /* i: waiting for header crc (gzip) */ const DICTID = 16189; /* i: waiting for dictionary check value */ const DICT = 16190; /* waiting for inflateSetDictionary() call */ const TYPE = 16191; /* i: waiting for type bits, including last-flag bit */ const TYPEDO = 16192; /* i: same, but skip check to exit inflate on new block */ const STORED = 16193; /* i: waiting for stored size (length and complement) */ const COPY_ = 16194; /* i/o: same as COPY below, but only first time in */ const COPY = 16195; /* i/o: waiting for input or output to copy stored block */ const TABLE = 16196; /* i: waiting for dynamic block table lengths */ const LENLENS = 16197; /* i: waiting for code length code lengths */ const CODELENS = 16198; /* i: waiting for length/lit and distance code lengths */ const LEN_ = 16199; /* i: same as LEN below, but only first time in */ const LEN = 16200; /* i: waiting for length/lit/eob code */ const LENEXT = 16201; /* i: waiting for length extra bits */ const DIST = 16202; /* i: waiting for distance code */ const DISTEXT = 16203; /* i: waiting for distance extra bits */ const MATCH = 16204; /* o: waiting for output space to copy string */ const LIT = 16205; /* o: waiting for output space to write literal */ const CHECK = 16206; /* i: waiting for 32-bit check value */ const LENGTH = 16207; /* i: waiting for 32-bit length (gzip) */ const DONE = 16208; /* finished check, done -- remain here until reset */ const BAD = 16209; /* got a data error -- remain here until reset */ const MEM = 16210; /* got an inflate() memory error -- remain here until reset */ const SYNC = 16211; /* looking for synchronization bytes to restart inflate() */ /* ===========================================================================*/ const ENOUGH_LENS = 852; const ENOUGH_DISTS = 592; //const ENOUGH = (ENOUGH_LENS+ENOUGH_DISTS); const MAX_WBITS = 15; /* 32K LZ77 window */ const DEF_WBITS = MAX_WBITS; const zswap32 = (q) => { return (((q >>> 24) & 0xff) + ((q >>> 8) & 0xff00) + ((q & 0xff00) << 8) + ((q & 0xff) << 24)); }; function InflateState() { this.strm = null; /* pointer back to this zlib stream */ this.mode = 0; /* current inflate mode */ this.last = false; /* true if processing last block */ this.wrap = 0; /* bit 0 true for zlib, bit 1 true for gzip, bit 2 true to validate check value */ this.havedict = false; /* true if dictionary provided */ this.flags = 0; /* gzip header method and flags (0 if zlib), or -1 if raw or no header yet */ this.dmax = 0; /* zlib header max distance (INFLATE_STRICT) */ this.check = 0; /* protected copy of check value */ this.total = 0; /* protected copy of output count */ // TODO: may be {} this.head = null; /* where to save gzip header information */ /* sliding window */ this.wbits = 0; /* log base 2 of requested window size */ this.wsize = 0; /* window size or zero if not using window */ this.whave = 0; /* valid bytes in the window */ this.wnext = 0; /* window write index */ this.window = null; /* allocated sliding window, if needed */ /* bit accumulator */ this.hold = 0; /* input bit accumulator */ this.bits = 0; /* number of bits in "in" */ /* for string and stored block copying */ this.length = 0; /* literal or length of data to copy */ this.offset = 0; /* distance back to copy string from */ /* for table and code decoding */ this.extra = 0; /* extra bits needed */ /* fixed and dynamic code tables */ this.lencode = null; /* starting table for length/literal codes */ this.distcode = null; /* starting table for distance codes */ this.lenbits = 0; /* index bits for lencode */ this.distbits = 0; /* index bits for distcode */ /* dynamic table building */ this.ncode = 0; /* number of code length code lengths */ this.nlen = 0; /* number of length code lengths */ this.ndist = 0; /* number of distance code lengths */ this.have = 0; /* number of code lengths in lens[] */ this.next = null; /* next available space in codes[] */ this.lens = new Uint16Array(320); /* temporary storage for code lengths */ this.work = new Uint16Array(288); /* work area for code table building */ /* because we don"t have pointers in js, we use lencode and distcode directly as buffers so we don"t need codes */ //this.codes = new Int32Array(ENOUGH); /* space for code tables */ this.lendyn = null; /* dynamic table for length/literal codes (JS specific) */ this.distdyn = null; /* dynamic table for distance codes (JS specific) */ this.sane = 0; /* if false, allow invalid distance too far */ this.back = 0; /* bits back of last unprocessed length/lit */ this.was = 0; /* initial length of match */ } const inflateStateCheck = (strm) => { if (!strm) { return 1; } const state = strm.state; if (!state || state.strm !== strm || state.mode < HEAD || state.mode > SYNC) { return 1; } return 0; }; const inflateResetKeep = (strm) => { if (inflateStateCheck(strm)) { return Z_STREAM_ERROR$1; } const state = strm.state; strm.total_in = strm.total_out = state.total = 0; strm.msg = ""; /*Z_NULL*/ if (state.wrap) { /* to support ill-conceived Java test suite */ strm.adler = state.wrap & 1; } state.mode = HEAD; state.last = 0; state.havedict = 0; state.flags = -1; state.dmax = 32768; state.head = null/*Z_NULL*/; state.hold = 0; state.bits = 0; //state.lencode = state.distcode = state.next = state.codes; state.lencode = state.lendyn = new Int32Array(ENOUGH_LENS); state.distcode = state.distdyn = new Int32Array(ENOUGH_DISTS); state.sane = 1; state.back = -1; //Tracev((stderr, "inflate: reset ")); return Z_OK$1; }; const inflateReset = (strm) => { if (inflateStateCheck(strm)) { return Z_STREAM_ERROR$1; } const state = strm.state; state.wsize = 0; state.whave = 0; state.wnext = 0; return inflateResetKeep(strm); }; const inflateReset2 = (strm, windowBits) => { let wrap; /* get the state */ if (inflateStateCheck(strm)) { return Z_STREAM_ERROR$1; } const state = strm.state; /* extract wrap request from windowBits parameter */ if (windowBits < 0) { wrap = 0; windowBits = -windowBits; } else { wrap = (windowBits >> 4) + 5; if (windowBits < 48) { windowBits &= 15; } } /* set number of window bits, free window if different */ if (windowBits && (windowBits < 8 || windowBits > 15)) { return Z_STREAM_ERROR$1; } if (state.window !== null && state.wbits !== windowBits) { state.window = null; } /* update state and reset the rest of it */ state.wrap = wrap; state.wbits = windowBits; return inflateReset(strm); }; const inflateInit2 = (strm, windowBits) => { if (!strm) { return Z_STREAM_ERROR$1; } //strm.msg = Z_NULL; /* in case we return an error */ const state = new InflateState(); //if (state === Z_NULL) return Z_MEM_ERROR; //Tracev((stderr, "inflate: allocated ")); strm.state = state; state.strm = strm; state.window = null/*Z_NULL*/; state.mode = HEAD; /* to pass state test in inflateReset2() */ const ret = inflateReset2(strm, windowBits); if (ret !== Z_OK$1) { strm.state = null/*Z_NULL*/; } return ret; }; const inflateInit = (strm) => { return inflateInit2(strm, DEF_WBITS); }; /* Return state with length and distance decoding tables and index sizes set to fixed code decoding. Normally this returns fixed tables from inffixed.h. If BUILDFIXED is defined, then instead this routine builds the tables the first time it"s called, and returns those tables the first time and thereafter. This reduces the size of the code by about 2K bytes, in exchange for a little execution time. However, BUILDFIXED should not be used for threaded applications, since the rewriting of the tables and virgin may not be thread-safe. */ let virgin = true; let lenfix, distfix; // We have no pointers in JS, so keep tables separate const fixedtables = (state) => { /* build fixed huffman tables if first call (may not be thread safe) */ if (virgin) { lenfix = new Int32Array(512); distfix = new Int32Array(32); /* literal/length table */ let sym = 0; while (sym < 144) { state.lens[sym++] = 8; } while (sym < 256) { state.lens[sym++] = 9; } while (sym < 280) { state.lens[sym++] = 7; } while (sym < 288) { state.lens[sym++] = 8; } inftrees(LENS, state.lens, 0, 288, lenfix, 0, state.work, { bits: 9 }); /* distance table */ sym = 0; while (sym < 32) { state.lens[sym++] = 5; } inftrees(DISTS, state.lens, 0, 32, distfix, 0, state.work, { bits: 5 }); /* do this just once */ virgin = false; } state.lencode = lenfix; state.lenbits = 9; state.distcode = distfix; state.distbits = 5; }; /* Update the window with the last wsize (normally 32K) bytes written before returning. If window does not exist yet, create it. This is only called when a window is already in use, or when output has been written during this inflate call, but the end of the deflate stream has not been reached yet. It is also called to create a window for dictionary data when a dictionary is loaded. Providing output buffers larger than 32K to inflate() should provide a speed advantage, since only the last 32K of output is copied to the sliding window upon return from inflate(), and since all distances after the first 32K of output will fall in the output data, making match copies simpler and faster. The advantage may be dependent on the size of the processor"s data caches. */ const updatewindow = (strm, src, end, copy) => { let dist; const state = strm.state; /* if it hasn"t been done already, allocate space for the window */ if (state.window === null) { state.wsize = 1 << state.wbits; state.wnext = 0; state.whave = 0; state.window = new Uint8Array(state.wsize); } /* copy state->wsize or less output bytes into the circular window */ if (copy >= state.wsize) { state.window.set(src.subarray(end - state.wsize, end), 0); state.wnext = 0; state.whave = state.wsize; } else { dist = state.wsize - state.wnext; if (dist > copy) { dist = copy; } //zmemcpy(state->window + state->wnext, end - copy, dist); state.window.set(src.subarray(end - copy, end - copy + dist), state.wnext); copy -= dist; if (copy) { //zmemcpy(state->window, end - copy, copy); state.window.set(src.subarray(end - copy, end), 0); state.wnext = copy; state.whave = state.wsize; } else { state.wnext += dist; if (state.wnext === state.wsize) { state.wnext = 0; } if (state.whave < state.wsize) { state.whave += dist; } } } return 0; }; const inflate$2 = (strm, flush) => { let state; let input, output; // input/output buffers let next; /* next input INDEX */ let put; /* next output INDEX */ let have, left; /* available input and output */ let hold; /* bit buffer */ let bits; /* bits in bit buffer */ let _in, _out; /* save starting available input and output */ let copy; /* number of stored or match bytes to copy */ let from; /* where to copy match bytes from */ let from_source; let here = 0; /* current decoding table entry */ let here_bits, here_op, here_val; // paked "here" denormalized (JS specific) //let last; /* parent table entry */ let last_bits, last_op, last_val; // paked "last" denormalized (JS specific) let len; /* length to copy for repeats, bits to drop */ let ret; /* return code */ const hbuf = new Uint8Array(4); /* buffer for gzip header crc calculation */ let opts; let n; // temporary variable for NEED_BITS const order = /* permutation of code lengths */ new Uint8Array([ 16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15 ]); if (inflateStateCheck(strm) || !strm.output || (!strm.input && strm.avail_in !== 0)) { return Z_STREAM_ERROR$1; } state = strm.state; if (state.mode === TYPE) { state.mode = TYPEDO; } /* skip check */ //--- LOAD() --- put = strm.next_out; output = strm.output; left = strm.avail_out; next = strm.next_in; input = strm.input; have = strm.avail_in; hold = state.hold; bits = state.bits; //--- _in = have; _out = left; ret = Z_OK$1; inf_leave: // goto emulation for (;;) { switch (state.mode) { case HEAD: if (state.wrap === 0) { state.mode = TYPEDO; break; } //=== NEEDBITS(16); while (bits < 16) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// if ((state.wrap & 2) && hold === 0x8b1f) { /* gzip header */ if (state.wbits === 0) { state.wbits = 15; } state.check = 0/*crc32(0L, Z_NULL, 0)*/; //=== CRC2(state.check, hold); hbuf[0] = hold & 0xff; hbuf[1] = (hold >>> 8) & 0xff; state.check = crc32_1(state.check, hbuf, 2, 0); //===// //=== INITBITS(); hold = 0; bits = 0; //===// state.mode = FLAGS; break; } if (state.head) { state.head.done = false; } if (!(state.wrap & 1) || /* check if zlib header allowed */ (((hold & 0xff)/*BITS(8)*/ << 8) + (hold >> 8)) % 31) { strm.msg = "incorrect header check"; state.mode = BAD; break; } if ((hold & 0x0f)/*BITS(4)*/ !== Z_DEFLATED) { strm.msg = "unknown compression method"; state.mode = BAD; break; } //--- DROPBITS(4) ---// hold >>>= 4; bits -= 4; //---// len = (hold & 0x0f)/*BITS(4)*/ + 8; if (state.wbits === 0) { state.wbits = len; } if (len > 15 || len > state.wbits) { strm.msg = "invalid window size"; state.mode = BAD; break; } // !!! pako patch. Force use `options.windowBits` if passed. // Required to always use max window size by default. state.dmax = 1 << state.wbits; //state.dmax = 1 << len; state.flags = 0; /* indicate zlib header */ //Tracev((stderr, "inflate: zlib header ok ")); strm.adler = state.check = 1/*adler32(0L, Z_NULL, 0)*/; state.mode = hold & 0x200 ? DICTID : TYPE; //=== INITBITS(); hold = 0; bits = 0; //===// break; case FLAGS: //=== NEEDBITS(16); */ while (bits < 16) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.flags = hold; if ((state.flags & 0xff) !== Z_DEFLATED) { strm.msg = "unknown compression method"; state.mode = BAD; break; } if (state.flags & 0xe000) { strm.msg = "unknown header flags set"; state.mode = BAD; break; } if (state.head) { state.head.text = ((hold >> 8) & 1); } if ((state.flags & 0x0200) && (state.wrap & 4)) { //=== CRC2(state.check, hold); hbuf[0] = hold & 0xff; hbuf[1] = (hold >>> 8) & 0xff; state.check = crc32_1(state.check, hbuf, 2, 0); //===// } //=== INITBITS(); hold = 0; bits = 0; //===// state.mode = TIME; /* falls through */ case TIME: //=== NEEDBITS(32); */ while (bits < 32) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// if (state.head) { state.head.time = hold; } if ((state.flags & 0x0200) && (state.wrap & 4)) { //=== CRC4(state.check, hold) hbuf[0] = hold & 0xff; hbuf[1] = (hold >>> 8) & 0xff; hbuf[2] = (hold >>> 16) & 0xff; hbuf[3] = (hold >>> 24) & 0xff; state.check = crc32_1(state.check, hbuf, 4, 0); //=== } //=== INITBITS(); hold = 0; bits = 0; //===// state.mode = OS; /* falls through */ case OS: //=== NEEDBITS(16); */ while (bits < 16) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// if (state.head) { state.head.xflags = (hold & 0xff); state.head.os = (hold >> 8); } if ((state.flags & 0x0200) && (state.wrap & 4)) { //=== CRC2(state.check, hold); hbuf[0] = hold & 0xff; hbuf[1] = (hold >>> 8) & 0xff; state.check = crc32_1(state.check, hbuf, 2, 0); //===// } //=== INITBITS(); hold = 0; bits = 0; //===// state.mode = EXLEN; /* falls through */ case EXLEN: if (state.flags & 0x0400) { //=== NEEDBITS(16); */ while (bits < 16) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.length = hold; if (state.head) { state.head.extra_len = hold; } if ((state.flags & 0x0200) && (state.wrap & 4)) { //=== CRC2(state.check, hold); hbuf[0] = hold & 0xff; hbuf[1] = (hold >>> 8) & 0xff; state.check = crc32_1(state.check, hbuf, 2, 0); //===// } //=== INITBITS(); hold = 0; bits = 0; //===// } else if (state.head) { state.head.extra = null/*Z_NULL*/; } state.mode = EXTRA; /* falls through */ case EXTRA: if (state.flags & 0x0400) { copy = state.length; if (copy > have) { copy = have; } if (copy) { if (state.head) { len = state.head.extra_len - state.length; if (!state.head.extra) { // Use untyped array for more convenient processing later state.head.extra = new Uint8Array(state.head.extra_len); } state.head.extra.set( input.subarray( next, // extra field is limited to 65536 bytes // - no need for additional size check next + copy ), /*len + copy > state.head.extra_max - len ? state.head.extra_max : copy,*/ len ); //zmemcpy(state.head.extra + len, next, // len + copy > state.head.extra_max ? // state.head.extra_max - len : copy); } if ((state.flags & 0x0200) && (state.wrap & 4)) { state.check = crc32_1(state.check, input, copy, next); } have -= copy; next += copy; state.length -= copy; } if (state.length) { break inf_leave; } } state.length = 0; state.mode = NAME; /* falls through */ case NAME: if (state.flags & 0x0800) { if (have === 0) { break inf_leave; } copy = 0; do { // TODO: 2 or 1 bytes? len = input[next + copy++]; /* use constant limit because in js we should not preallocate memory */ if (state.head && len && (state.length < 65536 /*state.head.name_max*/)) { state.head.name += String.fromCharCode(len); } } while (len && copy < have); if ((state.flags & 0x0200) && (state.wrap & 4)) { state.check = crc32_1(state.check, input, copy, next); } have -= copy; next += copy; if (len) { break inf_leave; } } else if (state.head) { state.head.name = null; } state.length = 0; state.mode = COMMENT; /* falls through */ case COMMENT: if (state.flags & 0x1000) { if (have === 0) { break inf_leave; } copy = 0; do { len = input[next + copy++]; /* use constant limit because in js we should not preallocate memory */ if (state.head && len && (state.length < 65536 /*state.head.comm_max*/)) { state.head.comment += String.fromCharCode(len); } } while (len && copy < have); if ((state.flags & 0x0200) && (state.wrap & 4)) { state.check = crc32_1(state.check, input, copy, next); } have -= copy; next += copy; if (len) { break inf_leave; } } else if (state.head) { state.head.comment = null; } state.mode = HCRC; /* falls through */ case HCRC: if (state.flags & 0x0200) { //=== NEEDBITS(16); */ while (bits < 16) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// if ((state.wrap & 4) && hold !== (state.check & 0xffff)) { strm.msg = "header crc mismatch"; state.mode = BAD; break; } //=== INITBITS(); hold = 0; bits = 0; //===// } if (state.head) { state.head.hcrc = ((state.flags >> 9) & 1); state.head.done = true; } strm.adler = state.check = 0; state.mode = TYPE; break; case DICTID: //=== NEEDBITS(32); */ while (bits < 32) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// strm.adler = state.check = zswap32(hold); //=== INITBITS(); hold = 0; bits = 0; //===// state.mode = DICT; /* falls through */ case DICT: if (state.havedict === 0) { //--- RESTORE() --- strm.next_out = put; strm.avail_out = left; strm.next_in = next; strm.avail_in = have; state.hold = hold; state.bits = bits; //--- return Z_NEED_DICT$1; } strm.adler = state.check = 1/*adler32(0L, Z_NULL, 0)*/; state.mode = TYPE; /* falls through */ case TYPE: if (flush === Z_BLOCK || flush === Z_TREES) { break inf_leave; } /* falls through */ case TYPEDO: if (state.last) { //--- BYTEBITS() ---// hold >>>= bits & 7; bits -= bits & 7; //---// state.mode = CHECK; break; } //=== NEEDBITS(3); */ while (bits < 3) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.last = (hold & 0x01)/*BITS(1)*/; //--- DROPBITS(1) ---// hold >>>= 1; bits -= 1; //---// switch ((hold & 0x03)/*BITS(2)*/) { case 0: /* stored block */ //Tracev((stderr, "inflate: stored block%s ", // state.last ? " (last)" : "")); state.mode = STORED; break; case 1: /* fixed block */ fixedtables(state); //Tracev((stderr, "inflate: fixed codes block%s ", // state.last ? " (last)" : "")); state.mode = LEN_; /* decode codes */ if (flush === Z_TREES) { //--- DROPBITS(2) ---// hold >>>= 2; bits -= 2; //---// break inf_leave; } break; case 2: /* dynamic block */ //Tracev((stderr, "inflate: dynamic codes block%s ", // state.last ? " (last)" : "")); state.mode = TABLE; break; case 3: strm.msg = "invalid block type"; state.mode = BAD; } //--- DROPBITS(2) ---// hold >>>= 2; bits -= 2; //---// break; case STORED: //--- BYTEBITS() ---// /* go to byte boundary */ hold >>>= bits & 7; bits -= bits & 7; //---// //=== NEEDBITS(32); */ while (bits < 32) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// if ((hold & 0xffff) !== ((hold >>> 16) ^ 0xffff)) { strm.msg = "invalid stored block lengths"; state.mode = BAD; break; } state.length = hold & 0xffff; //Tracev((stderr, "inflate: stored length %u ", // state.length)); //=== INITBITS(); hold = 0; bits = 0; //===// state.mode = COPY_; if (flush === Z_TREES) { break inf_leave; } /* falls through */ case COPY_: state.mode = COPY; /* falls through */ case COPY: copy = state.length; if (copy) { if (copy > have) { copy = have; } if (copy > left) { copy = left; } if (copy === 0) { break inf_leave; } //--- zmemcpy(put, next, copy); --- output.set(input.subarray(next, next + copy), put); //---// have -= copy; next += copy; left -= copy; put += copy; state.length -= copy; break; } //Tracev((stderr, "inflate: stored end ")); state.mode = TYPE; break; case TABLE: //=== NEEDBITS(14); */ while (bits < 14) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.nlen = (hold & 0x1f)/*BITS(5)*/ + 257; //--- DROPBITS(5) ---// hold >>>= 5; bits -= 5; //---// state.ndist = (hold & 0x1f)/*BITS(5)*/ + 1; //--- DROPBITS(5) ---// hold >>>= 5; bits -= 5; //---// state.ncode = (hold & 0x0f)/*BITS(4)*/ + 4; //--- DROPBITS(4) ---// hold >>>= 4; bits -= 4; //---// //#ifndef PKZIP_BUG_WORKAROUND if (state.nlen > 286 || state.ndist > 30) { strm.msg = "too many length or distance symbols"; state.mode = BAD; break; } //#endif //Tracev((stderr, "inflate: table sizes ok ")); state.have = 0; state.mode = LENLENS; /* falls through */ case LENLENS: while (state.have < state.ncode) { //=== NEEDBITS(3); while (bits < 3) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.lens[order[state.have++]] = (hold & 0x07);//BITS(3); //--- DROPBITS(3) ---// hold >>>= 3; bits -= 3; //---// } while (state.have < 19) { state.lens[order[state.have++]] = 0; } // We have separate tables & no pointers. 2 commented lines below not needed. //state.next = state.codes; //state.lencode = state.next; // Switch to use dynamic table state.lencode = state.lendyn; state.lenbits = 7; opts = { bits: state.lenbits }; ret = inftrees(CODES, state.lens, 0, 19, state.lencode, 0, state.work, opts); state.lenbits = opts.bits; if (ret) { strm.msg = "invalid code lengths set"; state.mode = BAD; break; } //Tracev((stderr, "inflate: code lengths ok ")); state.have = 0; state.mode = CODELENS; /* falls through */ case CODELENS: while (state.have < state.nlen + state.ndist) { for (;;) { here = state.lencode[hold & ((1 << state.lenbits) - 1)];/*BITS(state.lenbits)*/ here_bits = here >>> 24; here_op = (here >>> 16) & 0xff; here_val = here & 0xffff; if ((here_bits) <= bits) { break; } //--- PULLBYTE() ---// if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; //---// } if (here_val < 16) { //--- DROPBITS(here.bits) ---// hold >>>= here_bits; bits -= here_bits; //---// state.lens[state.have++] = here_val; } else { if (here_val === 16) { //=== NEEDBITS(here.bits + 2); n = here_bits + 2; while (bits < n) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// //--- DROPBITS(here.bits) ---// hold >>>= here_bits; bits -= here_bits; //---// if (state.have === 0) { strm.msg = "invalid bit length repeat"; state.mode = BAD; break; } len = state.lens[state.have - 1]; copy = 3 + (hold & 0x03);//BITS(2); //--- DROPBITS(2) ---// hold >>>= 2; bits -= 2; //---// } else if (here_val === 17) { //=== NEEDBITS(here.bits + 3); n = here_bits + 3; while (bits < n) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// //--- DROPBITS(here.bits) ---// hold >>>= here_bits; bits -= here_bits; //---// len = 0; copy = 3 + (hold & 0x07);//BITS(3); //--- DROPBITS(3) ---// hold >>>= 3; bits -= 3; //---// } else { //=== NEEDBITS(here.bits + 7); n = here_bits + 7; while (bits < n) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// //--- DROPBITS(here.bits) ---// hold >>>= here_bits; bits -= here_bits; //---// len = 0; copy = 11 + (hold & 0x7f);//BITS(7); //--- DROPBITS(7) ---// hold >>>= 7; bits -= 7; //---// } if (state.have + copy > state.nlen + state.ndist) { strm.msg = "invalid bit length repeat"; state.mode = BAD; break; } while (copy--) { state.lens[state.have++] = len; } } } /* handle error breaks in while */ if (state.mode === BAD) { break; } /* check for end-of-block code (better have one) */ if (state.lens[256] === 0) { strm.msg = "invalid code -- missing end-of-block"; state.mode = BAD; break; } /* build code tables -- note: do not change the lenbits or distbits values here (9 and 6) without reading the comments in inftrees.h concerning the ENOUGH constants, which depend on those values */ state.lenbits = 9; opts = { bits: state.lenbits }; ret = inftrees(LENS, state.lens, 0, state.nlen, state.lencode, 0, state.work, opts); // We have separate tables & no pointers. 2 commented lines below not needed. // state.next_index = opts.table_index; state.lenbits = opts.bits; // state.lencode = state.next; if (ret) { strm.msg = "invalid literal/lengths set"; state.mode = BAD; break; } state.distbits = 6; //state.distcode.copy(state.codes); // Switch to use dynamic table state.distcode = state.distdyn; opts = { bits: state.distbits }; ret = inftrees(DISTS, state.lens, state.nlen, state.ndist, state.distcode, 0, state.work, opts); // We have separate tables & no pointers. 2 commented lines below not needed. // state.next_index = opts.table_index; state.distbits = opts.bits; // state.distcode = state.next; if (ret) { strm.msg = "invalid distances set"; state.mode = BAD; break; } //Tracev((stderr, "inflate: codes ok ")); state.mode = LEN_; if (flush === Z_TREES) { break inf_leave; } /* falls through */ case LEN_: state.mode = LEN; /* falls through */ case LEN: if (have >= 6 && left >= 258) { //--- RESTORE() --- strm.next_out = put; strm.avail_out = left; strm.next_in = next; strm.avail_in = have; state.hold = hold; state.bits = bits; //--- inffast(strm, _out); //--- LOAD() --- put = strm.next_out; output = strm.output; left = strm.avail_out; next = strm.next_in; input = strm.input; have = strm.avail_in; hold = state.hold; bits = state.bits; //--- if (state.mode === TYPE) { state.back = -1; } break; } state.back = 0; for (;;) { here = state.lencode[hold & ((1 << state.lenbits) - 1)]; /*BITS(state.lenbits)*/ here_bits = here >>> 24; here_op = (here >>> 16) & 0xff; here_val = here & 0xffff; if (here_bits <= bits) { break; } //--- PULLBYTE() ---// if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; //---// } if (here_op && (here_op & 0xf0) === 0) { last_bits = here_bits; last_op = here_op; last_val = here_val; for (;;) { here = state.lencode[last_val + ((hold & ((1 << (last_bits + last_op)) - 1))/*BITS(last.bits + last.op)*/ >> last_bits)]; here_bits = here >>> 24; here_op = (here >>> 16) & 0xff; here_val = here & 0xffff; if ((last_bits + here_bits) <= bits) { break; } //--- PULLBYTE() ---// if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; //---// } //--- DROPBITS(last.bits) ---// hold >>>= last_bits; bits -= last_bits; //---// state.back += last_bits; } //--- DROPBITS(here.bits) ---// hold >>>= here_bits; bits -= here_bits; //---// state.back += here_bits; state.length = here_val; if (here_op === 0) { //Tracevv((stderr, here.val >= 0x20 && here.val < 0x7f ? // "inflate: literal "%c" " : // "inflate: literal 0x%02x ", here.val)); state.mode = LIT; break; } if (here_op & 32) { //Tracevv((stderr, "inflate: end of block ")); state.back = -1; state.mode = TYPE; break; } if (here_op & 64) { strm.msg = "invalid literal/length code"; state.mode = BAD; break; } state.extra = here_op & 15; state.mode = LENEXT; /* falls through */ case LENEXT: if (state.extra) { //=== NEEDBITS(state.extra); n = state.extra; while (bits < n) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.length += hold & ((1 << state.extra) - 1)/*BITS(state.extra)*/; //--- DROPBITS(state.extra) ---// hold >>>= state.extra; bits -= state.extra; //---// state.back += state.extra; } //Tracevv((stderr, "inflate: length %u ", state.length)); state.was = state.length; state.mode = DIST; /* falls through */ case DIST: for (;;) { here = state.distcode[hold & ((1 << state.distbits) - 1)];/*BITS(state.distbits)*/ here_bits = here >>> 24; here_op = (here >>> 16) & 0xff; here_val = here & 0xffff; if ((here_bits) <= bits) { break; } //--- PULLBYTE() ---// if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; //---// } if ((here_op & 0xf0) === 0) { last_bits = here_bits; last_op = here_op; last_val = here_val; for (;;) { here = state.distcode[last_val + ((hold & ((1 << (last_bits + last_op)) - 1))/*BITS(last.bits + last.op)*/ >> last_bits)]; here_bits = here >>> 24; here_op = (here >>> 16) & 0xff; here_val = here & 0xffff; if ((last_bits + here_bits) <= bits) { break; } //--- PULLBYTE() ---// if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; //---// } //--- DROPBITS(last.bits) ---// hold >>>= last_bits; bits -= last_bits; //---// state.back += last_bits; } //--- DROPBITS(here.bits) ---// hold >>>= here_bits; bits -= here_bits; //---// state.back += here_bits; if (here_op & 64) { strm.msg = "invalid distance code"; state.mode = BAD; break; } state.offset = here_val; state.extra = (here_op) & 15; state.mode = DISTEXT; /* falls through */ case DISTEXT: if (state.extra) { //=== NEEDBITS(state.extra); n = state.extra; while (bits < n) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// state.offset += hold & ((1 << state.extra) - 1)/*BITS(state.extra)*/; //--- DROPBITS(state.extra) ---// hold >>>= state.extra; bits -= state.extra; //---// state.back += state.extra; } //#ifdef INFLATE_STRICT if (state.offset > state.dmax) { strm.msg = "invalid distance too far back"; state.mode = BAD; break; } //#endif //Tracevv((stderr, "inflate: distance %u ", state.offset)); state.mode = MATCH; /* falls through */ case MATCH: if (left === 0) { break inf_leave; } copy = _out - left; if (state.offset > copy) { /* copy from window */ copy = state.offset - copy; if (copy > state.whave) { if (state.sane) { strm.msg = "invalid distance too far back"; state.mode = BAD; break; } // (!) This block is disabled in zlib defaults, // don"t enable it for binary compatibility //#ifdef INFLATE_ALLOW_INVALID_DISTANCE_TOOFAR_ARRR // Trace((stderr, "inflate.c too far ")); // copy -= state.whave; // if (copy > state.length) { copy = state.length; } // if (copy > left) { copy = left; } // left -= copy; // state.length -= copy; // do { // output[put++] = 0; // } while (--copy); // if (state.length === 0) { state.mode = LEN; } // break; //#endif } if (copy > state.wnext) { copy -= state.wnext; from = state.wsize - copy; } else { from = state.wnext - copy; } if (copy > state.length) { copy = state.length; } from_source = state.window; } else { /* copy from output */ from_source = output; from = put - state.offset; copy = state.length; } if (copy > left) { copy = left; } left -= copy; state.length -= copy; do { output[put++] = from_source[from++]; } while (--copy); if (state.length === 0) { state.mode = LEN; } break; case LIT: if (left === 0) { break inf_leave; } output[put++] = state.length; left--; state.mode = LEN; break; case CHECK: if (state.wrap) { //=== NEEDBITS(32); while (bits < 32) { if (have === 0) { break inf_leave; } have--; // Use "|" instead of "+" to make sure that result is signed hold |= input[next++] << bits; bits += 8; } //===// _out -= left; strm.total_out += _out; state.total += _out; if ((state.wrap & 4) && _out) { strm.adler = state.check = /*UPDATE_CHECK(state.check, put - _out, _out);*/ (state.flags ? crc32_1(state.check, output, _out, put - _out) : adler32_1(state.check, output, _out, put - _out)); } _out = left; // NB: crc32 stored as signed 32-bit int, zswap32 returns signed too if ((state.wrap & 4) && (state.flags ? hold : zswap32(hold)) !== state.check) { strm.msg = "incorrect data check"; state.mode = BAD; break; } //=== INITBITS(); hold = 0; bits = 0; //===// //Tracev((stderr, "inflate: check matches trailer ")); } state.mode = LENGTH; /* falls through */ case LENGTH: if (state.wrap && state.flags) { //=== NEEDBITS(32); while (bits < 32) { if (have === 0) { break inf_leave; } have--; hold += input[next++] << bits; bits += 8; } //===// if ((state.wrap & 4) && hold !== (state.total & 0xffffffff)) { strm.msg = "incorrect length check"; state.mode = BAD; break; } //=== INITBITS(); hold = 0; bits = 0; //===// //Tracev((stderr, "inflate: length matches trailer ")); } state.mode = DONE; /* falls through */ case DONE: ret = Z_STREAM_END$1; break inf_leave; case BAD: ret = Z_DATA_ERROR$1; break inf_leave; case MEM: return Z_MEM_ERROR$1; case SYNC: /* falls through */ default: return Z_STREAM_ERROR$1; } } // inf_leave <- here is real place for "goto inf_leave", emulated via "break inf_leave" /* Return from inflate(), updating the total counts and the check value. If there was no progress during the inflate() call, return a buffer error. Call updatewindow() to create and/or update the window state. Note: a memory error from inflate() is non-recoverable. */ //--- RESTORE() --- strm.next_out = put; strm.avail_out = left; strm.next_in = next; strm.avail_in = have; state.hold = hold; state.bits = bits; //--- if (state.wsize || (_out !== strm.avail_out && state.mode < BAD && (state.mode < CHECK || flush !== Z_FINISH$1))) { if (updatewindow(strm, strm.output, strm.next_out, _out - strm.avail_out)) ; } _in -= strm.avail_in; _out -= strm.avail_out; strm.total_in += _in; strm.total_out += _out; state.total += _out; if ((state.wrap & 4) && _out) { strm.adler = state.check = /*UPDATE_CHECK(state.check, strm.next_out - _out, _out);*/ (state.flags ? crc32_1(state.check, output, _out, strm.next_out - _out) : adler32_1(state.check, output, _out, strm.next_out - _out)); } strm.data_type = state.bits + (state.last ? 64 : 0) + (state.mode === TYPE ? 128 : 0) + (state.mode === LEN_ || state.mode === COPY_ ? 256 : 0); if (((_in === 0 && _out === 0) || flush === Z_FINISH$1) && ret === Z_OK$1) { ret = Z_BUF_ERROR; } return ret; }; const inflateEnd = (strm) => { if (inflateStateCheck(strm)) { return Z_STREAM_ERROR$1; } let state = strm.state; if (state.window) { state.window = null; } strm.state = null; return Z_OK$1; }; const inflateGetHeader = (strm, head) => { /* check state */ if (inflateStateCheck(strm)) { return Z_STREAM_ERROR$1; } const state = strm.state; if ((state.wrap & 2) === 0) { return Z_STREAM_ERROR$1; } /* save header structure */ state.head = head; head.done = false; return Z_OK$1; }; const inflateSetDictionary = (strm, dictionary) => { const dictLength = dictionary.length; let state; let dictid; let ret; /* check state */ if (inflateStateCheck(strm)) { return Z_STREAM_ERROR$1; } state = strm.state; if (state.wrap !== 0 && state.mode !== DICT) { return Z_STREAM_ERROR$1; } /* check for correct dictionary identifier */ if (state.mode === DICT) { dictid = 1; /* adler32(0, null, 0)*/ /* dictid = adler32(dictid, dictionary, dictLength); */ dictid = adler32_1(dictid, dictionary, dictLength, 0); if (dictid !== state.check) { return Z_DATA_ERROR$1; } } /* copy dictionary to window using updatewindow(), which will amend the existing dictionary if appropriate */ ret = updatewindow(strm, dictionary, dictLength, dictLength); if (ret) { state.mode = MEM; return Z_MEM_ERROR$1; } state.havedict = 1; // Tracev((stderr, "inflate: dictionary set ")); return Z_OK$1; }; var inflateReset_1 = inflateReset; var inflateReset2_1 = inflateReset2; var inflateResetKeep_1 = inflateResetKeep; var inflateInit_1 = inflateInit; var inflateInit2_1 = inflateInit2; var inflate_2$1 = inflate$2; var inflateEnd_1 = inflateEnd; var inflateGetHeader_1 = inflateGetHeader; var inflateSetDictionary_1 = inflateSetDictionary; var inflateInfo = "pako inflate (from Nodeca project)"; /* Not implemented module.exports.inflateCodesUsed = inflateCodesUsed; module.exports.inflateCopy = inflateCopy; module.exports.inflateGetDictionary = inflateGetDictionary; module.exports.inflateMark = inflateMark; module.exports.inflatePrime = inflatePrime; module.exports.inflateSync = inflateSync; module.exports.inflateSyncPoint = inflateSyncPoint; module.exports.inflateUndermine = inflateUndermine; module.exports.inflateValidate = inflateValidate; */ var inflate_1$2 = { inflateReset: inflateReset_1, inflateReset2: inflateReset2_1, inflateResetKeep: inflateResetKeep_1, inflateInit: inflateInit_1, inflateInit2: inflateInit2_1, inflate: inflate_2$1, inflateEnd: inflateEnd_1, inflateGetHeader: inflateGetHeader_1, inflateSetDictionary: inflateSetDictionary_1, inflateInfo: inflateInfo }; // (C) 1995-2013 Jean-loup Gailly and Mark Adler // (C) 2014-2017 Vitaly Puzrin and Andrey Tupitsin // // This software is provided "as-is", without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely, subject to the following restrictions: // // 1. The origin of this software must not be misrepresented; you must not // claim that you wrote the original software. If you use this software // in a product, an acknowledgment in the product documentation would be // appreciated but is not required. // 2. Altered source versions must be plainly marked as such, and must not be // misrepresented as being the original software. // 3. This notice may not be removed or altered from any source distribution. function GZheader() { /* true if compressed data believed to be text */ this.text = 0; /* modification time */ this.time = 0; /* extra flags (not used when writing a gzip file) */ this.xflags = 0; /* operating system */ this.os = 0; /* pointer to extra field or Z_NULL if none */ this.extra = null; /* extra field length (valid if extra != Z_NULL) */ this.extra_len = 0; // Actually, we don"t need it in JS, // but leave for few code modifications // // Setup limits is not necessary because in js we should not preallocate memory // for inflate use constant limit in 65536 bytes // /* space at extra (only when reading header) */ // this.extra_max = 0; /* pointer to zero-terminated file name or Z_NULL */ this.name = ""; /* space at name (only when reading header) */ // this.name_max = 0; /* pointer to zero-terminated comment or Z_NULL */ this.comment = ""; /* space at comment (only when reading header) */ // this.comm_max = 0; /* true if there was or will be a header crc */ this.hcrc = 0; /* true when done reading gzip header (not used when writing a gzip file) */ this.done = false; } var gzheader = GZheader; const toString = Object.prototype.toString; /* Public constants ==========================================================*/ /* ===========================================================================*/ const { Z_NO_FLUSH, Z_FINISH, Z_OK, Z_STREAM_END, Z_NEED_DICT, Z_STREAM_ERROR, Z_DATA_ERROR, Z_MEM_ERROR } = constants$2; /* ===========================================================================*/ /** * class Inflate * * Generic JS-style wrapper for zlib calls. If you don"t need * streaming behaviour - use more simple functions: [[inflate]] * and [[inflateRaw]]. **/ /* internal * inflate.chunks -> Array * * Chunks of output data, if [[Inflate#onData]] not overridden. **/ /** * Inflate.result -> Uint8Array|String * * Uncompressed result, generated by default [[Inflate#onData]] * and [[Inflate#onEnd]] handlers. Filled after you push last chunk * (call [[Inflate#push]] with `Z_FINISH` / `true` param). **/ /** * Inflate.err -> Number * * Error code after inflate finished. 0 (Z_OK) on success. * Should be checked if broken data possible. **/ /** * Inflate.msg -> String * * Error message, if [[Inflate.err]] != 0 **/ /** * new Inflate(options) * - options (Object): zlib inflate options. * * Creates new inflator instance with specified params. Throws exception * on bad params. Supported options: * * - `windowBits` * - `dictionary` * * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced) * for more information on these. * * Additional options, for internal needs: * * - `chunkSize` - size of generated data chunks (16K by default) * - `raw` (Boolean) - do raw inflate * - `to` (String) - if equal to "string", then result will be converted * from utf8 to utf16 (javascript) string. When string output requested, * chunk length can differ from `chunkSize`, depending on content. * * By default, when no options set, autodetect deflate/gzip data format via * wrapper header. * * ##### Example: * * ```javascript * const pako = require("pako") * const chunk1 = new Uint8Array([1,2,3,4,5,6,7,8,9]) * const chunk2 = new Uint8Array([10,11,12,13,14,15,16,17,18,19]); * * const inflate = new pako.Inflate({ level: 3}); * * inflate.push(chunk1, false); * inflate.push(chunk2, true); // true -> last chunk * * if (inflate.err) { throw new Error(inflate.err); } * * console.log(inflate.result); * ``` **/ function Inflate$1(options) { this.options = common.assign({ chunkSize: 1024 * 64, windowBits: 15, to: "" }, options || {}); const opt = this.options; // Force window size for `raw` data, if not set directly, // because we have no header for autodetect. if (opt.raw && (opt.windowBits >= 0) && (opt.windowBits < 16)) { opt.windowBits = -opt.windowBits; if (opt.windowBits === 0) { opt.windowBits = -15; } } // If `windowBits` not defined (and mode not raw) - set autodetect flag for gzip/deflate if ((opt.windowBits >= 0) && (opt.windowBits < 16) && !(options && options.windowBits)) { opt.windowBits += 32; } // Gzip header has no info about windows size, we can do autodetect only // for deflate. So, if window size not set, force it to max when gzip possible if ((opt.windowBits > 15) && (opt.windowBits < 48)) { // bit 3 (16) -> gzipped data // bit 4 (32) -> autodetect gzip/deflate if ((opt.windowBits & 15) === 0) { opt.windowBits |= 15; } } this.err = 0; // error code, if happens (0 = Z_OK) this.msg = ""; // error message this.ended = false; // used to avoid multiple onEnd() calls this.chunks = []; // chunks of compressed data this.strm = new zstream(); this.strm.avail_out = 0; let status = inflate_1$2.inflateInit2( this.strm, opt.windowBits ); if (status !== Z_OK) { throw new Error(messages[status]); } this.header = new gzheader(); inflate_1$2.inflateGetHeader(this.strm, this.header); // Setup dictionary if (opt.dictionary) { // Convert data if needed if (typeof opt.dictionary === "string") { opt.dictionary = strings.string2buf(opt.dictionary); } else if (toString.call(opt.dictionary) === "[object ArrayBuffer]") { opt.dictionary = new Uint8Array(opt.dictionary); } if (opt.raw) { //In raw mode we need to set the dictionary early status = inflate_1$2.inflateSetDictionary(this.strm, opt.dictionary); if (status !== Z_OK) { throw new Error(messages[status]); } } } } /** * Inflate#push(data[, flush_mode]) -> Boolean * - data (Uint8Array|ArrayBuffer): input data * - flush_mode (Number|Boolean): 0..6 for corresponding Z_NO_FLUSH..Z_TREE * flush modes. See constants. Skipped or `false` means Z_NO_FLUSH, * `true` means Z_FINISH. * * Sends input data to inflate pipe, generating [[Inflate#onData]] calls with * new output chunks. Returns `true` on success. If end of stream detected, * [[Inflate#onEnd]] will be called. * * `flush_mode` is not needed for normal operation, because end of stream * detected automatically. You may try to use it for advanced things, but * this functionality was not tested. * * On fail call [[Inflate#onEnd]] with error code and return false. * * ##### Example * * ```javascript * push(chunk, false); // push one of data chunks * ... * push(chunk, true); // push last chunk * ``` **/ Inflate$1.prototype.push = function (data, flush_mode) { const strm = this.strm; const chunkSize = this.options.chunkSize; const dictionary = this.options.dictionary; let status, _flush_mode, last_avail_out; if (this.ended) return false; if (flush_mode === ~~flush_mode) _flush_mode = flush_mode; else _flush_mode = flush_mode === true ? Z_FINISH : Z_NO_FLUSH; // Convert data if needed if (toString.call(data) === "[object ArrayBuffer]") { strm.input = new Uint8Array(data); } else { strm.input = data; } strm.next_in = 0; strm.avail_in = strm.input.length; for (;;) { if (strm.avail_out === 0) { strm.output = new Uint8Array(chunkSize); strm.next_out = 0; strm.avail_out = chunkSize; } status = inflate_1$2.inflate(strm, _flush_mode); if (status === Z_NEED_DICT && dictionary) { status = inflate_1$2.inflateSetDictionary(strm, dictionary); if (status === Z_OK) { status = inflate_1$2.inflate(strm, _flush_mode); } else if (status === Z_DATA_ERROR) { // Replace code with more verbose status = Z_NEED_DICT; } } // Skip snyc markers if more data follows and not raw mode while (strm.avail_in > 0 && status === Z_STREAM_END && strm.state.wrap > 0 && data[strm.next_in] !== 0) { inflate_1$2.inflateReset(strm); status = inflate_1$2.inflate(strm, _flush_mode); } switch (status) { case Z_STREAM_ERROR: case Z_DATA_ERROR: case Z_NEED_DICT: case Z_MEM_ERROR: this.onEnd(status); this.ended = true; return false; } // Remember real `avail_out` value, because we may patch out buffer content // to align utf8 strings boundaries. last_avail_out = strm.avail_out; if (strm.next_out) { if (strm.avail_out === 0 || status === Z_STREAM_END) { if (this.options.to === "string") { let next_out_utf8 = strings.utf8border(strm.output, strm.next_out); let tail = strm.next_out - next_out_utf8; let utf8str = strings.buf2string(strm.output, next_out_utf8); // move tail & realign counters strm.next_out = tail; strm.avail_out = chunkSize - tail; if (tail) strm.output.set(strm.output.subarray(next_out_utf8, next_out_utf8 + tail), 0); this.onData(utf8str); } else { this.onData(strm.output.length === strm.next_out ? strm.output : strm.output.subarray(0, strm.next_out)); } } } // Must repeat iteration if out buffer is full if (status === Z_OK && last_avail_out === 0) continue; // Finalize if end of stream reached. if (status === Z_STREAM_END) { status = inflate_1$2.inflateEnd(this.strm); this.onEnd(status); this.ended = true; return true; } if (strm.avail_in === 0) break; } return true; }; /** * Inflate#onData(chunk) -> Void * - chunk (Uint8Array|String): output data. When string output requested, * each chunk will be string. * * By default, stores data blocks in `chunks[]` property and glue * those in `onEnd`. Override this handler, if you need another behaviour. **/ Inflate$1.prototype.onData = function (chunk) { this.chunks.push(chunk); }; /** * Inflate#onEnd(status) -> Void * - status (Number): inflate status. 0 (Z_OK) on success, * other if not. * * Called either after you tell inflate that the input stream is * complete (Z_FINISH). By default - join collected chunks, * free memory and fill `results` / `err` properties. **/ Inflate$1.prototype.onEnd = function (status) { // On success - join if (status === Z_OK) { if (this.options.to === "string") { this.result = this.chunks.join(""); } else { this.result = common.flattenChunks(this.chunks); } } this.chunks = []; this.err = status; this.msg = this.strm.msg; }; /** * inflate(data[, options]) -> Uint8Array|String * - data (Uint8Array|ArrayBuffer): input data to decompress. * - options (Object): zlib inflate options. * * Decompress `data` with inflate/ungzip and `options`. Autodetect * format via wrapper header by default. That"s why we don"t provide * separate `ungzip` method. * * Supported options are: * * - windowBits * * [http://zlib.net/manual.html#Advanced](http://zlib.net/manual.html#Advanced) * for more information. * * Sugar (options): * * - `raw` (Boolean) - say that we work with raw stream, if you don"t wish to specify * negative windowBits implicitly. * - `to` (String) - if equal to "string", then result will be converted * from utf8 to utf16 (javascript) string. When string output requested, * chunk length can differ from `chunkSize`, depending on content. * * * ##### Example: * * ```javascript * const pako = require("pako"); * const input = pako.deflate(new Uint8Array([1,2,3,4,5,6,7,8,9])); * let output; * * try { * output = pako.inflate(input); * } catch (err) { * console.log(err); * } * ``` **/ function inflate$1(input, options) { const inflator = new Inflate$1(options); inflator.push(input); // That will never happens, if you don"t cheat with options :) if (inflator.err) throw inflator.msg || messages[inflator.err]; return inflator.result; } /** * inflateRaw(data[, options]) -> Uint8Array|String * - data (Uint8Array|ArrayBuffer): input data to decompress. * - options (Object): zlib inflate options. * * The same as [[inflate]], but creates raw data, without wrapper * (header and adler32 crc). **/ function inflateRaw$1(input, options) { options = options || {}; options.raw = true; return inflate$1(input, options); } /** * ungzip(data[, options]) -> Uint8Array|String * - data (Uint8Array|ArrayBuffer): input data to decompress. * - options (Object): zlib inflate options. * * Just shortcut to [[inflate]], because it autodetects format * by header.content. Done for convenience. **/ var Inflate_1$1 = Inflate$1; var inflate_2 = inflate$1; var inflateRaw_1$1 = inflateRaw$1; var ungzip$1 = inflate$1; var constants = constants$2; var inflate_1$1 = { Inflate: Inflate_1$1, inflate: inflate_2, inflateRaw: inflateRaw_1$1, ungzip: ungzip$1, constants: constants }; const { Inflate, inflate, inflateRaw, ungzip } = inflate_1$1; var inflate_1 = inflate; var ieee754$1 = {}; /*! ieee754. BSD-3-Clause License. Feross Aboukhadijeh */ ieee754$1.read = function (buffer, offset, isLE, mLen, nBytes) { var e, m; var eLen = (nBytes * 8) - mLen - 1; var eMax = (1 << eLen) - 1; var eBias = eMax >> 1; var nBits = -7; var i = isLE ? (nBytes - 1) : 0; var d = isLE ? -1 : 1; var s = buffer[offset + i]; i += d; e = s & ((1 << (-nBits)) - 1); s >>= (-nBits); nBits += eLen; for (; nBits > 0; e = (e * 256) + buffer[offset + i], i += d, nBits -= 8) {} m = e & ((1 << (-nBits)) - 1); e >>= (-nBits); nBits += mLen; for (; nBits > 0; m = (m * 256) + buffer[offset + i], i += d, nBits -= 8) {} if (e === 0) { e = 1 - eBias; } else if (e === eMax) { return m ? NaN : ((s ? -1 : 1) * Infinity) } else { m = m + Math.pow(2, mLen); e = e - eBias; } return (s ? -1 : 1) * m * Math.pow(2, e - mLen) }; ieee754$1.write = function (buffer, value, offset, isLE, mLen, nBytes) { var e, m, c; var eLen = (nBytes * 8) - mLen - 1; var eMax = (1 << eLen) - 1; var eBias = eMax >> 1; var rt = (mLen === 23 ? Math.pow(2, -24) - Math.pow(2, -77) : 0); var i = isLE ? 0 : (nBytes - 1); var d = isLE ? 1 : -1; var s = value < 0 || (value === 0 && 1 / value < 0) ? 1 : 0; value = Math.abs(value); if (isNaN(value) || value === Infinity) { m = isNaN(value) ? 1 : 0; e = eMax; } else { e = Math.floor(Math.log(value) / Math.LN2); if (value * (c = Math.pow(2, -e)) < 1) { e--; c *= 2; } if (e + eBias >= 1) { value += rt / c; } else { value += rt * Math.pow(2, 1 - eBias); } if (value * c >= 2) { e++; c /= 2; } if (e + eBias >= eMax) { m = 0; e = eMax; } else if (e + eBias >= 1) { m = ((value * c) - 1) * Math.pow(2, mLen); e = e + eBias; } else { m = value * Math.pow(2, eBias - 1) * Math.pow(2, mLen); e = 0; } } for (; mLen >= 8; buffer[offset + i] = m & 0xff, i += d, m /= 256, mLen -= 8) {} e = (e << mLen) | m; eLen += mLen; for (; eLen > 0; buffer[offset + i] = e & 0xff, i += d, e /= 256, eLen -= 8) {} buffer[offset + i - d] |= s * 128; }; var pbf = Pbf; var ieee754 = ieee754$1; function Pbf(buf) { this.buf = ArrayBuffer.isView && ArrayBuffer.isView(buf) ? buf : new Uint8Array(buf || 0); this.pos = 0; this.type = 0; this.length = this.buf.length; } Pbf.Varint = 0; // varint: int32, int64, uint32, uint64, sint32, sint64, bool, enum Pbf.Fixed64 = 1; // 64-bit: double, fixed64, sfixed64 Pbf.Bytes = 2; // length-delimited: string, bytes, embedded messages, packed repeated fields Pbf.Fixed32 = 5; // 32-bit: float, fixed32, sfixed32 var SHIFT_LEFT_32 = (1 << 16) * (1 << 16), SHIFT_RIGHT_32 = 1 / SHIFT_LEFT_32; // Threshold chosen based on both benchmarking and knowledge about browser string // data structures (which currently switch structure types at 12 bytes or more) var TEXT_DECODER_MIN_LENGTH = 12; var utf8TextDecoder = typeof TextDecoder === "undefined" ? null : new TextDecoder("utf8"); Pbf.prototype = { destroy: function() { this.buf = null; }, // === READING ================================================================= readFields: function(readField, result, end) { end = end || this.length; while (this.pos < end) { var val = this.readVarint(), tag = val >> 3, startPos = this.pos; this.type = val & 0x7; readField(tag, result, this); if (this.pos === startPos) this.skip(val); } return result; }, readMessage: function(readField, result) { return this.readFields(readField, result, this.readVarint() + this.pos); }, readFixed32: function() { var val = readUInt32(this.buf, this.pos); this.pos += 4; return val; }, readSFixed32: function() { var val = readInt32(this.buf, this.pos); this.pos += 4; return val; }, // 64-bit int handling is based on github.com/dpw/node-buffer-more-ints (MIT-licensed) readFixed64: function() { var val = readUInt32(this.buf, this.pos) + readUInt32(this.buf, this.pos + 4) * SHIFT_LEFT_32; this.pos += 8; return val; }, readSFixed64: function() { var val = readUInt32(this.buf, this.pos) + readInt32(this.buf, this.pos + 4) * SHIFT_LEFT_32; this.pos += 8; return val; }, readFloat: function() { var val = ieee754.read(this.buf, this.pos, true, 23, 4); this.pos += 4; return val; }, readDouble: function() { var val = ieee754.read(this.buf, this.pos, true, 52, 8); this.pos += 8; return val; }, readVarint: function(isSigned) { var buf = this.buf, val, b; b = buf[this.pos++]; val = b & 0x7f; if (b < 0x80) return val; b = buf[this.pos++]; val |= (b & 0x7f) << 7; if (b < 0x80) return val; b = buf[this.pos++]; val |= (b & 0x7f) << 14; if (b < 0x80) return val; b = buf[this.pos++]; val |= (b & 0x7f) << 21; if (b < 0x80) return val; b = buf[this.pos]; val |= (b & 0x0f) << 28; return readVarintRemainder(val, isSigned, this); }, readVarint64: function() { // for compatibility with v2.0.1 return this.readVarint(true); }, readSVarint: function() { var num = this.readVarint(); return num % 2 === 1 ? (num + 1) / -2 : num / 2; // zigzag encoding }, readBoolean: function() { return Boolean(this.readVarint()); }, readString: function() { var end = this.readVarint() + this.pos; var pos = this.pos; this.pos = end; if (end - pos >= TEXT_DECODER_MIN_LENGTH && utf8TextDecoder) { // longer strings are fast with the built-in browser TextDecoder API return readUtf8TextDecoder(this.buf, pos, end); } // short strings are fast with our custom implementation return readUtf8(this.buf, pos, end); }, readBytes: function() { var end = this.readVarint() + this.pos, buffer = this.buf.subarray(this.pos, end); this.pos = end; return buffer; }, // verbose for performance reasons; doesn"t affect gzipped size readPackedVarint: function(arr, isSigned) { if (this.type !== Pbf.Bytes) return arr.push(this.readVarint(isSigned)); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readVarint(isSigned)); return arr; }, readPackedSVarint: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readSVarint()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readSVarint()); return arr; }, readPackedBoolean: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readBoolean()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readBoolean()); return arr; }, readPackedFloat: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readFloat()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readFloat()); return arr; }, readPackedDouble: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readDouble()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readDouble()); return arr; }, readPackedFixed32: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readFixed32()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readFixed32()); return arr; }, readPackedSFixed32: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readSFixed32()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readSFixed32()); return arr; }, readPackedFixed64: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readFixed64()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readFixed64()); return arr; }, readPackedSFixed64: function(arr) { if (this.type !== Pbf.Bytes) return arr.push(this.readSFixed64()); var end = readPackedEnd(this); arr = arr || []; while (this.pos < end) arr.push(this.readSFixed64()); return arr; }, skip: function(val) { var type = val & 0x7; if (type === Pbf.Varint) while (this.buf[this.pos++] > 0x7f) {} else if (type === Pbf.Bytes) this.pos = this.readVarint() + this.pos; else if (type === Pbf.Fixed32) this.pos += 4; else if (type === Pbf.Fixed64) this.pos += 8; else throw new Error("Unimplemented type: " + type); }, // === WRITING ================================================================= writeTag: function(tag, type) { this.writeVarint((tag << 3) | type); }, realloc: function(min) { var length = this.length || 16; while (length < this.pos + min) length *= 2; if (length !== this.length) { var buf = new Uint8Array(length); buf.set(this.buf); this.buf = buf; this.length = length; } }, finish: function() { this.length = this.pos; this.pos = 0; return this.buf.subarray(0, this.length); }, writeFixed32: function(val) { this.realloc(4); writeInt32(this.buf, val, this.pos); this.pos += 4; }, writeSFixed32: function(val) { this.realloc(4); writeInt32(this.buf, val, this.pos); this.pos += 4; }, writeFixed64: function(val) { this.realloc(8); writeInt32(this.buf, val & -1, this.pos); writeInt32(this.buf, Math.floor(val * SHIFT_RIGHT_32), this.pos + 4); this.pos += 8; }, writeSFixed64: function(val) { this.realloc(8); writeInt32(this.buf, val & -1, this.pos); writeInt32(this.buf, Math.floor(val * SHIFT_RIGHT_32), this.pos + 4); this.pos += 8; }, writeVarint: function(val) { val = +val || 0; if (val > 0xfffffff || val < 0) { writeBigVarint(val, this); return; } this.realloc(4); this.buf[this.pos++] = val & 0x7f | (val > 0x7f ? 0x80 : 0); if (val <= 0x7f) return; this.buf[this.pos++] = ((val >>>= 7) & 0x7f) | (val > 0x7f ? 0x80 : 0); if (val <= 0x7f) return; this.buf[this.pos++] = ((val >>>= 7) & 0x7f) | (val > 0x7f ? 0x80 : 0); if (val <= 0x7f) return; this.buf[this.pos++] = (val >>> 7) & 0x7f; }, writeSVarint: function(val) { this.writeVarint(val < 0 ? -val * 2 - 1 : val * 2); }, writeBoolean: function(val) { this.writeVarint(Boolean(val)); }, writeString: function(str) { str = String(str); this.realloc(str.length * 4); this.pos++; // reserve 1 byte for short string length var startPos = this.pos; // write the string directly to the buffer and see how much was written this.pos = writeUtf8(this.buf, str, this.pos); var len = this.pos - startPos; if (len >= 0x80) makeRoomForExtraLength(startPos, len, this); // finally, write the message length in the reserved place and restore the position this.pos = startPos - 1; this.writeVarint(len); this.pos += len; }, writeFloat: function(val) { this.realloc(4); ieee754.write(this.buf, val, this.pos, true, 23, 4); this.pos += 4; }, writeDouble: function(val) { this.realloc(8); ieee754.write(this.buf, val, this.pos, true, 52, 8); this.pos += 8; }, writeBytes: function(buffer) { var len = buffer.length; this.writeVarint(len); this.realloc(len); for (var i = 0; i < len; i++) this.buf[this.pos++] = buffer[i]; }, writeRawMessage: function(fn, obj) { this.pos++; // reserve 1 byte for short message length // write the message directly to the buffer and see how much was written var startPos = this.pos; fn(obj, this); var len = this.pos - startPos; if (len >= 0x80) makeRoomForExtraLength(startPos, len, this); // finally, write the message length in the reserved place and restore the position this.pos = startPos - 1; this.writeVarint(len); this.pos += len; }, writeMessage: function(tag, fn, obj) { this.writeTag(tag, Pbf.Bytes); this.writeRawMessage(fn, obj); }, writePackedVarint: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedVarint, arr); }, writePackedSVarint: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedSVarint, arr); }, writePackedBoolean: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedBoolean, arr); }, writePackedFloat: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedFloat, arr); }, writePackedDouble: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedDouble, arr); }, writePackedFixed32: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedFixed32, arr); }, writePackedSFixed32: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedSFixed32, arr); }, writePackedFixed64: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedFixed64, arr); }, writePackedSFixed64: function(tag, arr) { if (arr.length) this.writeMessage(tag, writePackedSFixed64, arr); }, writeBytesField: function(tag, buffer) { this.writeTag(tag, Pbf.Bytes); this.writeBytes(buffer); }, writeFixed32Field: function(tag, val) { this.writeTag(tag, Pbf.Fixed32); this.writeFixed32(val); }, writeSFixed32Field: function(tag, val) { this.writeTag(tag, Pbf.Fixed32); this.writeSFixed32(val); }, writeFixed64Field: function(tag, val) { this.writeTag(tag, Pbf.Fixed64); this.writeFixed64(val); }, writeSFixed64Field: function(tag, val) { this.writeTag(tag, Pbf.Fixed64); this.writeSFixed64(val); }, writeVarintField: function(tag, val) { this.writeTag(tag, Pbf.Varint); this.writeVarint(val); }, writeSVarintField: function(tag, val) { this.writeTag(tag, Pbf.Varint); this.writeSVarint(val); }, writeStringField: function(tag, str) { this.writeTag(tag, Pbf.Bytes); this.writeString(str); }, writeFloatField: function(tag, val) { this.writeTag(tag, Pbf.Fixed32); this.writeFloat(val); }, writeDoubleField: function(tag, val) { this.writeTag(tag, Pbf.Fixed64); this.writeDouble(val); }, writeBooleanField: function(tag, val) { this.writeVarintField(tag, Boolean(val)); } }; function readVarintRemainder(l, s, p) { var buf = p.buf, h, b; b = buf[p.pos++]; h = (b & 0x70) >> 4; if (b < 0x80) return toNum(l, h, s); b = buf[p.pos++]; h |= (b & 0x7f) << 3; if (b < 0x80) return toNum(l, h, s); b = buf[p.pos++]; h |= (b & 0x7f) << 10; if (b < 0x80) return toNum(l, h, s); b = buf[p.pos++]; h |= (b & 0x7f) << 17; if (b < 0x80) return toNum(l, h, s); b = buf[p.pos++]; h |= (b & 0x7f) << 24; if (b < 0x80) return toNum(l, h, s); b = buf[p.pos++]; h |= (b & 0x01) << 31; if (b < 0x80) return toNum(l, h, s); throw new Error("Expected varint not more than 10 bytes"); } function readPackedEnd(pbf) { return pbf.type === Pbf.Bytes ? pbf.readVarint() + pbf.pos : pbf.pos + 1; } function toNum(low, high, isSigned) { if (isSigned) { return high * 0x100000000 + (low >>> 0); } return ((high >>> 0) * 0x100000000) + (low >>> 0); } function writeBigVarint(val, pbf) { var low, high; if (val >= 0) { low = (val % 0x100000000) | 0; high = (val / 0x100000000) | 0; } else { low = ~(-val % 0x100000000); high = ~(-val / 0x100000000); if (low ^ 0xffffffff) { low = (low + 1) | 0; } else { low = 0; high = (high + 1) | 0; } } if (val >= 0x10000000000000000 || val < -0x10000000000000000) { throw new Error("Given varint doesn"t fit into 10 bytes"); } pbf.realloc(10); writeBigVarintLow(low, high, pbf); writeBigVarintHigh(high, pbf); } function writeBigVarintLow(low, high, pbf) { pbf.buf[pbf.pos++] = low & 0x7f | 0x80; low >>>= 7; pbf.buf[pbf.pos++] = low & 0x7f | 0x80; low >>>= 7; pbf.buf[pbf.pos++] = low & 0x7f | 0x80; low >>>= 7; pbf.buf[pbf.pos++] = low & 0x7f | 0x80; low >>>= 7; pbf.buf[pbf.pos] = low & 0x7f; } function writeBigVarintHigh(high, pbf) { var lsb = (high & 0x07) << 4; pbf.buf[pbf.pos++] |= lsb | ((high >>>= 3) ? 0x80 : 0); if (!high) return; pbf.buf[pbf.pos++] = high & 0x7f | ((high >>>= 7) ? 0x80 : 0); if (!high) return; pbf.buf[pbf.pos++] = high & 0x7f | ((high >>>= 7) ? 0x80 : 0); if (!high) return; pbf.buf[pbf.pos++] = high & 0x7f | ((high >>>= 7) ? 0x80 : 0); if (!high) return; pbf.buf[pbf.pos++] = high & 0x7f | ((high >>>= 7) ? 0x80 : 0); if (!high) return; pbf.buf[pbf.pos++] = high & 0x7f; } function makeRoomForExtraLength(startPos, len, pbf) { var extraLen = len <= 0x3fff ? 1 : len <= 0x1fffff ? 2 : len <= 0xfffffff ? 3 : Math.floor(Math.log(len) / (Math.LN2 * 7)); // if 1 byte isn"t enough for encoding message length, shift the data to the right pbf.realloc(extraLen); for (var i = pbf.pos - 1; i >= startPos; i--) pbf.buf[i + extraLen] = pbf.buf[i]; } function writePackedVarint(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeVarint(arr[i]); } function writePackedSVarint(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeSVarint(arr[i]); } function writePackedFloat(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeFloat(arr[i]); } function writePackedDouble(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeDouble(arr[i]); } function writePackedBoolean(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeBoolean(arr[i]); } function writePackedFixed32(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeFixed32(arr[i]); } function writePackedSFixed32(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeSFixed32(arr[i]); } function writePackedFixed64(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeFixed64(arr[i]); } function writePackedSFixed64(arr, pbf) { for (var i = 0; i < arr.length; i++) pbf.writeSFixed64(arr[i]); } // Buffer code below from https://github.com/feross/buffer, MIT-licensed function readUInt32(buf, pos) { return ((buf[pos]) | (buf[pos + 1] << 8) | (buf[pos + 2] << 16)) + (buf[pos + 3] * 0x1000000); } function writeInt32(buf, val, pos) { buf[pos] = val; buf[pos + 1] = (val >>> 8); buf[pos + 2] = (val >>> 16); buf[pos + 3] = (val >>> 24); } function readInt32(buf, pos) { return ((buf[pos]) | (buf[pos + 1] << 8) | (buf[pos + 2] << 16)) + (buf[pos + 3] << 24); } function readUtf8(buf, pos, end) { var str = ""; var i = pos; while (i < end) { var b0 = buf[i]; var c = null; // codepoint var bytesPerSequence = b0 > 0xEF ? 4 : b0 > 0xDF ? 3 : b0 > 0xBF ? 2 : 1; if (i + bytesPerSequence > end) break; var b1, b2, b3; if (bytesPerSequence === 1) { if (b0 < 0x80) { c = b0; } } else if (bytesPerSequence === 2) { b1 = buf[i + 1]; if ((b1 & 0xC0) === 0x80) { c = (b0 & 0x1F) << 0x6 | (b1 & 0x3F); if (c <= 0x7F) { c = null; } } } else if (bytesPerSequence === 3) { b1 = buf[i + 1]; b2 = buf[i + 2]; if ((b1 & 0xC0) === 0x80 && (b2 & 0xC0) === 0x80) { c = (b0 & 0xF) << 0xC | (b1 & 0x3F) << 0x6 | (b2 & 0x3F); if (c <= 0x7FF || (c >= 0xD800 && c <= 0xDFFF)) { c = null; } } } else if (bytesPerSequence === 4) { b1 = buf[i + 1]; b2 = buf[i + 2]; b3 = buf[i + 3]; if ((b1 & 0xC0) === 0x80 && (b2 & 0xC0) === 0x80 && (b3 & 0xC0) === 0x80) { c = (b0 & 0xF) << 0x12 | (b1 & 0x3F) << 0xC | (b2 & 0x3F) << 0x6 | (b3 & 0x3F); if (c <= 0xFFFF || c >= 0x110000) { c = null; } } } if (c === null) { c = 0xFFFD; bytesPerSequence = 1; } else if (c > 0xFFFF) { c -= 0x10000; str += String.fromCharCode(c >>> 10 & 0x3FF | 0xD800); c = 0xDC00 | c & 0x3FF; } str += String.fromCharCode(c); i += bytesPerSequence; } return str; } function readUtf8TextDecoder(buf, pos, end) { return utf8TextDecoder.decode(buf.subarray(pos, end)); } function writeUtf8(buf, str, pos) { for (var i = 0, c, lead; i < str.length; i++) { c = str.charCodeAt(i); // code point if (c > 0xD7FF && c < 0xE000) { if (lead) { if (c < 0xDC00) { buf[pos++] = 0xEF; buf[pos++] = 0xBF; buf[pos++] = 0xBD; lead = c; continue; } else { c = lead - 0xD800 << 10 | c - 0xDC00 | 0x10000; lead = null; } } else { if (c > 0xDBFF || (i + 1 === str.length)) { buf[pos++] = 0xEF; buf[pos++] = 0xBF; buf[pos++] = 0xBD; } else { lead = c; } continue; } } else if (lead) { buf[pos++] = 0xEF; buf[pos++] = 0xBF; buf[pos++] = 0xBD; lead = null; } if (c < 0x80) { buf[pos++] = c; } else { if (c < 0x800) { buf[pos++] = c >> 0x6 | 0xC0; } else { if (c < 0x10000) { buf[pos++] = c >> 0xC | 0xE0; } else { buf[pos++] = c >> 0x12 | 0xF0; buf[pos++] = c >> 0xC & 0x3F | 0x80; } buf[pos++] = c >> 0x6 & 0x3F | 0x80; } buf[pos++] = c & 0x3F | 0x80; } } return pos; } var Pbf$1 = /*@__PURE__*/getDefaultExportFromCjs(pbf); /** * Decompress and parse an array buffer containing zipped * json data and return as a json object. * * @description Handles array buffers continaing zipped json * data. * * @param {ArrayBuffer} buffer - Array buffer to decompress. * @returns {Object} Parsed object. */ function decompress(buffer) { const inflated = inflate_1(buffer, { to: "string" }); return JSON.parse(inflated); } /** * Retrieves a resource as an array buffer and returns a promise * to the buffer. * * @description Rejects the promise on request failure. * * @param {string} url - URL for resource to retrieve. * @param {Promise} [abort] - Optional promise for aborting * the request through rejection. * @returns {Promise} Promise to the array buffer * resource. */ function fetchArrayBuffer(url, abort) { const method = "GET"; const responseType = "arraybuffer"; return xhrFetch(url, method, responseType, [], null, abort); } function xhrFetch(url, method, responseType, headers, body, abort) { const xhr = new XMLHttpRequest(); const promise = new Promise((resolve, reject) => { xhr.open(method, url, true); for (const header of headers) { xhr.setRequestHeader(header.name, header.value); } xhr.responseType = responseType; xhr.timeout = 15000; xhr.onload = () => { var _a; if (xhr.status !== 200) { const error = (_a = xhr.response) !== null && _a !== void 0 ? _a : new MapillaryError(`Response status error: ${url}`); reject(error); } if (!xhr.response) { reject(new MapillaryError(`Response empty: ${url}`)); } resolve(xhr.response); }; xhr.onerror = () => { reject(new MapillaryError(`Request error: ${url}`)); }; xhr.ontimeout = () => { reject(new MapillaryError(`Request timeout: ${url}`)); }; xhr.onabort = () => { reject(new MapillaryError(`Request aborted: ${url}`)); }; xhr.send(method === "POST" ? body : null); }); if (!!abort) { abort.catch(() => { xhr.abort(); }); } return promise; } /** * Read the fields of a protobuf array buffer into a mesh * object. * * @param {ArrayBuffer} buffer - Protobuf array buffer * to read from. * @returns {MeshContract} Mesh object. */ function readMeshPbf(buffer) { const pbf = new Pbf$1(buffer); const mesh = { faces: [], vertices: [] }; return pbf.readFields(readMeshPbfField, mesh); } function readMeshPbfField(tag, mesh, pbf) { if (tag === 1) { mesh.vertices.push(pbf.readFloat()); } else if (tag === 2) { mesh.faces.push(pbf.readVarint()); } else { console.warn(`Unsupported pbf tag (${tag})`); } } const UNDISTORTION_MARGIN_FACTOR = 3; const MIN_DEPTH = 5; const MAX_DEPTH = 200; function convertCameraType(graphCameraType) { switch (graphCameraType) { case "equirectangular": case "spherical": return "spherical"; case "fisheye": return "fisheye"; default: return "perspective"; } } class GraphConverter { clusterReconstruction(source) { const id = null; const colors = []; const coordinates = []; const pointIds = []; const points = source.points; const normalizer = 1 / 255; for (const pointId in points) { if (!points.hasOwnProperty(pointId)) { continue; } pointIds.push(pointId); const point = points[pointId]; const color = point.color; colors.push(color[0] * normalizer); colors.push(color[1] * normalizer); colors.push(color[2] * normalizer); coordinates.push(...point.coordinates); } const lla = source.reference_lla; const reference = { alt: lla.altitude, lat: lla.latitude, lng: lla.longitude, }; return { colors, coordinates, id, pointIds, reference, rotation: [0, 0, 0], }; } coreImage(source) { const geometry = this._geometry(source.geometry); const computedGeometry = this._geometry(source.computed_geometry); const sequence = { id: source.sequence }; const id = source.id; return { computed_geometry: computedGeometry, geometry, id, sequence, }; } /** * Clamps the depth of the points to the [5, 200] meters interval to avoid * strange appearance. * * @param source Source mesh. * @param params Parameters. * @returns Converted mesh. */ mesh(source, params) { const { vertices } = source; const scale = params && params.scale != null ? params.scale : 1; const scaleInv = 1 / scale; const perspective = params ? params.perspective : true; const zMin = scale * MIN_DEPTH; const zMax = scale * MAX_DEPTH; const numVertices = vertices.length / 3; for (let i = 0; i < numVertices; ++i) { const index = 3 * i; let x = vertices[index + 0]; let y = vertices[index + 1]; let z = vertices[index + 2]; if (perspective) { // Workaround for corner points not being undistorted // during processing for perspective cameras. if (i < 4) { x *= UNDISTORTION_MARGIN_FACTOR; y *= UNDISTORTION_MARGIN_FACTOR; } const zBounded = Math.max(zMin, Math.min(z, zMax)); const factor = zBounded / z; vertices[index + 0] = factor * x * scaleInv; vertices[index + 1] = factor * y * scaleInv; vertices[index + 2] = zBounded * scaleInv; } else { const l = Math.sqrt(x * x + y * y + z * z); const lBounded = Math.max(zMin, Math.min(l, zMax)); const factor = lBounded / l; vertices[index + 0] = factor * x * scaleInv; vertices[index + 1] = factor * y * scaleInv; vertices[index + 2] = factor * z * scaleInv; } } return source; } spatialImage(source) { var _a, _b, _c, _d, _e, _f; source.camera_type = convertCameraType(source.camera_type); source.camera_parameters = (_a = source.camera_parameters) !== null && _a !== void 0 ? _a : []; source.merge_id = source.merge_cc ? source.merge_cc.toString() : null; source.private = null; const thumbUrl = source.camera_type === "spherical" ? source.thumb_2048_url : source.thumb_1024_url; source.thumb = (_b = source.thumb) !== null && _b !== void 0 ? _b : { id: null, url: thumbUrl }; source.cluster = (_c = source.sfm_cluster) !== null && _c !== void 0 ? _c : { id: null, url: null }; source.creator = (_d = source.creator) !== null && _d !== void 0 ? _d : { id: null, username: null }; source.owner = (_e = source.organization) !== null && _e !== void 0 ? _e : { id: null }; source.mesh = (_f = source.mesh) !== null && _f !== void 0 ? _f : { id: null, url: null }; return source; } _geometry(geometry) { const coords = geometry === null || geometry === void 0 ? void 0 : geometry.coordinates; const lngLat = coords ? { lat: coords[1], lng: coords[0], } : null; return lngLat; } } class GraphQueryCreator { constructor() { this.imagesPath = "images"; this.sequencePath = "image_ids"; this._imageTilesPath = "tiles"; this.coreFields = ["computed_geometry", "geometry", "sequence"]; this.idFields = ["id"]; this.spatialFields = [ "altitude", "atomic_scale", "camera_parameters", "camera_type", "captured_at", "compass_angle", "computed_altitude", "computed_compass_angle", "computed_rotation", "creator", "exif_orientation", "height", "merge_cc", "mesh", "organization", "quality_score", "sfm_cluster", "thumb_1024_url", "thumb_2048_url", "width", ]; this.imageTileFields = ["url", "z", "x", "y"]; } images(imageIds, fields) { return `image_ids=${imageIds.join(",")}&fields=${fields.join(",")}`; } imagesS2(cellId, fields) { return `s2=${cellId}&fields=${fields.join(",")}`; } imageTiles(z, fields) { return `z=${z}&fields=${fields.join(",")}`; } imageTilesPath(imageId) { return `${imageId}/${this._imageTilesPath}`; } sequence(sequenceId) { return `sequence_id=${sequenceId}`; } } class GraphDataProvider extends DataProviderBase { constructor(options, geometry, converter, queryCreator) { var _a; super(geometry !== null && geometry !== void 0 ? geometry : new S2GeometryProvider()); this._convert = converter !== null && converter !== void 0 ? converter : new GraphConverter(); this._query = queryCreator !== null && queryCreator !== void 0 ? queryCreator : new GraphQueryCreator(); this._meshParameters = new Map(); this._method = "GET"; const opts = options !== null && options !== void 0 ? options : {}; this._endpoint = (_a = opts.endpoint) !== null && _a !== void 0 ? _a : "https://graph.mapillary.com"; this._accessToken = opts.accessToken; } getCluster(url, abort) { return fetchArrayBuffer(url, abort) .then((buffer) => { const reconstructions = decompress(buffer); if (reconstructions.length < 1) { throw new Error("Cluster reconstruction empty"); } return this._convert .clusterReconstruction(reconstructions[0]); }); } getCoreImages(cellId) { const fields = [ ...this._query.idFields, ...this._query.coreFields, ]; const query = this._query.imagesS2(cellId, fields); const url = new URL(this._query.imagesPath, this._endpoint).href; return this ._fetchGraphContract(query, url) .then(r => { const result = { cell_id: cellId, images: [], }; const items = r.data; for (const item of items) { const coreImage = this._convert.coreImage(item); result.images.push(coreImage); } return result; }); } getImageBuffer(url, abort) { return fetchArrayBuffer(url, abort); } getImages(imageIds) { const fields = [ ...this._query.idFields, ...this._query.coreFields, ...this._query.spatialFields, ]; const query = this._query.images(imageIds, fields); const url = new URL(this._query.imagesPath, this._endpoint).href; return this ._fetchGraphContract(query, url) .then(r => { const result = []; const items = r.data; for (const item of items) { const coreImage = this._convert.coreImage(item); const spatialImage = this._convert.spatialImage(item); this._setMeshParameters(spatialImage); const image = Object.assign({}, spatialImage, coreImage); const contract = { node: image, node_id: item.id, }; result.push(contract); } return result; }); } getImageTiles(request) { const fields = [ ...this._query.imageTileFields, ]; const query = this._query.imageTiles(request.z, fields); const url = new URL(this._query.imageTilesPath(request.imageId), this._endpoint).href; return this ._fetchGraphContract(query, url) .then(r => { const result = { node: r.data, node_id: request.imageId, }; return result; }); } getMesh(url, abort) { return fetchArrayBuffer(url, abort) .then((buffer) => { const mesh = readMeshPbf(buffer); return this._convert.mesh(mesh, this._meshParameters.get(url)); }); } getSequence(sequenceId) { const query = this._query.sequence(sequenceId); const url = new URL(this._query.sequencePath, this._endpoint).href; return this ._fetchGraphContract(query, url) .then(r => { const result = { id: sequenceId, image_ids: r.data.map(item => item.id), }; return result; }); } getSpatialImages(imageIds) { const fields = [ ...this._query.idFields, ...this._query.coreFields, ...this._query.spatialFields, ]; const query = this._query.images(imageIds, fields); const url = new URL(this._query.imagesPath, this._endpoint).href; return this ._fetchGraphContract(query, url) .then(r => { const result = []; const items = r.data; for (const item of items) { const spatialImage = this._convert.spatialImage(item); this._setMeshParameters(spatialImage); const contract = { node: spatialImage, node_id: item.id, }; result.push(contract); } return result; }); } setAccessToken(accessToken) { this._accessToken = accessToken; } _createHeaders() { const headers = [ { name: "Accept", value: "application/json" }, { name: "Content-Type", value: "application/x-www-form-urlencoded", }, ]; if (this._accessToken) { headers.push({ name: "Authorization", value: `OAuth ${this._accessToken}`, }); } return headers; } _fetchGraphContract(body, url) { const method = this._method; const headers = this._createHeaders(); const query = `${url}?${body}`; return xhrFetch(query, method, "json", headers, null, null) .catch((error) => { const message = this._makeErrorMessage(error); throw new MapillaryError(message); }); } _makeErrorMessage(graphError) { const error = graphError.error; const message = error ? `${error.code} (${error.type}, ${error.fbtrace_id}): ${error.message}` : "Failed to fetch data"; return message; } _setMeshParameters(spatialImage) { var _a; this._meshParameters.set(spatialImage.mesh.url, { perspective: spatialImage.camera_type === "perspective", scale: (_a = spatialImage.atomic_scale) !== null && _a !== void 0 ? _a : 1 }); } } /** * @class Marker * * @classdesc Represents an abstract marker class that should be extended * by marker implementations used in the marker component. */ class Marker { constructor(id, lngLat) { this._id = id; this._lngLat = lngLat; } /** * Get id. * @returns {string} The id of the marker. */ get id() { return this._id; } /** * Get geometry. * * @ignore */ get geometry() { return this._geometry; } /** * Get lngLat. * @returns {LngLat} The geographic coordinates of the marker. */ get lngLat() { return this._lngLat; } /** @ignore */ createGeometry(position) { if (!!this._geometry) { return; } this._createGeometry(position); // update matrix world if raycasting occurs before first render this._geometry.updateMatrixWorld(true); } /** @ignore */ disposeGeometry() { if (!this._geometry) { return; } this._disposeGeometry(); this._geometry = undefined; } /** @ignore */ getInteractiveObjects() { if (!this._geometry) { return []; } return this._getInteractiveObjects(); } /** @ignore */ lerpAltitude(alt, alpha) { if (!this._geometry) { return; } this._geometry.position.z = (1 - alpha) * this._geometry.position.z + alpha * alt; } /** @ignore */ updatePosition(position, lngLat) { if (!!lngLat) { this._lngLat.lat = lngLat.lat; this._lngLat.lng = lngLat.lng; } if (!this._geometry) { return; } this._geometry.position.fromArray(position); this._geometry.updateMatrixWorld(true); } } /** * @class CircleMarker * * @classdesc Non-interactive marker with a flat circle shape. The circle * marker can not be configured to be interactive. * * Circle marker properties can not be updated after creation. * * To create and add one `CircleMarker` with default configuration * and one with configuration use * * @example * ```js * var defaultMarker = new CircleMarker( * "id-1", * { lat: 0, lng: 0, }); * * var configuredMarker = new CircleMarker( * "id-2", * { lat: 0, lng: 0, }, * { * color: "#0ff", * opacity: 0.3, * radius: 0.7, * }); * * markerComponent.add([defaultMarker, configuredMarker]); * ``` */ class CircleMarker extends Marker { constructor(id, lngLat, options) { super(id, lngLat); options = !!options ? options : {}; this._color = options.color != null ? options.color : 0xffffff; this._opacity = options.opacity != null ? options.opacity : 0.4; this._radius = options.radius != null ? options.radius : 1; } _createGeometry(position) { const circle = new Mesh(new CircleGeometry(this._radius, 16), new MeshBasicMaterial({ color: this._color, opacity: this._opacity, transparent: true, })); circle.up.fromArray([0, 0, 1]); circle.renderOrder = -1; const group = new Object3D(); group.add(circle); group.position.fromArray(position); this._geometry = group; } _disposeGeometry() { for (let mesh of this._geometry.children) { mesh.geometry.dispose(); mesh.material.dispose(); } } _getInteractiveObjects() { return []; } } /** * @class SimpleMarker * * @classdesc Interactive marker with ice cream shape. The sphere * inside the ice cream can be configured to be interactive. * * Simple marker properties can not be updated after creation. * * To create and add one `SimpleMarker` with default configuration * (non-interactive) and one interactive with configuration use * * @example * ```js * var defaultMarker = new SimpleMarker( * "id-1", * { lat: 0, lng: 0, }); * * var interactiveMarker = new SimpleMarker( * "id-2", * { lat: 0, lng: 0, }, * { * ballColor: "#00f", * ballOpacity: 0.5, * color: "#00f", * interactive: true, * opacity: 0.3, * radius: 0.7, * }); * * markerComponent.add([defaultMarker, interactiveMarker]); * ``` */ class SimpleMarker extends Marker { constructor(id, lngLat, options) { super(id, lngLat); options = !!options ? options : {}; this._ballColor = options.ballColor != null ? options.ballColor : 0xff0000; this._ballOpacity = options.ballOpacity != null ? options.ballOpacity : 0.8; this._circleToRayAngle = 2; this._color = options.color != null ? options.color : 0xff0000; this._interactive = !!options.interactive; this._opacity = options.opacity != null ? options.opacity : 0.4; this._radius = options.radius != null ? options.radius : 1; } _createGeometry(position) { const radius = this._radius; const height = this._markerHeight(radius); const markerMaterial = new MeshBasicMaterial({ color: this._color, opacity: this._opacity, transparent: true, depthWrite: false, }); const marker = new Mesh(this._createMarkerGeometry(radius, 8, 8), markerMaterial); const interactive = new Mesh(new SphereGeometry(radius / 2, 8, 8), new MeshBasicMaterial({ color: this._ballColor, opacity: this._ballOpacity, transparent: true, })); interactive.position.z = height; interactive.renderOrder = 1; const group = new Object3D(); group.add(interactive); group.add(marker); group.position.fromArray(position); this._geometry = group; } _disposeGeometry() { for (const mesh of this._geometry.children) { mesh.geometry.dispose(); mesh.material.dispose(); } } _getInteractiveObjects() { return this._interactive ? [this._geometry.children[0]] : []; } _markerHeight(radius) { const t = Math.tan(Math.PI - this._circleToRayAngle); return radius * Math.sqrt(1 + t * t); } _createMarkerGeometry(radius, widthSegments, heightSegments) { const height = this._markerHeight(radius); const circleToRayAngle = this._circleToRayAngle; const indexRows = []; const positions = new Float32Array(3 * (widthSegments + 1) * (heightSegments + 1)); let positionIndex = 0; for (let y = 0; y <= heightSegments; ++y) { const indexRow = []; for (let x = 0; x <= widthSegments; ++x) { const u = x / widthSegments * Math.PI * 2; const v = y / heightSegments * Math.PI; let r = radius; if (v > circleToRayAngle) { const t = Math.tan(v - circleToRayAngle); r = radius * Math.sqrt(1 + t * t); } const arrayIndex = 3 * positionIndex; const sinv = Math.sin(v); positions[arrayIndex + 0] = r * Math.cos(u) * sinv; positions[arrayIndex + 1] = r * Math.sin(u) * sinv; positions[arrayIndex + 2] = r * Math.cos(v) + height; indexRow.push(positionIndex++); } indexRows.push(indexRow); } const indices = new Uint16Array(6 * widthSegments * heightSegments); let index = 0; for (let y = 0; y < heightSegments; ++y) { for (let x = 0; x < widthSegments; ++x) { const pi1 = indexRows[y][x + 1]; const pi2 = indexRows[y][x]; const pi3 = indexRows[y + 1][x]; const pi4 = indexRows[y + 1][x + 1]; indices[index++] = pi1; indices[index++] = pi2; indices[index++] = pi4; indices[index++] = pi2; indices[index++] = pi3; indices[index++] = pi4; } } const geometry = new BufferGeometry(); const positionAttribute = new BufferAttribute(positions, 3); geometry.setAttribute("position", positionAttribute); geometry.setIndex(new BufferAttribute(indices, 1)); return geometry; } } /** * @class Popup * * @classdesc Popup instance for rendering custom HTML content * on top of images. Popups are based on 2D basic image coordinates * (see the {@link Viewer} class documentation for more information about coordinate * systems) and a certain popup is therefore only relevant to a single image. * Popups related to a certain image should be removed when moving * to another image. * * A popup must have both its content and its point or rect set to be * rendered. Popup options can not be updated after creation but the * basic point or rect as well as its content can be changed by calling * the appropriate methods. * * To create and add one `Popup` with default configuration * (tooltip visuals and automatic float) and one with specific options * use * * @example * ```js * var defaultSpan = document.createElement("span"); * defaultSpan.innerHTML = "hello default"; * * var defaultPopup = new Popup(); * defaultPopup.setDOMContent(defaultSpan); * defaultPopup.setBasicPoint([0.3, 0.3]); * * var cleanSpan = document.createElement("span"); * cleanSpan.innerHTML = "hello clean"; * * var cleanPopup = new Popup({ * clean: true, * float: Alignment.Top, * offset: 10, * opacity: 0.7, * }); * * cleanPopup.setDOMContent(cleanSpan); * cleanPopup.setBasicPoint([0.6, 0.6]); * * popupComponent.add([defaultPopup, cleanPopup]); * ``` * * @description Implementation of API methods and API documentation inspired * by/used from https://github.com/mapbox/mapbox-gl-js/blob/v0.38.0/src/ui/popup.js */ class Popup { constructor(options, viewportCoords, dom) { this._options = {}; options = !!options ? options : {}; this._options.capturePointer = options.capturePointer === false ? options.capturePointer : true; this._options.clean = options.clean; this._options.float = options.float; this._options.offset = options.offset; this._options.opacity = options.opacity; this._options.position = options.position; this._dom = !!dom ? dom : new DOM(); this._viewportCoords = !!viewportCoords ? viewportCoords : new ViewportCoords(); this._notifyChanged$ = new Subject(); } /** * @description Internal observable used by the component to * render the popup when its position or content has changed. * @ignore */ get changed$() { return this._notifyChanged$; } /** * @description Internal method used by the component to * remove all references to the popup. * @ignore */ remove() { if (this._content && this._content.parentNode) { this._content.parentNode.removeChild(this._content); } if (this._container) { this._container.parentNode.removeChild(this._container); delete this._container; } if (this._parentContainer) { delete this._parentContainer; } } /** * Sets a 2D basic image coordinates point to the popup"s anchor, and * moves the popup to it. * * @description Overwrites any previously set point or rect. * * @param {Array} basicPoint - Point in 2D basic image coordinates. * * @example * ```js * var popup = new Popup(); * popup.setText("hello image"); * popup.setBasicPoint([0.3, 0.3]); * * popupComponent.add([popup]); * ``` */ setBasicPoint(basicPoint) { this._point = basicPoint.slice(); this._rect = null; this._notifyChanged$.next(this); } /** * Sets a 2D basic image coordinates rect to the popup"s anchor, and * moves the popup to it. * * @description Overwrites any previously set point or rect. * * @param {Array} basicRect - Rect in 2D basic image * coordinates ([topLeftX, topLeftY, bottomRightX, bottomRightY]) . * * @example * ```js * var popup = new Popup(); * popup.setText("hello image"); * popup.setBasicRect([0.3, 0.3, 0.5, 0.6]); * * popupComponent.add([popup]); * ``` */ setBasicRect(basicRect) { this._rect = basicRect.slice(); this._point = null; this._notifyChanged$.next(this); } /** * Sets the popup"s content to the element provided as a DOM node. * * @param {Node} htmlNode - A DOM node to be used as content for the popup. * * @example * ```js * var div = document.createElement("div"); * div.innerHTML = "hello image"; * * var popup = new Popup(); * popup.setDOMContent(div); * popup.setBasicPoint([0.3, 0.3]); * * popupComponent.add([popup]); * ``` */ setDOMContent(htmlNode) { if (this._content && this._content.parentNode) { this._content.parentNode.removeChild(this._content); } const className = "mapillary-popup-content" + (this._options.clean === true ? "-clean" : "") + (this._options.capturePointer === true ? " mapillary-popup-capture-pointer" : ""); this._content = this._dom.createElement("div", className, this._container); this._content.appendChild(htmlNode); this._notifyChanged$.next(this); } /** * Sets the popup"s content to the HTML provided as a string. * * @description This method does not perform HTML filtering or sanitization, * and must be used only with trusted content. Consider * {@link Popup.setText} if the * content is an untrusted text string. * * @param {string} html - A string representing HTML content for the popup. * * @example * ```js * var popup = new Popup(); * popup.setHTML("
hello image
"); * popup.setBasicPoint([0.3, 0.3]); * * popupComponent.add([popup]); * ``` */ setHTML(html) { const frag = this._dom.document.createDocumentFragment(); const temp = this._dom.createElement("body"); let child; temp.innerHTML = html; while (true) { child = temp.firstChild; if (!child) { break; } frag.appendChild(child); } this.setDOMContent(frag); } /** * Sets the popup"s content to a string of text. * * @description This function creates a Text node in the DOM, so it cannot insert raw HTML. * Use this method for security against XSS if the popup content is user-provided. * * @param {string} text - Textual content for the popup. * * @example * ```js * var popup = new Popup(); * popup.setText("hello image"); * popup.setBasicPoint([0.3, 0.3]); * * popupComponent.add([popup]); * ``` */ setText(text) { this.setDOMContent(this._dom.document.createTextNode(text)); } /** * @description Internal method for attaching the popup to * its parent container so that it is rendered in the DOM tree. * @ignore */ setParentContainer(parentContainer) { this._parentContainer = parentContainer; } /** * @description Internal method for updating the rendered * position of the popup called by the popup component. * @ignore */ update(renderCamera, size, transform) { if (!this._parentContainer || !this._content) { return; } if (!this._point && !this._rect) { return; } if (!this._container) { this._container = this._dom.createElement("div", "mapillary-popup", this._parentContainer); const showTip = this._options.clean !== true && this._options.float !== exports.Alignment.Center; if (showTip) { const tipClassName = "mapillary-popup-tip" + (this._options.capturePointer === true ? " mapillary-popup-capture-pointer" : ""); this._tip = this._dom.createElement("div", tipClassName, this._container); this._dom.createElement("div", "mapillary-popup-tip-inner", this._tip); } this._container.appendChild(this._content); this._parentContainer.appendChild(this._container); if (this._options.opacity != null) { this._container.style.opacity = this._options.opacity.toString(); } } let pointPixel = null; let position = this._alignmentToPopupAligment(this._options.position); let float = this._alignmentToPopupAligment(this._options.float); const classList = this._container.classList; if (this._point != null) { pointPixel = this._viewportCoords.basicToCanvasSafe(this._point[0], this._point[1], { offsetHeight: size.height, offsetWidth: size.width }, transform, renderCamera.perspective); } else { const alignments = ["center", "top", "bottom", "left", "right", "top-left", "top-right", "bottom-left", "bottom-right"]; let appliedPosition = null; for (const alignment of alignments) { if (classList.contains(`mapillary-popup-float-${alignment}`)) { appliedPosition = alignment; break; } } [pointPixel, position] = this._rectToPixel(this._rect, position, appliedPosition, renderCamera, size, transform); if (!float) { float = position; } } if (pointPixel == null) { this._container.style.display = "none"; return; } this._container.style.display = ""; if (!float) { const width = this._container.offsetWidth; const height = this._container.offsetHeight; const floats = this._pixelToFloats(pointPixel, size, width, height); float = floats.length === 0 ? "top" : floats.join("-"); } const offset = this._normalizeOffset(this._options.offset); pointPixel = [pointPixel[0] + offset[float][0], pointPixel[1] + offset[float][1]]; pointPixel = [Math.round(pointPixel[0]), Math.round(pointPixel[1])]; const floatTranslate = { "bottom": "translate(-50%,0)", "bottom-left": "translate(-100%,0)", "bottom-right": "translate(0,0)", "center": "translate(-50%,-50%)", "left": "translate(-100%,-50%)", "right": "translate(0,-50%)", "top": "translate(-50%,-100%)", "top-left": "translate(-100%,-100%)", "top-right": "translate(0,-100%)", }; for (const key in floatTranslate) { if (!floatTranslate.hasOwnProperty(key)) { continue; } classList.remove(`mapillary-popup-float-${key}`); } classList.add(`mapillary-popup-float-${float}`); this._container.style.transform = `${floatTranslate[float]} translate(${pointPixel[0]}px,${pointPixel[1]}px)`; } _rectToPixel(rect, position, appliedPosition, renderCamera, size, transform) { if (!position) { const width = this._container.offsetWidth; const height = this._container.offsetHeight; const floatOffsets = { "bottom": [0, height / 2], "bottom-left": [-width / 2, height / 2], "bottom-right": [width / 2, height / 2], "left": [-width / 2, 0], "right": [width / 2, 0], "top": [0, -height / 2], "top-left": [-width / 2, -height / 2], "top-right": [width / 2, -height / 2], }; const automaticPositions = ["top", "bottom", "left", "right"]; let largestVisibleArea = [0, null, null]; for (const automaticPosition of automaticPositions) { const autoPointBasic = this._pointFromRectPosition(rect, automaticPosition); const autoPointPixel = this._viewportCoords.basicToCanvasSafe(autoPointBasic[0], autoPointBasic[1], { offsetHeight: size.height, offsetWidth: size.width }, transform, renderCamera.perspective); if (autoPointPixel == null) { continue; } const floatOffset = floatOffsets[automaticPosition]; const offsetedPosition = [autoPointPixel[0] + floatOffset[0], autoPointPixel[1] + floatOffset[1]]; const staticCoeff = appliedPosition != null && appliedPosition === automaticPosition ? 1 : 0.7; const floats = this._pixelToFloats(offsetedPosition, size, width / staticCoeff, height / (2 * staticCoeff)); if (floats.length === 0 && autoPointPixel[0] > 0 && autoPointPixel[0] < size.width && autoPointPixel[1] > 0 && autoPointPixel[1] < size.height) { return [autoPointPixel, automaticPosition]; } const minX = Math.max(offsetedPosition[0] - width / 2, 0); const maxX = Math.min(offsetedPosition[0] + width / 2, size.width); const minY = Math.max(offsetedPosition[1] - height / 2, 0); const maxY = Math.min(offsetedPosition[1] + height / 2, size.height); const visibleX = Math.max(0, maxX - minX); const visibleY = Math.max(0, maxY - minY); const visibleArea = staticCoeff * visibleX * visibleY; if (visibleArea > largestVisibleArea[0]) { largestVisibleArea[0] = visibleArea; largestVisibleArea[1] = autoPointPixel; largestVisibleArea[2] = automaticPosition; } } if (largestVisibleArea[0] > 0) { return [largestVisibleArea[1], largestVisibleArea[2]]; } } const pointBasic = this._pointFromRectPosition(rect, position); const pointPixel = this._viewportCoords.basicToCanvasSafe(pointBasic[0], pointBasic[1], { offsetHeight: size.height, offsetWidth: size.width }, transform, renderCamera.perspective); return [pointPixel, position != null ? position : "top"]; } _alignmentToPopupAligment(float) { switch (float) { case exports.Alignment.Bottom: return "bottom"; case exports.Alignment.BottomLeft: return "bottom-left"; case exports.Alignment.BottomRight: return "bottom-right"; case exports.Alignment.Center: return "center"; case exports.Alignment.Left: return "left"; case exports.Alignment.Right: return "right"; case exports.Alignment.Top: return "top"; case exports.Alignment.TopLeft: return "top-left"; case exports.Alignment.TopRight: return "top-right"; default: return null; } } _normalizeOffset(offset) { if (offset == null) { return this._normalizeOffset(0); } if (typeof offset === "number") { // input specifies a radius const sideOffset = offset; const sign = sideOffset >= 0 ? 1 : -1; const cornerOffset = sign * Math.round(Math.sqrt(0.5 * Math.pow(sideOffset, 2))); return { "bottom": [0, sideOffset], "bottom-left": [-cornerOffset, cornerOffset], "bottom-right": [cornerOffset, cornerOffset], "center": [0, 0], "left": [-sideOffset, 0], "right": [sideOffset, 0], "top": [0, -sideOffset], "top-left": [-cornerOffset, -cornerOffset], "top-right": [cornerOffset, -cornerOffset], }; } else { // input specifes a value for each position return { "bottom": offset.bottom || [0, 0], "bottom-left": offset.bottomLeft || [0, 0], "bottom-right": offset.bottomRight || [0, 0], "center": offset.center || [0, 0], "left": offset.left || [0, 0], "right": offset.right || [0, 0], "top": offset.top || [0, 0], "top-left": offset.topLeft || [0, 0], "top-right": offset.topRight || [0, 0], }; } } _pixelToFloats(pointPixel, size, width, height) { const floats = []; if (pointPixel[1] < height) { floats.push("bottom"); } else if (pointPixel[1] > size.height - height) { floats.push("top"); } if (pointPixel[0] < width / 2) { floats.push("right"); } else if (pointPixel[0] > size.width - width / 2) { floats.push("left"); } return floats; } _pointFromRectPosition(rect, position) { const x0 = rect[0]; const x1 = rect[0] < rect[2] ? rect[2] : rect[2] + 1; const y0 = rect[1]; const y1 = rect[3]; switch (position) { case "bottom": return [(x0 + x1) / 2, y1]; case "bottom-left": return [x0, y1]; case "bottom-right": return [x1, y1]; case "center": return [(x0 + x1) / 2, (y0 + y1) / 2]; case "left": return [x0, (y0 + y1) / 2]; case "right": return [x1, (y0 + y1) / 2]; case "top": return [(x0 + x1) / 2, y0]; case "top-left": return [x0, y0]; case "top-right": return [x1, y0]; default: return [(x0 + x1) / 2, y1]; } } } function isBrowser() { return (typeof window !== "undefined" && typeof document !== "undefined"); } function isArraySupported() { return !!(Array.prototype && Array.prototype.concat && Array.prototype.filter && Array.prototype.includes && Array.prototype.indexOf && Array.prototype.join && Array.prototype.map && Array.prototype.push && Array.prototype.pop && Array.prototype.reverse && Array.prototype.shift && Array.prototype.slice && Array.prototype.splice && Array.prototype.sort && Array.prototype.unshift); } function isBlobSupported() { return ("Blob" in window && "URL" in window); } function isFunctionSupported() { return !!(Function.prototype && Function.prototype.apply && Function.prototype.bind); } function isJSONSupported() { return ("JSON" in window && "parse" in JSON && "stringify" in JSON); } function isMapSupported() { return "Map" in window; } function isObjectSupported() { return !!(Object.assign && Object.keys && Object.values); } function isPromiseSupported() { return !!("Promise" in window && Promise.resolve && Promise.reject && Promise.prototype && Promise.prototype.catch && Promise.prototype.then); } function isSetSupported() { return "Set" in window; } let isWebGLSupportedCache = undefined; function isWebGLSupportedCached() { if (isWebGLSupportedCache === undefined) { isWebGLSupportedCache = isWebGLSupported(); } return isWebGLSupportedCache; } function isWebGLSupported() { const attributes = { alpha: false, antialias: false, depth: true, failIfMajorPerformanceCaveat: false, premultipliedAlpha: true, preserveDrawingBuffer: false, stencil: true, }; const canvas = document.createElement("canvas"); const webGL2Context = canvas.getContext("webgl2", attributes); if (!!webGL2Context) { return true; } const context = canvas.getContext("webgl", attributes) || canvas .getContext("experimental-webgl", attributes); if (!context) { return false; } const requiredExtensions = ["OES_standard_derivatives"]; const supportedExtensions = context.getSupportedExtensions(); for (const requiredExtension of requiredExtensions) { if (supportedExtensions.indexOf(requiredExtension) === -1) { return false; } } return true; } /** * Test whether the current browser supports the full * functionality of MapillaryJS. * * @description The full functionality includes WebGL rendering. * * @return {boolean} * * @example `var supported = isSupported();` */ function isSupported() { return isFallbackSupported() && isWebGLSupportedCached(); } /** * Test whether the current browser supports the fallback * functionality of MapillaryJS. * * @description The fallback functionality does not include WebGL * rendering, only 2D canvas rendering. * * @return {boolean} * * @example `var fallbackSupported = isFallbackSupported();` */ function isFallbackSupported() { return isBrowser() && isArraySupported() && isBlobSupported() && isFunctionSupported() && isJSONSupported() && isMapSupported() && isObjectSupported() && isPromiseSupported() && isSetSupported(); } /** * Enumeration for camera controls. * * @description Specifies different modes for how the * camera is controlled through pointer, keyboard or * other modes of input. * * @enum {number} * @readonly */ exports.CameraControls = void 0; (function (CameraControls) { /** * Control the camera with custom logic by * attaching a custom camera controls * instance to the {@link Viewer}. */ CameraControls[CameraControls["Custom"] = 0] = "Custom"; /** * Control the camera from a birds perspective * to get an overview. */ CameraControls[CameraControls["Earth"] = 1] = "Earth"; /** * Control the camera in a first person view * from the street level perspective. * * @description The virtual viewer camera will * be rotated according to the orientation of * the images. */ CameraControls[CameraControls["Street"] = 2] = "Street"; /** * Control the camera in a first person view * from the street level perspective. * * @description The virtual viewer camera will * maintain gravity alignment for its up vector * at all times. */ CameraControls[CameraControls["Gravity"] = 3] = "Gravity"; })(exports.CameraControls || (exports.CameraControls = {})); /** * Enumeration for render mode * @enum {number} * @readonly * @description Modes for specifying how rendering is done * in the viewer. All modes preserves the original aspect * ratio of the images. */ exports.RenderMode = void 0; (function (RenderMode) { /** * Displays all content within the viewer. * * @description Black bars shown on both * sides of the content. Bars are shown * either below and above or to the left * and right of the content depending on * the aspect ratio relation between the * image and the viewer. */ RenderMode[RenderMode["Letterbox"] = 0] = "Letterbox"; /** * Fills the viewer by cropping content. * * @description Cropping is done either * in horizontal or vertical direction * depending on the aspect ratio relation * between the image and the viewer. */ RenderMode[RenderMode["Fill"] = 1] = "Fill"; })(exports.RenderMode || (exports.RenderMode = {})); exports.RenderPass = void 0; (function (RenderPass) { /** * Occurs after the background render pass. */ RenderPass[RenderPass["Opaque"] = 0] = "Opaque"; /** * Occurs last in the render sequence, after the opaque render pass. */ RenderPass[RenderPass["Transparent"] = 1] = "Transparent"; })(exports.RenderPass || (exports.RenderPass = {})); /** * Enumeration for transition mode * @enum {number} * @readonly * @description Modes for specifying how transitions * between images are performed. */ exports.TransitionMode = void 0; (function (TransitionMode) { /** * Default transitions. * * @description The viewer dynamically determines * whether transitions should be performed with or * without motion and blending for each transition * based on the underlying data. */ TransitionMode[TransitionMode["Default"] = 0] = "Default"; /** * Instantaneous transitions. * * @description All transitions are performed * without motion or blending. */ TransitionMode[TransitionMode["Instantaneous"] = 1] = "Instantaneous"; })(exports.TransitionMode || (exports.TransitionMode = {})); class ComponentController { constructor(container, navigator, observer, key, options, componentService) { this._container = container; this._observer = observer; this._navigator = navigator; this._options = options != null ? options : {}; this._key = key; this._navigable = key == null; this._componentService = !!componentService ? componentService : new ComponentService(this._container, this._navigator); this._coverComponent = this._componentService.getCover(); this._initializeComponents(); if (key) { this._initilizeCoverComponent(); this._subscribeCoverComponent(); } else { this._navigator.movedToId$.pipe(first((k) => { return k != null; })) .subscribe((k) => { this._key = k; this._componentService.deactivateCover(); this._coverComponent.configure({ id: this._key, state: CoverState.Hidden, }); this._subscribeCoverComponent(); this._navigator.stateService.start(); this._navigator.cacheService.start(); this._navigator.panService.start(); this._observer.startEmit(); }); } } get navigable() { return this._navigable; } get(name) { return this._componentService.get(name); } activate(name) { this._componentService.activate(name); } activateCover() { this._coverComponent.configure({ state: CoverState.Visible }); } deactivate(name) { this._componentService.deactivate(name); } deactivateCover() { this._coverComponent.configure({ state: CoverState.Loading }); } remove() { this._componentService.remove(); if (this._configurationSubscription != null) { this._configurationSubscription.unsubscribe(); } } _initializeComponents() { var _a, _b; const options = this._options; this._uFalse((_a = options.fallback) === null || _a === void 0 ? void 0 : _a.image, "imagefallback"); this._uFalse((_b = options.fallback) === null || _b === void 0 ? void 0 : _b.navigation, "navigationfallback"); this._uFalse(options.marker, "marker"); this._uFalse(options.popup, "popup"); this._uFalse(options.spatial, "spatial"); this._uFalse(options.tag, "tag"); this._uTrue(options.attribution, "attribution"); this._uTrue(options.bearing, "bearing"); this._uTrue(options.cache, "cache"); this._uTrue(options.direction, "direction"); this._uTrue(options.image, "image"); this._uTrue(options.keyboard, "keyboard"); this._uTrue(options.pointer, "pointer"); this._uTrue(options.sequence, "sequence"); this._uTrue(options.zoom, "zoom"); } _initilizeCoverComponent() { let options = this._options; this._coverComponent.configure({ id: this._key }); if (options.cover === undefined || options.cover) { this.activateCover(); } else { this.deactivateCover(); } } _setNavigable(navigable) { if (this._navigable === navigable) { return; } this._navigable = navigable; this._observer.navigable$.next(navigable); } _subscribeCoverComponent() { this._configurationSubscription = this._coverComponent.configuration$.pipe(distinctUntilChanged(undefined, (c) => { return c.state; })) .subscribe((conf) => { if (conf.state === CoverState.Loading) { this._navigator.stateService.currentId$.pipe(first(), switchMap((key) => { const keyChanged = key == null || key !== conf.id; if (keyChanged) { this._setNavigable(false); } return keyChanged ? this._navigator.moveTo$(conf.id) : this._navigator.stateService.currentImage$.pipe(first()); })) .subscribe(() => { this._navigator.stateService.start(); this._navigator.cacheService.start(); this._navigator.panService.start(); this._observer.startEmit(); this._coverComponent.configure({ state: CoverState.Hidden }); this._componentService.deactivateCover(); this._setNavigable(true); }, (error) => { console.error("Failed to deactivate cover.", error); this._coverComponent.configure({ state: CoverState.Visible }); }); } else if (conf.state === CoverState.Visible) { this._observer.stopEmit(); this._navigator.stateService.stop(); this._navigator.cacheService.stop(); this._navigator.playService.stop(); this._navigator.panService.stop(); this._componentService.activateCover(); this._setNavigable(conf.id == null); } }); } _uFalse(option, name) { if (option === undefined) { this._componentService.deactivate(name); return; } if (typeof option === "boolean") { if (option) { this._componentService.activate(name); } else { this._componentService.deactivate(name); } return; } this._componentService.configure(name, option); this._componentService.activate(name); } _uTrue(option, name) { if (option === undefined) { this._componentService.activate(name); return; } if (typeof option === "boolean") { if (option) { this._componentService.activate(name); } else { this._componentService.deactivate(name); } return; } this._componentService.configure(name, option); this._componentService.activate(name); } } class DOMRenderer { constructor(element, renderService, currentFrame$) { this._adaptiveOperation$ = new Subject(); this._render$ = new Subject(); this._renderAdaptive$ = new Subject(); this._subscriptions = new SubscriptionHolder(); this._renderService = renderService; this._currentFrame$ = currentFrame$; const subs = this._subscriptions; const rootNode = virtualDom.create(virtualDom.h("div.mapillary-dom-renderer", [])); element.appendChild(rootNode); this._offset$ = this._adaptiveOperation$.pipe(scan((adaptive, operation) => { return operation(adaptive); }, { elementHeight: element.offsetHeight, elementWidth: element.offsetWidth, imageAspect: 0, renderMode: exports.RenderMode.Fill, }), filter((adaptive) => { return adaptive.imageAspect > 0 && adaptive.elementWidth > 0 && adaptive.elementHeight > 0; }), map((adaptive) => { const elementAspect = adaptive.elementWidth / adaptive.elementHeight; const ratio = adaptive.imageAspect / elementAspect; let verticalOffset = 0; let horizontalOffset = 0; if (adaptive.renderMode === exports.RenderMode.Letterbox) { if (adaptive.imageAspect > elementAspect) { verticalOffset = adaptive.elementHeight * (1 - 1 / ratio) / 2; } else { horizontalOffset = adaptive.elementWidth * (1 - ratio) / 2; } } else { if (adaptive.imageAspect > elementAspect) { horizontalOffset = -adaptive.elementWidth * (ratio - 1) / 2; } else { verticalOffset = -adaptive.elementHeight * (1 / ratio - 1) / 2; } } return { bottom: verticalOffset, left: horizontalOffset, right: horizontalOffset, top: verticalOffset, }; })); const imageAspectSubscription = this._currentFrame$.pipe(filter((frame) => { return frame.state.currentImage != null; }), distinctUntilChanged((k1, k2) => { return k1 === k2; }, (frame) => { return frame.state.currentImage.id; }), map((frame) => { return frame.state.currentTransform.basicAspect; }), map((aspect) => { return (adaptive) => { adaptive.imageAspect = aspect; return adaptive; }; })) .subscribe(this._adaptiveOperation$); const renderAdaptiveSubscription = combineLatest(this._renderAdaptive$.pipe(scan((vNodeHashes, vNodeHash) => { if (vNodeHash.vNode == null) { delete vNodeHashes[vNodeHash.name]; } else { vNodeHashes[vNodeHash.name] = vNodeHash.vNode; } return vNodeHashes; }, {})), this._offset$).pipe(map((vo) => { const vNodes = []; const hashes = vo[0]; for (const name in hashes) { if (!hashes.hasOwnProperty(name)) { continue; } vNodes.push(hashes[name]); } const offset = vo[1]; const properties = { style: { bottom: offset.bottom + "px", left: offset.left + "px", "pointer-events": "none", position: "absolute", right: offset.right + "px", top: offset.top + "px", }, }; return { name: "mapillary-dom-adaptive-renderer", vNode: virtualDom.h("div.mapillary-dom-adaptive-renderer", properties, vNodes), }; })) .subscribe(this._render$); this._vNode$ = this._render$.pipe(scan((vNodeHashes, vNodeHash) => { if (vNodeHash.vNode == null) { delete vNodeHashes[vNodeHash.name]; } else { vNodeHashes[vNodeHash.name] = vNodeHash.vNode; } return vNodeHashes; }, {}), map((hashes) => { const vNodes = []; for (const name in hashes) { if (!hashes.hasOwnProperty(name)) { continue; } vNodes.push(hashes[name]); } return virtualDom.h("div.mapillary-dom-renderer", vNodes); })); this._vPatch$ = this._vNode$.pipe(scan((nodePatch, vNode) => { nodePatch.vpatch = virtualDom.diff(nodePatch.vNode, vNode); nodePatch.vNode = vNode; return nodePatch; }, { vNode: virtualDom.h("div.mapillary-dom-renderer", []), vpatch: null }), pluck("vpatch")); this._element$ = this._vPatch$.pipe(scan((oldElement, vPatch) => { return virtualDom.patch(oldElement, vPatch); }, rootNode), publishReplay(1), refCount()); subs.push(imageAspectSubscription); subs.push(renderAdaptiveSubscription); subs.push(this._element$.subscribe(() => { })); subs.push(this._renderService.size$.pipe(map((size) => { return (adaptive) => { adaptive.elementWidth = size.width; adaptive.elementHeight = size.height; return adaptive; }; })) .subscribe(this._adaptiveOperation$)); subs.push(this._renderService.renderMode$.pipe(map((renderMode) => { return (adaptive) => { adaptive.renderMode = renderMode; return adaptive; }; })) .subscribe(this._adaptiveOperation$)); } get element$() { return this._element$; } get render$() { return this._render$; } get renderAdaptive$() { return this._renderAdaptive$; } clear(name) { this._renderAdaptive$.next({ name: name, vNode: null }); this._render$.next({ name: name, vNode: null }); } remove() { this._subscriptions.unsubscribe(); } } class GLRenderer { constructor(canvas, canvasContainer, renderService) { this._renderFrame$ = new Subject(); this._renderCameraOperation$ = new Subject(); this._render$ = new Subject(); this._clear$ = new Subject(); this._renderOperation$ = new Subject(); this._rendererOperation$ = new Subject(); this._eraserOperation$ = new Subject(); this._triggerOperation$ = new Subject(); this._subscriptions = new SubscriptionHolder(); this._opaqueRender$ = new Subject(); this._transparentRender$ = new Subject(); this._renderService = renderService; const subs = this._subscriptions; this._renderer$ = this._rendererOperation$.pipe(scan((renderer, operation) => { return operation(renderer); }, { needsRender: false, renderer: null }), filter((renderer) => { return !!renderer.renderer; })); this._renderCollection$ = this._renderOperation$.pipe(scan((hashes, operation) => { return operation(hashes); }, {}), share()); this._renderCamera$ = this._renderCameraOperation$.pipe(scan((rc, operation) => { return operation(rc); }, { frameId: -1, needsRender: false, perspective: null })); this._eraser$ = this._eraserOperation$.pipe(startWith((eraser) => { return eraser; }), scan((eraser, operation) => { return operation(eraser); }, { needsRender: false })); const trigger$ = this._triggerOperation$.pipe(startWith((trigger) => { return trigger; }), scan((trigger, operation) => { return operation(trigger); }, { needsRender: false })); const clearColor = new Color(0x0F0F0F); const renderSubscription = combineLatest(this._renderer$, this._renderCollection$, this._renderCamera$, this._eraser$, trigger$).pipe(map(([renderer, hashes, rc, eraser, trigger]) => { const renders = Object.keys(hashes) .map((key) => { return hashes[key]; }); return { camera: rc, eraser: eraser, trigger: trigger, renderer: renderer, renders: renders }; }), filter((co) => { let needsRender = co.renderer.needsRender || co.camera.needsRender || co.eraser.needsRender || co.trigger.needsRender; const frameId = co.camera.frameId; for (const render of co.renders) { if (render.frameId !== frameId) { return false; } needsRender = needsRender || render.needsRender; } return needsRender; }), distinctUntilChanged((n1, n2) => { return n1 === n2; }, (co) => { return co.eraser.needsRender || co.trigger.needsRender ? -co.camera.frameId : co.camera.frameId; })) .subscribe((co) => { co.renderer.needsRender = false; co.camera.needsRender = false; co.eraser.needsRender = false; co.trigger.needsRender = false; const perspectiveCamera = co.camera.perspective; const backgroundRenders = []; const opaqueRenders = []; for (const render of co.renders) { if (render.pass === RenderPass.Background) { backgroundRenders.push(render.render); } else if (render.pass === RenderPass.Opaque) { opaqueRenders.push(render.render); } } const renderer = co.renderer.renderer; renderer.resetState(); renderer.setClearColor(clearColor, 1.0); renderer.clear(); for (const renderBackground of backgroundRenders) { renderBackground(perspectiveCamera, renderer); } renderer.clearDepth(); for (const renderOpaque of opaqueRenders) { renderOpaque(perspectiveCamera, renderer); } renderer.resetState(); this._opaqueRender$.next(); this._transparentRender$.next(); }); subs.push(renderSubscription); subs.push(this._renderFrame$.pipe(map((rc) => { return (irc) => { irc.frameId = rc.frameId; irc.perspective = rc.perspective; if (rc.changed === true) { irc.needsRender = true; } return irc; }; })) .subscribe(this._renderCameraOperation$)); this._renderFrameSubscribe(); const renderHash$ = this._render$.pipe(map((hash) => { return (hashes) => { hashes[hash.name] = hash.renderer; return hashes; }; })); const clearHash$ = this._clear$.pipe(map((name) => { return (hashes) => { delete hashes[name]; return hashes; }; })); subs.push(merge(renderHash$, clearHash$) .subscribe(this._renderOperation$)); this._webGLRenderer$ = this._render$.pipe(first(), map(() => { canvasContainer.appendChild(canvas); const element = renderService.element; const webGLRenderer = new WebGLRenderer({ antialias: true, canvas: canvas, }); webGLRenderer.setPixelRatio(window.devicePixelRatio); webGLRenderer.setSize(element.offsetWidth, element.offsetHeight); webGLRenderer.autoClear = false; return webGLRenderer; }), publishReplay(1), refCount()); subs.push(this._webGLRenderer$ .subscribe(() => { })); const createRenderer$ = this._webGLRenderer$.pipe(first(), map((webGLRenderer) => { return (renderer) => { renderer.needsRender = true; renderer.renderer = webGLRenderer; return renderer; }; })); const resizeRenderer$ = this._renderService.size$.pipe(map((size) => { return (renderer) => { if (renderer.renderer == null) { return renderer; } renderer.renderer.setSize(size.width, size.height); renderer.needsRender = true; return renderer; }; })); const clearRenderer$ = this._clear$.pipe(map(() => { return (renderer) => { if (renderer.renderer == null) { return renderer; } renderer.needsRender = true; return renderer; }; })); subs.push(merge(createRenderer$, resizeRenderer$, clearRenderer$) .subscribe(this._rendererOperation$)); const renderCollectionEmpty$ = this._renderCollection$.pipe(filter((hashes) => { return Object.keys(hashes).length === 0; }), share()); subs.push(renderCollectionEmpty$ .subscribe(() => { if (this._renderFrameSubscription == null) { return; } this._renderFrameSubscription.unsubscribe(); this._renderFrameSubscription = null; this._renderFrameSubscribe(); })); subs.push(renderCollectionEmpty$.pipe(map(() => { return (eraser) => { eraser.needsRender = true; return eraser; }; })) .subscribe(this._eraserOperation$)); } get render$() { return this._render$; } get opaqueRender$() { return this._opaqueRender$; } get transparentRender$() { return this._transparentRender$; } get webGLRenderer$() { return this._webGLRenderer$; } clear(name) { this._clear$.next(name); } remove() { this._rendererOperation$.next((renderer) => { if (renderer.renderer != null) { const extension = renderer.renderer .getContext() .getExtension("WEBGL_lose_context"); if (!!extension) { extension.loseContext(); } renderer.renderer = null; } return renderer; }); if (this._renderFrameSubscription != null) { this._renderFrameSubscription.unsubscribe(); } this._subscriptions.unsubscribe(); } triggerRerender() { this._renderService.renderCameraFrame$ .pipe(skip(1), first()) .subscribe(() => { this._triggerOperation$.next((trigger) => { trigger.needsRender = true; return trigger; }); }); } _renderFrameSubscribe() { this._render$.pipe(first(), map(() => { return (irc) => { irc.needsRender = true; return irc; }; })) .subscribe((operation) => { this._renderCameraOperation$.next(operation); }); this._renderFrameSubscription = this._render$.pipe(first(), mergeMap(() => { return this._renderService.renderCameraFrame$; })) .subscribe(this._renderFrame$); } } /** * @class Camera * * @classdesc Holds information about a camera. */ class Camera { /** * Create a new camera instance. * @param {Transform} [transform] - Optional transform instance. */ constructor(transform) { if (transform != null) { this._position = new Vector3().fromArray(transform.unprojectSfM([0, 0], 0)); this._lookat = new Vector3().fromArray(transform.unprojectSfM([0, 0], 10)); this._up = transform.upVector(); this._focal = this._getFocal(transform); } else { this._position = new Vector3(0, 0, 0); this._lookat = new Vector3(1, 0, 0); this._up = new Vector3(0, 0, 1); this._focal = 1; } } /** * Get position. * @returns {THREE.Vector3} The position vector. */ get position() { return this._position; } /** * Get lookat. * @returns {THREE.Vector3} The lookat vector. */ get lookat() { return this._lookat; } /** * Get up. * @returns {THREE.Vector3} The up vector. */ get up() { return this._up; } /** * Get focal. * @returns {number} The focal length. */ get focal() { return this._focal; } /** * Set focal. */ set focal(value) { this._focal = value; } /** * Update this camera to the linearly interpolated value of two other cameras. * * @param {Camera} a - First camera. * @param {Camera} b - Second camera. * @param {number} alpha - Interpolation value on the interval [0, 1]. */ lerpCameras(a, b, alpha) { this._position.subVectors(b.position, a.position).multiplyScalar(alpha).add(a.position); this._lookat.subVectors(b.lookat, a.lookat).multiplyScalar(alpha).add(a.lookat); this._up.subVectors(b.up, a.up).multiplyScalar(alpha).add(a.up); this._focal = (1 - alpha) * a.focal + alpha * b.focal; } /** * Copy the properties of another camera to this camera. * * @param {Camera} other - Another camera. */ copy(other) { this._position.copy(other.position); this._lookat.copy(other.lookat); this._up.copy(other.up); this._focal = other.focal; } /** * Clone this camera. * * @returns {Camera} A camera with cloned properties equal to this camera. */ clone() { let camera = new Camera(); camera.position.copy(this._position); camera.lookat.copy(this._lookat); camera.up.copy(this._up); camera.focal = this._focal; return camera; } /** * Determine the distance between this camera and another camera. * * @param {Camera} other - Another camera. * @returns {number} The distance between the cameras. */ diff(other) { let pd = this._position.distanceToSquared(other.position); let ld = this._lookat.distanceToSquared(other.lookat); let ud = this._up.distanceToSquared(other.up); let fd = 100 * Math.abs(this._focal - other.focal); return Math.max(pd, ld, ud, fd); } /** * Get the focal length based on the transform. * * @description Returns the focal length corresponding * to a 90 degree field of view for spherical * transforms. * * Returns the transform focal length for other * projection types. * * @returns {number} Focal length. */ _getFocal(transform) { if (!isSpherical(transform.cameraType)) { return transform.focal; } return 0.5 / Math.tan(Math.PI / 2); } } class RenderCamera { constructor(elementWidth, elementHeight, renderMode) { this._spatial = new Spatial(); this._viewportCoords = new ViewportCoords(); this._size = { width: elementWidth, height: elementHeight }; this._initialFov = 60; this._alpha = -1; this._stateTransitionAlpha = -1; this._stateTransitionFov = -1; this._renderMode = renderMode; this._zoom = 0; this._frameId = -1; this._changed = false; this._changedForFrame = -1; this._currentImageId = null; this._previousImageId = null; this._currentSpherical = false; this._previousSpherical = false; this._state = null; this._currentBearings = []; this._previousBearings = []; this._currentFov = this._initialFov; this._previousFov = this._initialFov; this._camera = new Camera(); this._currentCameraUp = new Vector3(); this._previousCameraUp = new Vector3(); this._currentTransformUp = new Vector3(); this._previousTransformUp = new Vector3(); this._currentTransformForward = new Vector3(); this._previousTransformForward = new Vector3(); this._perspective = new PerspectiveCamera$1(this._initialFov, this._computeAspect(elementWidth, elementHeight), 1e-3, 1e6); this._perspective.position.copy(this._camera.position); this._perspective.up.copy(this._camera.up); this._perspective.lookAt(this._camera.lookat); this._perspective.updateMatrixWorld(true); this._perspective.matrixAutoUpdate = false; this._rotation = { phi: 0, theta: 0 }; } get alpha() { return this._alpha; } get camera() { return this._camera; } get changed() { return this._frameId === this._changedForFrame; } get frameId() { return this._frameId; } get perspective() { return this._perspective; } get renderMode() { return this._renderMode; } get rotation() { return this._rotation; } get zoom() { return this._zoom; } get size() { return this._size; } getTilt() { return 90 - this._spatial.radToDeg(this._rotation.theta); } fovToZoom(fov) { fov = Math.min(90, Math.max(0, fov)); const currentFov = this._computeCurrentFov(0); const actualFov = this._alpha === 1 ? currentFov : this._interpolateFov(currentFov, this._computePreviousFov(0), this._alpha); const y0 = Math.tan(actualFov / 2 * Math.PI / 180); const y1 = Math.tan(fov / 2 * Math.PI / 180); const zoom = Math.log(y0 / y1) / Math.log(2); return zoom; } setFrame(frame) { const state = frame.state; if (state.state !== this._state) { this._state = state.state; if (this._state !== State.Custom) { this.setRenderMode(this._renderMode); this.setSize(this._size); } if (this._state === State.Earth) { this._stateTransitionFov = this._zoomedFovToFov(this._perspective.fov, this._zoom); } this._changed = true; } const currentImageId = state.currentImage.id; const previousImageId = !!state.previousImage ? state.previousImage.id : null; if (currentImageId !== this._currentImageId || this._changed) { this._currentImageId = currentImageId; this._currentSpherical = isSpherical(state.currentTransform.cameraType); this._currentBearings = this._computeBearings(state.currentTransform); this._currentCameraUp.copy(state.currentCamera.up); this._currentTransformUp.copy(state.currentTransform.upVector()); this._currentTransformForward.copy(new Vector3().fromArray(state.currentTransform.unprojectSfM([0, 0], 10)) .sub(new Vector3().fromArray(state.currentTransform. unprojectSfM([0, 0], 0)))); this._changed = true; } if (previousImageId !== this._previousImageId) { this._previousImageId = previousImageId; this._previousSpherical = isSpherical(state.previousTransform.cameraType); this._previousBearings = this._computeBearings(state.previousTransform); this._previousCameraUp.copy(state.previousCamera.up); this._previousTransformUp.copy(state.previousTransform.upVector()); this._previousTransformForward.copy(new Vector3().fromArray(state.previousTransform.unprojectSfM([0, 0], 10)) .sub(new Vector3().fromArray(state.previousTransform. unprojectSfM([0, 0], 0)))); this._changed = true; } const zoom = state.zoom; if (zoom !== this._zoom) { this._changed = true; } const camera = state.camera; if (this._changed) { this._currentFov = this._computeCurrentFov(zoom); this._previousFov = this._computePreviousFov(zoom); } const alpha = state.alpha; const sta = state.stateTransitionAlpha; if (this._changed || alpha !== this._alpha || sta !== this._stateTransitionAlpha) { this._alpha = alpha; this._stateTransitionAlpha = sta; switch (this._state) { case State.Earth: { const startFov = this._stateTransitionFov; const endFov = this._focalToFov(state.camera.focal); const fov = MathUtils.lerp(startFov, endFov, sta); this._perspective.fov = this._fovToZoomedFov(fov, zoom); break; } case State.Custom: break; default: this._perspective.fov = this._interpolateFov(this._currentFov, this._previousFov, this._alpha); this._changed = true; break; } this._zoom = zoom; if (this._state !== State.Custom) { this._perspective.updateProjectionMatrix(); } } if (this._camera.diff(camera) > 1e-9) { this._camera.copy(camera); this._rotation = this._computeRotation(camera); this._perspective.up.copy(camera.up); this._perspective.position.copy(camera.position); // Workaround for shaking camera this._perspective.matrixAutoUpdate = true; this._perspective.lookAt(camera.lookat); this._perspective.matrixAutoUpdate = false; this._perspective.updateMatrix(); this._perspective.updateMatrixWorld(false); this._changed = true; } this._setFrameId(frame.id); } setProjectionMatrix(matrix) { this._perspective.fov = this._focalToFov(matrix[5] / 2); this._perspective.projectionMatrix.fromArray(matrix); this._perspective.projectionMatrixInverse .copy(this._perspective.projectionMatrix) .invert(); this._changed = true; } setRenderMode(renderMode) { this._renderMode = renderMode; if (this._state === State.Custom) { return; } this._perspective.fov = this._computeFov(); this._perspective.updateProjectionMatrix(); this._changed = true; } setSize(size) { this._size = size; if (this._state === State.Custom) { return; } this._perspective.aspect = this._computeAspect(size.width, size.height); this._perspective.fov = this._computeFov(); this._perspective.updateProjectionMatrix(); this._changed = true; } _computeAspect(elementWidth, elementHeight) { return elementWidth === 0 ? 0 : elementWidth / elementHeight; } _computeCurrentFov(zoom) { if (this._perspective.aspect === 0) { return 0; } if (!this._currentImageId) { return this._initialFov; } return this._currentSpherical ? this._fovToZoomedFov(90, zoom) : this._computeVerticalBearingFov(this._currentBearings, this._renderMode, zoom, this.perspective.aspect); } _computeFov() { this._currentFov = this._computeCurrentFov(this._zoom); this._previousFov = this._computePreviousFov(this._zoom); return this._interpolateFov(this._currentFov, this._previousFov, this._alpha); } _computePreviousFov(zoom) { if (this._perspective.aspect === 0) { return 0; } if (!this._currentImageId) { return this._initialFov; } return !this._previousImageId ? this._currentFov : this._previousSpherical ? this._fovToZoomedFov(90, zoom) : this._computeVerticalBearingFov(this._previousBearings, this._renderMode, zoom, this.perspective.aspect); } _computeBearings(transform) { const vertices = [[0, 0]]; const directions = [[1, 0]]; const pointsPerLine = 25; return computeBearings(transform, vertices, directions, pointsPerLine, this._viewportCoords); } _computeRotation(camera) { let direction = camera.lookat.clone().sub(camera.position); let up = camera.up.clone(); let phi = this._spatial.azimuthal(direction.toArray(), up.toArray()); let theta = Math.PI / 2 - this._spatial.angleToPlane(direction.toArray(), [0, 0, 1]); return { phi: phi, theta: theta }; } _computeVerticalBearingFov(bearings, renderMode, zoom, aspect) { const { _spatial } = this; const projections = bearings .map(b => _spatial.projectToPlane(b, [1, 0, 0])) .map(p => [p[1], -p[2]]); const fovs = projections.map(p => 2 * _spatial.radToDeg(Math.abs(Math.atan2(p[0], p[1])))); const vFovMin = fovs.length > 0 ? 0.995 * Math.min(...fovs) : 125; const fovMin = this._fovToZoomedFov(vFovMin, zoom); const fovMax = this._fovToZoomedFov(125, zoom); const vFovFill = Math.min(fovMin, fovMax); if (renderMode === exports.RenderMode.Fill) { return vFovFill; } const vFovLetterbox = Math.max(...fovs); const hFovLetterbox = aspect * vFovLetterbox; const fovCoeff = 1.25; const hFovFill = aspect * vFovFill; const hFovMax = fovCoeff * hFovFill; let vFov = vFovLetterbox; if (hFovLetterbox > hFovMax) { vFov *= hFovMax / hFovLetterbox; } const vFovMax = fovCoeff * vFovFill; vFov = Math.min(vFov, vFovMax, fovMax); vFov = Math.max(vFov, vFovFill); return vFov; } _fovToZoomedFov(fov, zoom) { return fov / Math.pow(2, zoom); } _zoomedFovToFov(zoomedFov, zoom) { return Math.pow(2, zoom) * zoomedFov; } _focalToFov(focal) { return 2 * Math.atan2(1, 2 * focal) * 180 / Math.PI; } _interpolateFov(v1, v2, alpha) { return alpha * v1 + (1 - alpha) * v2; } _setFrameId(frameId) { this._frameId = frameId; if (this._changed) { this._changed = false; this._changedForFrame = frameId; } } } class RenderService { constructor(element, currentFrame$, renderMode, renderCamera) { this._subscriptions = new SubscriptionHolder(); this._element = element; this._currentFrame$ = currentFrame$; this._spatial = new Spatial(); renderMode = renderMode != null ? renderMode : exports.RenderMode.Fill; this._resize$ = new Subject(); this._projectionMatrix$ = new Subject(); this._renderCameraOperation$ = new Subject(); this._size$ = new BehaviorSubject({ height: this._element.offsetHeight, width: this._element.offsetWidth, }); const subs = this._subscriptions; subs.push(this._resize$.pipe(map(() => { return { height: this._element.offsetHeight, width: this._element.offsetWidth, }; })) .subscribe(this._size$)); this._renderMode$ = new BehaviorSubject(renderMode); this._renderCameraHolder$ = this._renderCameraOperation$.pipe(startWith((rc) => { return rc; }), scan((rc, operation) => { return operation(rc); }, renderCamera !== null && renderCamera !== void 0 ? renderCamera : new RenderCamera(this._element.offsetWidth, this._element.offsetHeight, renderMode)), publishReplay(1), refCount()); this._renderCameraFrame$ = this._currentFrame$.pipe(withLatestFrom(this._renderCameraHolder$), tap(([frame, rc]) => { rc.setFrame(frame); }), map((args) => { return args[1]; }), publishReplay(1), refCount()); this._renderCamera$ = this._renderCameraFrame$.pipe(filter((rc) => { return rc.changed; }), publishReplay(1), refCount()); this._bearing$ = this._renderCamera$.pipe(map((rc) => { let bearing = this._spatial.radToDeg(this._spatial.azimuthalToBearing(rc.rotation.phi)); return this._spatial.wrap(bearing, 0, 360); }), publishReplay(1), refCount()); subs.push(this._size$.pipe(skip(1), map((size) => { return (rc) => { rc.setSize(size); return rc; }; })) .subscribe(this._renderCameraOperation$)); subs.push(this._renderMode$.pipe(skip(1), map((rm) => { return (rc) => { rc.setRenderMode(rm); return rc; }; })) .subscribe(this._renderCameraOperation$)); subs.push(this._projectionMatrix$.pipe(map((projectionMatrix) => { return (rc) => { rc.setProjectionMatrix(projectionMatrix); return rc; }; })) .subscribe(this._renderCameraOperation$)); subs.push(this._bearing$.subscribe(() => { })); subs.push(this._renderCameraHolder$.subscribe(() => { })); subs.push(this._size$.subscribe(() => { })); subs.push(this._renderMode$.subscribe(() => { })); subs.push(this._renderCamera$.subscribe(() => { })); subs.push(this._renderCameraFrame$.subscribe(() => { })); } get bearing$() { return this._bearing$; } get element() { return this._element; } get projectionMatrix$() { return this._projectionMatrix$; } get renderCamera$() { return this._renderCamera$; } get renderCameraFrame$() { return this._renderCameraFrame$; } get renderMode$() { return this._renderMode$; } get resize$() { return this._resize$; } get size$() { return this._size$; } dispose() { this._subscriptions.unsubscribe(); } } class KeyboardService { constructor(canvasContainer) { this._keyDown$ = fromEvent(canvasContainer, "keydown"); this._keyUp$ = fromEvent(canvasContainer, "keyup"); } get keyDown$() { return this._keyDown$; } get keyUp$() { return this._keyUp$; } } // MouseEvent.button const LEFT_BUTTON = 0; const RIGHT_BUTTON = 2; // MouseEvent.buttons const BUTTONS_MAP = { [LEFT_BUTTON]: 1, [RIGHT_BUTTON]: 2 }; class MouseService { constructor(container, canvasContainer, domContainer, doc) { this._subscriptions = new SubscriptionHolder(); const subs = this._subscriptions; this._activeSubject$ = new BehaviorSubject(false); this._active$ = this._activeSubject$ .pipe(distinctUntilChanged(), publishReplay(1), refCount()); this._claimMouse$ = new Subject(); this._claimWheel$ = new Subject(); this._deferPixelClaims$ = new Subject(); this._deferPixels$ = this._deferPixelClaims$ .pipe(scan((claims, claim) => { if (claim.deferPixels == null) { delete claims[claim.name]; } else { claims[claim.name] = claim.deferPixels; } return claims; }, {}), map((claims) => { let deferPixelMax = -1; for (const key in claims) { if (!claims.hasOwnProperty(key)) { continue; } const deferPixels = claims[key]; if (deferPixels > deferPixelMax) { deferPixelMax = deferPixels; } } return deferPixelMax; }), startWith(-1), publishReplay(1), refCount()); subs.push(this._deferPixels$.subscribe(() => { })); this._documentMouseMove$ = fromEvent(doc, "pointermove") .pipe(filter(this._isMousePen)); this._documentMouseUp$ = fromEvent(doc, "pointerup") .pipe(filter(this._isMousePen)); this._mouseDown$ = fromEvent(canvasContainer, "pointerdown") .pipe(filter(this._isMousePen)); this._mouseEnter$ = fromEvent(canvasContainer, "pointerenter") .pipe(filter(this._isMousePen)); this._mouseLeave$ = fromEvent(canvasContainer, "pointerleave") .pipe(filter(this._isMousePen)); this._mouseMove$ = fromEvent(canvasContainer, "pointermove") .pipe(filter(this._isMousePen)); this._mouseUp$ = fromEvent(canvasContainer, "pointerup") .pipe(filter(this._isMousePen)); this._mouseOut$ = fromEvent(canvasContainer, "pointerout") .pipe(filter(this._isMousePen)); this._mouseOver$ = fromEvent(canvasContainer, "pointerover") .pipe(filter(this._isMousePen)); this._domMouseDown$ = fromEvent(domContainer, "pointerdown") .pipe(filter(this._isMousePen)); this._domMouseMove$ = fromEvent(domContainer, "pointermove") .pipe(filter(this._isMousePen)); this._click$ = fromEvent(canvasContainer, "click"); this._contextMenu$ = fromEvent(canvasContainer, "contextmenu"); this._windowBlur$ = fromEvent(window, "blur"); this._dblClick$ = merge(fromEvent(container, "click"), fromEvent(canvasContainer, "dblclick")) .pipe(bufferCount(3, 1), filter((events) => { const event1 = events[0]; const event2 = events[1]; const event3 = events[2]; return event1.type === "click" && event2.type === "click" && event3.type === "dblclick" && event1.target.parentNode === canvasContainer && event2.target.parentNode === canvasContainer; }), map((events) => { return events[2]; }), share()); subs.push(merge(this._domMouseDown$, this._domMouseMove$, this._dblClick$, this._contextMenu$) .subscribe((event) => { event.preventDefault(); })); this._mouseWheel$ = merge(fromEvent(canvasContainer, "wheel"), fromEvent(domContainer, "wheel")) .pipe(share()); this._consistentContextMenu$ = merge(this._mouseDown$, this._mouseMove$, this._mouseOut$, this._mouseUp$, this._contextMenu$) .pipe(bufferCount(3, 1), filter((events) => { // fire context menu on mouse up both on mac and windows return events[0].type === "pointerdown" && events[1].type === "contextmenu" && events[2].type === "pointerup"; }), map((events) => { return events[1]; }), share()); const dragStop$ = merge(this._windowBlur$, this._documentMouseMove$ .pipe(filter((e) => { return this._buttonReleased(e, LEFT_BUTTON); })), this._documentMouseUp$ .pipe(filter((e) => { return this._mouseButton(e) === LEFT_BUTTON; }))) .pipe(share()); const mouseDragInitiate$ = this._createMouseDragInitiate$(LEFT_BUTTON, this._mouseDown$, dragStop$, true) .pipe(share()); this._mouseDragStart$ = this._createMouseDragStart$(mouseDragInitiate$) .pipe(share()); this._mouseDrag$ = this._createMouseDrag$(mouseDragInitiate$, dragStop$) .pipe(share()); this._mouseDragEnd$ = this._createMouseDragEnd$(this._mouseDragStart$, dragStop$) .pipe(share()); const domMouseDragInitiate$ = this._createMouseDragInitiate$(LEFT_BUTTON, this._domMouseDown$, dragStop$, false) .pipe(share()); this._domMouseDragStart$ = this._createMouseDragStart$(domMouseDragInitiate$) .pipe(share()); this._domMouseDrag$ = this._createMouseDrag$(domMouseDragInitiate$, dragStop$) .pipe(share()); this._domMouseDragEnd$ = this._createMouseDragEnd$(this._domMouseDragStart$, dragStop$) .pipe(share()); const rightDragStop$ = merge(this._windowBlur$, this._documentMouseMove$.pipe(filter((e) => { return this._buttonReleased(e, RIGHT_BUTTON); })), this._documentMouseUp$.pipe(filter((e) => { return this._mouseButton(e) === RIGHT_BUTTON; }))) .pipe(share()); const mouseRightDragInitiate$ = this._createMouseDragInitiate$(RIGHT_BUTTON, this._mouseDown$, rightDragStop$, true) .pipe(share()); this._mouseRightDragStart$ = this._createMouseDragStart$(mouseRightDragInitiate$) .pipe(share()); this._mouseRightDrag$ = this._createMouseDrag$(mouseRightDragInitiate$, rightDragStop$) .pipe(share()); this._mouseRightDragEnd$ = this._createMouseDragEnd$(this._mouseRightDragStart$, rightDragStop$) .pipe(share()); this._proximateClick$ = this._mouseDown$ .pipe(switchMap((mouseDown) => { return this._click$.pipe(takeUntil(this._createDeferredMouseMove$(mouseDown, this._documentMouseMove$)), take(1)); }), share()); this._staticClick$ = this._mouseDown$ .pipe(switchMap(() => { return this._click$.pipe(takeUntil(this._documentMouseMove$), take(1)); }), share()); subs.push(this._mouseDragStart$.subscribe()); subs.push(this._mouseDrag$.subscribe()); subs.push(this._mouseDragEnd$.subscribe()); subs.push(this._domMouseDragStart$.subscribe()); subs.push(this._domMouseDrag$.subscribe()); subs.push(this._domMouseDragEnd$.subscribe()); subs.push(this._mouseRightDragStart$.subscribe()); subs.push(this._mouseRightDrag$.subscribe()); subs.push(this._mouseRightDragEnd$.subscribe()); subs.push(this._staticClick$.subscribe()); this._mouseOwner$ = this._createOwner$(this._claimMouse$) .pipe(publishReplay(1), refCount()); this._wheelOwner$ = this._createOwner$(this._claimWheel$) .pipe(publishReplay(1), refCount()); subs.push(this._mouseOwner$.subscribe(() => { })); subs.push(this._wheelOwner$.subscribe(() => { })); } get active$() { return this._active$; } get activate$() { return this._activeSubject$; } get documentMouseMove$() { return this._documentMouseMove$; } get documentMouseUp$() { return this._documentMouseUp$; } get domMouseDragStart$() { return this._domMouseDragStart$; } get domMouseDrag$() { return this._domMouseDrag$; } get domMouseDragEnd$() { return this._domMouseDragEnd$; } get domMouseDown$() { return this._domMouseDown$; } get domMouseMove$() { return this._domMouseMove$; } get mouseOwner$() { return this._mouseOwner$; } get mouseDown$() { return this._mouseDown$; } get mouseEnter$() { return this._mouseEnter$; } get mouseMove$() { return this._mouseMove$; } get mouseLeave$() { return this._mouseLeave$; } get mouseOut$() { return this._mouseOut$; } get mouseOver$() { return this._mouseOver$; } get mouseUp$() { return this._mouseUp$; } get click$() { return this._click$; } get dblClick$() { return this._dblClick$; } get contextMenu$() { return this._consistentContextMenu$; } get mouseWheel$() { return this._mouseWheel$; } get mouseDragStart$() { return this._mouseDragStart$; } get mouseDrag$() { return this._mouseDrag$; } get mouseDragEnd$() { return this._mouseDragEnd$; } get mouseRightDragStart$() { return this._mouseRightDragStart$; } get mouseRightDrag$() { return this._mouseRightDrag$; } get mouseRightDragEnd$() { return this._mouseRightDragEnd$; } get proximateClick$() { return this._proximateClick$; } get staticClick$() { return this._staticClick$; } get windowBlur$() { return this._windowBlur$; } dispose() { this._subscriptions.unsubscribe(); } claimMouse(name, zindex) { this._claimMouse$.next({ name: name, zindex: zindex }); } unclaimMouse(name) { this._claimMouse$.next({ name: name, zindex: null }); } deferPixels(name, deferPixels) { this._deferPixelClaims$.next({ name: name, deferPixels: deferPixels }); } undeferPixels(name) { this._deferPixelClaims$.next({ name: name, deferPixels: null }); } claimWheel(name, zindex) { this._claimWheel$.next({ name: name, zindex: zindex }); } unclaimWheel(name) { this._claimWheel$.next({ name: name, zindex: null }); } filtered$(name, observable$) { return this._filtered(name, observable$, this._mouseOwner$); } filteredWheel$(name, observable$) { return this._filtered(name, observable$, this._wheelOwner$); } _createDeferredMouseMove$(origin, mouseMove$) { return mouseMove$.pipe(map((mouseMove) => { const deltaX = mouseMove.clientX - origin.clientX; const deltaY = mouseMove.clientY - origin.clientY; return [mouseMove, Math.sqrt(deltaX * deltaX + deltaY * deltaY)]; }), withLatestFrom(this._deferPixels$), filter(([[, delta], deferPixels]) => { return delta > deferPixels; }), map(([[mouseMove]]) => { return mouseMove; })); } _createMouseDrag$(mouseDragStartInitiate$, stop$) { return mouseDragStartInitiate$.pipe(map(([, mouseMove]) => { return mouseMove; }), switchMap((mouseMove) => { return concat(of(mouseMove), this._documentMouseMove$).pipe(takeUntil(stop$)); })); } _createMouseDragEnd$(mouseDragStart$, stop$) { return mouseDragStart$.pipe(switchMap(() => { return stop$.pipe(first()); })); } _createMouseDragStart$(mouseDragStartInitiate$) { return mouseDragStartInitiate$.pipe(map(([mouseDown]) => { return mouseDown; })); } _createMouseDragInitiate$(button, mouseDown$, stop$, defer) { return mouseDown$.pipe(filter((mouseDown) => { return this._mouseButton(mouseDown) === button; }), switchMap((mouseDown) => { return combineLatest(of(mouseDown), defer ? this._createDeferredMouseMove$(mouseDown, this._documentMouseMove$) : this._documentMouseMove$).pipe(takeUntil(stop$), take(1)); })); } _createOwner$(claim$) { return claim$.pipe(scan((claims, claim) => { if (claim.zindex == null) { delete claims[claim.name]; } else { claims[claim.name] = claim.zindex; } return claims; }, {}), map((claims) => { let owner = null; let zIndexMax = -1; for (const name in claims) { if (!claims.hasOwnProperty(name)) { continue; } if (claims[name] > zIndexMax) { zIndexMax = claims[name]; owner = name; } } return owner; }), startWith(null)); } _filtered(name, observable$, owner$) { return observable$.pipe(withLatestFrom(owner$), filter(([, owner]) => { return owner === name; }), map(([item]) => { return item; })); } _mouseButton(event) { const upOrDown = event.type === "pointerdown" || event.type === "pointerup"; const InstallTrigger = window.InstallTrigger; if (upOrDown && typeof InstallTrigger !== "undefined" && event.button === RIGHT_BUTTON && event.ctrlKey && window.navigator.platform.toUpperCase().indexOf("MAC") >= 0) { // Fix for the fact that Firefox (detected by InstallTrigger) // on Mac determines e.button = 2 when using Control + left click. return LEFT_BUTTON; } return event.button; } _buttonReleased(event, button) { // Right button `mouseup` is not fired in // Chrome on Mac outside the window or iframe. If // the button is no longer pressed during move // it may have been released and drag stop // should be emitted. const flag = BUTTONS_MAP[button]; return event.buttons === undefined || (event.buttons & flag) !== flag; } _isMousePen(event) { const type = event.pointerType; return type === "mouse" || type === "pen"; } } class SpriteAtlas { set json(value) { this._json = value; } set image(value) { this._image = value; this._texture = new Texture(this._image); this._texture.minFilter = NearestFilter; } get loaded() { return !!(this._image && this._json); } getGLSprite(name) { if (!this.loaded) { throw new Error("Sprites cannot be retrieved before the atlas is loaded."); } let definition = this._json[name]; if (!definition) { console.warn("Sprite with key" + name + "does not exist in sprite definition."); return new Object3D(); } let texture = this._texture.clone(); texture.needsUpdate = true; let width = this._image.width; let height = this._image.height; texture.offset.x = definition.x / width; texture.offset.y = (height - definition.y - definition.height) / height; texture.repeat.x = definition.width / width; texture.repeat.y = definition.height / height; let material = new SpriteMaterial({ map: texture }); return new Sprite(material); } getDOMSprite(name, float) { if (!this.loaded) { throw new Error("Sprites cannot be retrieved before the atlas is loaded."); } if (float == null) { float = exports.Alignment.Center; } let definition = this._json[name]; if (!definition) { console.warn("Sprite with key" + name + "does not exist in sprite definition."); return virtualDom.h("div", {}, []); } let clipTop = definition.y; let clipRigth = definition.x + definition.width; let clipBottom = definition.y + definition.height; let clipLeft = definition.x; let left = -definition.x; let top = -definition.y; let height = this._image.height; let width = this._image.width; switch (float) { case exports.Alignment.Bottom: case exports.Alignment.Center: case exports.Alignment.Top: left -= definition.width / 2; break; case exports.Alignment.BottomLeft: case exports.Alignment.Left: case exports.Alignment.TopLeft: left -= definition.width; break; case exports.Alignment.BottomRight: case exports.Alignment.Right: case exports.Alignment.TopRight: } switch (float) { case exports.Alignment.Center: case exports.Alignment.Left: case exports.Alignment.Right: top -= definition.height / 2; break; case exports.Alignment.Top: case exports.Alignment.TopLeft: case exports.Alignment.TopRight: top -= definition.height; break; case exports.Alignment.Bottom: case exports.Alignment.BottomLeft: case exports.Alignment.BottomRight: } let pixelRatioInverse = 1 / definition.pixelRatio; clipTop *= pixelRatioInverse; clipRigth *= pixelRatioInverse; clipBottom *= pixelRatioInverse; clipLeft *= pixelRatioInverse; left *= pixelRatioInverse; top *= pixelRatioInverse; height *= pixelRatioInverse; width *= pixelRatioInverse; let properties = { src: this._image.src, style: { clip: `rect(${clipTop}px, ${clipRigth}px, ${clipBottom}px, ${clipLeft}px)`, height: `${height}px`, left: `${left}px`, position: "absolute", top: `${top}px`, width: `${width}px`, }, }; return virtualDom.h("img", properties, []); } } class SpriteService { constructor(sprite) { this._retina = window.devicePixelRatio > 1; this._spriteAtlasOperation$ = new Subject(); this._spriteAtlas$ = this._spriteAtlasOperation$.pipe(startWith((atlas) => { return atlas; }), scan((atlas, operation) => { return operation(atlas); }, new SpriteAtlas()), publishReplay(1), refCount()); this._atlasSubscription = this._spriteAtlas$ .subscribe(() => { }); if (sprite == null) { return; } let format = this._retina ? "@2x" : ""; let imageXmlHTTP = new XMLHttpRequest(); imageXmlHTTP.open("GET", sprite + format + ".png", true); imageXmlHTTP.responseType = "arraybuffer"; imageXmlHTTP.onload = () => { let image = new Image(); image.onload = () => { this._spriteAtlasOperation$.next((atlas) => { atlas.image = image; return atlas; }); }; let blob = new Blob([imageXmlHTTP.response]); image.src = window.URL.createObjectURL(blob); }; imageXmlHTTP.onerror = (error) => { console.error(new Error(`Failed to fetch sprite sheet (${sprite}${format}.png)`)); }; imageXmlHTTP.send(); let jsonXmlHTTP = new XMLHttpRequest(); jsonXmlHTTP.open("GET", sprite + format + ".json", true); jsonXmlHTTP.responseType = "text"; jsonXmlHTTP.onload = () => { let json = JSON.parse(jsonXmlHTTP.response); this._spriteAtlasOperation$.next((atlas) => { atlas.json = json; return atlas; }); }; jsonXmlHTTP.onerror = (error) => { console.error(new Error(`Failed to fetch sheet (${sprite}${format}.json)`)); }; jsonXmlHTTP.send(); } get spriteAtlas$() { return this._spriteAtlas$; } dispose() { this._atlasSubscription.unsubscribe(); } } class TouchService { constructor(canvasContainer, domContainer) { this._subscriptions = new SubscriptionHolder(); const subs = this._subscriptions; this._activeSubject$ = new BehaviorSubject(false); this._active$ = this._activeSubject$.pipe(distinctUntilChanged(), publishReplay(1), refCount()); subs.push(fromEvent(domContainer, "touchmove") .subscribe((event) => { event.preventDefault(); })); this._touchStart$ = fromEvent(canvasContainer, "touchstart"); this._touchMove$ = fromEvent(canvasContainer, "touchmove"); this._touchEnd$ = fromEvent(canvasContainer, "touchend"); this._touchCancel$ = fromEvent(canvasContainer, "touchcancel"); const tapStart$ = this._touchStart$.pipe(filter((te) => { return te.touches.length === 1 && te.targetTouches.length === 1; }), share()); this._doubleTap$ = tapStart$.pipe(bufferWhen(() => { return tapStart$.pipe(first(), switchMap(() => { return merge(timer(300), tapStart$).pipe(take(1)); })); }), filter((events) => { return events.length === 2; }), map((events) => { return events[events.length - 1]; }), share()); subs.push(this._doubleTap$ .subscribe((event) => { event.preventDefault(); })); this._singleTouchMove$ = this._touchMove$.pipe(filter((te) => { return te.touches.length === 1 && te.targetTouches.length === 1; }), share()); let singleTouchStart$ = merge(this._touchStart$, this._touchEnd$, this._touchCancel$).pipe(filter((te) => { return te.touches.length === 1 && te.targetTouches.length === 1; })); let multipleTouchStart$ = merge(this._touchStart$, this._touchEnd$, this._touchCancel$).pipe(filter((te) => { return te.touches.length >= 1; })); let touchStop$ = merge(this._touchEnd$, this._touchCancel$).pipe(filter((te) => { return te.touches.length === 0; })); this._singleTouchDragStart$ = singleTouchStart$.pipe(mergeMap(() => { return this._singleTouchMove$.pipe(takeUntil(merge(touchStop$, multipleTouchStart$)), take(1)); })); this._singleTouchDragEnd$ = singleTouchStart$.pipe(mergeMap(() => { return merge(touchStop$, multipleTouchStart$).pipe(first()); })); this._singleTouchDrag$ = singleTouchStart$.pipe(switchMap(() => { return this._singleTouchMove$.pipe(skip(1), takeUntil(merge(multipleTouchStart$, touchStop$))); })); let touchesChanged$ = merge(this._touchStart$, this._touchEnd$, this._touchCancel$); this._pinchStart$ = touchesChanged$.pipe(filter((te) => { return te.touches.length === 2 && te.targetTouches.length === 2; })); this._pinchEnd$ = touchesChanged$.pipe(filter((te) => { return te.touches.length !== 2 || te.targetTouches.length !== 2; })); this._pinchOperation$ = new Subject(); this._pinch$ = this._pinchOperation$.pipe(scan((pinch, operation) => { return operation(pinch); }, { changeX: 0, changeY: 0, clientX: 0, clientY: 0, distance: 0, distanceChange: 0, distanceX: 0, distanceY: 0, originalEvent: null, pageX: 0, pageY: 0, screenX: 0, screenY: 0, touch1: null, touch2: null, })); const pinchSubscription = this._touchMove$.pipe(filter((te) => { return te.touches.length === 2 && te.targetTouches.length === 2; }), map((te) => { return (previous) => { let touch1 = te.touches[0]; let touch2 = te.touches[1]; let minX = Math.min(touch1.clientX, touch2.clientX); let maxX = Math.max(touch1.clientX, touch2.clientX); let minY = Math.min(touch1.clientY, touch2.clientY); let maxY = Math.max(touch1.clientY, touch2.clientY); let centerClientX = minX + (maxX - minX) / 2; let centerClientY = minY + (maxY - minY) / 2; let centerPageX = centerClientX + touch1.pageX - touch1.clientX; let centerPageY = centerClientY + touch1.pageY - touch1.clientY; let centerScreenX = centerClientX + touch1.screenX - touch1.clientX; let centerScreenY = centerClientY + touch1.screenY - touch1.clientY; let distanceX = Math.abs(touch1.clientX - touch2.clientX); let distanceY = Math.abs(touch1.clientY - touch2.clientY); let distance = Math.sqrt(distanceX * distanceX + distanceY * distanceY); let distanceChange = distance - previous.distance; let changeX = distanceX - previous.distanceX; let changeY = distanceY - previous.distanceY; let current = { changeX: changeX, changeY: changeY, clientX: centerClientX, clientY: centerClientY, distance: distance, distanceChange: distanceChange, distanceX: distanceX, distanceY: distanceY, originalEvent: te, pageX: centerPageX, pageY: centerPageY, screenX: centerScreenX, screenY: centerScreenY, touch1: touch1, touch2: touch2, }; return current; }; })) .subscribe(this._pinchOperation$); subs.push(pinchSubscription); this._pinchChange$ = this._pinchStart$.pipe(switchMap(() => { return this._pinch$.pipe(skip(1), takeUntil(this._pinchEnd$)); })); } get active$() { return this._active$; } get activate$() { return this._activeSubject$; } get doubleTap$() { return this._doubleTap$; } get touchStart$() { return this._touchStart$; } get touchMove$() { return this._touchMove$; } get touchEnd$() { return this._touchEnd$; } get touchCancel$() { return this._touchCancel$; } get singleTouchDragStart$() { return this._singleTouchDragStart$; } get singleTouchDrag$() { return this._singleTouchDrag$; } get singleTouchDragEnd$() { return this._singleTouchDragEnd$; } get pinch$() { return this._pinchChange$; } get pinchStart$() { return this._pinchStart$; } get pinchEnd$() { return this._pinchEnd$; } dispose() { this._subscriptions.unsubscribe(); } } class ConfigurationService { constructor(options) { var _a, _b, _c, _d; const host = (_b = (_a = options === null || options === void 0 ? void 0 : options.url) === null || _a === void 0 ? void 0 : _a.exploreHost) !== null && _b !== void 0 ? _b : "www.mapillary.com"; const scheme = (_d = (_c = options === null || options === void 0 ? void 0 : options.url) === null || _c === void 0 ? void 0 : _c.scheme) !== null && _d !== void 0 ? _d : "https"; const exploreUrl = `${scheme}://${host}`; this._exploreUrl$ = of(exploreUrl); const imageTiling = (options === null || options === void 0 ? void 0 : options.imageTiling) === false ? false : true; this._imageTiling$ = of(imageTiling); } get exploreUrl$() { return this._exploreUrl$; } get imageTiling$() { return this._imageTiling$; } } class Container { constructor(options, stateService, dom) { var _a; this._onWindowResize = () => { if (this._trackResize) { this.renderService.resize$.next(); } }; this._dom = dom !== null && dom !== void 0 ? dom : new DOM(); if (typeof options.container === "string") { this._container = this._dom.document .getElementById(options.container); if (!this._container) { throw new Error(`Container "${options.container}" not found.`); } } else if (options.container instanceof HTMLElement) { this._container = options.container; } else { throw new Error(`Invalid type: "container" must be ` + `a String or HTMLElement.`); } this._trackResize = options.trackResize === false ? false : true; this.id = (_a = this._container.id) !== null && _a !== void 0 ? _a : "mapillary-fallback-container-id"; this._container.classList .add("mapillary-viewer"); this._canvasContainer = this._dom .createElement("div", "mapillary-interactive", this._container); this._canvas = this._dom .createElement("canvas", "mapillary-canvas"); this._canvas.style.position = "absolute"; this._canvas.setAttribute("tabindex", "0"); // Add DOM container after canvas container to // render DOM elements on top of the interactive // canvas. this._domContainer = this._dom .createElement("div", "mapillary-dom", this._container); this.configurationService = new ConfigurationService(options); this.renderService = new RenderService(this._container, stateService.currentState$, options.renderMode); this.glRenderer = new GLRenderer(this._canvas, this._canvasContainer, this.renderService); this.domRenderer = new DOMRenderer(this._domContainer, this.renderService, stateService.currentState$); this.keyboardService = new KeyboardService(this._canvasContainer); this.mouseService = new MouseService(this._container, this._canvasContainer, this._domContainer, document); this.touchService = new TouchService(this._canvasContainer, this._domContainer); this.spriteService = new SpriteService(options.sprite); window.addEventListener("resize", this._onWindowResize, false); } get canvas() { return !!this._canvas.parentNode ? this._canvas : null; } get canvasContainer() { return this._canvasContainer; } get container() { return this._container; } get domContainer() { return this._domContainer; } remove() { window.removeEventListener("resize", this._onWindowResize, false); this.spriteService.dispose(); this.touchService.dispose(); this.mouseService.dispose(); this.glRenderer.remove(); this.domRenderer.remove(); this.renderService.dispose(); this._removeNode(this._canvasContainer); this._removeNode(this._domContainer); this._container.classList .remove("mapillary-viewer"); } _removeNode(node) { if (node.parentNode) { node.parentNode.removeChild(node); } } } class CacheService { constructor(_graphService, _stateService, _api) { this._graphService = _graphService; this._stateService = _stateService; this._api = _api; this._subscriptions = new SubscriptionHolder(); this._started = false; this._cellDepth = 1; } get started() { return this._started; } configure(configuration) { if (!configuration) { this._cellDepth = 1; return; } this._cellDepth = Math.max(1, Math.min(3, configuration.cellDepth)); } start() { if (this._started) { return; } const subs = this._subscriptions; subs.push(this._stateService.reference$ .pipe(withLatestFrom(this._stateService.currentState$, this._graphService.graphMode$), map(([, frame, mode]) => { const state = this._frameToState(frame); return this._makeKeepers(state, mode); }), switchMap((keepers) => { return this._graphService .uncache$(keepers.imageIds, keepers.cellIds, keepers.sequenceId); })) .subscribe(() => { })); subs.push(this._stateService.currentState$ .pipe(distinctUntilChanged(undefined, (frame) => { return frame.state.currentImage.id; }), map((frame) => { return this._frameToState(frame); }), bufferCount(1, 5), withLatestFrom(this._graphService.graphMode$), switchMap(([stateBuffer, graphMode]) => { const keepers = this._makeKeepers(stateBuffer[0], graphMode); return this._graphService .uncache$(keepers.imageIds, keepers.cellIds, keepers.sequenceId); })) .subscribe(() => { })); subs.push(this._graphService.graphMode$ .pipe(skip(1), withLatestFrom(this._stateService.currentState$), switchMap(([mode, frame]) => { return mode === GraphMode.Sequence ? this._keyToEdges(frame.state.currentImage.id, (image) => { return image.sequenceEdges$; }) : from(frame.state.trajectory .map((image) => { return image.id; }) .slice(frame.state.currentIndex)).pipe(mergeMap((key) => { return this._keyToEdges(key, (image) => { return image.spatialEdges$; }); }, 6)); })) .subscribe(() => { })); subs.push(merge(this._graphService.dataAdded$, this._graphService.dataDeleted$) .pipe(withLatestFrom(this._stateService.currentId$), switchMap(([_, imageId]) => { return this._graphService.hasImage$(imageId).pipe(filter((exists) => { return exists; }), mergeMap(() => { return this._graphService.cacheImage$(imageId) .pipe(catchError((error) => { console.warn(`Cache service data event caching failed ${imageId}`, error); return empty(); })); })); })) .subscribe(() => { })); this._started = true; } stop() { if (!this._started) { return; } this._subscriptions.unsubscribe(); this._started = false; } _keyToEdges(key, imageToEdgeMap) { return this._graphService.cacheImage$(key).pipe(switchMap(imageToEdgeMap), first((status) => { return status.cached; }), timeout(15000), catchError((error) => { console.error(`Failed to cache edges (${key}).`, error); return empty(); })); } _frameToState(frame) { const state = frame.state; const trajectory = state.trajectory; const trajectoryIds = trajectory .map((n) => { return n.id; }); const sequenceId = trajectory[trajectory.length - 1].sequenceId; return { lngLat: state.currentImage.originalLngLat, sequenceId, trajectoryIds, }; } _makeKeepers(state, graphMode) { const imageIds = state.trajectoryIds.filter(id => !isNullImageId(id)); const lngLat = state.lngLat; const geometry = this._api.data.geometry; const cellId = geometry.lngLatToCellId(lngLat); const cellIds = connectedComponent(cellId, this._cellDepth, geometry); const sequenceId = graphMode === GraphMode.Sequence ? state.sequenceId : undefined; return { cellIds, imageIds, sequenceId }; } } class LoadingService { constructor() { this._loadersSubject$ = new Subject(); this._loaders$ = this._loadersSubject$.pipe(scan((loaders, loader) => { if (loader.task !== undefined) { loaders[loader.task] = loader.loading; } return loaders; }, {}), startWith({}), publishReplay(1), refCount()); } get loading$() { return this._loaders$.pipe(map((loaders) => { for (const key in loaders) { if (!loaders.hasOwnProperty(key)) { continue; } if (loaders[key]) { return true; } } return false; }), debounceTime(100), distinctUntilChanged()); } taskLoading$(task) { return this._loaders$.pipe(map((loaders) => { return !!loaders[task]; }), debounceTime(100), distinctUntilChanged()); } startLoading(task) { this._loadersSubject$.next({ loading: true, task: task }); } stopLoading(task) { this._loadersSubject$.next({ loading: false, task: task }); } } var PanMode; (function (PanMode) { PanMode[PanMode["Disabled"] = 0] = "Disabled"; PanMode[PanMode["Enabled"] = 1] = "Enabled"; PanMode[PanMode["Started"] = 2] = "Started"; })(PanMode || (PanMode = {})); class PanService { constructor(graphService, stateService, cameraFactory, enabled, graphCalculator, spatial, viewportCoords) { this._subscriptions = new SubscriptionHolder(); this._graphService = graphService; this._stateService = stateService; this._cameraFactory = cameraFactory; this._graphCalculator = graphCalculator !== null && graphCalculator !== void 0 ? graphCalculator : new GraphCalculator(); this._spatial = spatial !== null && spatial !== void 0 ? spatial : new Spatial(); this._viewportCoords = viewportCoords !== null && viewportCoords !== void 0 ? viewportCoords : new ViewportCoords(); this._mode = enabled !== false ? PanMode.Enabled : PanMode.Disabled; this._panImagesSubject$ = new Subject(); this._panImages$ = this._panImagesSubject$.pipe(startWith([]), publishReplay(1), refCount()); this._subscriptions.push(this._panImages$.subscribe()); } get panImages$() { return this._panImages$; } dispose() { this.stop(); if (this._panImagesSubscription != null) { this._panImagesSubscription.unsubscribe(); } this._subscriptions.unsubscribe(); } enable() { if (this._mode !== PanMode.Disabled) { return; } this._mode = PanMode.Enabled; this.start(); } disable() { if (this._mode === PanMode.Disabled) { return; } this.stop(); this._mode = PanMode.Disabled; } start() { if (this._mode !== PanMode.Enabled) { return; } const panImages$ = this._stateService.currentImage$.pipe(filter((image) => { return !isNullImageId(image.id); }), switchMap((current) => { if (!current.merged || isSpherical(current.cameraType)) { return of([]); } const current$ = of(current); const bounds = this._graphCalculator.boundingBoxCorners(current.lngLat, 20); const adjacent$ = this._graphService .cacheBoundingBox$(bounds[0], bounds[1]).pipe(catchError((error) => { console.error(`Failed to cache periphery bounding box (${current.id})`, error); return empty(); }), map((images) => { if (isSpherical(current.cameraType)) { return []; } const potential = []; for (const image of images) { if (image.id === current.id) { continue; } if (image.mergeId !== current.mergeId) { continue; } if (isSpherical(image.cameraType)) { continue; } if (this._distance(image, current) > 4) { continue; } potential.push(image); } return potential; })); return combineLatest(current$, adjacent$).pipe(withLatestFrom(this._stateService.reference$), map(([[cn, adjacent], reference]) => { const currentDirection = this._spatial.viewingDirection(cn.rotation); const currentTranslation = computeTranslation({ lat: cn.lngLat.lat, lng: cn.lngLat.lng, alt: cn.computedAltitude }, cn.rotation, reference); const currentTransform = this._createTransform(cn, currentTranslation); const currentAzimuthal = this._spatial.wrap(this._spatial.azimuthal(currentDirection.toArray(), currentTransform.upVector().toArray()), 0, 2 * Math.PI); const currentHFov = this._computeHorizontalFov(currentTransform) / 180 * Math.PI; const preferredOverlap = Math.PI / 8; let left = undefined; let right = undefined; for (const a of adjacent) { const translation = computeTranslation({ lat: a.lngLat.lat, lng: a.lngLat.lng, alt: a.computedAltitude }, a.rotation, reference); const transform = this._createTransform(a, translation); const hFov = this._computeHorizontalFov(transform) / 180 * Math.PI; const direction = this._spatial.viewingDirection(a.rotation); const azimuthal = this._spatial.wrap(this._spatial.azimuthal(direction.toArray(), transform.upVector().toArray()), 0, 2 * Math.PI); const directionChange = this._spatial.angleBetweenVector2(currentDirection.x, currentDirection.y, direction.x, direction.y); let overlap = Number.NEGATIVE_INFINITY; if (directionChange > 0) { if (currentAzimuthal > azimuthal) { overlap = currentAzimuthal - 2 * Math.PI + currentHFov / 2 - (azimuthal - hFov / 2); } else { overlap = currentAzimuthal + currentHFov / 2 - (azimuthal - hFov / 2); } } else { if (currentAzimuthal < azimuthal) { overlap = azimuthal + hFov / 2 - (currentAzimuthal + 2 * Math.PI - currentHFov / 2); } else { overlap = azimuthal + hFov / 2 - (currentAzimuthal - currentHFov / 2); } } const nonOverlap = Math.abs(hFov - overlap); const distanceCost = this._distance(a, cn); const timeCost = Math.min(this._timeDifference(a, cn), 4); const overlapCost = 20 * Math.abs(overlap - preferredOverlap); const fovCost = Math.min(5, 1 / Math.min(hFov / currentHFov, 1)); const nonOverlapCost = overlap > 0 ? -2 * nonOverlap : 0; const cost = distanceCost + timeCost + overlapCost + fovCost + nonOverlapCost; if (overlap > 0 && overlap < 0.5 * currentHFov && overlap < 0.5 * hFov && nonOverlap > 0.5 * currentHFov) { if (directionChange > 0) { if (!left) { left = [cost, a, transform, hFov]; } else { if (cost < left[0]) { left = [cost, a, transform, hFov]; } } } else { if (!right) { right = [cost, a, transform, hFov]; } else { if (cost < right[0]) { right = [cost, a, transform, hFov]; } } } } } const panImagess = []; if (!!left) { panImagess.push([left[1], left[2], left[3]]); } if (!!right) { panImagess.push([right[1], right[2], right[3]]); } return panImagess; }), startWith([])); })); const traversing$ = this._stateService.state$.pipe(map((state) => { return state === State.Traversing || state === State.GravityTraversing; }), distinctUntilChanged()); const imagesAhead$ = this._stateService.currentState$.pipe(map((frame) => { return frame.state.imagesAhead > 0; }), distinctUntilChanged()); this._panImagesSubscription = combineLatest(traversing$, imagesAhead$) .pipe(switchMap(([traversing, imagesAhead]) => { return traversing && !imagesAhead ? panImages$ : of([]); })) .subscribe((panImages) => { this._panImagesSubject$.next(panImages); }); this._mode = PanMode.Started; } stop() { if (this._mode !== PanMode.Started) { return; } this._panImagesSubscription.unsubscribe(); this._panImagesSubject$.next([]); this._mode = PanMode.Enabled; } _distance(image, reference) { const [x, y, z] = geodeticToEnu(image.lngLat.lng, image.lngLat.lat, image.computedAltitude, reference.lngLat.lng, reference.lngLat.lat, reference.computedAltitude); return Math.sqrt(x * x + y * y + z * z); } _timeDifference(image, reference) { const milliSecond = (1000 * 60 * 60 * 24 * 30); return Math.abs(image.capturedAt - reference.capturedAt) / milliSecond; } _createTransform(image, translation) { return new Transform(image.exifOrientation, image.width, image.height, image.scale, image.rotation, translation, image.assetsCached ? image.image : undefined, image.assetsCached ? image.camera : this._cameraFactory.makeCamera(image.cameraType, image.cameraParameters)); } _computeHorizontalFov(transform) { const vertices = [[1, 0]]; const directions = [[0, 0.5]]; const pointsPerLine = 12; const bearings = computeBearings(transform, vertices, directions, pointsPerLine, this._viewportCoords); const projections = bearings .map(b => this._spatial.projectToPlane(b, [0, 1, 0])) .map(p => [p[0], -p[2]]); const angles = projections.map(p => Math.abs(Math.atan2(p[0], p[1]))); const fov = 2 * Math.max(...angles); return this._spatial.radToDeg(fov); } } /** * @class API * * @classdesc Provides methods for access to the API. */ class APIWrapper { constructor(_data) { this._data = _data; } get data() { return this._data; } getCoreImages$(cellId) { return this._wrap$(this._data.getCoreImages(cellId)); } getImages$(imageIds) { return this._wrap$(this._data.getImages(imageIds)); } getImageTiles$(tiles) { return this._wrap$(this._data.getImageTiles(tiles)); } getSequence$(sequenceId) { return this._wrap$(this._data.getSequence(sequenceId)); } getSpatialImages$(imageIds) { return this._wrap$(this._data.getSpatialImages(imageIds)); } setAccessToken(accessToken) { this._data.setAccessToken(accessToken); } setDataProvider(data) { this._data = data; } _wrap$(promise) { return Observable.create((subscriber) => { promise.then((value) => { subscriber.next(value); subscriber.complete(); }, (error) => { subscriber.error(error); }); }); } } const EPSILON = 1e-8; function bearing$1(point, parameters, uniforms) { const [x, y] = point; const { focal, k1, k2 } = parameters; const radialPeak = uniforms.radialPeak; // Transformation const [xd, yd] = [x / focal, y / focal]; // Undistortion const dTheta = Math.sqrt(xd * xd + yd * yd); const d = distortionFromDistortedRadius(dTheta, k1, k2, radialPeak); const theta = dTheta / d; // Unprojection const r = Math.sin(theta); const denomTheta = dTheta > EPSILON ? 1 / dTheta : 1; const xb = r * xd * denomTheta; const yb = r * yd * denomTheta; const zb = Math.cos(theta); return [xb, yb, zb]; } function project$1(point, parameters, uniforms) { const [x, y, z] = point; const { focal, k1, k2 } = parameters; const radialPeak = uniforms.radialPeak; // Projection const r = Math.sqrt(x * x + y * y); let theta = Math.atan2(r, z); if (theta > radialPeak) { theta = radialPeak; } const xp = theta / r * x; const yp = theta / r * y; // Distortion const theta2 = Math.pow(theta, 2); const distortion = 1.0 + theta2 * (k1 + theta2 * k2); const xd = xp * distortion; const yd = yp * distortion; // Transformation const xt = focal * xd; const yt = focal * yd; return [xt, yt]; } const FISHEYE_CAMERA_TYPE = "fisheye"; const FISHEYE_PROJECT_FUNCTION = /* glsl */ ` vec2 projectToSfm(vec3 bearing, Parameters parameters, Uniforms uniforms) { float x = bearing.x; float y = bearing.y; float z = bearing.z; float focal = parameters.focal; float k1 = parameters.k1; float k2 = parameters.k2; float radialPeak = uniforms.radialPeak; // Projection if (z < 0.) { return vec2(POSITIVE_INFINITY, POSITIVE_INFINITY); } float r = sqrt(x * x + y * y); float theta = atan(r, z); if (theta > radialPeak) { theta = radialPeak; } float xp = theta / r * x; float yp = theta / r * y; // Distortion float theta2 = theta * theta; float distortion = 1.0 + theta2 * (k1 + theta2 * k2); float xd = xp * distortion; float yd = yp * distortion; // Transformation float xt = focal * xd; float yt = focal * yd; return vec2(xt, yt); } `; class FisheyeCamera extends Camera$1 { constructor(parameters) { super(FISHEYE_CAMERA_TYPE, FISHEYE_PROJECT_FUNCTION); const [focal, k1, k2] = parameters; this.parameters.focal = focal; this.parameters.k1 = k1; this.parameters.k2 = k2; const radialPeak = makeRadialPeak(k1, k2); this.uniforms.radialPeak = radialPeak; } bearingFromSfm(point) { return bearing$1(point, this.parameters, this.uniforms); } projectToSfm(point) { return project$1(point, this.parameters, this.uniforms); } } function bearing(point) { const [x, y] = point; // Unprojection const lng = x * 2 * Math.PI; const lat = -y * 2 * Math.PI; const xb = Math.cos(lat) * Math.sin(lng); const yb = -Math.sin(lat); const zb = Math.cos(lat) * Math.cos(lng); return [xb, yb, zb]; } function project(point) { const [x, y, z] = point; // Projection const lng = Math.atan2(x, z); const lat = Math.atan2(-y, Math.sqrt(x * x + z * z)); const xp = lng / (2 * Math.PI); const yp = -lat / (2 * Math.PI); return [xp, yp]; } const SPHERICAL_CAMERA_TYPE = "spherical"; const SPHERICAL_PROJECT_FUNCTION = /* glsl */ ` vec2 projectToSfm(vec3 bearing) { float x = bearing.x; float y = bearing.y; float z = bearing.z; // Projection float lat = -asin(y); float lng = atan(x, z); float xn = lng / PI2; float yn = -lat / PI2; return vec2(xn, yn); } `; class SphericalCamera extends Camera$1 { constructor() { super(SPHERICAL_CAMERA_TYPE, SPHERICAL_PROJECT_FUNCTION); } bearingFromSfm(point) { return bearing(point); } projectToSfm(point) { return project(point); } } const vertex = /* glsl */ ` #include #include void main() { #include #include } `; const fragment = /* glsl */ ` #include #include #include #include #include #expand #expand #expand void main() { #include #expand #include #include } `; // tslint:disable-next-line:variable-name const Shader = { texture: { fragment: fragment, vertex: vertex, }, }; class ProjectionService { constructor() { this._cameraFactory = new Map(); this.registerCamera(FISHEYE_CAMERA_TYPE, FisheyeCamera); this.registerCamera(PERSPECTIVE_CAMERA_TYPE, PerspectiveCamera); this.registerCamera(SPHERICAL_CAMERA_TYPE, SphericalCamera); this._shader = Shader.texture; this._shaderChanged$ = new Subject(); this._shader$ = this._shaderChanged$.pipe(startWith(this._shader), publishReplay(1), refCount()); this._shaderSubscription = this._shader$.subscribe(); } get shader$() { return this._shader$; } dispose() { this._shaderSubscription.unsubscribe(); } hasCamera(type) { return this._cameraFactory.has(type); } getShader() { return this._shader; } makeCamera(type, parameters) { if (!this.hasCamera(type)) { return new PerspectiveCamera([0.85, 0, 0]); } return new (this._cameraFactory.get(type))(parameters); } registerCamera(type, ctor) { this._cameraFactory.set(type, ctor); } setShader(shader) { this._shader = shader ? { fragment: `${shader.fragment}`, vertex: `${shader.vertex}`, } : Shader.texture; this._shaderChanged$.next(this._shader); } } /** * @class GraphService * * @classdesc Represents a service for graph operations. */ class GraphService { /** * Create a new graph service instance. * * @param {Graph} graph - Graph instance to be operated on. */ constructor(graph, cameraFactory) { this._dataAdded$ = new Subject(); this._dataDeleted$ = new Subject(); this._dataReset$ = new Subject(); this._subscriptions = new SubscriptionHolder(); this._onDataAdded = (event) => { this._graph$ .pipe(first(), mergeMap(graph => { return graph.updateCells$(event.cellIds); }), withLatestFrom(this._graph$.pipe(first())), tap(([_, graph]) => { graph.resetSpatialArea(); graph.resetSpatialEdges(); })) .subscribe(([cellId]) => { this._dataAdded$.next(cellId); }); }; this._onDataDeleted = (event) => { if (!event.clusterIds.length) { return; } this._graph$ .pipe(first(), mergeMap(graph => { graph.resetSpatialArea(); graph.resetSpatialEdges(); return graph.deleteClusters$(event.clusterIds); })) .subscribe(null, null, () => { this._dataDeleted$.next(event.clusterIds); }); }; this._cameraFactory = cameraFactory !== null && cameraFactory !== void 0 ? cameraFactory : new ProjectionService(); const subs = this._subscriptions; this._graph$ = concat(of(graph), graph.changed$).pipe(publishReplay(1), refCount()); subs.push(this._graph$.subscribe(() => { })); this._graphMode = GraphMode.Spatial; this._graphModeSubject$ = new Subject(); this._graphMode$ = this._graphModeSubject$.pipe(startWith(this._graphMode), publishReplay(1), refCount()); subs.push(this._graphMode$.subscribe(() => { })); this._firstGraphSubjects$ = []; this._initializeCacheSubscriptions = []; this._sequenceSubscriptions = []; this._spatialSubscriptions = []; graph.api.data.on("datacreate", this._onDataAdded); graph.api.data.on("datadelete", this._onDataDeleted); } /** * Get dataAdded$. * * @returns {Observable} Observable emitting * a cell id every time data has been added to a cell. */ get dataAdded$() { return this._dataAdded$; } /** * Get dataDeleted$. * * @returns {Observable} Observable emitting * a cluster id every time a cluster has been deleted. */ get dataDeleted$() { return this._dataDeleted$; } get dataReset$() { return this._dataReset$; } /** * Get filter observable. * * @desciption Emits the filter every time it has changed. * * @returns {Observable} Observable * emitting the filter function every time it is set. */ get filter$() { return this._graph$.pipe(first(), mergeMap((graph) => { return graph.filter$; })); } /** * Get graph mode observable. * * @description Emits the current graph mode. * * @returns {Observable} Observable * emitting the current graph mode when it changes. */ get graphMode$() { return this._graphMode$; } /** * Cache full images in a bounding box. * * @description When called, the full properties of * the image are retrieved. The image cache is not initialized * for any new images retrieved and the image assets are not * retrieved, {@link cacheImage$} needs to be called for caching * assets. * * @param {LngLat} sw - South west corner of bounding box. * @param {LngLat} ne - North east corner of bounding box. * @return {Observable>} Observable emitting a single item, * the images of the bounding box, when they have all been retrieved. * @throws {Error} Propagates any IO image caching errors to the caller. */ cacheBoundingBox$(sw, ne) { return this._graph$.pipe(first(), mergeMap((graph) => { return graph.cacheBoundingBox$(sw, ne); })); } /** * Cache full images in a cell. * * @description When called, the full properties of * the image are retrieved. The image cache is not initialized * for any new images retrieved and the image assets are not * retrieved, {@link cacheImage$} needs to be called for caching * assets. * * @param {string} cellId - Id of the cell. * @return {Observable>} Observable emitting a single item, * the images of the cell, when they have all been retrieved. * @throws {Error} Propagates any IO image caching errors to the caller. */ cacheCell$(cellId) { return this._graph$.pipe(first(), mergeMap((graph) => { return graph.cacheCell$(cellId); })); } /** * Cache a image in the graph and retrieve it. * * @description When called, the full properties of * the image are retrieved and the image cache is initialized. * After that the image assets are cached and the image * is emitted to the observable when. * In parallel to caching the image assets, the sequence and * spatial edges of the image are cached. For this, the sequence * of the image and the required tiles and spatial images are * retrieved. The sequence and spatial edges may be set before * or after the image is returned. * * @param {string} id - Id of the image to cache. * @return {Observable} Observable emitting a single item, * the image, when it has been retrieved and its assets are cached. * @throws {Error} Propagates any IO image caching errors to the caller. */ cacheImage$(id) { const firstGraphSubject$ = new Subject(); this._firstGraphSubjects$.push(firstGraphSubject$); const firstGraph$ = firstGraphSubject$.pipe(publishReplay(1), refCount()); const image$ = firstGraph$.pipe(map((graph) => { return graph.getNode(id); }), mergeMap((image) => { return image.assetsCached ? of(image) : image.cacheAssets$(this._cameraFactory); }), publishReplay(1), refCount()); image$.subscribe(undefined, (error) => { console.error(`Failed to cache image (${id}).`, error); }); let initializeCacheSubscription; initializeCacheSubscription = this._graph$.pipe(first(), mergeMap((graph) => { if (graph.isCachingFull(id) || !graph.hasNode(id)) { return graph.cacheFull$(id); } if (graph.isCachingFill(id) || !graph.getNode(id).complete) { return graph.cacheFill$(id); } return of(graph); }), tap((graph) => { if (!graph.hasNode(id)) { throw new GraphMapillaryError(`Failed to cache image (${id})`); } if (!graph.hasInitializedCache(id)) { graph.initializeCache(id); } }), finalize(() => { if (initializeCacheSubscription == null) { return; } this._removeFromArray(initializeCacheSubscription, this._initializeCacheSubscriptions); this._removeFromArray(firstGraphSubject$, this._firstGraphSubjects$); })) .subscribe((graph) => { firstGraphSubject$.next(graph); firstGraphSubject$.complete(); }, (error) => { firstGraphSubject$.error(error); }); if (!initializeCacheSubscription.closed) { this._initializeCacheSubscriptions.push(initializeCacheSubscription); } const graphSequence$ = firstGraph$.pipe(catchError(() => { return empty(); }), mergeMap((graph) => { if (graph.isCachingNodeSequence(id) || !graph.hasNodeSequence(id)) { return graph.cacheNodeSequence$(id); } return of(graph); }), publishReplay(1), refCount()); let sequenceSubscription; sequenceSubscription = graphSequence$.pipe(tap((graph) => { const node = graph.getNode(id); if (!node.hasInitializedCache()) { return; } if (!node.sequenceEdges.cached) { graph.cacheSequenceEdges(id); } }), finalize(() => { if (sequenceSubscription == null) { return; } this._removeFromArray(sequenceSubscription, this._sequenceSubscriptions); })) .subscribe(() => { return; }, (error) => { console.error(`Failed to cache sequence edges (${id}).`, error); }); if (!sequenceSubscription.closed) { this._sequenceSubscriptions.push(sequenceSubscription); } if (this._graphMode === GraphMode.Spatial) { let spatialSubscription; spatialSubscription = firstGraph$.pipe(catchError(() => { return empty(); }), expand((graph) => { if (graph.hasTiles(id)) { return empty(); } return from(graph.cacheTiles$(id)).pipe(mergeMap((graph$) => { return graph$.pipe(mergeMap((g) => { if (g.isCachingTiles(id)) { return empty(); } return of(g); }), catchError((error) => { console.error(`Failed to cache tile data (${id}).`, error); return empty(); })); })); }), takeLast(1), mergeMap((graph) => { if (graph.hasSpatialArea(id)) { return of(graph); } return from(graph.cacheSpatialArea$(id)).pipe(mergeMap((graph$) => { return graph$.pipe(catchError((error) => { if (error instanceof CancelMapillaryError) { // tslint:disable-next-line:no-console console.debug(`Failed to cache spatial area (${id}).`, error); } else { console.error(`Failed to cache spatial area (${id}).`, error); } return empty(); })); })); }), takeLast(1), mergeMap((graph) => { return graph.hasNodeSequence(id) ? of(graph) : graph.cacheNodeSequence$(id); }), tap((graph) => { const node = graph.getNode(id); if (!node.hasInitializedCache()) { return; } if (!node.spatialEdges.cached) { graph.cacheSpatialEdges(id); } }), finalize(() => { if (spatialSubscription == null) { return; } this._removeFromArray(spatialSubscription, this._spatialSubscriptions); })) .subscribe(() => { return; }, (error) => { const message = `Failed to cache spatial edges (${id}).`; console.error(message, error); }); if (!spatialSubscription.closed) { this._spatialSubscriptions.push(spatialSubscription); } } return image$.pipe(first((image) => { return image.assetsCached; })); } /** * Cache a sequence in the graph and retrieve it. * * @param {string} sequenceId - Sequence id. * @returns {Observable} Observable emitting a single item, * the sequence, when it has been retrieved and its assets are cached. * @throws {Error} Propagates any IO image caching errors to the caller. */ cacheSequence$(sequenceId) { return this._graph$.pipe(first(), mergeMap((graph) => { if (graph.isCachingSequence(sequenceId) || !graph.hasSequence(sequenceId)) { return graph.cacheSequence$(sequenceId); } return of(graph); }), map((graph) => { return graph.getSequence(sequenceId); })); } /** * Cache a sequence and its images in the graph and retrieve the sequence. * * @description Caches a sequence and its assets are cached and * retrieves all images belonging to the sequence. The image assets * or edges will not be cached. * * @param {string} sequenceId - Sequence id. * @param {string} referenceImageId - Id of image to use as reference * for optimized caching. * @returns {Observable} Observable emitting a single item, * the sequence, when it has been retrieved, its assets are cached and * all images belonging to the sequence has been retrieved. * @throws {Error} Propagates any IO image caching errors to the caller. */ cacheSequenceImages$(sequenceId, referenceImageId) { return this._graph$.pipe(first(), mergeMap((graph) => { if (graph.isCachingSequence(sequenceId) || !graph.hasSequence(sequenceId)) { return graph.cacheSequence$(sequenceId); } return of(graph); }), mergeMap((graph) => { if (graph.isCachingSequenceNodes(sequenceId) || !graph.hasSequenceNodes(sequenceId)) { return graph.cacheSequenceNodes$(sequenceId, referenceImageId); } return of(graph); }), map((graph) => { return graph.getSequence(sequenceId); })); } /** * Dispose the graph service and its children. */ dispose() { this._graph$ .pipe(first()) .subscribe((graph) => { graph.unsubscribe(); }); this._subscriptions.unsubscribe(); } /** * Check if an image exists in the graph. * * @description If a node has been deleted it will not exist. * * @return {Observable} Observable emitting a single item, * a value indicating if the image exists in the graph. */ hasImage$(id) { return this._graph$.pipe(first(), map((graph) => { return graph.hasNode(id); })); } /** * Set a spatial edge filter on the graph. * * @description Resets the spatial edges of all cached images. * * @param {FilterExpression} filter - Filter expression to be applied. * @return {Observable} Observable emitting a single item, * the graph, when the spatial edges have been reset. */ setFilter$(filter) { this._resetSubscriptions(this._spatialSubscriptions); return this._graph$.pipe(first(), tap((graph) => { graph.resetSpatialEdges(); graph.setFilter(filter); }), map(() => { return undefined; })); } /** * Set the graph mode. * * @description If graph mode is set to spatial, caching * is performed with emphasis on spatial edges. If graph * mode is set to sequence no tile data is requested and * no spatial edges are computed. * * When setting graph mode to sequence all spatial * subscriptions are aborted. * * @param {GraphMode} mode - Graph mode to set. */ setGraphMode(mode) { if (this._graphMode === mode) { return; } if (mode === GraphMode.Sequence) { this._resetSubscriptions(this._spatialSubscriptions); } this._graphMode = mode; this._graphModeSubject$.next(this._graphMode); } /** * Reset the graph. * * @description Resets the graph but keeps the images of the * supplied ids. * * @return {Observable} Observable emitting a single item, * the graph, when it has been reset. */ reset$() { this._abortSubjects(this._firstGraphSubjects$); this._resetSubscriptions(this._initializeCacheSubscriptions); this._resetSubscriptions(this._sequenceSubscriptions); this._resetSubscriptions(this._spatialSubscriptions); return this._graph$.pipe(first(), tap((graph) => { graph.reset(); this._dataReset$.next(); }), map(() => { return undefined; })); } /** * Uncache the graph. * * @description Uncaches the graph by removing tiles, images and * sequences. Keeps the images of the supplied ids and the tiles * related to those images. * * @param {Array} keepIds - Ids of images to keep in graph. * @param {Array} keepCellIds - Ids of cells to keep in graph. * @param {string} keepSequenceId - Optional id of sequence * for which the belonging images should not be disposed or * removed from the graph. These images may still be uncached if * not specified in keep ids param. * @return {Observable} Observable emitting a single item, * the graph, when the graph has been uncached. */ uncache$(keepIds, keepCellIds, keepSequenceId) { return this._graph$.pipe(first(), tap((graph) => { graph.uncache(keepIds, keepCellIds, keepSequenceId); }), map(() => { return undefined; })); } _abortSubjects(subjects) { for (const subject of subjects.slice()) { this._removeFromArray(subject, subjects); subject.error(new Error("Cache image request was aborted.")); } } _removeFromArray(object, objects) { const index = objects.indexOf(object); if (index !== -1) { objects.splice(index, 1); } } _resetSubscriptions(subscriptions) { for (const subscription of subscriptions.slice()) { this._removeFromArray(subscription, subscriptions); if (!subscription.closed) { subscription.unsubscribe(); } } } } class FrameGenerator { constructor(root) { if (root.requestAnimationFrame) { this._cancelAnimationFrame = root.cancelAnimationFrame.bind(root); this._requestAnimationFrame = root.requestAnimationFrame.bind(root); } else if (root.mozRequestAnimationFrame) { this._cancelAnimationFrame = root.mozCancelAnimationFrame.bind(root); this._requestAnimationFrame = root.mozRequestAnimationFrame.bind(root); } else if (root.webkitRequestAnimationFrame) { this._cancelAnimationFrame = root.webkitCancelAnimationFrame.bind(root); this._requestAnimationFrame = root.webkitRequestAnimationFrame.bind(root); } else if (root.msRequestAnimationFrame) { this._cancelAnimationFrame = root.msCancelAnimationFrame.bind(root); this._requestAnimationFrame = root.msRequestAnimationFrame.bind(root); } else if (root.oRequestAnimationFrame) { this._cancelAnimationFrame = root.oCancelAnimationFrame.bind(root); this._requestAnimationFrame = root.oRequestAnimationFrame.bind(root); } else { this._cancelAnimationFrame = root.clearTimeout.bind(root); this._requestAnimationFrame = (cb) => { return root.setTimeout(cb, 1000 / 60); }; } } get cancelAnimationFrame() { return this._cancelAnimationFrame; } get requestAnimationFrame() { return this._requestAnimationFrame; } } class StateBase { constructor(state) { this._spatial = new Spatial(); this._referenceThreshold = 250; this._transitionThreshold = 62.5; this._transitionMode = state.transitionMode; this._reference = state.reference; this._alpha = state.alpha; this._stateTransitionAlpha = 0; this._camera = state.camera.clone(); this._zoom = state.zoom; this._currentIndex = state.currentIndex; this._trajectory = state.trajectory.slice(); this._trajectoryTransforms = []; this._trajectoryCameras = []; for (let image of this._trajectory) { let translation = this._imageToTranslation(image, this._reference); let transform = new Transform(image.exifOrientation, image.width, image.height, image.scale, image.rotation, translation, image.image, image.camera); this._trajectoryTransforms.push(transform); this._trajectoryCameras.push(new Camera(transform)); } this._currentImage = this._trajectory.length > 0 ? this._trajectory[this._currentIndex] : null; this._previousImage = this._trajectory.length > 1 && this.currentIndex > 0 ? this._trajectory[this._currentIndex - 1] : null; this._currentCamera = this._trajectoryCameras.length > 0 ? this._trajectoryCameras[this._currentIndex].clone() : new Camera(); this._previousCamera = this._trajectoryCameras.length > 1 && this.currentIndex > 0 ? this._trajectoryCameras[this._currentIndex - 1].clone() : this._currentCamera.clone(); } get reference() { return this._reference; } get alpha() { return this._getAlpha(); } get stateTransitionAlpha() { return this._getStateTransitionAlpha(); } get camera() { return this._camera; } get zoom() { return this._zoom; } get trajectory() { return this._trajectory; } get currentIndex() { return this._currentIndex; } get currentImage() { return this._currentImage; } get previousImage() { return this._previousImage; } get currentCamera() { return this._currentCamera; } get previousCamera() { return this._previousCamera; } get currentTransform() { return this._trajectoryTransforms.length > 0 ? this._trajectoryTransforms[this.currentIndex] : null; } get previousTransform() { return this._trajectoryTransforms.length > 1 && this.currentIndex > 0 ? this._trajectoryTransforms[this.currentIndex - 1] : null; } get motionless() { return this._motionless; } get transitionMode() { return this._transitionMode; } move(delta) { } moveTo(position) { } rotate(delta) { } rotateUnbounded(delta) { } rotateWithoutInertia(delta) { } rotateBasic(basicRotation) { } rotateBasicUnbounded(basicRotation) { } rotateBasicWithoutInertia(basicRotation) { } rotateToBasic(basic) { } setSpeed(speed) { } zoomIn(delta, reference) { } update(delta) { } setCenter(center) { } setZoom(zoom) { } dolly(delta) { } orbit(rotation) { } setViewMatrix(matrix) { } truck(direction) { } append(images) { if (images.length < 1) { throw Error("Trajectory can not be empty"); } if (this._currentIndex < 0) { this.set(images); } else { this._trajectory = this._trajectory.concat(images); this._appendToTrajectories(images); } } prepend(images) { if (images.length < 1) { throw Error("Trajectory can not be empty"); } this._trajectory = images.slice().concat(this._trajectory); this._currentIndex += images.length; this._setCurrentImage(); let referenceReset = this._setReference(); if (referenceReset) { this._setTrajectories(); } else { this._prependToTrajectories(images); } this._setCurrentCamera(); } remove(n) { if (n < 0) { throw Error("n must be a positive integer"); } if (this._currentIndex - 1 < n) { throw Error("Current and previous images can not be removed"); } for (let i = 0; i < n; i++) { this._trajectory.shift(); this._trajectoryTransforms.shift(); this._trajectoryCameras.shift(); this._currentIndex--; } this._setCurrentImage(); } clearPrior() { if (this._currentIndex > 0) { this.remove(this._currentIndex - 1); } } clear() { this.cut(); if (this._currentIndex > 0) { this.remove(this._currentIndex - 1); } } cut() { while (this._trajectory.length - 1 > this._currentIndex) { this._trajectory.pop(); this._trajectoryTransforms.pop(); this._trajectoryCameras.pop(); } } set(images) { this._setTrajectory(images); this._setCurrentImage(); this._setReference(); this._setTrajectories(); this._setCurrentCamera(); } getCenter() { return this._currentImage != null ? this.currentTransform.projectBasic(this._camera.lookat.toArray()) : [0.5, 0.5]; } setTransitionMode(mode) { this._transitionMode = mode; } _getAlpha() { return 1; } _getStateTransitionAlpha() { return 1; } _setCurrent() { this._setCurrentImage(); let referenceReset = this._setReference(); if (referenceReset) { this._setTrajectories(); } this._setCurrentCamera(); } _setCurrentCamera() { this._currentCamera = this._trajectoryCameras[this._currentIndex].clone(); this._previousCamera = this._currentIndex > 0 ? this._trajectoryCameras[this._currentIndex - 1].clone() : this._currentCamera.clone(); } _motionlessTransition() { const imagesSet = this._currentImage != null && this._previousImage != null; if (!imagesSet) { return false; } return this._transitionMode === exports.TransitionMode.Instantaneous || !(this._currentImage.merged && this._previousImage.merged && this._hasStructure() && this._withinDistance()); } _setReference() { const { currentImage, previousImage, reference } = this; const referenceDistance = this._spatial.distanceFromLngLat(currentImage.lngLat.lng, currentImage.lngLat.lat, reference.lng, reference.lat); // do not reset reference if image is within threshold distance if (referenceDistance < this._referenceThreshold) { return false; } if (previousImage != null) { const transitionDistance = this._spatial.distanceFromLngLat(currentImage.lngLat.lng, currentImage.lngLat.lat, previousImage.lngLat.lng, previousImage.lngLat.lat); if (transitionDistance < this._transitionThreshold) { return false; } } // do not reset reference if previous image exist and // transition is with motion if (previousImage != null && !this._motionlessTransition()) { return false; } this._reference.lat = currentImage.lngLat.lat; this._reference.lng = currentImage.lngLat.lng; this._reference.alt = currentImage.computedAltitude; return true; } _setCurrentImage() { this._currentImage = this._trajectory.length > 0 ? this._trajectory[this._currentIndex] : null; this._previousImage = this._currentIndex > 0 ? this._trajectory[this._currentIndex - 1] : null; } _setTrajectory(images) { if (images.length < 1) { throw new ArgumentMapillaryError("Trajectory can not be empty"); } if (this._currentImage != null) { this._trajectory = [this._currentImage].concat(images); this._currentIndex = 1; } else { this._trajectory = images.slice(); this._currentIndex = 0; } } _setTrajectories() { this._trajectoryTransforms.length = 0; this._trajectoryCameras.length = 0; this._appendToTrajectories(this._trajectory); } _appendToTrajectories(images) { for (let image of images) { if (!image.assetsCached) { throw new ArgumentMapillaryError("Assets must be cached when image is added to trajectory"); } let translation = this._imageToTranslation(image, this.reference); let transform = new Transform(image.exifOrientation, image.width, image.height, image.scale, image.rotation, translation, image.image, image.camera); this._trajectoryTransforms.push(transform); this._trajectoryCameras.push(new Camera(transform)); } } _prependToTrajectories(images) { for (let image of images.reverse()) { if (!image.assetsCached) { throw new ArgumentMapillaryError("Assets must be cached when added to trajectory"); } let translation = this._imageToTranslation(image, this.reference); let transform = new Transform(image.exifOrientation, image.width, image.height, image.scale, image.rotation, translation, image.image, image.camera); this._trajectoryTransforms.unshift(transform); this._trajectoryCameras.unshift(new Camera(transform)); } } _imageToTranslation(image, reference) { return computeTranslation({ alt: image.computedAltitude, lat: image.lngLat.lat, lng: image.lngLat.lng }, image.rotation, reference); } _hasStructure() { const current = this._currentImage; const previous = this._previousImage; return current.mesh.vertices.length > 0 && previous.mesh.vertices.length > 0; } _withinDistance() { const current = this._currentImage; const previous = this._previousImage; if (!current || !previous) { return true; } const distance = this._spatial.distanceFromLngLat(current.lngLat.lng, current.lngLat.lat, previous.lngLat.lng, previous.lngLat.lat); // 50 km/h moves 28m in 2s return distance < 30; } } class CustomState extends StateBase { constructor(state) { super(state); } setViewMatrix(viewMatrix) { const viewMatrixInverse = new Matrix4() .fromArray(viewMatrix) .invert(); const me = viewMatrixInverse.elements; const eye = new Vector3(me[12], me[13], me[14]); const forward = new Vector3(-me[8], -me[9], -me[10]); const up = new Vector3(me[4], me[5], me[6]); const camera = this._camera; camera.position.copy(eye); camera.lookat.copy(eye .clone() .add(forward)); camera.up.copy(up); const focal = 0.5 / Math.tan(Math.PI / 3); camera.focal = focal; } } class EarthState extends StateBase { constructor(state) { super(state); this._transition = 0; const eye = this._camera.position.clone(); const forward = this._camera.lookat .clone() .sub(eye) .normalize(); const xy = Math.sqrt(forward.x * forward.x + forward.y * forward.y); const angle = Math.atan2(forward.z, xy); const lookat = new Vector3(); if (angle > -Math.PI / 45) { lookat.copy(eye); eye.add(new Vector3(forward.x, forward.y, 0) .multiplyScalar(-50)); eye.z = 30; } else { // Target a point on invented ground and keep forward direction const l0 = eye.clone(); const n = new Vector3(0, 0, 1); const p0 = new Vector3(0, 0, -2); const d = new Vector3().subVectors(p0, l0).dot(n) / forward.dot(n); const maxDistance = 10000; const intersection = l0 .clone() .add(forward. clone() .multiplyScalar(Math.min(maxDistance, d))); lookat.copy(intersection); const t = eye .clone() .sub(intersection) .normalize(); eye.copy(intersection.add(t.multiplyScalar(Math.max(50, t.length())))); } const eye1 = this._camera.position.clone(); const lookat1 = eye1.clone().add(forward.clone().normalize().multiplyScalar(10)); const up1 = this._camera.up.clone(); const eye0 = lookat1.clone(); const lookat0 = eye0.clone().add(forward.clone().normalize().multiplyScalar(10)); const up0 = up1.clone(); const eye2 = eye.clone(); const lookat2 = lookat.clone(); const up2 = new Vector3(0, 0, 1); const eye3 = eye.clone().add(lookat2.clone().sub(eye2).normalize().multiplyScalar(-10)); const lookat3 = lookat2.clone(); const up3 = up2.clone(); this._curveE = new CatmullRomCurve3([eye0, eye1, eye2, eye3]); this._curveL = new CatmullRomCurve3([lookat0, lookat1, lookat2, lookat3]); this._curveU = new CatmullRomCurve3([up0, up1, up2, up3]); this._zoom0 = this._zoom; this._zoom1 = 0; this._camera.focal = 0.5 / Math.tan(Math.PI / 4); } get _isTransitioning() { return this._transition < 1; } dolly(delta) { if (this._isTransitioning) { return; } const camera = this._camera; const offset = camera.position .clone() .sub(camera.lookat); const length = offset.length(); const scaled = length * Math.pow(2, -delta); const clipped = Math.max(1, Math.min(scaled, 4000)); offset.normalize(); offset.multiplyScalar(clipped); camera.position .copy(camera.lookat) .add(offset); } orbit(rotation) { if (this._isTransitioning) { return; } const camera = this._camera; const q = new Quaternion() .setFromUnitVectors(camera.up, new Vector3(0, 0, 1)); const qInverse = q .clone() .invert(); const offset = camera.position .clone() .sub(camera.lookat); offset.applyQuaternion(q); const length = offset.length(); let phi = Math.atan2(offset.y, offset.x); phi += rotation.phi; let theta = Math.atan2(Math.sqrt(offset.x * offset.x + offset.y * offset.y), offset.z); theta += rotation.theta; const threshold = Math.PI / 36; theta = Math.max(threshold, Math.min(Math.PI / 2 - threshold, theta)); offset.x = Math.sin(theta) * Math.cos(phi); offset.y = Math.sin(theta) * Math.sin(phi); offset.z = Math.cos(theta); offset.applyQuaternion(qInverse); camera.position .copy(camera.lookat) .add(offset.multiplyScalar(length)); } truck(direction) { if (this._isTransitioning) { return; } const camera = this._camera; camera.position .add(new Vector3().fromArray(direction)); camera.lookat .add(new Vector3().fromArray(direction)); } update(delta) { if (!this._isTransitioning) { return; } this._transition = Math.min(this._transition + 2 * delta / 3, 1); const sta = MathUtils.smootherstep(this._transition, 0, 1); const t = (sta + 1) / 3; const eye = this._curveE.getPoint(t); const lookat = this._curveL.getPoint(t); const up = this._curveU.getPoint(t); this._camera.position.copy(eye); this._camera.lookat.copy(lookat); this._camera.up.copy(up); this._zoom = MathUtils.lerp(this._zoom0, this._zoom1, sta); this._stateTransitionAlpha = sta; } _getStateTransitionAlpha() { return this._stateTransitionAlpha; } } class EulerRotationDelta { constructor(phi, theta) { this._phi = phi; this._theta = theta; } get phi() { return this._phi; } set phi(value) { this._phi = value; } get theta() { return this._theta; } set theta(value) { this._theta = value; } get isZero() { return this._phi === 0 && this._theta === 0; } copy(delta) { this._phi = delta.phi; this._theta = delta.theta; } lerp(other, alpha) { this._phi = (1 - alpha) * this._phi + alpha * other.phi; this._theta = (1 - alpha) * this._theta + alpha * other.theta; } multiply(value) { this._phi *= value; this._theta *= value; } threshold(value) { this._phi = Math.abs(this._phi) > value ? this._phi : 0; this._theta = Math.abs(this._theta) > value ? this._theta : 0; } lengthSquared() { return this._phi * this._phi + this._theta * this._theta; } reset() { this._phi = 0; this._theta = 0; } } class InteractiveStateBase extends StateBase { constructor(state) { super(state); this._animationSpeed = 1 / 40; this._rotationDelta = new EulerRotationDelta(0, 0); this._requestedRotationDelta = null; this._basicRotation = [0, 0]; this._requestedBasicRotation = null; this._requestedBasicRotationUnbounded = null; this._rotationAcceleration = 0.86; this._rotationIncreaseAlpha = 0.97; this._rotationDecreaseAlpha = 0.9; this._rotationThreshold = 1e-3; this._unboundedRotationAlpha = 0.8; this._desiredZoom = state.zoom; this._minZoom = 0; this._maxZoom = 3; this._lookatDepth = 10; this._desiredLookat = null; this._desiredCenter = null; } rotate(rotationDelta) { if (this._currentImage == null) { return; } if (rotationDelta.phi === 0 && rotationDelta.theta === 0) { return; } this._desiredZoom = this._zoom; this._desiredLookat = null; this._requestedBasicRotation = null; if (this._requestedRotationDelta != null) { this._requestedRotationDelta.phi = this._requestedRotationDelta.phi + rotationDelta.phi; this._requestedRotationDelta.theta = this._requestedRotationDelta.theta + rotationDelta.theta; } else { this._requestedRotationDelta = new EulerRotationDelta(rotationDelta.phi, rotationDelta.theta); } } rotateUnbounded(delta) { if (this._currentImage == null) { return; } this._requestedBasicRotation = null; this._requestedRotationDelta = null; this._applyRotation(delta, this._currentCamera); this._applyRotation(delta, this._previousCamera); if (!this._desiredLookat) { return; } const q = new Quaternion().setFromUnitVectors(this._currentCamera.up, new Vector3(0, 0, 1)); const qInverse = q.clone().invert(); const offset = new Vector3() .copy(this._desiredLookat) .sub(this._camera.position) .applyQuaternion(q); const length = offset.length(); let phi = Math.atan2(offset.y, offset.x); phi += delta.phi; let theta = Math.atan2(Math.sqrt(offset.x * offset.x + offset.y * offset.y), offset.z); theta += delta.theta; theta = Math.max(0.1, Math.min(Math.PI - 0.1, theta)); offset.x = Math.sin(theta) * Math.cos(phi); offset.y = Math.sin(theta) * Math.sin(phi); offset.z = Math.cos(theta); offset.applyQuaternion(qInverse); this._desiredLookat .copy(this._camera.position) .add(offset.multiplyScalar(length)); } rotateWithoutInertia(rotationDelta) { if (this._currentImage == null) { return; } this._desiredZoom = this._zoom; this._desiredLookat = null; this._requestedBasicRotation = null; this._requestedRotationDelta = null; const threshold = Math.PI / (10 * Math.pow(2, this._zoom)); const delta = { phi: this._spatial.clamp(rotationDelta.phi, -threshold, threshold), theta: this._spatial.clamp(rotationDelta.theta, -threshold, threshold), }; this._applyRotation(delta, this._currentCamera); this._applyRotation(delta, this._previousCamera); } rotateBasic(basicRotation) { if (this._currentImage == null) { return; } this._desiredZoom = this._zoom; this._desiredLookat = null; this._requestedRotationDelta = null; if (this._requestedBasicRotation != null) { this._requestedBasicRotation[0] += basicRotation[0]; this._requestedBasicRotation[1] += basicRotation[1]; let threshold = 0.05 / Math.pow(2, this._zoom); this._requestedBasicRotation[0] = this._spatial.clamp(this._requestedBasicRotation[0], -threshold, threshold); this._requestedBasicRotation[1] = this._spatial.clamp(this._requestedBasicRotation[1], -threshold, threshold); } else { this._requestedBasicRotation = basicRotation.slice(); } } rotateBasicUnbounded(basicRotation) { if (this._currentImage == null) { return; } if (this._requestedBasicRotationUnbounded != null) { this._requestedBasicRotationUnbounded[0] += basicRotation[0]; this._requestedBasicRotationUnbounded[1] += basicRotation[1]; } else { this._requestedBasicRotationUnbounded = basicRotation.slice(); } } rotateBasicWithoutInertia(basic) { if (this._currentImage == null) { return; } this._desiredZoom = this._zoom; this._desiredLookat = null; this._requestedRotationDelta = null; this._requestedBasicRotation = null; const threshold = 0.05 / Math.pow(2, this._zoom); const basicRotation = basic.slice(); basicRotation[0] = this._spatial.clamp(basicRotation[0], -threshold, threshold); basicRotation[1] = this._spatial.clamp(basicRotation[1], -threshold, threshold); this._applyRotationBasic(basicRotation); } rotateToBasic(basic) { if (this._currentImage == null) { return; } this._desiredZoom = this._zoom; this._desiredLookat = null; basic[0] = this._spatial.clamp(basic[0], 0, 1); basic[1] = this._spatial.clamp(basic[1], 0, 1); let lookat = this.currentTransform.unprojectBasic(basic, this._lookatDepth); this._currentCamera.lookat.fromArray(lookat); } zoomIn(delta, reference) { if (this._currentImage == null) { return; } this._desiredZoom = Math.max(this._minZoom, Math.min(this._maxZoom, this._desiredZoom + delta)); let currentCenter = this.currentTransform.projectBasic(this._currentCamera.lookat.toArray()); let currentCenterX = currentCenter[0]; let currentCenterY = currentCenter[1]; let zoom0 = Math.pow(2, this._zoom); let zoom1 = Math.pow(2, this._desiredZoom); let refX = reference[0]; let refY = reference[1]; if (isSpherical(this.currentTransform.cameraType)) { if (refX - currentCenterX > 0.5) { refX = refX - 1; } else if (currentCenterX - refX > 0.5) { refX = 1 + refX; } } let newCenterX = refX - zoom0 / zoom1 * (refX - currentCenterX); let newCenterY = refY - zoom0 / zoom1 * (refY - currentCenterY); if (isSpherical(this._currentImage.cameraType)) { newCenterX = this._spatial .wrap(newCenterX + this._basicRotation[0], 0, 1); newCenterY = this._spatial .clamp(newCenterY + this._basicRotation[1], 0.05, 0.95); } else { newCenterX = this._spatial.clamp(newCenterX, 0, 1); newCenterY = this._spatial.clamp(newCenterY, 0, 1); } this._desiredLookat = new Vector3() .fromArray(this.currentTransform.unprojectBasic([newCenterX, newCenterY], this._lookatDepth)); } setCenter(center) { this._desiredLookat = null; this._requestedRotationDelta = null; this._requestedBasicRotation = null; this._desiredZoom = this._zoom; let clamped = [ this._spatial.clamp(center[0], 0, 1), this._spatial.clamp(center[1], 0, 1), ]; if (this._currentImage == null) { this._desiredCenter = clamped; return; } this._desiredCenter = null; let currentLookat = new Vector3() .fromArray(this.currentTransform.unprojectBasic(clamped, this._lookatDepth)); let previousTransform = this.previousTransform != null ? this.previousTransform : this.currentTransform; let previousLookat = new Vector3() .fromArray(previousTransform.unprojectBasic(clamped, this._lookatDepth)); this._currentCamera.lookat.copy(currentLookat); this._previousCamera.lookat.copy(previousLookat); } setZoom(zoom) { this._desiredLookat = null; this._requestedRotationDelta = null; this._requestedBasicRotation = null; this._zoom = this._spatial.clamp(zoom, this._minZoom, this._maxZoom); this._desiredZoom = this._zoom; } _applyRotation(delta, camera) { if (camera == null) { return; } let q = new Quaternion().setFromUnitVectors(camera.up, new Vector3(0, 0, 1)); let qInverse = q.clone().invert(); let offset = new Vector3(); offset.copy(camera.lookat).sub(camera.position); offset.applyQuaternion(q); let length = offset.length(); let phi = Math.atan2(offset.y, offset.x); phi += delta.phi; let theta = Math.atan2(Math.sqrt(offset.x * offset.x + offset.y * offset.y), offset.z); theta += delta.theta; theta = Math.max(0.1, Math.min(Math.PI - 0.1, theta)); offset.x = Math.sin(theta) * Math.cos(phi); offset.y = Math.sin(theta) * Math.sin(phi); offset.z = Math.cos(theta); offset.applyQuaternion(qInverse); camera.lookat.copy(camera.position).add(offset.multiplyScalar(length)); } _applyRotationBasic(basicRotation) { let currentImage = this._currentImage; let previousImage = this._previousImage != null ? this.previousImage : this.currentImage; let currentCamera = this._currentCamera; let previousCamera = this._previousCamera; let currentTransform = this.currentTransform; let previousTransform = this.previousTransform != null ? this.previousTransform : this.currentTransform; let currentBasic = currentTransform.projectBasic(currentCamera.lookat.toArray()); let previousBasic = previousTransform.projectBasic(previousCamera.lookat.toArray()); if (isSpherical(currentImage.cameraType)) { currentBasic[0] = this._spatial.wrap(currentBasic[0] + basicRotation[0], 0, 1); currentBasic[1] = this._spatial.clamp(currentBasic[1] + basicRotation[1], 0.05, 0.95); } else { currentBasic[0] = this._spatial.clamp(currentBasic[0] + basicRotation[0], 0, 1); currentBasic[1] = this._spatial.clamp(currentBasic[1] + basicRotation[1], 0, 1); } if (isSpherical(previousImage.cameraType)) { previousBasic[0] = this._spatial.wrap(previousBasic[0] + basicRotation[0], 0, 1); previousBasic[1] = this._spatial.clamp(previousBasic[1] + basicRotation[1], 0.05, 0.95); } else { previousBasic[0] = this._spatial.clamp(previousBasic[0] + basicRotation[0], 0, 1); previousBasic[1] = this._spatial.clamp(currentBasic[1] + basicRotation[1], 0, 1); } let currentLookat = currentTransform.unprojectBasic(currentBasic, this._lookatDepth); currentCamera.lookat.fromArray(currentLookat); let previousLookat = previousTransform.unprojectBasic(previousBasic, this._lookatDepth); previousCamera.lookat.fromArray(previousLookat); } _updateZoom(animationSpeed) { let diff = this._desiredZoom - this._zoom; let sign = diff > 0 ? 1 : diff < 0 ? -1 : 0; if (diff === 0) { return; } else if (Math.abs(diff) < 2e-3) { this._zoom = this._desiredZoom; if (this._desiredLookat != null) { this._desiredLookat = null; } } else { this._zoom += sign * Math.max(Math.abs(5 * animationSpeed * diff), 2e-3); } } _updateLookat(animationSpeed) { if (this._desiredLookat === null) { return; } let diff = this._desiredLookat.distanceToSquared(this._currentCamera.lookat); if (Math.abs(diff) < 1e-6) { this._currentCamera.lookat.copy(this._desiredLookat); this._desiredLookat = null; } else { this._currentCamera.lookat.lerp(this._desiredLookat, 5 * animationSpeed); } } _updateRotation() { if (this._requestedRotationDelta != null) { let length = this._rotationDelta.lengthSquared(); let requestedLength = this._requestedRotationDelta.lengthSquared(); if (requestedLength > length) { this._rotationDelta.lerp(this._requestedRotationDelta, this._rotationIncreaseAlpha); } else { this._rotationDelta.lerp(this._requestedRotationDelta, this._rotationDecreaseAlpha); } this._requestedRotationDelta = null; return; } if (this._rotationDelta.isZero) { return; } const alpha = isSpherical(this.currentImage.cameraType) ? 1 : this._alpha; this._rotationDelta.multiply(this._rotationAcceleration * alpha); this._rotationDelta.threshold(this._rotationThreshold); } _updateRotationBasic() { if (this._requestedBasicRotation != null) { let x = this._basicRotation[0]; let y = this._basicRotation[1]; let reqX = this._requestedBasicRotation[0]; let reqY = this._requestedBasicRotation[1]; if (Math.abs(reqX) > Math.abs(x)) { this._basicRotation[0] = (1 - this._rotationIncreaseAlpha) * x + this._rotationIncreaseAlpha * reqX; } else { this._basicRotation[0] = (1 - this._rotationDecreaseAlpha) * x + this._rotationDecreaseAlpha * reqX; } if (Math.abs(reqY) > Math.abs(y)) { this._basicRotation[1] = (1 - this._rotationIncreaseAlpha) * y + this._rotationIncreaseAlpha * reqY; } else { this._basicRotation[1] = (1 - this._rotationDecreaseAlpha) * y + this._rotationDecreaseAlpha * reqY; } this._requestedBasicRotation = null; return; } if (this._requestedBasicRotationUnbounded != null) { let reqX = this._requestedBasicRotationUnbounded[0]; let reqY = this._requestedBasicRotationUnbounded[1]; if (Math.abs(reqX) > 0) { this._basicRotation[0] = (1 - this._unboundedRotationAlpha) * this._basicRotation[0] + this._unboundedRotationAlpha * reqX; } if (Math.abs(reqY) > 0) { this._basicRotation[1] = (1 - this._unboundedRotationAlpha) * this._basicRotation[1] + this._unboundedRotationAlpha * reqY; } if (this._desiredLookat != null) { let desiredBasicLookat = this.currentTransform.projectBasic(this._desiredLookat.toArray()); desiredBasicLookat[0] += reqX; desiredBasicLookat[1] += reqY; this._desiredLookat = new Vector3() .fromArray(this.currentTransform.unprojectBasic(desiredBasicLookat, this._lookatDepth)); } this._requestedBasicRotationUnbounded = null; } if (this._basicRotation[0] === 0 && this._basicRotation[1] === 0) { return; } this._basicRotation[0] = this._rotationAcceleration * this._basicRotation[0]; this._basicRotation[1] = this._rotationAcceleration * this._basicRotation[1]; if (Math.abs(this._basicRotation[0]) < this._rotationThreshold / Math.pow(2, this._zoom) && Math.abs(this._basicRotation[1]) < this._rotationThreshold / Math.pow(2, this._zoom)) { this._basicRotation = [0, 0]; } } _clearRotation() { if (isSpherical(this._currentImage.cameraType)) { return; } if (this._requestedRotationDelta != null) { this._requestedRotationDelta = null; } if (!this._rotationDelta.isZero) { this._rotationDelta.reset(); } if (this._requestedBasicRotation != null) { this._requestedBasicRotation = null; } if (this._basicRotation[0] > 0 || this._basicRotation[1] > 0) { this._basicRotation = [0, 0]; } } _setDesiredCenter() { if (this._desiredCenter == null) { return; } let lookatDirection = new Vector3() .fromArray(this.currentTransform.unprojectBasic(this._desiredCenter, this._lookatDepth)) .sub(this._currentCamera.position); this._currentCamera.lookat.copy(this._currentCamera.position.clone().add(lookatDirection)); this._previousCamera.lookat.copy(this._previousCamera.position.clone().add(lookatDirection)); this._desiredCenter = null; } _setDesiredZoom() { this._desiredZoom = isSpherical(this._currentImage.cameraType) || this._previousImage == null ? this._zoom : 0; } } class TraversingState extends InteractiveStateBase { constructor(state) { super(state); this._adjustCameras(); this._motionless = this._motionlessTransition(); this._baseAlpha = this._alpha; this._speedCoefficient = 1; this._smoothing = false; } append(images) { let emptyTrajectory = this._trajectory.length === 0; if (emptyTrajectory) { this._resetTransition(); } super.append(images); if (emptyTrajectory) { this._setDesiredCenter(); this._setDesiredZoom(); } } prepend(images) { let emptyTrajectory = this._trajectory.length === 0; if (emptyTrajectory) { this._resetTransition(); } super.prepend(images); if (emptyTrajectory) { this._setDesiredCenter(); this._setDesiredZoom(); } } set(images) { super.set(images); this._desiredLookat = null; this._resetTransition(); this._clearRotation(); this._setDesiredCenter(); this._setDesiredZoom(); if (this._trajectory.length < 3) { this._smoothing = true; } } setSpeed(speed) { this._speedCoefficient = this._spatial.clamp(speed, 0, 10); } update(delta) { if (this._alpha === 1 && this._currentIndex + this._alpha < this._trajectory.length) { this._currentIndex += 1; this._smoothing = this._trajectory.length < 3 && this._currentIndex + 1 === this._trajectory.length; this._setCurrent(); this._resetTransition(); this._clearRotation(); this._desiredZoom = isSpherical(this._currentImage.cameraType) ? this._zoom : 0; this._desiredLookat = null; } let animationSpeed = this._animationSpeed * delta / 1e-1 * 6; this._baseAlpha = Math.min(1, this._baseAlpha + this._speedCoefficient * animationSpeed); if (this._smoothing) { this._alpha = MathUtils.smootherstep(this._baseAlpha, 0, 1); } else { this._alpha = this._baseAlpha; } this._updateRotation(); if (!this._rotationDelta.isZero) { this._applyRotation(this._rotationDelta, this._previousCamera); this._applyRotation(this._rotationDelta, this._currentCamera); } this._updateRotationBasic(); if (this._basicRotation[0] !== 0 || this._basicRotation[1] !== 0) { this._applyRotationBasic(this._basicRotation); } this._updateZoom(animationSpeed); this._updateLookat(animationSpeed); this._camera.lerpCameras(this._previousCamera, this._currentCamera, this.alpha); } _getAlpha() { return this._motionless ? Math.ceil(this._alpha) : this._alpha; } _setCurrentCamera() { super._setCurrentCamera(); this._adjustCameras(); } _adjustCameras() { if (this._previousImage == null) { return; } let lookat = this._camera.lookat.clone().sub(this._camera.position); this._previousCamera.lookat.copy(lookat.clone().add(this._previousCamera.position)); if (isSpherical(this._currentImage.cameraType) && !isNullImageId(this._previousImage.id)) { this._currentCamera.lookat.copy(lookat.clone().add(this._currentCamera.position)); } } _resetTransition() { this._alpha = 0; this._baseAlpha = 0; this._motionless = this._motionlessTransition(); } } const UP = new Vector3(0, 0, 1); class GravityTraversingState extends TraversingState { constructor(state) { super(state); this._camera.up.copy(UP); this._alignCameras(); this._alignTrajectory(); } append(images) { super.append(images); this._alignTrajectory(); } prepend(images) { super.prepend(images); this._alignTrajectory(); } set(images) { super.set(images); this._alignCameras(); this._alignTrajectory(); } update(delta) { super.update(delta); } _alignTrajectory() { for (const camera of this._trajectoryCameras) { camera.up.copy(UP); } } _alignCameras() { var _a, _b; (_a = this._previousCamera) === null || _a === void 0 ? void 0 : _a.up.copy(UP); (_b = this._currentCamera) === null || _b === void 0 ? void 0 : _b.up.copy(UP); } } class InteractiveWaitingState extends InteractiveStateBase { constructor(state) { super(state); this._adjustCameras(); this._motionless = this._motionlessTransition(); } prepend(images) { super.prepend(images); this._motionless = this._motionlessTransition(); } set(images) { super.set(images); this._motionless = this._motionlessTransition(); } move(delta) { this._alpha = Math.max(0, Math.min(1, this._alpha + delta)); } moveTo(position) { this._alpha = Math.max(0, Math.min(1, position)); } update(delta) { this._updateRotation(); if (!this._rotationDelta.isZero) { this._applyRotation(this._rotationDelta, this._previousCamera); this._applyRotation(this._rotationDelta, this._currentCamera); } this._updateRotationBasic(); if (this._basicRotation[0] !== 0 || this._basicRotation[1] !== 0) { this._applyRotationBasic(this._basicRotation); } let animationSpeed = this._animationSpeed * delta / 1e-1 * 6; this._updateZoom(animationSpeed); this._updateLookat(animationSpeed); this._camera.lerpCameras(this._previousCamera, this._currentCamera, this.alpha); } _getAlpha() { return this._motionless ? Math.round(this._alpha) : this._alpha; } _setCurrentCamera() { super._setCurrentCamera(); this._adjustCameras(); } _adjustCameras() { if (this._previousImage == null) { return; } if (isSpherical(this._currentImage.cameraType)) { let lookat = this._camera.lookat.clone().sub(this._camera.position); this._currentCamera.lookat.copy(lookat.clone().add(this._currentCamera.position)); } if (isSpherical(this._previousImage.cameraType)) { let lookat = this._currentCamera.lookat.clone().sub(this._currentCamera.position); this._previousCamera.lookat.copy(lookat.clone().add(this._previousCamera.position)); } } } class WaitingState extends StateBase { constructor(state) { super(state); this._zoom = 0; this._adjustCameras(); this._motionless = this._motionlessTransition(); } prepend(images) { super.prepend(images); this._motionless = this._motionlessTransition(); } set(images) { super.set(images); this._motionless = this._motionlessTransition(); } move(delta) { this._alpha = Math.max(0, Math.min(1, this._alpha + delta)); } moveTo(position) { this._alpha = Math.max(0, Math.min(1, position)); } update() { this._camera.lerpCameras(this._previousCamera, this._currentCamera, this.alpha); } _getAlpha() { return this._motionless ? Math.round(this._alpha) : this._alpha; } _setCurrentCamera() { super._setCurrentCamera(); this._adjustCameras(); } _adjustCameras() { if (this._previousImage == null) { return; } if (isSpherical(this._currentImage.cameraType)) { let lookat = this._camera.lookat.clone().sub(this._camera.position); this._currentCamera.lookat.copy(lookat.clone().add(this._currentCamera.position)); } if (isSpherical(this._previousImage.cameraType)) { let lookat = this._currentCamera.lookat.clone().sub(this._currentCamera.position); this._previousCamera.lookat.copy(lookat.clone().add(this._previousCamera.position)); } } } class StateTransitionMatrix { constructor() { const custom = State[State.Custom]; const earth = State[State.Earth]; const gravityTraverse = State[State.GravityTraversing]; const traverse = State[State.Traversing]; const wait = State[State.Waiting]; const waitInteractively = State[State.WaitingInteractively]; this._creators = new Map(); const creator = this._creators; creator.set(custom, CustomState); creator.set(earth, EarthState); creator.set(gravityTraverse, GravityTraversingState); creator.set(traverse, TraversingState); creator.set(wait, WaitingState); creator.set(waitInteractively, InteractiveWaitingState); this._transitions = new Map(); const transitions = this._transitions; transitions.set(custom, [earth, gravityTraverse, traverse]); transitions.set(earth, [custom, gravityTraverse, traverse]); transitions.set(gravityTraverse, [custom, earth, traverse, wait, waitInteractively]); transitions.set(traverse, [custom, earth, gravityTraverse, wait, waitInteractively]); transitions.set(wait, [gravityTraverse, traverse, waitInteractively]); transitions.set(waitInteractively, [gravityTraverse, traverse, wait]); } getState(state) { if (state instanceof CustomState) { return State.Custom; } else if (state instanceof EarthState) { return State.Earth; } else if (state instanceof GravityTraversingState) { return State.GravityTraversing; } else if (state instanceof TraversingState) { return State.Traversing; } else if (state instanceof WaitingState) { return State.Waiting; } else if (state instanceof InteractiveWaitingState) { return State.WaitingInteractively; } throw new Error("Invalid state instance"); } generate(state, options) { const concreteState = this._creators.get(State[state]); return new concreteState(options); } transition(state, to) { if (!this.validate(state, to)) { throw new Error("Invalid transition"); } return this.generate(to, state); } validate(state, to) { const source = State[this.getState(state)]; const target = State[to]; const transitions = this._transitions; return transitions.has(source) && transitions.get(source).includes(target); } } class StateContext { constructor(state, transitionMode) { this._transitions = new StateTransitionMatrix(); this._state = this._transitions.generate(state, { alpha: 1, camera: new Camera(), currentIndex: -1, reference: { alt: 0, lat: 0, lng: 0 }, trajectory: [], transitionMode: transitionMode == null ? exports.TransitionMode.Default : transitionMode, zoom: 0, }); } get state() { return this._transitions.getState(this._state); } get reference() { return this._state.reference; } get alpha() { return this._state.alpha; } get stateTransitionAlpha() { return this._state.stateTransitionAlpha; } get camera() { return this._state.camera; } get zoom() { return this._state.zoom; } get currentImage() { return this._state.currentImage; } get previousImage() { return this._state.previousImage; } get currentCamera() { return this._state.currentCamera; } get previousCamera() { return this._state.previousCamera; } get currentTransform() { return this._state.currentTransform; } get previousTransform() { return this._state.previousTransform; } get trajectory() { return this._state.trajectory; } get currentIndex() { return this._state.currentIndex; } get lastImage() { return this._state.trajectory[this._state.trajectory.length - 1]; } get imagesAhead() { return this._state.trajectory.length - 1 - this._state.currentIndex; } get motionless() { return this._state.motionless; } custom() { this._transition(State.Custom); } earth() { this._transition(State.Earth); } gravityTraverse() { this._transition(State.GravityTraversing); } traverse() { this._transition(State.Traversing); } wait() { this._transition(State.Waiting); } waitInteractively() { this._transition(State.WaitingInteractively); } getCenter() { return this._state.getCenter(); } setCenter(center) { this._state.setCenter(center); } setZoom(zoom) { this._state.setZoom(zoom); } update(delta) { this._state.update(delta); } append(images) { this._state.append(images); } prepend(images) { this._state.prepend(images); } remove(n) { this._state.remove(n); } clear() { this._state.clear(); } clearPrior() { this._state.clearPrior(); } cut() { this._state.cut(); } set(images) { this._state.set(images); } setViewMatrix(matrix) { this._state.setViewMatrix(matrix); } rotate(delta) { this._state.rotate(delta); } rotateUnbounded(delta) { this._state.rotateUnbounded(delta); } rotateWithoutInertia(delta) { this._state.rotateWithoutInertia(delta); } rotateBasic(basicRotation) { this._state.rotateBasic(basicRotation); } rotateBasicUnbounded(basicRotation) { this._state.rotateBasicUnbounded(basicRotation); } rotateBasicWithoutInertia(basicRotation) { this._state.rotateBasicWithoutInertia(basicRotation); } rotateToBasic(basic) { this._state.rotateToBasic(basic); } move(delta) { this._state.move(delta); } moveTo(delta) { this._state.moveTo(delta); } zoomIn(delta, reference) { this._state.zoomIn(delta, reference); } setSpeed(speed) { this._state.setSpeed(speed); } setTransitionMode(mode) { this._state.setTransitionMode(mode); } dolly(delta) { this._state.dolly(delta); } orbit(rotation) { this._state.orbit(rotation); } truck(direction) { this._state.truck(direction); } _transition(to) { if (!this._transitions.validate(this._state, to)) { const from = this._transitions.getState(this._state); console.warn(`Transition not valid (${State[from]} - ${State[to]})`); return; } const state = this._transitions.transition(this._state, to); this._state = state; } } class StateService { constructor(initialState, transitionMode) { this._appendImage$ = new Subject(); this._clock = new Clock(); this._subscriptions = new SubscriptionHolder(); const subs = this._subscriptions; this._start$ = new Subject(); this._frame$ = new Subject(); this._contextOperation$ = new BehaviorSubject((context) => { return context; }); this._context$ = this._contextOperation$.pipe(scan((context, operation) => { return operation(context); }, new StateContext(initialState, transitionMode)), publishReplay(1), refCount()); this._state$ = this._context$.pipe(map((context) => { return context.state; }), distinctUntilChanged(), publishReplay(1), refCount()); this._currentState$ = this._frame$.pipe(withLatestFrom(this._context$, (frameId, context) => { return [frameId, context]; }), filter((fc) => { return fc[1].currentImage != null; }), tap((fc) => { fc[1].update(this._clock.getDelta()); }), map((fc) => { return { fps: 60, id: fc[0], state: fc[1] }; }), share()); this._lastState$ = this._currentState$.pipe(publishReplay(1), refCount()); let imageChanged$ = this._currentState$.pipe(distinctUntilChanged(undefined, (f) => { return f.state.currentImage.id; }), publishReplay(1), refCount()); let imageChangedSubject$ = new Subject(); subs.push(imageChanged$ .subscribe(imageChangedSubject$)); this._reference$ = imageChangedSubject$.pipe(map((f) => { const { reference } = f.state; return { lng: reference.lng, lat: reference.lat, alt: reference.alt, }; }), distinctUntilChanged((r1, r2) => { return r1.lat === r2.lat && r1.lng === r2.lng; }), publishReplay(1), refCount()); this._currentId$ = new BehaviorSubject(null); subs.push(imageChangedSubject$.pipe(map((f) => { return f.state.currentImage.id; })) .subscribe(this._currentId$)); this._currentImage$ = imageChangedSubject$.pipe(map((f) => { return f.state.currentImage; }), publishReplay(1), refCount()); this._currentCamera$ = imageChangedSubject$.pipe(map((f) => { return f.state.currentCamera; }), publishReplay(1), refCount()); this._currentTransform$ = imageChangedSubject$.pipe(map((f) => { return f.state.currentTransform; }), publishReplay(1), refCount()); this._currentImageExternal$ = imageChanged$.pipe(map((f) => { return f.state.currentImage; }), publishReplay(1), refCount()); subs.push(this._appendImage$.pipe(map((image) => { return (context) => { context.append([image]); return context; }; })) .subscribe(this._contextOperation$)); this._inMotionOperation$ = new Subject(); subs.push(imageChanged$.pipe(map(() => { return true; })) .subscribe(this._inMotionOperation$)); subs.push(this._inMotionOperation$.pipe(distinctUntilChanged(), filter((moving) => { return moving; }), switchMap(() => { return this._currentState$.pipe(filter((frame) => { return frame.state.imagesAhead === 0; }), map((frame) => { return [frame.state.camera.clone(), frame.state.zoom]; }), pairwise(), map((pair) => { let c1 = pair[0][0]; let c2 = pair[1][0]; let z1 = pair[0][1]; let z2 = pair[1][1]; return c1.diff(c2) > 1e-5 || Math.abs(z1 - z2) > 1e-5; }), first((changed) => { return !changed; })); })) .subscribe(this._inMotionOperation$)); this._inMotion$ = this._inMotionOperation$.pipe(distinctUntilChanged(), publishReplay(1), refCount()); this._inTranslationOperation$ = new Subject(); subs.push(imageChanged$.pipe(map(() => { return true; })) .subscribe(this._inTranslationOperation$)); subs.push(this._inTranslationOperation$.pipe(distinctUntilChanged(), filter((inTranslation) => { return inTranslation; }), switchMap(() => { return this._currentState$.pipe(filter((frame) => { return frame.state.imagesAhead === 0; }), map((frame) => { return frame.state.camera.position.clone(); }), pairwise(), map((pair) => { return pair[0].distanceToSquared(pair[1]) !== 0; }), first((changed) => { return !changed; })); })) .subscribe(this._inTranslationOperation$)); this._inTranslation$ = this._inTranslationOperation$.pipe(distinctUntilChanged(), publishReplay(1), refCount()); subs.push(this._reference$.subscribe(() => { })); subs.push(this._state$.subscribe(() => { })); subs.push(this._currentImage$.subscribe(() => { })); subs.push(this._currentCamera$.subscribe(() => { })); subs.push(this._currentTransform$.subscribe(() => { })); subs.push(this._currentImageExternal$.subscribe(() => { })); subs.push(this._lastState$.subscribe(() => { })); subs.push(this._inMotion$.subscribe(() => { })); subs.push(this._inTranslation$.subscribe(() => { })); this._frameId = null; this._frameGenerator = new FrameGenerator(window); } get currentState$() { return this._currentState$; } get currentImage$() { return this._currentImage$; } get currentId$() { return this._currentId$; } get currentImageExternal$() { return this._currentImageExternal$; } get currentCamera$() { return this._currentCamera$; } get currentTransform$() { return this._currentTransform$; } get state$() { return this._state$; } get reference$() { return this._reference$; } get inMotion$() { return this._inMotion$; } get inTranslation$() { return this._inTranslation$; } get appendImage$() { return this._appendImage$; } dispose() { this.stop(); this._subscriptions.unsubscribe(); } custom() { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.custom(); }); } earth() { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.earth(); }); } gravityTraverse() { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.gravityTraverse(); }); } traverse() { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.traverse(); }); } wait() { this._invokeContextOperation((context) => { context.wait(); }); } waitInteractively() { this._invokeContextOperation((context) => { context.waitInteractively(); }); } appendImagess(images) { this._invokeContextOperation((context) => { context.append(images); }); } prependImages(images) { this._invokeContextOperation((context) => { context.prepend(images); }); } removeImages(n) { this._invokeContextOperation((context) => { context.remove(n); }); } clearImages() { this._invokeContextOperation((context) => { context.clear(); }); } clearPriorImages() { this._invokeContextOperation((context) => { context.clearPrior(); }); } cutImages() { this._invokeContextOperation((context) => { context.cut(); }); } setImages(images) { this._invokeContextOperation((context) => { context.set(images); }); } setViewMatrix(matrix) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.setViewMatrix(matrix); }); } rotate(delta) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotate(delta); }); } rotateUnbounded(delta) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotateUnbounded(delta); }); } rotateWithoutInertia(delta) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotateWithoutInertia(delta); }); } rotateBasic(basicRotation) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotateBasic(basicRotation); }); } rotateBasicUnbounded(basicRotation) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotateBasicUnbounded(basicRotation); }); } rotateBasicWithoutInertia(basicRotation) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotateBasicWithoutInertia(basicRotation); }); } rotateToBasic(basic) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.rotateToBasic(basic); }); } move(delta) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.move(delta); }); } moveTo(position) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.moveTo(position); }); } dolly(delta) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.dolly(delta); }); } orbit(rotation) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.orbit(rotation); }); } truck(direction) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.truck(direction); }); } /** * Change zoom level while keeping the reference point position approximately static. * * @parameter {number} delta - Change in zoom level. * @parameter {Array} reference - Reference point in basic coordinates. */ zoomIn(delta, reference) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.zoomIn(delta, reference); }); } getCenter() { return this._lastState$.pipe(first(), map((frame) => { return frame.state.getCenter(); })); } getZoom() { return this._lastState$.pipe(first(), map((frame) => { return frame.state.zoom; })); } setCenter(center) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.setCenter(center); }); } setSpeed(speed) { this._invokeContextOperation((context) => { context.setSpeed(speed); }); } setTransitionMode(mode) { this._invokeContextOperation((context) => { context.setTransitionMode(mode); }); } setZoom(zoom) { this._inMotionOperation$.next(true); this._invokeContextOperation((context) => { context.setZoom(zoom); }); } start() { this._clock.start(); if (this._frameId == null) { this._start$.next(null); this._frameId = this._frameGenerator.requestAnimationFrame(this._frame.bind(this)); this._frame$.next(this._frameId); } } stop() { this._clock.stop(); if (this._frameId != null) { this._frameGenerator.cancelAnimationFrame(this._frameId); this._frameId = null; } } _invokeContextOperation(action) { this._contextOperation$ .next((context) => { action(context); return context; }); } _frame() { this._frameId = this._frameGenerator.requestAnimationFrame(this._frame.bind(this)); this._frame$.next(this._frameId); } } function cameraControlsToState(cameraControls) { switch (cameraControls) { case exports.CameraControls.Custom: return State.Custom; case exports.CameraControls.Earth: return State.Earth; case exports.CameraControls.Gravity: return State.GravityTraversing; case exports.CameraControls.Street: return State.Traversing; default: return null; } } class Navigator { constructor(options, api, graphService, loadingService, stateService, cacheService, playService, panService) { var _a; if (api) { this._api = api; } else if (options.dataProvider) { this._api = new APIWrapper(options.dataProvider); } else { this._api = new APIWrapper(new GraphDataProvider({ accessToken: options.accessToken, })); } this._projectionService = new ProjectionService(); this._graphService = graphService !== null && graphService !== void 0 ? graphService : new GraphService(new Graph(this.api, options), this._projectionService); this._loadingName = "navigator"; this._loadingService = loadingService !== null && loadingService !== void 0 ? loadingService : new LoadingService(); const cameraControls = (_a = options.cameraControls) !== null && _a !== void 0 ? _a : exports.CameraControls.Street; this._stateService = stateService !== null && stateService !== void 0 ? stateService : new StateService(cameraControlsToState(cameraControls), options.transitionMode); this._cacheService = cacheService !== null && cacheService !== void 0 ? cacheService : new CacheService(this._graphService, this._stateService, this._api); this._playService = playService !== null && playService !== void 0 ? playService : new PlayService(this._graphService, this._stateService); this._panService = panService !== null && panService !== void 0 ? panService : new PanService(this._graphService, this._stateService, this._projectionService, options.combinedPanning); this._idRequested$ = new BehaviorSubject(null); this._movedToId$ = new BehaviorSubject(null); this._request$ = null; this._requestSubscription = null; this._imageRequestSubscription = null; } get api() { return this._api; } get cacheService() { return this._cacheService; } get graphService() { return this._graphService; } get loadingService() { return this._loadingService; } get movedToId$() { return this._movedToId$; } get panService() { return this._panService; } get playService() { return this._playService; } get projectionService() { return this._projectionService; } get stateService() { return this._stateService; } dispose() { this._abortRequest("viewer removed"); this._cacheService.stop(); this._graphService.dispose(); this._panService.dispose(); this._playService.dispose(); this._stateService.dispose(); } moveDir$(direction) { this._abortRequest(`in dir ${exports.NavigationDirection[direction]}`); this._loadingService.startLoading(this._loadingName); const image$ = this.stateService.currentImage$.pipe(first(), mergeMap((image) => { return ([exports.NavigationDirection.Next, exports.NavigationDirection.Prev].indexOf(direction) > -1 ? image.sequenceEdges$ : image.spatialEdges$).pipe(first(), map((status) => { for (let edge of status.edges) { if (edge.data.direction === direction) { return edge.target; } } return null; })); }), mergeMap((directionId) => { if (directionId == null) { this._loadingService.stopLoading(this._loadingName); return throwError(new Error(`Direction (${direction}) does not exist for current image.`)); } return this._moveTo$(directionId); })); return this._makeRequest$(image$); } moveTo$(id) { this._abortRequest(`to id ${id}`); this._loadingService.startLoading(this._loadingName); const image$ = this._moveTo$(id); return this._makeRequest$(image$); } reset$() { this._abortRequest("to reset"); return this._reset$() .pipe(map(() => undefined)); } setFilter$(filter) { this._stateService.clearImages(); return this._movedToId$.pipe(first(), mergeMap((id) => { if (id != null) { return this._trajectoryIds$().pipe(mergeMap((ids) => { return this._graphService.setFilter$(filter).pipe(mergeMap(() => { return this._cacheIds$(ids); })); }), takeLast(1)); } return this._idRequested$.pipe(first(), mergeMap((requestedId) => { if (requestedId != null) { return this._graphService.setFilter$(filter).pipe(mergeMap(() => { return this._graphService.cacheImage$(requestedId); })); } return this._graphService.setFilter$(filter).pipe(map(() => { return undefined; })); })); }), map(() => { return undefined; })); } setAccessToken$(accessToken) { this._abortRequest("to set user token"); return this._reset$(() => this._api.setAccessToken(accessToken)); } _cacheIds$(ids) { const cacheImages$ = ids .map((id) => { return this._graphService.hasImage$(id).pipe(filter((exists) => { return exists; }), mergeMap(() => { return this._graphService.cacheImage$(id); })); }); return from(cacheImages$).pipe(mergeAll()); } _abortRequest(reason) { if (this._requestSubscription != null) { this._requestSubscription.unsubscribe(); this._requestSubscription = null; } if (this._imageRequestSubscription != null) { this._imageRequestSubscription.unsubscribe(); this._imageRequestSubscription = null; } this._idRequested$.next(null); if (this._request$ != null) { if (!(this._request$.isStopped || this._request$.hasError)) { this._request$.error(new CancelMapillaryError(`Request aborted by a subsequent request ${reason}.`)); } this._request$ = null; } } _makeRequest$(image$) { const request$ = new ReplaySubject(1); this._requestSubscription = request$ .subscribe(undefined, () => { }); this._request$ = request$; this._imageRequestSubscription = image$ .subscribe((image) => { this._request$ = null; request$.next(image); request$.complete(); }, (error) => { this._request$ = null; request$.error(error); }); return request$; } _moveTo$(id) { this._idRequested$.next(id); return this._graphService.cacheImage$(id).pipe(tap((image) => { this._stateService.setImages([image]); this._movedToId$.next(image.id); }), finalize(() => { this._loadingService.stopLoading(this._loadingName); })); } _reset$(preCallback) { this._movedToId$.next(null); return makeNullImage$().pipe(tap((image) => { this._stateService.setImages([image]); this._stateService.setImages([image]); this._stateService.clearImages(); }), first(), tap(() => { if (preCallback) { preCallback(); } }), mergeMap(() => { return this._graphService.reset$(); })); } _trajectoryIds$() { return this._stateService.currentState$.pipe(first(), map((frame) => { return frame.state.trajectory .map((image) => { return image.id; }) .filter((id) => { return !isNullImageId(id); }); })); } } class Projection { constructor(viewportCoords, spatial) { this._spatial = spatial !== null && spatial !== void 0 ? spatial : new Spatial(); this._viewportCoords = viewportCoords !== null && viewportCoords !== void 0 ? viewportCoords : new ViewportCoords(); } basicToCanvas(basicPoint, container, render, transform) { return this._viewportCoords .basicToCanvasSafe(basicPoint[0], basicPoint[1], container, transform, render.perspective); } canvasToBasic(canvasPoint, container, render, transform) { let basicPoint = this._viewportCoords .canvasToBasic(canvasPoint[0], canvasPoint[1], container, transform, render.perspective); if (basicPoint[0] < 0 || basicPoint[0] > 1 || basicPoint[1] < 0 || basicPoint[1] > 1) { basicPoint = null; } return basicPoint; } eventToUnprojection(event, container, render, reference, transform) { const pixelPoint = this._viewportCoords .canvasPosition(event, container); return this.canvasToUnprojection(pixelPoint, container, render, reference, transform); } canvasToUnprojection(canvasPoint, container, render, reference, transform) { const canvasX = canvasPoint[0]; const canvasY = canvasPoint[1]; const [viewportX, viewportY] = this._viewportCoords .canvasToViewport(canvasX, canvasY, container); const point3d = new Vector3(viewportX, viewportY, 1) .unproject(render.perspective); let basicPoint = transform .projectBasic(point3d.toArray()); if (basicPoint[0] < 0 || basicPoint[0] > 1 || basicPoint[1] < 0 || basicPoint[1] > 1) { basicPoint = null; } const direction3d = point3d .clone() .sub(render.camera.position) .normalize(); const dist = -2 / direction3d.z; let lngLat = null; if (dist > 0 && dist < 100 && !!basicPoint) { const point = direction3d .clone() .multiplyScalar(dist) .add(render.camera.position); const [lng, lat] = enuToGeodetic(point.x, point.y, point.z, reference.lng, reference.lat, reference.alt); lngLat = { lat, lng }; } const unprojection = { basicPoint: basicPoint, lngLat: lngLat, pixelPoint: [canvasX, canvasY], }; return unprojection; } cameraToLngLat(render, reference) { const position = render.camera.position; const [lng, lat] = enuToGeodetic(position.x, position.y, position.z, reference.lng, reference.lat, reference.alt); return { lat, lng }; } lngLatToCanvas(lngLat, container, render, reference) { const point3d = geodeticToEnu(lngLat.lng, lngLat.lat, 0, reference.lng, reference.lat, reference.alt); const canvas = this._viewportCoords .projectToCanvasSafe(point3d, container, render.perspective); return canvas; } distanceBetweenLngLats(lngLat1, lngLat2) { return this._spatial .distanceFromLngLat(lngLat1.lng, lngLat1.lat, lngLat2.lng, lngLat2.lat); } } class Observer { constructor(viewer, navigator, container) { this._subscriptions = new SubscriptionHolder(); this._emitSubscriptions = new SubscriptionHolder(); this._container = container; this._viewer = viewer; this._navigator = navigator; this._projection = new Projection(); this._started = false; this._navigable$ = new Subject(); const subs = this._subscriptions; // load, navigable, dataloading should always emit, // also when cover is activated. subs.push(this._navigable$ .subscribe((navigable) => { const type = "navigable"; const event = { navigable, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._navigator.loadingService.loading$ .subscribe((loading) => { const type = "dataloading"; const event = { loading, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._container.glRenderer.opaqueRender$ .pipe(first()) .subscribe(() => { const type = "load"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); } get started() { return this._started; } get navigable$() { return this._navigable$; } get projection() { return this._projection; } dispose() { this.stopEmit(); this._subscriptions.unsubscribe(); } project$(lngLat) { return combineLatest(this._container.renderService.renderCamera$, this._navigator.stateService.currentImage$, this._navigator.stateService.reference$).pipe(first(), map(([render, image, reference]) => { if (this._projection .distanceBetweenLngLats(lngLat, image.lngLat) > 1000) { return null; } const canvasPoint = this._projection.lngLatToCanvas(lngLat, this._container.container, render, reference); return !!canvasPoint ? [Math.round(canvasPoint[0]), Math.round(canvasPoint[1])] : null; })); } projectBasic$(basicPoint) { return combineLatest(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$).pipe(first(), map(([render, transform]) => { const canvasPoint = this._projection.basicToCanvas(basicPoint, this._container.container, render, transform); return !!canvasPoint ? [Math.round(canvasPoint[0]), Math.round(canvasPoint[1])] : null; })); } startEmit() { if (this._started) { return; } this._started = true; const subs = this._emitSubscriptions; subs.push(this._navigator.stateService.currentImageExternal$ .subscribe((image) => { const type = "image"; const event = { image: isNullImageId(image.id) ? null : image, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._navigator.stateService.currentImageExternal$.pipe(switchMap((image) => { return image.sequenceEdges$; })) .subscribe((status) => { const type = "sequenceedges"; const event = { status, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._navigator.stateService.currentImageExternal$.pipe(switchMap((image) => { return image.spatialEdges$; })) .subscribe((status) => { const type = "spatialedges"; const event = { status, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._navigator.stateService.reference$ .subscribe((reference) => { const type = "reference"; const event = { reference, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._navigator.graphService.dataReset$ .subscribe(() => { const type = "reset"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(combineLatest(this._navigator.stateService.inMotion$, this._container.mouseService.active$, this._container.touchService.active$).pipe(map((values) => { return values[0] || values[1] || values[2]; }), distinctUntilChanged()) .subscribe((started) => { const type = started ? "movestart" : "moveend"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._container.renderService.bearing$.pipe(auditTime(100), distinctUntilChanged((b1, b2) => { return Math.abs(b2 - b1) < 1; })) .subscribe((bearing) => { const type = "bearing"; const event = { bearing, target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._container.mouseService.mouseDragEnd$.subscribe((originalEvent) => { const type = "dragend"; const event = { originalEvent, target: this._viewer, type, }; this._viewer.fire(type, event); })); const mouseMove$ = this._container.mouseService.active$.pipe(switchMap((active) => { return active ? empty() : this._container.mouseService.mouseMove$; })); subs.push(merge(this._mapMouseEvent$("click", this._container.mouseService.staticClick$), this._mapMouseEvent$("contextmenu", this._container.mouseService.contextMenu$), this._mapMouseEvent$("dblclick", this._container.mouseService.dblClick$), this._mapMouseEvent$("drag", this._container.mouseService.mouseDrag$), this._mapMouseEvent$("dragstart", this._container.mouseService.mouseDragStart$), this._mapMouseEvent$("mousedown", this._container.mouseService.mouseDown$), this._mapMouseEvent$("mousemove", mouseMove$), this._mapMouseEvent$("mouseout", this._container.mouseService.mouseOut$), this._mapMouseEvent$("mouseover", this._container.mouseService.mouseOver$), this._mapMouseEvent$("mouseup", this._container.mouseService.mouseUp$)) .pipe(withLatestFrom(this._container.renderService.renderCamera$, this._navigator.stateService.reference$, this._navigator.stateService.currentTransform$, this._navigator.stateService.state$), map(([[type, event], render, reference, transform, state]) => { const unprojection = this._projection.eventToUnprojection(event, this._container.container, render, reference, transform); const basicPoint = state === State.Traversing || state === State.GravityTraversing ? unprojection.basicPoint : null; return { basicPoint, lngLat: unprojection.lngLat, originalEvent: event, pixelPoint: unprojection.pixelPoint, target: this._viewer, type: type, }; })) .subscribe((event) => { this._viewer.fire(event.type, event); })); subs.push(this._container.renderService.renderCamera$.pipe(distinctUntilChanged(([x1, y1], [x2, y2]) => { return this._closeTo(x1, x2, 1e-2) && this._closeTo(y1, y2, 1e-2); }, (rc) => { return rc.camera.position.toArray(); })) .subscribe(() => { const type = "position"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._navigator.stateService.reference$ .subscribe(() => { const type = "position"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._container.renderService.renderCamera$.pipe(distinctUntilChanged(([phi1, theta1], [phi2, theta2]) => { return this._closeTo(phi1, phi2, 1e-3) && this._closeTo(theta1, theta2, 1e-3); }, (rc) => { return [rc.rotation.phi, rc.rotation.theta]; })) .subscribe(() => { const type = "pov"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); subs.push(this._container.renderService.renderCamera$.pipe(distinctUntilChanged((fov1, fov2) => { return this._closeTo(fov1, fov2, 1e-2); }, (rc) => { return rc.perspective.fov; })) .subscribe(() => { const type = "fov"; const event = { target: this._viewer, type, }; this._viewer.fire(type, event); })); } stopEmit() { if (!this.started) { return; } this._emitSubscriptions.unsubscribe(); this._started = false; } unproject$(canvasPoint) { return combineLatest(this._container.renderService.renderCamera$, this._navigator.stateService.reference$, this._navigator.stateService.currentTransform$).pipe(first(), map(([render, reference, transform]) => { const unprojection = this._projection.canvasToUnprojection(canvasPoint, this._container.container, render, reference, transform); return unprojection.lngLat; })); } unprojectBasic$(canvasPoint) { return combineLatest(this._container.renderService.renderCamera$, this._navigator.stateService.currentTransform$).pipe(first(), map(([render, transform]) => { return this._projection.canvasToBasic(canvasPoint, this._container.container, render, transform); })); } _closeTo(v1, v2, absoluteTolerance) { return Math.abs(v1 - v2) <= absoluteTolerance; } _mapMouseEvent$(type, mouseEvent$) { return mouseEvent$.pipe(map((event) => { return [type, event]; })); } } class CustomRenderer { constructor(_container, _navigator) { this._container = _container; this._navigator = _navigator; this._renderers = {}; } add(renderer, viewer) { const subs = new SubscriptionHolder(); this._renderers[renderer.id] = { subs, renderer }; subs.push(combineLatest([ this._container.glRenderer.webGLRenderer$, this._navigator.stateService.reference$, ]) .pipe(take(1)) .subscribe(([gl, reference]) => { renderer.onAdd(viewer, reference, gl.getContext()); })); const render$ = renderer.renderPass === exports.RenderPass.Opaque ? this._container.glRenderer.opaqueRender$ : this._container.glRenderer.transparentRender$; subs.push(render$ .pipe(withLatestFrom(this._container.renderService.renderCamera$, this._container.glRenderer.webGLRenderer$)) .subscribe(([, renderCamera, glRenderer]) => { const context = glRenderer.getContext(); const viewMatrix = renderCamera.perspective.matrixWorldInverse; const projectionMatrix = renderCamera.perspective.projectionMatrix; renderer.render(context, viewMatrix.toArray(), projectionMatrix.toArray()); })); subs.push(this._navigator.stateService.reference$ .pipe(skip(1)) .subscribe((reference) => { renderer.onReference(viewer, reference); })); } dispose(viewer) { for (const id of Object.keys(this._renderers)) { this.remove(id, viewer); } } has(id) { return id in this._renderers; } remove(id, viewer) { this._renderers[id].subs.unsubscribe(); const renderer = this._renderers[id].renderer; delete this._renderers[id]; this._container.glRenderer.webGLRenderer$ .subscribe((gl) => { renderer.onRemove(viewer, gl.getContext()); }); } } class CustomCameraControls { constructor(_container, _navigator) { this._container = _container; this._navigator = _navigator; this._controls = null; this._subscriptions = new SubscriptionHolder(); } attach(controls, viewer) { if (this._controls) { throw new MapillaryError("Custom camera controls already attached"); } this._controls = controls; const attach$ = new Subject(); const active$ = attach$ .pipe(switchMap(() => { return this._navigator.stateService.state$; }), map((state) => { return state === State.Custom; }), distinctUntilChanged()); const subs = this._subscriptions; subs.push(active$ .pipe(startWith(false), pairwise(), withLatestFrom(this._navigator.stateService.reference$, this._container.renderService.renderCamera$)) .subscribe(([[deactivate, activate], ref, cam]) => { if (activate) { controls.onActivate(viewer, cam.perspective.matrixWorldInverse.toArray(), cam.perspective.projectionMatrix.toArray(), ref); } else if (deactivate) { controls.onDeactivate(viewer); } })); subs.push(active$ .pipe(switchMap(active => { return active ? this._navigator.stateService.currentState$ .pipe(skip(1)) : empty(); })) .subscribe(frame => { controls.onAnimationFrame(viewer, frame.id); })); subs.push(active$ .pipe(switchMap(active => { return active ? this._navigator.stateService.reference$ .pipe(skip(1)) : empty(); })) .subscribe(ref => controls.onReference(viewer, ref))); subs.push(active$ .pipe(switchMap(active => { return active ? this._container.renderService.size$ .pipe(skip(1)) : empty(); })) .subscribe(() => controls.onResize(viewer))); subs.push(combineLatest([ // Include to ensure GL renderer has been initialized this._container.glRenderer.webGLRenderer$, this._container.renderService.renderCamera$, this._navigator.stateService.reference$, this._navigator.stateService.state$, ]) .pipe(first()) .subscribe(() => { const projectionMatrixCallback = (projectionMatrix) => { if (!this._controls || controls !== this._controls) { return; } this._updateProjectionMatrix(projectionMatrix); }; const viewMatrixCallback = (viewMatrix) => { if (!this._controls || controls !== this._controls) { return; } this._updateViewMatrix(viewMatrix); }; controls.onAttach(viewer, viewMatrixCallback, projectionMatrixCallback); attach$.next(); attach$.complete(); })); } detach(viewer) { const controls = this._controls; this._controls = null; this._subscriptions.unsubscribe(); return new Promise(resolve => { this._navigator.stateService.state$ .pipe(take(1)) .subscribe(state => { if (!controls) { resolve(null); return; } if (state === State.Custom) { controls.onDeactivate(viewer); } controls.onDetach(viewer); resolve(controls); }); }); } dispose(viewer) { this.detach(viewer); } has(controls) { return !!this._controls && controls === this._controls; } _updateProjectionMatrix(projectionMatrix) { this._navigator.stateService.state$ .pipe(first()) .subscribe(state => { if (state !== State.Custom) { const message = "Incorrect camera control mode for " + "projection matrix update"; console.warn(message); return; } this._container.renderService.projectionMatrix$ .next(projectionMatrix); }); } _updateViewMatrix(viewMatrix) { this._navigator.stateService.state$ .pipe(first()) .subscribe(state => { if (state !== State.Custom) { const message = "Incorrect camera control mode for " + "view matrix update"; console.warn(message); return; } this._navigator.stateService.setViewMatrix(viewMatrix); }); } } /** * @class Viewer * * @classdesc The Viewer object represents the navigable image viewer. * Create a Viewer by specifying a container, client ID, image ID and * other options. The viewer exposes methods and events for programmatic * interaction. * * In the case of asynchronous methods, MapillaryJS returns promises to * the results. Notifications are always emitted through JavaScript events. */ class Viewer extends EventEmitter { /** * Create a new viewer instance. * * @description The `Viewer` object represents the street imagery * viewer on your web page. It exposes methods and properties that * you can use to programatically change the view, and fires * events as users interact with it. * * It is possible to initialize the viewer with or * without a ID. * * When you want to show a specific image in the viewer from * the start you should initialize it with a ID. * * When you do not know the first image ID at implementation * time, e.g. in a map-viewer application you should initialize * the viewer without a ID and call `moveTo` instead. * * When initializing with an ID the viewer is bound to that ID * until the image for that ID has been successfully loaded. * Also, a cover with the image of the ID will be shown. * If the data for that ID can not be loaded because the ID is * faulty or other errors occur it is not possible to navigate * to another ID because the viewer is not navigable. The viewer * becomes navigable when the data for the ID has been loaded and * the image is shown in the viewer. This way of initializing * the viewer is mostly for embedding in blog posts and similar * where one wants to show a specific image initially. * * If the viewer is initialized without a ID (with null or * undefined) it is not bound to any particular ID and it is * possible to move to any ID with `viewer.moveTo("")`. * If the first move to a ID fails it is possible to move to another * ID. The viewer will show a black background until a move * succeeds. This way of intitializing is suited for a map-viewer * application when the initial ID is not known at implementation * time. * * @param {ViewerOptions} options - Optional configuration object * specifying Viewer"s and the components" initial setup. * * @example * ```js * var viewer = new Viewer({ * accessToken: "", * container: "", * }); * ``` */ constructor(options) { super(); this._navigator = new Navigator(options); this._container = new Container(options, this._navigator.stateService); this._observer = new Observer(this, this._navigator, this._container); this._componentController = new ComponentController(this._container, this._navigator, this._observer, options.imageId, options.component); this._customRenderer = new CustomRenderer(this._container, this._navigator); this._customCameraControls = new CustomCameraControls(this._container, this._navigator); } /** * Returns the data provider used by the viewer to fetch * all contracts, ents, and buffers. * * @description The viewer"s data provider can be set * upon initialization through the {@link ViewerOptions.dataProvider} * property. * * @returns {IDataProvider} The viewer"s data provider. */ get dataProvider() { return this._navigator.api.data; } /** * Return a boolean indicating if the viewer is in a navigable state. * * @description The navigable state indicates if the viewer supports * moving, i.e. calling the {@link moveTo} and {@link moveDir} * methods or changing the authentication state, * i.e. calling {@link setAccessToken}. The viewer will not be in a navigable * state if the cover is activated and the viewer has been supplied a ID. * When the cover is deactivated or the viewer is activated without being * supplied a ID it will be navigable. * * @returns {boolean} Boolean indicating whether the viewer is navigable. */ get isNavigable() { return this._componentController.navigable; } /** * Activate the combined panning functionality. * * @description The combined panning functionality is active by default. */ activateCombinedPanning() { this._navigator.panService.enable(); } /** * Activate a component. * * @param {ComponentName | FallbackComponentName} name - Name of * the component which will become active. * * @example * ```js * viewer.activateComponent("marker"); * ``` */ activateComponent(name) { this._componentController.activate(name); } /** * Activate the cover (deactivates all other components). */ activateCover() { this._componentController.activateCover(); } /** * Add a custom renderer to the viewer"s rendering pipeline. * * @description During a render pass, custom renderers * are called in the order they were added. * * @param renderer - The custom renderer implementation. */ addCustomRenderer(renderer) { this._customRenderer.add(renderer, this); } /** * Attach custom camera controls to control the viewer"s * camera pose and projection. * * @description Custom camera controls allow the API user * to move the viewer"s camera freely and define the camera * projection. These camera properties are used * to render the viewer 3D scene directly into the * viewer"s GL context. * * Only a single custom camera control instance can be * attached to the viewer. A new custom camera control * instance can be attached after detaching a previous * one. * * Set the viewer"s camera controls to * {@link CameraControls.Custom} to activate attached * camera controls. If {@link CameraControls.Custom} * has already been set when a custom camera control * instance is attached, it will be activated immediately. * * Set the viewer"s camera controls to any other * {@link CameraControls} mode to deactivate the * custom camera controls. * * @param controls - The custom camera controls implementation. * * @throws {MapillaryError} When camera controls attached * are already attached to the viewer. */ attachCustomCameraControls(controls) { this._customCameraControls.attach(controls, this); } /** * Deactivate the combined panning functionality. * * @description Deactivating the combined panning functionality * could be needed in scenarios involving sequence only navigation. */ deactivateCombinedPanning() { this._navigator.panService.disable(); } /** * Deactivate a component. * * @param {ComponentName | FallbackComponentName} name - Name * of component which become inactive. * * @example * ```js * viewer.deactivateComponent("pointer"); * ``` */ deactivateComponent(name) { this._componentController.deactivate(name); } /** * Deactivate the cover (activates all components marked as active). */ deactivateCover() { this._componentController.deactivateCover(); } /** * Detach a previously attached custom camera control * instance from the viewer. * * @description If no custom camera control instance * has previously been attached, calling this method * has no effect. * * Already attached custom camera controls need to * be detached before attaching another custom camera * control instance. */ detachCustomCameraControls() { return this._customCameraControls.detach(this); } fire(type, event) { super.fire(type, event); } /** * Get the bearing of the current viewer camera. * * @description The bearing depends on how the camera * is currently rotated and does not correspond * to the compass angle of the current image if the view * has been panned. * * Bearing is measured in degrees clockwise with respect to * north. * * @returns {Promise} Promise to the bearing * of the current viewer camera. * * @example * ```js * viewer.getBearing().then(b => { console.log(b); }); * ``` */ getBearing() { return new Promise((resolve, reject) => { this._container.renderService.bearing$.pipe(first()) .subscribe((bearing) => { resolve(bearing); }, (error) => { reject(error); }); }); } /** * Get the viewer"s camera control mode. * * @description The camera control mode determines * how the camera is controlled when the viewer * receives pointer and keyboard input. * * @returns {CameraControls} controls - Camera control mode. * * @example * ```js * viewer.getCameraControls().then(c => { console.log(c); }); * ``` */ getCameraControls() { return new Promise((resolve, reject) => { this._navigator.stateService.state$.pipe(first()) .subscribe((state) => { switch (state) { case State.Custom: resolve(exports.CameraControls.Custom); break; case State.Earth: resolve(exports.CameraControls.Earth); break; case State.GravityTraversing: resolve(exports.CameraControls.Gravity); break; default: resolve(exports.CameraControls.Street); break; } }, (error) => { reject(error); }); }); } /** * Returns the viewer"s canvas element. * * @description This is the element onto which the viewer renders * the WebGL content. * * @returns {HTMLCanvasElement} The viewer"s canvas element, or * null or not initialized. */ getCanvas() { return this._container.canvas; } /** * Returns the HTML element containing the viewer"s canvas element. * * @description This is the element to which event bindings for viewer * interactivity (such as panning and zooming) are attached. * * @returns {HTMLDivElement} The container for the viewer"s * canvas element. */ getCanvasContainer() { return this._container.canvasContainer; } /** * Get the basic coordinates of the current image that is * at the center of the viewport. * * @description Basic coordinates are 2D coordinates on the [0, 1] interval * and have the origin point, (0, 0), at the top left corner and the * maximum value, (1, 1), at the bottom right corner of the original * image. * * @returns {Promise} Promise to the basic coordinates * of the current image at the center for the viewport. * * @example * ```js * viewer.getCenter().then(c => { console.log(c); }); * ``` */ getCenter() { return new Promise((resolve, reject) => { this._navigator.stateService.getCenter() .subscribe((center) => { resolve(center); }, (error) => { reject(error); }); }); } /** * Get a component. * * @param {string} name - Name of component. * @returns {Component} The requested component. * * @example * ```js * var pointerComponent = viewer.getComponent("pointer"); * ``` */ getComponent(name) { return this._componentController.get(name); } /** * Returns the viewer"s containing HTML element. * * @returns {HTMLElement} The viewer"s container. */ getContainer() { return this._container.container; } /** * Get the viewer"s current vertical field of view. * * @description The vertical field of view rendered on the viewer canvas * measured in degrees. * * @returns {Promise} Promise to the current field of view * of the viewer camera. * * @example * ```js * viewer.getFieldOfView().then(fov => { console.log(fov); }); * ``` */ getFieldOfView() { return new Promise((resolve, reject) => { this._container.renderService.renderCamera$.pipe(first()) .subscribe((rc) => { resolve(rc.perspective.fov); }, (error) => { reject(error); }); }); } /** * Get the viewer"s current image. * * @returns {Promise} Promise to the current image. * * @example * ```js * viewer.getImage().then(image => { console.log(image.id); }); * ``` */ getImage() { return new Promise((resolve, reject) => { this._navigator.stateService.currentImage$.pipe(first()) .subscribe((image) => { resolve(image); }, (error) => { reject(error); }); }); } /** * Get the viewer"s current point of view. * * @returns {Promise} Promise to the current point of view * of the viewer camera. * * @example * ```js * viewer.getPointOfView().then(pov => { console.log(pov); }); * ``` */ getPointOfView() { return new Promise((resolve, reject) => { combineLatest(this._container.renderService.renderCamera$, this._container.renderService.bearing$).pipe(first()) .subscribe(([rc, bearing]) => { resolve({ bearing: bearing, tilt: rc.getTilt(), }); }, (error) => { reject(error); }); }); } /** * Get the viewer"s current position * * @returns {Promise} Promise to the viewers"s current * position. * * @example * ```js * viewer.getPosition().then(pos => { console.log(pos); }); * ``` */ getPosition() { return new Promise((resolve, reject) => { combineLatest(this._container.renderService.renderCamera$, this._navigator.stateService.reference$).pipe(first()) .subscribe(([render, reference]) => { resolve(this._observer.projection.cameraToLngLat(render, reference)); }, (error) => { reject(error); }); }); } /** * Get the viewer"s current reference position. * * @description The reference position specifies the origin in * the viewer"s topocentric coordinate system. * * @returns {Promise} Promise to the reference position. * * @example * ```js * viewer.getReference().then(reference => { console.log(reference); }); * ``` */ getReference() { return new Promise((resolve, reject) => { this._navigator.stateService.reference$.pipe(first()) .subscribe((reference) => { resolve(reference); }, (error) => { reject(error); }); }); } /** * Get the image"s current zoom level. * * @returns {Promise} Promise to the viewers"s current * zoom level. * * @example * ```js * viewer.getZoom().then(z => { console.log(z); }); * ``` */ getZoom() { return new Promise((resolve, reject) => { this._navigator.stateService.getZoom() .subscribe((zoom) => { resolve(zoom); }, (error) => { reject(error); }); }); } /** * Check if a controls instance is the camera controls that are * currently attached to the viewer. * * @param {ICustomCameraControls} controls - Camera controls instance. * @returns {boolean} Value indicating whether the controls instance * is currently attached. */ hasCustomCameraControls(controls) { return this._customCameraControls.has(controls); } /** * Check if a custom renderer has been added to the viewer"s * rendering pipeline. * * @param {string} id - Unique ID of the custom renderer. * @returns {boolean} Value indicating whether the customer * renderer has been added. */ hasCustomRenderer(rendererId) { return this._customRenderer.has(rendererId); } /** * Navigate in a given direction. * * @param {NavigationDirection} direction - Direction in which which to move. * @returns {Promise} Promise to the image that was navigated to. * @throws If the current image does not have the edge direction * or the edges has not yet been cached. * @throws Propagates any IO errors to the caller. * @throws When viewer is not navigable. * @throws {@link CancelMapillaryError} When a subsequent move request * is made before the move dir call has completed. * * @example * ```js * viewer.moveDir(NavigationDirection.Next).then( * image => { console.log(image); }, * error => { console.error(error); }); * ``` */ moveDir(direction) { const moveDir$ = this.isNavigable ? this._navigator.moveDir$(direction) : throwError(new Error("Calling moveDir is not supported when viewer is not navigable.")); return new Promise((resolve, reject) => { moveDir$.subscribe((image) => { resolve(image); }, (error) => { reject(error); }); }); } /** * Navigate to a given image ID. * * @param {string} imageId - Id of the image to move to. * @returns {Promise} Promise to the image that was navigated to. * @throws Propagates any IO errors to the caller. * @throws When viewer is not navigable. * @throws {@link CancelMapillaryError} When a subsequent * move request is made before the move to ID call has completed. * * @example * ```js * viewer.moveTo("").then( * image => { console.log(image); }, * error => { console.error(error); }); * ``` */ moveTo(imageId) { const moveTo$ = this.isNavigable ? this._navigator.moveTo$(imageId) : throwError(new Error("Calling moveTo is not supported when viewer is not navigable.")); return new Promise((resolve, reject) => { moveTo$.subscribe((image) => { resolve(image); }, (error) => { reject(error); }); }); } off(type, handler) { super.off(type, handler); } on(type, handler) { super.on(type, handler); } /** * Project geodetic coordinates to canvas pixel coordinates. * * @description The geodetic coordinates may not always correspond to pixel * coordinates, e.g. if the geodetic coordinates have a position behind the * viewer camera. In the case of no correspondence the returned value will * be `null`. * * If the distance from the viewer camera position to the provided * longitude-latitude is more than 1000 meters `null` will be returned. * * The projection is performed from the ground plane, i.e. * the altitude with respect to the ground plane for the geodetic * point is zero. * * Note that whenever the camera moves, the result of the method will be * different. * * @param {LngLat} lngLat - Geographical coordinates to project. * @returns {Promise>} Promise to the pixel coordinates corresponding * to the lngLat. * * @example * ```js * viewer.project({ lat: 0, lng: 0 }) * .then(pixelPoint => { * if (!pixelPoint) { * console.log("no correspondence"); * } * * console.log(pixelPoint); * }); * ``` */ project(lngLat) { return new Promise((resolve, reject) => { this._observer.project$(lngLat) .subscribe((pixelPoint) => { resolve(pixelPoint); }, (error) => { reject(error); }); }); } /** * Project basic image coordinates for the current image to canvas pixel * coordinates. * * @description The basic image coordinates may not always correspond to a * pixel point that lies in the visible area of the viewer container. In the * case of no correspondence the returned value can be `null`. * * * @param {Array} basicPoint - Basic images coordinates to project. * @returns {Promise>} Promise to the pixel coordinates corresponding * to the basic image point. * * @example * ```js * viewer.projectFromBasic([0.3, 0.7]) * .then(pixelPoint => { console.log(pixelPoint); }); * ``` */ projectFromBasic(basicPoint) { return new Promise((resolve, reject) => { this._observer.projectBasic$(basicPoint) .subscribe((pixelPoint) => { resolve(pixelPoint); }, (error) => { reject(error); }); }); } /** * Clean up and release all internal resources associated with * this viewer. * * @description This includes DOM elements, event bindings, and * WebGL resources. * * Use this method when you are done using the viewer and wish to * ensure that it no longer consumes browser resources. Afterwards, * you must not call any other methods on the viewer. * * @fires remove * * @example * ```js * viewer.remove(); * ``` */ remove() { this._customRenderer.dispose(this); this._customCameraControls.dispose(this); this._observer.dispose(); this._componentController.remove(); this._navigator.dispose(); this._container.remove(); const type = "remove"; const event = { target: this, type, }; this.fire(type, event); } /** * Remove a custom renderer from the viewer"s rendering pipeline. * * @param id - Unique ID of the custom renderer. */ removeCustomRenderer(rendererId) { this._customRenderer.remove(rendererId, this); } /** * Reset the viewer"s cache. * * @description All images in the viewer"s cache at the moment of the * reset will be disposed. * * @returns {Promise} Promise that resolves when viewer"s cache * has been reset. * * @throws When viewer is not navigable. * * @example * ```js * viewer.reset() * .then(() => { console.log("viewer reset"); }); * ``` */ reset() { const reset$ = this.isNavigable ? this._navigator.reset$() : throwError(new Error("Calling reset is not supported when viewer is not navigable.")); return new Promise((resolve, reject) => { reset$ .subscribe(() => { resolve(undefined); }, (error) => { reject(error); }); }); } /** * Detect the viewer"s new width and height and resize it * manually. * * @description The components will also detect the viewer"s * new size and resize their rendered elements if needed. * * When the {@link ViewerOptions.trackResize} option is * set to true, the viewer will automatically resize * when the browser window is resized. If any other * custom behavior is preferred, the option should be set * to false and the {@link Viewer.resize} method should * be called on demand. * * @example * ```js * viewer.resize(); * ``` */ resize() { this._container.renderService.resize$.next(); } /** * Register a class constructor for a camera type. * * @description The Viewer will invoke the camera * constructor each time that camera type should be * instantiated. * * @param {string} type - Camera type. * @param ctor - Contructor for Camera class implementing the * {@link ICamera} interface. * * @example * ```js * import {MyCamera} from "./MyCameraClasses"; * viewer.registerCamera("my-camera-type", MyCamera); * ``` */ registerCamera(type, ctor) { this._navigator.projectionService.registerCamera(type, ctor); } /** * Set the viewer"s camera control mode. * * @description The camera control mode determines * how the camera is controlled when the viewer * receives pointer and keyboard input. * * @param {CameraControls} controls - Camera control mode. * * @example * ```js * viewer.setCameraControls(CameraControls.Street); * ``` */ setCameraControls(controls) { const state = cameraControlsToState(controls); if (state === State.Custom) { this._navigator.stateService.custom(); } else if (state === State.Earth) { this._navigator.stateService.earth(); } else if (state === State.GravityTraversing) { this._navigator.stateService.gravityTraverse(); } else if (state === State.Traversing) { this._navigator.stateService.traverse(); } else { console.warn(`Unsupported camera control transition (${controls})`); } } /** * Set the basic coordinates of the current image to be in the * center of the viewport. * * @description Basic coordinates are 2D coordinates on the [0, 1] interval * and has the origin point, (0, 0), at the top left corner and the * maximum value, (1, 1), at the bottom right corner of the original * image. * * @param {number[]} The basic coordinates of the current * image to be at the center for the viewport. * * @example * ```js * viewer.setCenter([0.5, 0.5]); * ``` */ setCenter(center) { this._navigator.stateService.setCenter(center); } /** * Set a new data provider instance. * * @description Resets the viewer"s cache (see {@link Viewer.reset}). * * @returns {Promise} Promise that resolves when viewer"s data * provider has been set. * * @throws When viewer is not navigable. * * @example * ```js * const myDataProvider = new MyDataProvider(); * viewer.setDataProvider(myDataProvider) * .then(() => { console.log("data provider set"); }); * ``` */ setDataProvider(provider) { const reset$ = this.isNavigable ? this._navigator.reset$() .pipe(tap(() => { this._navigator.api.setDataProvider(provider); const type = "dataprovider"; const event = { target: this, type, }; this.fire(type, event); })) : throwError(new Error("Calling setDataProvider is not supported when viewer is not navigable.")); return new Promise((resolve, reject) => { reset$ .subscribe(() => { resolve(undefined); }, (error) => { reject(error); }); }); } /** * Set the viewer"s current vertical field of view. * * @description Sets the vertical field of view rendered * on the viewer canvas measured in degrees. The value * will be clamped to be able to set a valid zoom level * based on the projection model of the current image and * the viewer"s current render mode. * * @param {number} fov - Vertical field of view in degrees. * * @example * ```js * viewer.setFieldOfView(45); * ``` */ setFieldOfView(fov) { this._container.renderService.renderCamera$.pipe(first()) .subscribe((rc) => { const zoom = rc.fovToZoom(fov); this._navigator.stateService.setZoom(zoom); }); } /** * Set the filter selecting images to use when calculating * the spatial edges. * * @description The following filter types are supported: * * Comparison * * `["==", key, value]` equality: `image[key] = value` * * `["!=", key, value]` inequality: `image[key] ≠ value` * * `["<", key, value]` less than: `image[key] < value` * * `["<=", key, value]` less than or equal: `image[key] ≤ value` * * `[">", key, value]` greater than: `image[key] > value` * * `[">=", key, value]` greater than or equal: `image[key] ≥ value` * * Set membership * * `["in", key, v0, ..., vn]` set inclusion: `image[key] ∈ {v0, ..., vn}` * * `["!in", key, v0, ..., vn]` set exclusion: `image[key] ∉ {v0, ..., vn}` * * Combining * * `["all", f0, ..., fn]` logical `AND`: `f0 ∧ ... ∧ fn` * * A key must be a string that identifies a property name of a * simple {@link Image} property, i.e. a key of the {@link FilterKey} * type. A value must be a string, number, or * boolean. Strictly-typed comparisons are used. The values * `f0, ..., fn` of the combining filter must be filter expressions. * * Clear the filter by setting it to null or empty array. * * Commonly used filter properties (see the {@link Image} class * documentation for a full list of properties that can be used * in a filter) are shown the the example code. * * @param {FilterExpression} [filter] - The filter expression. * Applied filter is cleared if omitted. * @returns {Promise} Promise that resolves after filter is applied. * * @example * ```js * // Examples * viewer.setFilter(["==", "cameraType", "spherical"]); * viewer.setFilter([">=", "capturedAt", ]); * viewer.setFilter(["in", "sequenceId", "", ""]); * // Clear filter * viewer.setFilter([]); * ``` */ setFilter(filter) { return new Promise((resolve, reject) => { this._navigator.setFilter$(filter) .subscribe(() => { }, (error) => { reject(error); }, () => { resolve(undefined); }); }); } /** * Set the viewer"s render mode. * * @param {RenderMode} renderMode - Render mode. * * @example * ```js * viewer.setRenderMode(RenderMode.Letterbox); * ``` */ setRenderMode(renderMode) { this._container.renderService.renderMode$.next(renderMode); } /** * Set the viewer"s texture shader. * * @description The shader will be used for all registered projection * models. * * @param {GLShader} shader - Texture shader. * * @example * ```js * let myShader = { * fragment: "", * vertex: "", * }; * viewer.setShader(myShader); * ``` */ setShader(shader) { this._navigator.projectionService.setShader(shader); } /** * Set the viewer"s transition mode. * * @param {TransitionMode} transitionMode - Transition mode. * * @example * ```js * viewer.setTransitionMode(TransitionMode.Instantaneous); * ``` */ setTransitionMode(transitionMode) { this._navigator.stateService.setTransitionMode(transitionMode); } /** * Set an access token for authenticated API requests of protected * resources. * * The token may be a user access token or a client access token. * * @description When the supplied user token is null or undefined, * any previously set user bearer token will be cleared and the * viewer will make unauthenticated requests. * * Calling setAccessToken aborts all outstanding move requests. * The promises of those move requests will be rejected with a * {@link CancelMapillaryError} the rejections need to be caught. * * Calling setAccessToken also resets the complete viewer cache * so it should not be called repeatedly. * * @param {string} [accessToken] accessToken - Optional user * access token or client access token. * @returns {Promise} Promise that resolves after token * is set. * * @throws When viewer is not navigable. * * @example * ```js * viewer.setAccessToken("") * .then(() => { console.log("user token set"); }); * ``` */ setAccessToken(accessToken) { const setAccessToken$ = this.isNavigable ? this._navigator.setAccessToken$(accessToken) : throwError(new Error("Calling setAccessToken is not supported when viewer is not navigable.")); return new Promise((resolve, reject) => { setAccessToken$ .subscribe(() => { resolve(undefined); }, (error) => { reject(error); }); }); } /** * Set the image"s current zoom level. * * @description Possible zoom level values are on the [0, 3] interval. * Zero means zooming out to fit the image to the view whereas three * shows the highest level of detail. * * @param {number} The image"s current zoom level. * * @example * ```js * viewer.setZoom(2); * ``` */ setZoom(zoom) { this._navigator.stateService.setZoom(zoom); } /** * Trigger the rendering of a single frame. * * @description Use this method with custom renderers to * force the viewer to rerender when the custom content * changes. Calling this multiple times before the next * frame is rendered will still result in only a single * frame being rendered. */ triggerRerender() { this._container.glRenderer.triggerRerender(); } /** * Unproject canvas pixel coordinates to geodetic * coordinates. * * @description The pixel point may not always correspond to geodetic * coordinates. In the case of no correspondence the returned value will * be `null`. * * The unprojection to a lngLat will be performed towards the ground plane, i.e. * the altitude with respect to the ground plane for the returned lngLat is zero. * * @param {Array} pixelPoint - Pixel coordinates to unproject. * @returns {Promise} Promise to the lngLat corresponding to the pixel point. * * @example * ```js * viewer.unproject([100, 100]) * .then(lngLat => { console.log(lngLat); }); * ``` */ unproject(pixelPoint) { return new Promise((resolve, reject) => { this._observer.unproject$(pixelPoint) .subscribe((lngLat) => { resolve(lngLat); }, (error) => { reject(error); }); }); } /** * Unproject canvas pixel coordinates to basic image coordinates for the * current image. * * @description The pixel point may not always correspond to basic image * coordinates. In the case of no correspondence the returned value will * be `null`. * * @param {Array} pixelPoint - Pixel coordinates to unproject. * @returns {Promise} Promise to the basic coordinates corresponding * to the pixel point. * * @example * ```js * viewer.unprojectToBasic([100, 100]) * .then(basicPoint => { console.log(basicPoint); }); * ``` */ unprojectToBasic(pixelPoint) { return new Promise((resolve, reject) => { this._observer.unprojectBasic$(pixelPoint) .subscribe((basicPoint) => { resolve(basicPoint); }, (error) => { reject(error); }); }); } } /** * Internal bootstrap * * This is a workaround to make the CommonJS unit testing * work with Jest. Once Jest/Node supports ES6 modules * fully this should be removed. GeoRBush is registered * here only to avoid loading it during * unit tests. */ Graph.register(GeoRBush); MarkerSet.register(GeoRBush); ComponentService.registerCover(CoverComponent); ComponentService.register(AttributionComponent); ComponentService.register(BearingComponent); ComponentService.register(CacheComponent); ComponentService.register(DirectionComponent); ComponentService.register(ImageComponent); ComponentService.register(KeyboardComponent); ComponentService.register(MarkerComponent); ComponentService.register(PointerComponent); ComponentService.register(PopupComponent); ComponentService.register(SequenceComponent); ComponentService.register(SpatialComponent); ComponentService.register(TagComponent); ComponentService.register(ZoomComponent); ComponentService.register(ImageFallbackComponent); ComponentService.register(NavigationFallbackComponent); exports.ArgumentMapillaryError = ArgumentMapillaryError; exports.BearingComponent = BearingComponent; exports.CacheComponent = CacheComponent; exports.CancelMapillaryError = CancelMapillaryError; exports.CircleMarker = CircleMarker; exports.Component = Component; exports.DataProviderBase = DataProviderBase; exports.DirectionComponent = DirectionComponent; exports.DragPanHandler = DragPanHandler; exports.EventEmitter = EventEmitter; exports.ExtremePointTag = ExtremePointTag; exports.FISHEYE_CAMERA_TYPE = FISHEYE_CAMERA_TYPE; exports.FisheyeCamera = FisheyeCamera; exports.Geometry = Geometry; exports.GeometryProviderBase = GeometryProviderBase; exports.GeometryTagError = GeometryTagError; exports.GraphDataProvider = GraphDataProvider; exports.GraphMapillaryError = GraphMapillaryError; exports.Image = Image$1; exports.KeyPlayHandler = KeyPlayHandler; exports.KeySequenceNavigationHandler = KeySequenceNavigationHandler; exports.KeySpatialNavigationHandler = KeySpatialNavigationHandler; exports.KeyZoomHandler = KeyZoomHandler; exports.KeyboardComponent = KeyboardComponent; exports.MapillaryError = MapillaryError; exports.Marker = Marker; exports.MarkerComponent = MarkerComponent; exports.OutlineTag = OutlineTag; exports.PERSPECTIVE_CAMERA_TYPE = PERSPECTIVE_CAMERA_TYPE; exports.PerspectiveCamera = PerspectiveCamera; exports.PointGeometry = PointGeometry; exports.PointerComponent = PointerComponent; exports.PointsGeometry = PointsGeometry; exports.PolygonGeometry = PolygonGeometry; exports.Popup = Popup; exports.PopupComponent = PopupComponent; exports.RectGeometry = RectGeometry; exports.S2GeometryProvider = S2GeometryProvider; exports.SPHERICAL_CAMERA_TYPE = SPHERICAL_CAMERA_TYPE; exports.ScrollZoomHandler = ScrollZoomHandler; exports.SequenceComponent = SequenceComponent; exports.Shader = Shader; exports.ShaderChunk = ShaderChunk; exports.SimpleMarker = SimpleMarker; exports.SpatialComponent = SpatialComponent; exports.SphericalCamera = SphericalCamera; exports.SpotTag = SpotTag; exports.Tag = Tag; exports.TagComponent = TagComponent; exports.TouchZoomHandler = TouchZoomHandler; exports.VertexGeometry = VertexGeometry; exports.Viewer = Viewer; exports.ZoomComponent = ZoomComponent; exports.decompress = decompress; exports.ecefToEnu = ecefToEnu; exports.ecefToGeodetic = ecefToGeodetic; exports.enuToEcef = enuToEcef; exports.enuToGeodetic = enuToGeodetic; exports.fetchArrayBuffer = fetchArrayBuffer; exports.geodeticToEcef = geodeticToEcef; exports.geodeticToEnu = geodeticToEnu; exports.isFallbackSupported = isFallbackSupported; exports.isSupported = isSupported; exports.readMeshPbf = readMeshPbf; exports.resolveShader = resolveShader; })); /* */}),null);
-----
core-js-2.6.9",[],(function(a,b,c,d,e,f){"use strict";b={};var g={exports:b};function h(){var b=g.exports=typeof window!="undefined"&&window.Math==Math?window:typeof self!="undefined"&&self.Math==Math?self:Function("return this")();typeof __g=="number"&&(__g=b)}var i=!1;function j(){i||(i=!0,h());return g.exports}c={};var k={exports:c};function l(){var a={}.hasOwnProperty;k.exports=function(b,c){return a.call(b,c)}}var m=!1;function n(){m||(m=!0,l());return k.exports}d={};var o={exports:d};function p(){o.exports=function(a){try{return!!a()}catch(a){return!0}}}var q=!1;function r(){q||(q=!0,p());return o.exports}f={};var s={exports:f};function t(){s.exports=!r()(function(){return Object.defineProperty({},"a",{get:function(){return 7}}).a!=7})}var u=!1;function v(){u||(u=!0,t());return s.exports}b={};var w={exports:b};function x(){var a=w.exports={version:"2.6.9"};typeof __e=="number"&&(__e=a)}var y=!1;function z(){y||(y=!0,x());return w.exports}c={};var A={exports:c};function B(){A.exports=function(a){return typeof a==="object"?a!==null:typeof a==="function"}}var C=!1;function D(){C||(C=!0,B());return A.exports}d={};var E={exports:d};function F(){var a=D();E.exports=function(b){if(!a(b))throw TypeError(b+" is not an object!");return b}}var G=!1;function H(){G||(G=!0,F());return E.exports}f={};var I={exports:f};function J(){var a=D(),b=j().document,c=a(b)&&a(b.createElement);I.exports=function(a){return c?b.createElement(a):{}}}var K=!1;function L(){K||(K=!0,J());return I.exports}b={};var M={exports:b};function N(){M.exports=!v()&&!r()(function(){return Object.defineProperty(L()("div"),"a",{get:function(){return 7}}).a!=7})}var O=!1;function P(){O||(O=!0,N());return M.exports}c={};var aa={exports:c};function ba(){var a=D();aa.exports=function(b,c){if(!a(b))return b;var d,e;if(c&&typeof (d=b.toString)=="function"&&!a(e=d.call(b)))return e;if(typeof (d=b.valueOf)=="function"&&!a(e=d.call(b)))return e;if(!c&&typeof (d=b.toString)=="function"&&!a(e=d.call(b)))return e;throw TypeError("Can"t convert object to primitive value")}}var ca=!1;function da(){ca||(ca=!0,ba());return aa.exports}var ea={},Q={exports:ea};function R(){var a=H(),b=P(),c=da(),d=Object.defineProperty;ea.f=v()?Object.defineProperty:function(e,f,g){a(e);f=c(f,!0);a(g);if(b)try{return d(e,f,g)}catch(a){}if("get"in g||"set"in g)throw TypeError("Accessors not supported!");"value"in g&&(e[f]=g.value);return e}}var S=!1;function T(){S||(S=!0,R());return Q.exports}d={};var fa={exports:d};function ga(){fa.exports=function(a,b){return{enumerable:!(a&1),configurable:!(a&2),writable:!(a&4),value:b}}}var ha=!1;function ia(){ha||(ha=!0,ga());return fa.exports}f={};var ja={exports:f};function ka(){var a=T(),b=ia();ja.exports=v()?function(c,d,e){return a.f(c,d,b(1,e))}:function(a,b,c){a[b]=c;return a}}var la=!1;function ma(){la||(la=!0,ka());return ja.exports}b={};var na={exports:b};function oa(){var a=0,b=Math.random();na.exports=function(c){return"Symbol(".concat(c===void 0?"":c,")_",(++a+b).toString(36))}}var pa=!1;function qa(){pa||(pa=!0,oa());return na.exports}c={};var ra={exports:c};function sa(){ra.exports=!1}var ta=!1;function ua(){ta||(ta=!0,sa());return ra.exports}d={};var va={exports:d};function wa(){var c=z(),b=j(),d="__core-js_shared__",e=b[d]||(b[d]={});(va.exports=function(a,b){return e[a]||(e[a]=b!==void 0?b:{})})("versions",[]).push({version:c.version,mode:ua()?"pure":"global",copyright:"xa9 2019 Denis Pushkarev (zloirock.ru)"})}var xa=!1;function ya(){xa||(xa=!0,wa());return va.exports}f={};var za={exports:f};function Aa(){za.exports=ya()("native-function-to-string",Function.toString)}var Ba=!1;function Ca(){Ba||(Ba=!0,Aa());return za.exports}b={};var Da={exports:b};function Ea(){var b=j(),c=ma(),d=n(),e=qa()("src"),f=Ca(),g="toString",h=(""+f).split(g);z().inspectSource=function(a){return f.call(a)};(Da.exports=function(a,f,g,i){var j=typeof g=="function";j&&(d(g,"name")||c(g,"name",f));if(a[f]===g)return;j&&(d(g,e)||c(g,e,a[f]?""+a[f]:h.join(String(f))));a===b?a[f]=g:!i?(delete a[f],c(a,f,g)):a[f]?a[f]=g:c(a,f,g)})(Function.prototype,g,function(){return typeof this=="function"&&this[e]||f.call(this)})}var Fa=!1;function Ga(){Fa||(Fa=!0,Ea());return Da.exports}c={};var Ha={exports:c};function Ia(){Ha.exports=function(a){if(typeof a!="function")throw TypeError(a+" is not a function!");return a}}var Ja=!1;function U(){Ja||(Ja=!0,Ia());return Ha.exports}d={};var Ka={exports:d};function La(){var a=U();Ka.exports=function(b,c,d){a(b);if(c===void 0)return b;switch(d){case 1:return function(a){return b.call(c,a)};case 2:return function(a,d){return b.call(c,a,d)};case 3:return function(a,d,e){return b.call(c,a,d,e)}}return function(){return b.apply(c,arguments)}}}var Ma=!1;function Na(){Ma||(Ma=!0,La());return Ka.exports}f={};var Oa={exports:f};function Pa(){var b=j(),c=z(),d=ma(),e=Ga(),g=Na(),h="prototype",i=function(j,k,l){var m=j&i.F,n=j&i.G,o=j&i.S,p=j&i.P,q=j&i.B;o=n?b:o?b[k]||(b[k]={}):(b[k]||{})[h];var a=n?c:c[k]||(c[k]={}),r=a[h]||(a[h]={}),s;n&&(l=k);for(n in l)k=!m&&o&&o[n]!==void 0,s=(k?o:l)[n],k=q&&k?g(s,b):p&&typeof s=="function"?g(Function.call,s):s,o&&e(o,n,s,j&i.U),a[n]!=s&&d(a,n,k),p&&r[n]!=s&&(r[n]=s)};b.core=c;i.F=1;i.G=2;i.S=4;i.P=8;i.B=16;i.W=32;i.U=64;i.R=128;Oa.exports=i}var Qa=!1;function V(){Qa||(Qa=!0,Pa());return Oa.exports}b={};var Ra={exports:b};function Sa(){var a=qa()("meta"),b=D(),c=n(),d=T().f,e=0,f=Object.isExtensible||function(){return!0},g=!r()(function(){return f(Object.preventExtensions({}))}),h=function(b){d(b,a,{value:{i:"O"+ ++e,w:{}}})},i=function(d,e){if(!b(d))return typeof d=="symbol"?d:(typeof d=="string"?"S":"P")+d;if(!c(d,a)){if(!f(d))return"F";if(!e)return"E";h(d)}return d[a].i},j=function(b,d){if(!c(b,a)){if(!f(b))return!0;if(!d)return!1;h(b)}return b[a].w},k=function(b){g&&l.NEED&&f(b)&&!c(b,a)&&h(b);return b},l=Ra.exports={KEY:a,NEED:!1,fastKey:i,getWeak:j,onFreeze:k}}var Ta=!1;function W(){Ta||(Ta=!0,Sa());return Ra.exports}c={};var Ua={exports:c};function Va(){var a=ya()("wks"),b=qa(),c=j().Symbol,d=typeof c=="function",e=Ua.exports=function(e){return a[e]||(a[e]=d&&c[e]||(d?c:b)("Symbol."+e))};e.store=a}var Wa=!1;function X(){Wa||(Wa=!0,Va());return Ua.exports}d={};var Xa={exports:d};function Ya(){var a=T().f,b=n(),c=X()("toStringTag");Xa.exports=function(d,e,f){d&&!b(d=f?d:d.prototype,c)&&a(d,c,{configurable:!0,value:e})}}var Za=!1;function $a(){Za||(Za=!0,Ya());return Xa.exports}var ab={},bb={exports:ab};function cb(){ab.f=X()}var db=!1;function eb(){db||(db=!0,cb());return bb.exports}f={};var fb={exports:f};function gb(){var b=j(),c=z(),d=ua(),e=eb(),f=T().f;fb.exports=function(a){var g=c.Symbol||(c.Symbol=d?{}:b.Symbol||{});a.charAt(0)!="_"&&!(a in g)&&f(g,a,{value:e.f(a)})}}var hb=!1;function ib(){hb||(hb=!0,gb());return fb.exports}b={};var jb={exports:b};function kb(){var a={}.toString;jb.exports=function(b){return a.call(b).slice(8,-1)}}var lb=!1;function mb(){lb||(lb=!0,kb());return jb.exports}c={};var nb={exports:c};function ob(){var a=mb();nb.exports=Object("z").propertyIsEnumerable(0)?Object:function(b){return a(b)=="String"?b.split(""):Object(b)}}var pb=!1;function qb(){pb||(pb=!0,ob());return nb.exports}d={};var rb={exports:d};function sb(){rb.exports=function(a){if(a==void 0)throw TypeError("Can"t call method on "+a);return a}}var tb=!1;function ub(){tb||(tb=!0,sb());return rb.exports}f={};var vb={exports:f};function wb(){var a=qb(),b=ub();vb.exports=function(c){return a(b(c))}}var xb=!1;function yb(){xb||(xb=!0,wb());return vb.exports}b={};var zb={exports:b};function Ab(){var a=Math.ceil,b=Math.floor;zb.exports=function(c){return isNaN(c=+c)?0:(c>0?b:a)(c)}}var Bb=!1;function Cb(){Bb||(Bb=!0,Ab());return zb.exports}c={};var Db={exports:c};function Eb(){var a=Cb(),b=Math.min;Db.exports=function(c){return c>0?b(a(c),9007199254740991):0}}var Fb=!1;function Y(){Fb||(Fb=!0,Eb());return Db.exports}d={};var Gb={exports:d};function Hb(){var a=Cb(),b=Math.max,c=Math.min;Gb.exports=function(d,e){d=a(d);return d<0?b(d+e,0):c(d,e)}}var Ib=!1;function Jb(){Ib||(Ib=!0,Hb());return Gb.exports}f={};var Kb={exports:f};function Lb(){var a=yb(),b=Y(),c=Jb();Kb.exports=function(d){return function(e,f,g){e=a(e);var h=b(e.length);g=c(g,h);var i;if(d&&f!=f)while(h>g){i=e[g++];if(i!=i)return!0}else for(;h>g;g++)if((d||g in e)&&e[g]===f)return d||g||0;return!d&&-1}}}var Mb=!1;function Nb(){Mb||(Mb=!0,Lb());return Kb.exports}b={};var Ob={exports:b};function Pb(){var a=ya()("keys"),b=qa();Ob.exports=function(c){return a[c]||(a[c]=b(c))}}var Qb=!1;function Rb(){Qb||(Qb=!0,Pb());return Ob.exports}c={};var Sb={exports:c};function Tb(){var a=n(),b=yb(),c=Nb()(!1),d=Rb()("IE_PROTO");Sb.exports=function(e,f){e=b(e);var g=0,h=[],i;for(i in e)i!=d&&(a(e,i)&&h.push(i));while(f.length>g)a(e,i=f[g++])&&(~c(h,i)||h.push(i));return h}}var Ub=!1;function Vb(){Ub||(Ub=!0,Tb());return Sb.exports}d={};var Wb={exports:d};function Xb(){Wb.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")}var Yb=!1;function Zb(){Yb||(Yb=!0,Xb());return Wb.exports}f={};var $b={exports:f};function ac(){var a=Vb(),b=Zb();$b.exports=Object.keys||function(c){return a(c,b)}}var bc=!1;function cc(){bc||(bc=!0,ac());return $b.exports}var dc={},ec={exports:dc};function fc(){dc.f=Object.getOwnPropertySymbols}var gc=!1;function hc(){gc||(gc=!0,fc());return ec.exports}var ic={},jc={exports:ic};function kc(){ic.f={}.propertyIsEnumerable}var lc=!1;function mc(){lc||(lc=!0,kc());return jc.exports}b={};var nc={exports:b};function oc(){var a=cc(),b=hc(),c=mc();nc.exports=function(d){var e=a(d),f=b.f;if(f){f=f(d);var g=c.f,h=0,i;while(f.length>h)g.call(d,i=f[h++])&&e.push(i)}return e}}var pc=!1;function qc(){pc||(pc=!0,oc());return nc.exports}c={};var rc={exports:c};function sc(){var a=mb();rc.exports=Array.isArray||function(b){return a(b)=="Array"}}var tc=!1;function uc(){tc||(tc=!0,sc());return rc.exports}d={};var vc={exports:d};function wc(){var a=ub();vc.exports=function(b){return Object(a(b))}}var xc=!1;function yc(){xc||(xc=!0,wc());return vc.exports}f={};var zc={exports:f};function Ac(){var a=T(),b=H(),c=cc();zc.exports=v()?Object.defineProperties:function(d,e){b(d);var f=c(e),g=f.length,h=0,i;while(g>h)a.f(d,i=f[h++],e[i]);return d}}var Bc=!1;function Cc(){Bc||(Bc=!0,Ac());return zc.exports}b={};var Dc={exports:b};function Ec(){var a=j().document;Dc.exports=a&&a.documentElement}var Fc=!1;function Gc(){Fc||(Fc=!0,Ec());return Dc.exports}c={};var Hc={exports:c};function Ic(){var a=H(),b=Cc(),c=Zb(),d=Rb()("IE_PROTO"),e=function(){},f="prototype",g=function(){var a=L()("iframe"),b=c.length,d="<",e=">";a.style.display="none";Gc().appendChild(a);a.src="javascript:";a=a.contentWindow.document;a.open();a.write(d+"script"+e+"document.F=Object"+d+"/script"+e);a.close();g=a.F;while(b--)delete g[f][c[b]];return g()};Hc.exports=Object.create||function(c,h){var i;c!==null?(e[f]=a(c),i=new e(),e[f]=null,i[d]=c):i=g();return h===void 0?i:b(i,h)}}var Jc=!1;function Kc(){Jc||(Jc=!0,Ic());return Hc.exports}var Lc={},Mc={exports:Lc};function Nc(){var a=Vb(),b=Zb().concat("length","prototype");Lc.f=Object.getOwnPropertyNames||function(c){return a(c,b)}}var Oc=!1;function Pc(){Oc||(Oc=!0,Nc());return Mc.exports}d={};var Qc={exports:d};function Rc(){var a=yb(),b=Pc().f,c={}.toString,d=typeof window=="object"&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],e=function(a){try{return b(a)}catch(a){return d.slice()}};Qc.exports.f=function(f){return d&&c.call(f)=="[object Window]"?e(f):b(a(f))}}var Sc=!1;function Tc(){Sc||(Sc=!0,Rc());return Qc.exports}var Uc={},Vc={exports:Uc};function Wc(){var a=mc(),b=ia(),c=yb(),d=da(),e=n(),f=P(),g=Object.getOwnPropertyDescriptor;Uc.f=v()?g:function(h,i){h=c(h);i=d(i,!0);if(f)try{return g(h,i)}catch(a){}if(e(h,i))return b(!a.f.call(h,i),h[i])}}var Xc=!1;function Yc(){Xc||(Xc=!0,Wc());return Vc.exports}f={};var Zc={exports:f};function $c(){var b=j(),c=n(),d=v(),e=V(),f=Ga(),g=W().KEY,h=r(),i=ya(),k=$a(),l=qa(),m=X(),o=eb(),p=ib(),q=qc(),s=uc(),t=H(),u=D(),w=yc(),x=yb(),y=da(),z=ia(),A=Kc(),B=Tc(),C=Yc(),E=hc(),F=T(),G=cc(),I=C.f,J=F.f,K=B.f,L=b.Symbol,M=b.JSON,N=M&&M.stringify,O="prototype",P=m("_hidden"),aa=m("toPrimitive"),ba={}.propertyIsEnumerable,ca=i("symbol-registry"),ea=i("symbols"),Q=i("op-symbols"),R=Object[O];i=typeof L=="function"&&!!E.f;var S=b.QObject,fa=!S||!S[O]||!S[O].findChild,ga=d&&h(function(){return A(J({},"a",{get:function(){return J(this,"a",{value:7}).a}})).a!=7})?function(a,b,c){var d=I(R,b);d&&delete R[b];J(a,b,c);d&&a!==R&&J(R,b,d)}:J,ha=function(a){var b=ea[a]=A(L[O]);b._k=a;return b},ja=i&&typeof L.iterator=="symbol"?function(a){return typeof a=="symbol"}:function(a){return a instanceof L},ka=function(a,b,d){a===R&&ka(Q,b,d);t(a);b=y(b,!0);t(d);if(c(ea,b)){!d.enumerable?(c(a,P)||J(a,P,z(1,{})),a[P][b]=!0):(c(a,P)&&a[P][b]&&(a[P][b]=!1),d=A(d,{enumerable:z(0,!1)}));return ga(a,b,d)}return J(a,b,d)},la=function(a,b){t(a);var c=q(b=x(b)),d=0,e=c.length,f;while(e>d)ka(a,f=c[d++],b[f]);return a};S=function(a,b){return b===void 0?A(a):la(A(a),b)};var na=function(a){var b=ba.call(this,a=y(a,!0));return this===R&&c(ea,a)&&!c(Q,a)?!1:b||!c(this,a)||!c(ea,a)||c(this,P)&&this[P][a]?b:!0},oa=function(a,b){a=x(a);b=y(b,!0);if(a===R&&c(ea,b)&&!c(Q,b))return;var d=I(a,b);d&&c(ea,b)&&!(c(a,P)&&a[P][b])&&(d.enumerable=!0);return d},pa=function(a){a=K(x(a));var b=[],d=0,e;while(a.length>d)!c(ea,e=a[d++])&&e!=P&&e!=g&&b.push(e);return b},ra=function(a){var b=a===R;a=K(b?Q:x(a));var d=[],e=0,f;while(a.length>e)c(ea,f=a[e++])&&(b?c(R,f):!0)&&d.push(ea[f]);return d};i||(L=function(){if(this instanceof L)throw TypeError("Symbol is not a constructor!");var a=l(arguments.length>0?arguments[0]:void 0),b=function(d){this===R&&b.call(Q,d),c(this,P)&&c(this[P],a)&&(this[P][a]=!1),ga(this,a,z(1,d))};d&&fa&&ga(R,a,{configurable:!0,set:b});return ha(a)},f(L[O],"toString",function(){return this._k}),C.f=oa,F.f=ka,Pc().f=B.f=pa,mc().f=na,E.f=ra,d&&!ua()&&f(R,"propertyIsEnumerable",na,!0),o.f=function(a){return ha(m(a))});e(e.G+e.W+e.F*!i,{Symbol:L});for(C="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),F=0;C.length>F;)m(C[F++]);for(B=G(m.store),f=0;B.length>f;)p(B[f++]);e(e.S+e.F*!i,"Symbol",{"for":function(a){return c(ca,a+="")?ca[a]:ca[a]=L(a)},keyFor:function(a){if(!ja(a))throw TypeError(a+" is not a symbol!");for(var b in ca)if(ca[b]===a)return b},useSetter:function(){fa=!0},useSimple:function(){fa=!1}});e(e.S+e.F*!i,"Object",{create:S,defineProperty:ka,defineProperties:la,getOwnPropertyDescriptor:oa,getOwnPropertyNames:pa,getOwnPropertySymbols:ra});na=h(function(){E.f(1)});e(e.S+e.F*na,"Object",{getOwnPropertySymbols:function(a){return E.f(w(a))}});M&&e(e.S+e.F*(!i||h(function(){var a=L();return N([a])!="[null]"||N({a:a})!="{}"||N(Object(a))!="{}"})),"JSON",{stringify:function(a){var b=[a],c=1,d,e;while(arguments.length>c)b.push(arguments[c++]);e=d=b[1];if(!u(d)&&a===void 0||ja(a))return;s(d)||(d=function(a,b){typeof e=="function"&&(b=e.call(this,a,b));if(!ja(b))return b});b[1]=d;return N.apply(M,b)}});L[O][aa]||ma()(L[O],aa,L[O].valueOf);k(L,"Symbol");k(Math,"Math",!0);k(b.JSON,"JSON",!0)}var ad=!1;function bd(){ad||(ad=!0,$c());return Zc.exports}b={};var cd={exports:b};function dd(){var a=V();a(a.S,"Object",{create:Kc()})}var ed=!1;function fd(){ed||(ed=!0,dd());return cd.exports}c={};var gd={exports:c};function hd(){var a=V();a(a.S+a.F*!v(),"Object",{defineProperty:T().f})}var id=!1;function jd(){id||(id=!0,hd());return gd.exports}d={};var kd={exports:d};function ld(){var a=V();a(a.S+a.F*!v(),"Object",{defineProperties:Cc()})}var md=!1;function nd(){md||(md=!0,ld());return kd.exports}f={};var od={exports:f};function pd(){var a=V(),b=z(),c=r();od.exports=function(d,e){var f=(b.Object||{})[d]||Object[d],g={};g[d]=e(f);a(a.S+a.F*c(function(){f(1)}),"Object",g)}}var qd=!1;function rd(){qd||(qd=!0,pd());return od.exports}b={};var sd={exports:b};function td(){var a=yb(),b=Yc().f;rd()("getOwnPropertyDescriptor",function(){return function(c,d){return b(a(c),d)}})}var ud=!1;function vd(){ud||(ud=!0,td());return sd.exports}c={};var wd={exports:c};function xd(){var a=n(),b=yc(),c=Rb()("IE_PROTO"),d=Object.prototype;wd.exports=Object.getPrototypeOf||function(e){e=b(e);if(a(e,c))return e[c];return typeof e.constructor=="function"&&e instanceof e.constructor?e.constructor.prototype:e instanceof Object?d:null}}var yd=!1;function zd(){yd||(yd=!0,xd());return wd.exports}d={};var Ad={exports:d};function Bd(){var a=yc(),b=zd();rd()("getPrototypeOf",function(){return function(c){return b(a(c))}})}var Cd=!1;function Dd(){Cd||(Cd=!0,Bd());return Ad.exports}f={};var Ed={exports:f};function Fd(){var a=yc(),b=cc();rd()("keys",function(){return function(c){return b(a(c))}})}var Gd=!1;function Hd(){Gd||(Gd=!0,Fd());return Ed.exports}b={};var Id={exports:b};function Jd(){rd()("getOwnPropertyNames",function(){return Tc().f})}var Kd=!1;function Ld(){Kd||(Kd=!0,Jd());return Id.exports}c={};var Md={exports:c};function Nd(){var a=D(),b=W().onFreeze;rd()("freeze",function(c){return function(d){return c&&a(d)?c(b(d)):d}})}var Od=!1;function Pd(){Od||(Od=!0,Nd());return Md.exports}d={};var Qd={exports:d};function Rd(){var a=D(),b=W().onFreeze;rd()("seal",function(c){return function(d){return c&&a(d)?c(b(d)):d}})}var Sd=!1;function Td(){Sd||(Sd=!0,Rd());return Qd.exports}f={};var Ud={exports:f};function Vd(){var a=D(),b=W().onFreeze;rd()("preventExtensions",function(c){return function(d){return c&&a(d)?c(b(d)):d}})}var Wd=!1;function Xd(){Wd||(Wd=!0,Vd());return Ud.exports}b={};var Yd={exports:b};function Zd(){var a=D();rd()("isFrozen",function(b){return function(c){return a(c)?b?b(c):!1:!0}})}var $d=!1;function ae(){$d||($d=!0,Zd());return Yd.exports}c={};var be={exports:c};function ce(){var a=D();rd()("isSealed",function(b){return function(c){return a(c)?b?b(c):!1:!0}})}var de=!1;function ee(){de||(de=!0,ce());return be.exports}d={};var fe={exports:d};function ge(){var a=D();rd()("isExtensible",function(b){return function(c){return a(c)?b?b(c):!0:!1}})}var he=!1;function ie(){he||(he=!0,ge());return fe.exports}f={};var je={exports:f};function ke(){var a=v(),b=cc(),c=hc(),d=mc(),e=yc(),f=qb(),g=Object.assign;je.exports=!g||r()(function(){var a={},b={},c=Symbol(),d="abcdefghijklmnopqrst";a[c]=7;d.split("").forEach(function(a){b[a]=a});return g({},a)[c]!=7||Object.keys(g({},b)).join("")!=d})?function(g,h){var i=e(g),j=arguments.length,k=1,l=c.f,m=d.f;while(j>k){var n=f(arguments[k++]),o=l?b(n).concat(l(n)):b(n),p=o.length,q=0,r;while(p>q)r=o[q++],(!a||m.call(n,r))&&(i[r]=n[r])}return i}:g}var le=!1;function me(){le||(le=!0,ke());return je.exports}b={};var ne={exports:b};function oe(){var a=V();a(a.S+a.F,"Object",{assign:me()})}var pe=!1;function qe(){pe||(pe=!0,oe());return ne.exports}c={};var re={exports:c};function se(){re.exports=Object.is||function(a,b){return a===b?a!==0||1/a===1/b:a!=a&&b!=b}}var te=!1;function ue(){te||(te=!0,se());return re.exports}d={};var ve={exports:d};function we(){var a=V();a(a.S,"Object",{is:ue()})}var xe=!1;function ye(){xe||(xe=!0,we());return ve.exports}f={};var ze={exports:f};function Ae(){var a=D(),b=H(),c=function(c,d){b(c);if(!a(d)&&d!==null)throw TypeError(d+": can"t set as prototype!")};ze.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(a,b,d){try{d=Na()(Function.call,Yc().f(Object.prototype,"__proto__").set,2),d(a,[]),b=!(a instanceof Array)}catch(a){b=!0}return function(a,e){c(a,e);b?a.__proto__=e:d(a,e);return a}}({},!1):void 0),check:c}}var Be=!1;function Ce(){Be||(Be=!0,Ae());return ze.exports}b={};var De={exports:b};function Ee(){var a=V();a(a.S,"Object",{setPrototypeOf:Ce().set})}var Fe=!1;function Ge(){Fe||(Fe=!0,Ee());return De.exports}c={};var He={exports:c};function Ie(){var a=mb(),b=X()("toStringTag"),c=a(function(){return arguments}())=="Arguments",d=function(a,b){try{return a[b]}catch(a){}};He.exports=function(e){var f;return e===void 0?"Undefined":e===null?"Null":typeof (f=d(e=Object(e),b))=="string"?f:c?a(e):(f=a(e))=="Object"&&typeof e.callee=="function"?"Arguments":f}}var Je=!1;function Ke(){Je||(Je=!0,Ie());return He.exports}d={};var Le={exports:d};function Me(){var a=Ke(),b={};b[X()("toStringTag")]="z";b+""!="[object z]"&&Ga()(Object.prototype,"toString",function(){return"[object "+a(this)+"]"},!0)}var Ne=!1;function Oe(){Ne||(Ne=!0,Me());return Le.exports}f={};var Pe={exports:f};function Qe(){Pe.exports=function(a,b,c){var d=c===void 0;switch(b.length){case 0:return d?a():a.call(c);case 1:return d?a(b[0]):a.call(c,b[0]);case 2:return d?a(b[0],b[1]):a.call(c,b[0],b[1]);case 3:return d?a(b[0],b[1],b[2]):a.call(c,b[0],b[1],b[2]);case 4:return d?a(b[0],b[1],b[2],b[3]):a.call(c,b[0],b[1],b[2],b[3])}return a.apply(c,b)}}var Re=!1;function Se(){Re||(Re=!0,Qe());return Pe.exports}b={};var Te={exports:b};function Ue(){var a=U(),b=D(),c=Se(),d=[].slice,e={},f=function(a,b,c){if(!(b in e)){for(var d=[],f=0;f>>0||(d.test(c)?16:10))}:a}var tf=!1;function uf(){tf||(tf=!0,sf());return rf.exports}f={};var vf={exports:f};function wf(){var a=V(),b=uf();a(a.G+a.F*(parseInt!=b),{parseInt:b})}var xf=!1;function yf(){xf||(xf=!0,wf());return vf.exports}b={};var zf={exports:b};function Af(){var a=j().parseFloat,b=qf().trim;zf.exports=1/a(mf()+"-0")!==-Infinity?function(c){c=b(String(c),3);var d=a(c);return d===0&&c.charAt(0)=="-"?-0:d}:a}var Bf=!1;function Cf(){Bf||(Bf=!0,Af());return zf.exports}c={};var Df={exports:c};function Ef(){var a=V(),b=Cf();a(a.G+a.F*(parseFloat!=b),{parseFloat:b})}var Ff=!1;function Gf(){Ff||(Ff=!0,Ef());return Df.exports}d={};var Hf={exports:d};function If(){var a=D(),b=Ce().set;Hf.exports=function(c,d,e){d=d.constructor;var f;d!==e&&typeof d=="function"&&(f=d.prototype)!==e.prototype&&a(f)&&b&&b(c,f);return c}}var Jf=!1;function Kf(){Jf||(Jf=!0,If());return Hf.exports}f={};var Lf={exports:f};function Mf(){var b=j(),c=n(),d=mb(),e=Kf(),f=da(),g=r(),h=Pc().f,i=Yc().f,k=T().f,l=qf().trim,m="Number",o=b[m],p=o,q=o.prototype,s=d(Kc()(q))==m,t="trim"in String.prototype,u=function(a){a=f(a,!1);if(typeof a=="string"&&a.length>2){a=t?a.trim():l(a,3);var b=a.charCodeAt(0),c,d,e;if(b===43||b===45){c=a.charCodeAt(2);if(c===88||c===120)return NaN}else if(b===48){switch(a.charCodeAt(1)){case 66:case 98:d=2;e=49;break;case 79:case 111:d=8;e=55;break;default:return+a}for(var c=a.slice(2),b=0,g=c.length,h;be)return NaN}return parseInt(c,d)}}return+a};if(!o(" 0o1")||!o("0b1")||o("+0x1")){o=function(a){var b=arguments.length<1?0:a,c=this;return c instanceof o&&(s?g(function(){q.valueOf.call(c)}):d(c)!=m)?e(new p(u(b)),c,o):u(b)};for(var h=v()?h(p):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger".split(","),w=0,x;h.length>w;w++)c(p,x=h[w])&&!c(o,x)&&k(o,x,i(p,x));o.prototype=q;q.constructor=o;Ga()(b,m,o)}}var Nf=!1;function Of(){Nf||(Nf=!0,Mf());return Lf.exports}b={};var Pf={exports:b};function Qf(){var a=mb();Pf.exports=function(b,c){if(typeof b!="number"&&a(b)!="Number")throw TypeError(c);return+b}}var Rf=!1;function Sf(){Rf||(Rf=!0,Qf());return Pf.exports}c={};var Tf={exports:c};function Uf(){var a=Cb(),b=ub();Tf.exports=function(c){var d=String(b(this)),e="";c=a(c);if(c<0||c==Infinity)throw RangeError("Count can"t be negative");for(;c>0;(c>>>=1)&&(d+=d))c&1&&(e+=d);return e}}var Vf=!1;function Wf(){Vf||(Vf=!0,Uf());return Tf.exports}d={};var Xf={exports:d};function Yf(){var a=V(),b=Cb(),c=Sf(),d=Wf(),e=1..toFixed,f=Math.floor,g=[0,0,0,0,0,0],h="Number.toFixed: incorrect invocation!",i="0",j=function(a,b){var c=-1;b=b;while(++c<6)b+=a*g[c],g[c]=b%1e7,b=f(b/1e7)},k=function(a){var b=6,c=0;while(--b>=0)c+=g[b],g[b]=f(c/a),c=c%a*1e7},l=function(){var a=6,b="";while(--a>=0)if(b!==""||a===0||g[a]!==0){var c=String(g[a]);b=b===""?c:b+d.call(i,7-c.length)+c}return b},m=function(a,b,c){return b===0?c:b%2===1?m(a,b-1,c*a):m(a*a,b/2,c)},n=function(a){var b=0;a=a;while(a>=4096)b+=12,a/=4096;while(a>=2)b+=1,a/=2;return b};a(a.P+a.F*(!!e&&(8e-5.toFixed(3)!=="0.000"||.9.toFixed(0)!=="1"||1.255.toFixed(2)!=="1.25"||1000000000000000100..toFixed(0)!=="1000000000000000128")||!r()(function(){e.call({})})),"Number",{toFixed:function(a){var e=c(this,h);a=b(a);var f="",g=i,o,p;if(a<0||a>20)throw RangeError(h);if(e!=e)return"NaN";if(e<=-1e21||e>=1e21)return String(e);e<0&&(f="-",e=-e);if(e>1e-21){o=n(e*m(2,69,1))-69;e=o<0?e*m(2,-o,1):e/m(2,o,1);e*=4503599627370496;o=52-o;if(o>0){j(0,e);p=a;while(p>=7)j(1e7,0),p-=7;j(m(10,p,1),0);p=o-1;while(p>=23)k(1<<23),p-=23;k(1<0?(p=g.length,g=f+(p<=a?"0."+d.call(i,a-p)+g:g.slice(0,p-a)+"."+g.slice(p-a))):g=f+g;return g}})}var Zf=!1;function $f(){Zf||(Zf=!0,Yf());return Xf.exports}f={};var ag={exports:f};function bg(){var a=V(),b=r(),c=Sf(),d=1..toPrecision;a(a.P+a.F*(b(function(){return d.call(1,void 0)!=="1"})||!b(function(){d.call({})})),"Number",{toPrecision:function(a){var b=c(this,"Number#toPrecision: incorrect invocation!");return a===void 0?d.call(b):d.call(b,a)}})}var cg=!1;function dg(){cg||(cg=!0,bg());return ag.exports}b={};var eg={exports:b};function fg(){var a=V();a(a.S,"Number",{EPSILON:Math.pow(2,-52)})}var gg=!1;function hg(){gg||(gg=!0,fg());return eg.exports}c={};var ig={exports:c};function jg(){var a=V(),b=j().isFinite;a(a.S,"Number",{isFinite:function(a){return typeof a=="number"&&b(a)}})}var kg=!1;function lg(){kg||(kg=!0,jg());return ig.exports}d={};var mg={exports:d};function ng(){var a=D(),b=Math.floor;mg.exports=function(c){return!a(c)&&isFinite(c)&&b(c)===c}}var og=!1;function pg(){og||(og=!0,ng());return mg.exports}f={};var qg={exports:f};function rg(){var a=V();a(a.S,"Number",{isInteger:pg()})}var sg=!1;function tg(){sg||(sg=!0,rg());return qg.exports}b={};var ug={exports:b};function vg(){var a=V();a(a.S,"Number",{isNaN:function(a){return a!=a}})}var wg=!1;function xg(){wg||(wg=!0,vg());return ug.exports}c={};var yg={exports:c};function zg(){var a=V(),b=pg(),c=Math.abs;a(a.S,"Number",{isSafeInteger:function(a){return b(a)&&c(a)<=9007199254740991}})}var Ag=!1;function Bg(){Ag||(Ag=!0,zg());return yg.exports}d={};var Cg={exports:d};function Dg(){var a=V();a(a.S,"Number",{MAX_SAFE_INTEGER:9007199254740991})}var Eg=!1;function Fg(){Eg||(Eg=!0,Dg());return Cg.exports}f={};var Gg={exports:f};function Hg(){var a=V();a(a.S,"Number",{MIN_SAFE_INTEGER:-9007199254740991})}var Ig=!1;function Jg(){Ig||(Ig=!0,Hg());return Gg.exports}b={};var Kg={exports:b};function Lg(){var a=V(),b=Cf();a(a.S+a.F*(Number.parseFloat!=b),"Number",{parseFloat:b})}var Mg=!1;function Ng(){Mg||(Mg=!0,Lg());return Kg.exports}c={};var Og={exports:c};function Pg(){var a=V(),b=uf();a(a.S+a.F*(Number.parseInt!=b),"Number",{parseInt:b})}var Qg=!1;function Rg(){Qg||(Qg=!0,Pg());return Og.exports}d={};var Sg={exports:d};function Tg(){Sg.exports=Math.log1p||function(a){return(a=+a)>-1e-8&&a<1e-8?a-a*a/2:Math.log(1+a)}}var Ug=!1;function Vg(){Ug||(Ug=!0,Tg());return Sg.exports}f={};var Wg={exports:f};function Xg(){var a=V(),b=Vg(),c=Math.sqrt,d=Math.acosh;a(a.S+a.F*!(d&&Math.floor(d(Number.MAX_VALUE))==710&&d(Infinity)==Infinity),"Math",{acosh:function(a){return(a=+a)<1?NaN:a>94906265.62425156?Math.log(a)+Math.LN2:b(a-1+c(a-1)*c(a+1))}})}var Yg=!1;function Zg(){Yg||(Yg=!0,Xg());return Wg.exports}b={};var $g={exports:b};function ah(){var a=V(),b=Math.asinh;function c(a){return!isFinite(a=+a)||a==0?a:a<0?-c(-a):Math.log(a+Math.sqrt(a*a+1))}a(a.S+a.F*!(b&&1/b(0)>0),"Math",{asinh:c})}var bh=!1;function ch(){bh||(bh=!0,ah());return $g.exports}c={};var dh={exports:c};function eh(){var a=V(),b=Math.atanh;a(a.S+a.F*!(b&&1/b(-0)<0),"Math",{atanh:function(a){return(a=+a)==0?a:Math.log((1+a)/(1-a))/2}})}var fh=!1;function gh(){fh||(fh=!0,eh());return dh.exports}d={};var hh={exports:d};function ih(){hh.exports=Math.sign||function(a){return(a=+a)==0||a!=a?a:a<0?-1:1}}var jh=!1;function kh(){jh||(jh=!0,ih());return hh.exports}f={};var lh={exports:f};function mh(){var a=V(),b=kh();a(a.S,"Math",{cbrt:function(a){return b(a=+a)*Math.pow(Math.abs(a),1/3)}})}var nh=!1;function oh(){nh||(nh=!0,mh());return lh.exports}b={};var ph={exports:b};function qh(){var a=V();a(a.S,"Math",{clz32:function(a){return(a>>>=0)?31-Math.floor(Math.log(a+.5)*Math.LOG2E):32}})}var rh=!1;function sh(){rh||(rh=!0,qh());return ph.exports}c={};var th={exports:c};function uh(){var a=V(),b=Math.exp;a(a.S,"Math",{cosh:function(a){return(b(a=+a)+b(-a))/2}})}var vh=!1;function wh(){vh||(vh=!0,uh());return th.exports}d={};var xh={exports:d};function yh(){var a=Math.expm1;xh.exports=!a||a(10)>22025.465794806718||a(10)<22025.465794806718||a(-2e-17)!=-2e-17?function(a){return(a=+a)==0?a:a>-1e-6&&a<1e-6?a+a*a/2:Math.exp(a)-1}:a}var zh=!1;function Ah(){zh||(zh=!0,yh());return xh.exports}f={};var Bh={exports:f};function Ch(){var a=V(),b=Ah();a(a.S+a.F*(b!=Math.expm1),"Math",{expm1:b})}var Dh=!1;function Eh(){Dh||(Dh=!0,Ch());return Bh.exports}b={};var Fh={exports:b};function Gh(){var a=kh(),b=Math.pow,c=b(2,-52),d=b(2,-23),e=b(2,127)*(2-d),f=b(2,-126),g=function(a){return a+1/c-1/c};Fh.exports=Math.fround||function(b){var h=Math.abs(b);b=a(b);var i;if(he||i!=i?b*Infinity:b*i}}var Hh=!1;function Ih(){Hh||(Hh=!0,Gh());return Fh.exports}c={};var Jh={exports:c};function Kh(){var a=V();a(a.S,"Math",{fround:Ih()})}var Lh=!1;function Mh(){Lh||(Lh=!0,Kh());return Jh.exports}d={};var Nh={exports:d};function Oh(){var a=V(),b=Math.abs;a(a.S,"Math",{hypot:function(a,c){var d=0,e=0,f=arguments.length,g=0,h,i;while(e0?(i=h/g,d+=i*i):d+=h;return g===Infinity?Infinity:g*Math.sqrt(d)}})}var Ph=!1;function Qh(){Ph||(Ph=!0,Oh());return Nh.exports}f={};var Rh={exports:f};function Sh(){var a=V(),b=Math.imul;a(a.S+a.F*r()(function(){return b(4294967295,5)!=-5||b.length!=2}),"Math",{imul:function(a,b){var c=65535;a=+a;b=+b;var d=c&a,e=c&b;return 0|d*e+((c&a>>>16)*e+d*(c&b>>>16)<<16>>>0)}})}var Th=!1;function Uh(){Th||(Th=!0,Sh());return Rh.exports}b={};var Vh={exports:b};function Wh(){var a=V();a(a.S,"Math",{log10:function(a){return Math.log(a)*Math.LOG10E}})}var Xh=!1;function Yh(){Xh||(Xh=!0,Wh());return Vh.exports}c={};var Zh={exports:c};function $h(){var a=V();a(a.S,"Math",{log1p:Vg()})}var ai=!1;function bi(){ai||(ai=!0,$h());return Zh.exports}d={};var ci={exports:d};function di(){var a=V();a(a.S,"Math",{log2:function(a){return Math.log(a)/Math.LN2}})}var ei=!1;function fi(){ei||(ei=!0,di());return ci.exports}f={};var gi={exports:f};function hi(){var a=V();a(a.S,"Math",{sign:kh()})}var ii=!1;function ji(){ii||(ii=!0,hi());return gi.exports}b={};var ki={exports:b};function li(){var a=V(),b=Ah(),c=Math.exp;a(a.S+a.F*r()(function(){return!Math.sinh(-2e-17)!=-2e-17}),"Math",{sinh:function(a){return Math.abs(a=+a)<1?(b(a)-b(-a))/2:(c(a-1)-c(-a-1))*(Math.E/2)}})}var mi=!1;function ni(){mi||(mi=!0,li());return ki.exports}c={};var oi={exports:c};function pi(){var a=V(),b=Ah(),c=Math.exp;a(a.S,"Math",{tanh:function(a){var d=b(a=+a),e=b(-a);return d==Infinity?1:e==Infinity?-1:(d-e)/(c(a)+c(-a))}})}var qi=!1;function ri(){qi||(qi=!0,pi());return oi.exports}d={};var si={exports:d};function ti(){var a=V();a(a.S,"Math",{trunc:function(a){return(a>0?Math.floor:Math.ceil)(a)}})}var ui=!1;function vi(){ui||(ui=!0,ti());return si.exports}f={};var wi={exports:f};function xi(){var a=V(),b=Jb(),c=String.fromCharCode,d=String.fromCodePoint;a(a.S+a.F*(!!d&&d.length!=1),"String",{fromCodePoint:function(a){var d=[],e=arguments.length,f=0,g;while(e>f){g=+arguments[f++];if(b(g,1114111)!==g)throw RangeError(g+" is not a valid code point");d.push(g<65536?c(g):c(((g-=65536)>>10)+55296,g%1024+56320))}return d.join("")}})}var yi=!1;function zi(){yi||(yi=!0,xi());return wi.exports}b={};var Ai={exports:b};function Bi(){var a=V(),b=yb(),c=Y();a(a.S,"String",{raw:function(a){var d=b(a.raw),e=c(d.length),f=arguments.length,g=[],h=0;while(e>h)g.push(String(d[h++])),h=f)return c?"":void 0;g=d.charCodeAt(e);return g<55296||g>56319||e+1===f||(h=d.charCodeAt(e+1))<56320||h>57343?c?d.charAt(e):g:c?d.slice(e,e+2):(g-55296<<10)+(h-56320)+65536}}}var Ki=!1;function Li(){Ki||(Ki=!0,Ji());return Ii.exports}f={};var Mi={exports:f};function Ni(){Mi.exports={}}var Oi=!1;function Pi(){Oi||(Oi=!0,Ni());return Mi.exports}b={};var Qi={exports:b};function Ri(){var a=Kc(),b=ia(),c=$a(),d={};ma()(d,X()("iterator"),function(){return this});Qi.exports=function(e,f,g){e.prototype=a(d,{next:b(1,g)}),c(e,f+" Iterator")}}var Si=!1;function Ti(){Si||(Si=!0,Ri());return Qi.exports}c={};var Ui={exports:c};function Vi(){var a=ua(),b=V(),c=Ga(),d=ma(),e=Pi(),f=Ti(),g=$a(),h=zd(),i=X()("iterator"),j=!([].keys&&"next"in[].keys()),k="@@iterator",l="keys",m="values",n=function(){return this};Ui.exports=function(o,p,q,r,s,t,u){f(q,p,r);r=function(a){if(!j&&a in y)return y[a];switch(a){case l:return function(){return new q(this,a)};case m:return function(){return new q(this,a)}}return function(){return new q(this,a)}};var v=p+" Iterator",w=s==m,x=!1,y=o.prototype,z=y[i]||y[k]||s&&y[s],A=z||r(s),B=s?w?r("entries"):A:void 0,C=p=="Array"?y.entries||z:z,D;C&&(C=h(C.call(new o())),C!==Object.prototype&&C.next&&(g(C,v,!0),!a&&typeof C[i]!="function"&&d(C,i,n)));w&&z&&z.name!==m&&(x=!0,A=function(){return z.call(this)});(!a||u)&&(j||x||!y[i])&&d(y,i,A);e[p]=A;e[v]=n;if(s){D={values:w?A:r(m),keys:t?A:r(l),entries:B};if(u)for(o in D)o in y||c(y,o,D[o]);else b(b.P+b.F*(j||x),p,D)}return D}}var Wi=!1;function Xi(){Wi||(Wi=!0,Vi());return Ui.exports}d={};var Yi={exports:d};function Zi(){var a=Li()(!0);Xi()(String,"String",function(a){this._t=String(a),this._i=0},function(){var b=this._t,c=this._i;if(c>=b.length)return{value:void 0,done:!0};b=a(b,c);this._i+=b.length;return{value:b,done:!1}})}var $i=!1;function aj(){$i||($i=!0,Zi());return Yi.exports}f={};var bj={exports:f};function cj(){var a=V(),b=Li()(!1);a(a.P,"String",{codePointAt:function(a){return b(this,a)}})}var dj=!1;function ej(){dj||(dj=!0,cj());return bj.exports}b={};var fj={exports:b};function gj(){var a=D(),b=mb(),c=X()("match");fj.exports=function(d){var e;return a(d)&&((e=d[c])!==void 0?!!e:b(d)=="RegExp")}}var hj=!1;function ij(){hj||(hj=!0,gj());return fj.exports}c={};var jj={exports:c};function kj(){var a=ij(),b=ub();jj.exports=function(c,d,e){if(a(d))throw TypeError("String#"+e+" doesn"t accept regex!");return String(b(c))}}var lj=!1;function mj(){lj||(lj=!0,kj());return jj.exports}d={};var nj={exports:d};function oj(){var a=X()("match");nj.exports=function(b){var c=/./;try{"/./"[b](c)}catch(d){try{c[a]=!1;return!"/./"[b](c)}catch(a){}}return!0}}var pj=!1;function qj(){pj||(pj=!0,oj());return nj.exports}f={};var rj={exports:f};function sj(){var a=V(),b=Y(),c=mj(),d="endsWith",e=""[d];a(a.P+a.F*qj()(d),"String",{endsWith:function(a){var f=c(this,a,d),g=arguments.length>1?arguments[1]:void 0,h=b(f.length),i=g===void 0?h:Math.min(b(g),h),j=String(a);return e?e.call(f,j,i):f.slice(i-j.length,i)===j}})}var tj=!1;function uj(){tj||(tj=!0,sj());return rj.exports}b={};var vj={exports:b};function wj(){var a=V(),b=mj(),c="includes";a(a.P+a.F*qj()(c),"String",{includes:function(a){return!!~b(this,a,c).indexOf(a,arguments.length>1?arguments[1]:void 0)}})}var xj=!1;function yj(){xj||(xj=!0,wj());return vj.exports}c={};var zj={exports:c};function Aj(){var a=V();a(a.P,"String",{repeat:Wf()})}var Bj=!1;function Cj(){Bj||(Bj=!0,Aj());return zj.exports}d={};var Dj={exports:d};function Ej(){var a=V(),b=Y(),c=mj(),d="startsWith",e=""[d];a(a.P+a.F*qj()(d),"String",{startsWith:function(a){var f=c(this,a,d),g=b(Math.min(arguments.length>1?arguments[1]:void 0,f.length)),h=String(a);return e?e.call(f,h,g):f.slice(g,g+h.length)===h}})}var Fj=!1;function Gj(){Fj||(Fj=!0,Ej());return Dj.exports}f={};var Hj={exports:f};function Ij(){var a=V(),b=r(),c=ub(),d=/"/g,e=function(a,b,e,f){a=String(c(a));var g="<"+b;e!==""&&(g+=" "+e+"=""+String(f).replace(d,""")+""");return g+">"+a+""};Hj.exports=function(c,d){var f={};f[c]=d(e);a(a.P+a.F*b(function(){var a=""[c](""");return a!==a.toLowerCase()||a.split(""").length>3}),"String",f)}}var Jj=!1;function Kj(){Jj||(Jj=!0,Ij());return Hj.exports}b={};var Lj={exports:b};function Mj(){Kj()("anchor",function(a){return function(b){return a(this,"a","name",b)}})}var Nj=!1;function Oj(){Nj||(Nj=!0,Mj());return Lj.exports}c={};var Pj={exports:c};function Qj(){Kj()("big",function(a){return function(){return a(this,"big","","")}})}var Rj=!1;function Sj(){Rj||(Rj=!0,Qj());return Pj.exports}d={};var Tj={exports:d};function Uj(){Kj()("blink",function(a){return function(){return a(this,"blink","","")}})}var Vj=!1;function Wj(){Vj||(Vj=!0,Uj());return Tj.exports}f={};var Xj={exports:f};function Yj(){Kj()("bold",function(a){return function(){return a(this,"b","","")}})}var Zj=!1;function $j(){Zj||(Zj=!0,Yj());return Xj.exports}b={};var ak={exports:b};function bk(){Kj()("fixed",function(a){return function(){return a(this,"tt","","")}})}var ck=!1;function dk(){ck||(ck=!0,bk());return ak.exports}c={};var ek={exports:c};function fk(){Kj()("fontcolor",function(a){return function(b){return a(this,"font","color",b)}})}var gk=!1;function hk(){gk||(gk=!0,fk());return ek.exports}d={};var ik={exports:d};function jk(){Kj()("fontsize",function(a){return function(b){return a(this,"font","size",b)}})}var kk=!1;function lk(){kk||(kk=!0,jk());return ik.exports}f={};var mk={exports:f};function nk(){Kj()("italics",function(a){return function(){return a(this,"i","","")}})}var ok=!1;function pk(){ok||(ok=!0,nk());return mk.exports}b={};var qk={exports:b};function rk(){Kj()("link",function(a){return function(b){return a(this,"a","href",b)}})}var sk=!1;function tk(){sk||(sk=!0,rk());return qk.exports}c={};var uk={exports:c};function vk(){Kj()("small",function(a){return function(){return a(this,"small","","")}})}var wk=!1;function xk(){wk||(wk=!0,vk());return uk.exports}d={};var yk={exports:d};function zk(){Kj()("strike",function(a){return function(){return a(this,"strike","","")}})}var Ak=!1;function Bk(){Ak||(Ak=!0,zk());return yk.exports}f={};var Ck={exports:f};function Dk(){Kj()("sub",function(a){return function(){return a(this,"sub","","")}})}var Ek=!1;function Fk(){Ek||(Ek=!0,Dk());return Ck.exports}b={};var Gk={exports:b};function Hk(){Kj()("sup",function(a){return function(){return a(this,"sup","","")}})}var Ik=!1;function Jk(){Ik||(Ik=!0,Hk());return Gk.exports}c={};var Kk={exports:c};function Lk(){var a=V();a(a.S,"Date",{now:function(){return new Date().getTime()}})}var Mk=!1;function Nk(){Mk||(Mk=!0,Lk());return Kk.exports}d={};var Ok={exports:d};function Pk(){var a=V(),b=yc(),c=da();a(a.P+a.F*r()(function(){return new Date(NaN).toJSON()!==null||Date.prototype.toJSON.call({toISOString:function(){return 1}})!==1}),"Date",{toJSON:function(a){a=b(this);var d=c(a);return typeof d=="number"&&!isFinite(d)?null:a.toISOString()}})}var Qk=!1;function Rk(){Qk||(Qk=!0,Pk());return Ok.exports}f={};var Sk={exports:f};function Tk(){var a=r(),b=Date.prototype.getTime,c=Date.prototype.toISOString,d=function(a){return a>9?a:"0"+a};Sk.exports=a(function(){return c.call(new Date(-5e13-1))!="0385-07-25T07:06:39.999Z"})||!a(function(){c.call(new Date(NaN))})?function(){if(!isFinite(b.call(this)))throw RangeError("Invalid time value");var a=this,c=a.getUTCFullYear(),e=a.getUTCMilliseconds(),f=c<0?"-":c>9999?"+":"";return f+("00000"+Math.abs(c)).slice(f?-6:-4)+"-"+d(a.getUTCMonth()+1)+"-"+d(a.getUTCDate())+"T"+d(a.getUTCHours())+":"+d(a.getUTCMinutes())+":"+d(a.getUTCSeconds())+"."+(e>99?e:"0"+d(e))+"Z"}:c}var Uk=!1;function Vk(){Uk||(Uk=!0,Tk());return Sk.exports}b={};var Wk={exports:b};function Xk(){var a=V(),b=Vk();a(a.P+a.F*(Date.prototype.toISOString!==b),"Date",{toISOString:b})}var Yk=!1;function Zk(){Yk||(Yk=!0,Xk());return Wk.exports}c={};var $k={exports:c};function al(){var a=Date.prototype,b="Invalid Date",c="toString",d=a[c],e=a.getTime;new Date(NaN)+""!=b&&Ga()(a,c,function(){var a=e.call(this);return a===a?d.call(this):b})}var bl=!1;function cl(){bl||(bl=!0,al());return $k.exports}d={};var dl={exports:d};function el(){var a=H(),b=da(),c="number";dl.exports=function(d){if(d!=="string"&&d!==c&&d!=="default")throw TypeError("Incorrect hint");return b(a(this),d!=c)}}var fl=!1;function gl(){fl||(fl=!0,el());return dl.exports}f={};var hl={exports:f};function il(){var a=X()("toPrimitive"),b=Date.prototype;a in b||ma()(b,a,gl())}var jl=!1;function kl(){jl||(jl=!0,il());return hl.exports}b={};var ll={exports:b};function ml(){var a=V();a(a.S,"Array",{isArray:uc()})}var nl=!1;function ol(){nl||(nl=!0,ml());return ll.exports}c={};var pl={exports:c};function ql(){var a=H();pl.exports=function(b,c,d,e){try{return e?c(a(d)[0],d[1]):c(d)}catch(c){e=b["return"];e!==void 0&&a(e.call(b));throw c}}}var rl=!1;function sl(){rl||(rl=!0,ql());return pl.exports}d={};var tl={exports:d};function ul(){var a=Pi(),b=X()("iterator"),c=Array.prototype;tl.exports=function(d){return d!==void 0&&(a.Array===d||c[b]===d)}}var vl=!1;function wl(){vl||(vl=!0,ul());return tl.exports}f={};var xl={exports:f};function yl(){var a=T(),b=ia();xl.exports=function(c,d,e){d in c?a.f(c,d,b(0,e)):c[d]=e}}var zl=!1;function Al(){zl||(zl=!0,yl());return xl.exports}b={};var Bl={exports:b};function Cl(){var a=Ke(),b=X()("iterator"),c=Pi();Bl.exports=z().getIteratorMethod=function(d){if(d!=void 0)return d[b]||d["@@iterator"]||c[a(d)]}}var Dl=!1;function El(){Dl||(Dl=!0,Cl());return Bl.exports}c={};var Fl={exports:c};function Gl(){var a=X()("iterator"),b=!1;try{var c=[7][a]();c["return"]=function(){b=!0}}catch(a){}Fl.exports=function(c,d){if(!d&&!b)return!1;d=!1;try{var e=[7],f=e[a]();f.next=function(){return{done:d=!0}};e[a]=function(){return f};c(e)}catch(a){}return d}}var Hl=!1;function Il(){Hl||(Hl=!0,Gl());return Fl.exports}d={};var Jl={exports:d};function Kl(){var a=Na(),b=V(),c=yc(),d=sl(),e=wl(),f=Y(),g=Al(),h=El();b(b.S+b.F*!Il()(function(a){}),"Array",{from:function(b){var i=c(b),j=typeof this=="function"?this:Array,k=arguments.length,l=k>1?arguments[1]:void 0,m=l!==void 0,n=0,o=h(i),p,q,r,s;m&&(l=a(l,k>2?arguments[2]:void 0,2));if(o!=void 0&&!(j==Array&&e(o)))for(s=o.call(i),q=new j();!(r=s.next()).done;n++)g(q,n,m?d(s,l,[r.value,n],!0):r.value);else{p=f(i.length);for(q=new j(p);p>n;n++)g(q,n,m?l(i[n],n):i[n])}q.length=n;return q}})}var Ll=!1;function Ml(){Ll||(Ll=!0,Kl());return Jl.exports}f={};var Nl={exports:f};function Ol(){var a=V(),b=Al();a(a.S+a.F*r()(function(){function a(){}return!(Array.of.call(a)instanceof a)}),"Array",{of:function(){var a=0,c=arguments.length,d=new(typeof this=="function"?this:Array)(c);while(c>a)b(d,a,arguments[a++]);d.length=c;return d}})}var Pl=!1;function Ql(){Pl||(Pl=!0,Ol());return Nl.exports}b={};var Rl={exports:b};function Sl(){var a=r();Rl.exports=function(b,c){return!!b&&a(function(){c?b.call(null,function(){},1):b.call(null)})}}var Tl=!1;function Ul(){Tl||(Tl=!0,Sl());return Rl.exports}c={};var Vl={exports:c};function Wl(){var a=V(),b=yb(),c=[].join;a(a.P+a.F*(qb()!=Object||!Ul()(c)),"Array",{join:function(a){return c.call(b(this),a===void 0?",":a)}})}var Xl=!1;function Yl(){Xl||(Xl=!0,Wl());return Vl.exports}d={};var Zl={exports:d};function $l(){var a=V(),b=Gc(),c=mb(),d=Jb(),e=Y(),f=[].slice;a(a.P+a.F*r()(function(){b&&f.call(b)}),"Array",{slice:function(a,b){var g=e(this.length),h=c(this);b=b===void 0?g:b;if(h=="Array")return f.call(this,a,b);a=d(a,g);b=d(b,g);g=e(b-a);b=new Array(g);var i=0;for(;ir;r++)if(m||r in q){s=q[r];t=g(s,r,p);if(f)if(h)e[r]=t;else if(t)switch(f){case 3:return!0;case 5:return s;case 6:return r;case 2:e.push(s)}else if(k)return!1}return l?-1:j||k?k:e}}}var qm=!1;function rm(){qm||(qm=!0,pm());return om.exports}f={};var sm={exports:f};function tm(){var a=V(),b=rm()(0),c=Ul()([].forEach,!0);a(a.P+a.F*!c,"Array",{forEach:function(a){return b(this,a,arguments[1])}})}var um=!1;function vm(){um||(um=!0,tm());return sm.exports}b={};var wm={exports:b};function xm(){var a=V(),b=rm()(1);a(a.P+a.F*!Ul()([].map,!0),"Array",{map:function(a){return b(this,a,arguments[1])}})}var ym=!1;function zm(){ym||(ym=!0,xm());return wm.exports}c={};var Am={exports:c};function Bm(){var a=V(),b=rm()(2);a(a.P+a.F*!Ul()([].filter,!0),"Array",{filter:function(a){return b(this,a,arguments[1])}})}var Cm=!1;function Dm(){Cm||(Cm=!0,Bm());return Am.exports}d={};var Em={exports:d};function Fm(){var a=V(),b=rm()(3);a(a.P+a.F*!Ul()([].some,!0),"Array",{some:function(a){return b(this,a,arguments[1])}})}var Gm=!1;function Hm(){Gm||(Gm=!0,Fm());return Em.exports}f={};var Im={exports:f};function Jm(){var a=V(),b=rm()(4);a(a.P+a.F*!Ul()([].every,!0),"Array",{every:function(a){return b(this,a,arguments[1])}})}var Km=!1;function Lm(){Km||(Km=!0,Jm());return Im.exports}b={};var Mm={exports:b};function Nm(){var a=U(),b=yc(),c=qb(),d=Y();Mm.exports=function(e,f,g,h,i){a(f);e=b(e);var j=c(e),k=d(e.length),l=i?k-1:0,m=i?-1:1;if(g<2)for(;;){if(l in j){h=j[l];l+=m;break}l+=m;if(i?l<0:k<=l)throw TypeError("Reduce of empty array with no initial value")}for(;i?l>=0:k>l;l+=m)l in j&&(h=f(h,j[l],l,e));return h}}var Om=!1;function Pm(){Om||(Om=!0,Nm());return Mm.exports}c={};var Qm={exports:c};function Rm(){var a=V(),b=Pm();a(a.P+a.F*!Ul()([].reduce,!0),"Array",{reduce:function(a){return b(this,a,arguments.length,arguments[1],!1)}})}var Sm=!1;function Tm(){Sm||(Sm=!0,Rm());return Qm.exports}d={};var Um={exports:d};function Vm(){var a=V(),b=Pm();a(a.P+a.F*!Ul()([].reduceRight,!0),"Array",{reduceRight:function(a){return b(this,a,arguments.length,arguments[1],!0)}})}var Wm=!1;function Xm(){Wm||(Wm=!0,Vm());return Um.exports}f={};var Ym={exports:f};function Zm(){var a=V(),b=Nb()(!1),c=[].indexOf,d=!!c&&1/[1].indexOf(1,-0)<0;a(a.P+a.F*(d||!Ul()(c)),"Array",{indexOf:function(a){return d?c.apply(this,arguments)||0:b(this,a,arguments[1])}})}var $m=!1;function an(){$m||($m=!0,Zm());return Ym.exports}b={};var bn={exports:b};function cn(){var a=V(),b=yb(),c=Cb(),d=Y(),e=[].lastIndexOf,f=!!e&&1/[1].lastIndexOf(1,-0)<0;a(a.P+a.F*(f||!Ul()(e)),"Array",{lastIndexOf:function(a){if(f)return e.apply(this,arguments)||0;var g=b(this),h=d(g.length),i=h-1;arguments.length>1&&(i=Math.min(i,c(arguments[1])));i<0&&(i=h+i);for(;i>=0;i--)if(i in g&&g[i]===a)return i||0;return-1}})}var dn=!1;function en(){dn||(dn=!0,cn());return bn.exports}c={};var fn={exports:c};function gn(){var a=yc(),b=Jb(),c=Y();fn.exports=[].copyWithin||function(d,e){var f=a(this),g=c(f.length),h=b(d,g),i=b(e,g),j=arguments.length>2?arguments[2]:void 0,k=Math.min((j===void 0?g:b(j,g))-i,g-h),l=1;i0)i in f?f[h]=f[i]:delete f[h],h+=l,i+=l;return f}}var hn=!1;function jn(){hn||(hn=!0,gn());return fn.exports}d={};var kn={exports:d};function ln(){var a=X()("unscopables"),b=Array.prototype;b[a]==void 0&&ma()(b,a,{});kn.exports=function(c){b[a][c]=!0}}var mn=!1;function nn(){mn||(mn=!0,ln());return kn.exports}f={};var on={exports:f};function pn(){var a=V();a(a.P,"Array",{copyWithin:jn()});nn()("copyWithin")}var qn=!1;function rn(){qn||(qn=!0,pn());return on.exports}b={};var sn={exports:b};function tn(){var a=yc(),b=Jb(),c=Y();sn.exports=function(d){var e=a(this),f=c(e.length),g=arguments.length,h=b(g>1?arguments[1]:void 0,f),i=g>2?arguments[2]:void 0,j=i===void 0?f:b(i,f);while(j>h)e[h++]=d;return e}}var un=!1;function vn(){un||(un=!0,tn());return sn.exports}c={};var wn={exports:c};function xn(){var a=V();a(a.P,"Array",{fill:vn()});nn()("fill")}var yn=!1;function zn(){yn||(yn=!0,xn());return wn.exports}d={};var An={exports:d};function Bn(){var a=V(),b=rm()(5),c="find",d=!0;c in[]&&Array(1)[c](function(){d=!1});a(a.P+a.F*d,"Array",{find:function(a){return b(this,a,arguments.length>1?arguments[1]:void 0)}});nn()(c)}var Cn=!1;function Dn(){Cn||(Cn=!0,Bn());return An.exports}f={};var En={exports:f};function Fn(){var a=V(),b=rm()(6),c="findIndex",d=!0;c in[]&&Array(1)[c](function(){d=!1});a(a.P+a.F*d,"Array",{findIndex:function(a){return b(this,a,arguments.length>1?arguments[1]:void 0)}});nn()(c)}var Gn=!1;function Hn(){Gn||(Gn=!0,Fn());return En.exports}b={};var In={exports:b};function Jn(){var b=j(),c=T(),d=v(),e=X()("species");In.exports=function(a){a=b[a];d&&a&&!a[e]&&c.f(a,e,{configurable:!0,get:function(){return this}})}}var Kn=!1;function Ln(){Kn||(Kn=!0,Jn());return In.exports}c={};var Mn={exports:c};function Nn(){Ln()("Array")}var On=!1;function Pn(){On||(On=!0,Nn());return Mn.exports}d={};var Qn={exports:d};function Rn(){Qn.exports=function(a,b){return{value:b,done:!!a}}}var Sn=!1;function Tn(){Sn||(Sn=!0,Rn());return Qn.exports}f={};var Un={exports:f};function Vn(){var a=nn(),b=Tn(),c=Pi(),d=yb();Un.exports=Xi()(Array,"Array",function(a,b){this._t=d(a),this._i=0,this._k=b},function(){var a=this._t,c=this._k,d=this._i++;if(!a||d>=a.length){this._t=void 0;return b(1)}if(c=="keys")return b(0,d);return c=="values"?b(0,a[d]):b(0,[d,a[d]])},"values");c.Arguments=c.Array;a("keys");a("values");a("entries")}var Wn=!1;function Xn(){Wn||(Wn=!0,Vn());return Un.exports}b={};var Yn={exports:b};function Zn(){var a=H();Yn.exports=function(){var b=a(this),c="";b.global&&(c+="g");b.ignoreCase&&(c+="i");b.multiline&&(c+="m");b.unicode&&(c+="u");b.sticky&&(c+="y");return c}}var $n=!1;function ao(){$n||($n=!0,Zn());return Yn.exports}c={};var bo={exports:c};function co(){var b=j(),c=Kf(),d=T().f,e=Pc().f,f=ij(),g=ao(),h=b.RegExp,i=h,k=h.prototype,l=/a/g,m=/a/g,n=new h(l)!==l;if(v()&&(!n||r()(function(){m[X()("match")]=!1;return h(l)!=l||h(m)==m||h(l,"i")!="/a/i"}))){h=function(a,b){var d=this instanceof h,e=f(a),j=b===void 0;return!d&&e&&a.constructor===h&&j?a:c(n?new i(e&&!j?a.source:a,b):i((e=a instanceof h)?a.source:a,e&&j?g.call(a):b),d?this:k,h)};var o=function(a){a in h||d(h,a,{configurable:!0,get:function(){return i[a]},set:function(b){i[a]=b}})};for(var e=e(i),p=0;e.length>p;)o(e[p++]);k.constructor=h;h.prototype=k;Ga()(b,"RegExp",h)}Ln()("RegExp")}var eo=!1;function fo(){eo||(eo=!0,co());return bo.exports}d={};var go={exports:d};function ho(){var a=ao(),b=RegExp.prototype.exec,c=String.prototype.replace,d=b,e="lastIndex",f=function(){var a=/a/,c=/b*/g;b.call(a,"a");b.call(c,"a");return a[e]!==0||c[e]!==0}(),g=/()??/.exec("")[1]!==void 0,h=f||g;h&&(d=function(d){var h=this,i,j,k;g&&(j=new RegExp("^"+h.source+"$(?!\s)",a.call(h)));f&&(i=h[e]);k=b.call(h,d);f&&k&&(h[e]=h.global?k.index+k[0].length:i);g&&k&&k.length>1&&c.call(k[0],j,function(){for(d=1;d")!=="7"}),i=function(){var a=/(?:)/,b=a.exec;a.exec=function(){return b.apply(this,arguments)};a="ab".split(a);return a.length===2&&a[0]==="a"&&a[1]==="b"}();Eo.exports=function(j,k,l){var m=e(j),n=!c(function(){var a={};a[m]=function(){return 7};return""[j](a)!=7}),o=n?!c(function(){var a=!1,b=/a/;b.exec=function(){a=!0;return null};j==="split"&&(b.constructor={},b.constructor[g]=function(){return b});b[m]("");return!a}):void 0;if(!n||!o||j==="replace"&&!h||j==="split"&&!i){var p=/./[m];o=l(d,m,""[j],function(a,b,c,d,e){return b.exec===f?n&&!e?{done:!0,value:p.call(b,c,d)}:{done:!0,value:a.call(c,b,d)}:{done:!1}});l=o[0];var q=o[1];a(String.prototype,j,l);b(RegExp.prototype,m,k==2?function(a,b){return q.call(a,this,b)}:function(a){return q.call(a,this)})}}}var Go=!1;function Ho(){Go||(Go=!0,Fo());return Eo.exports}c={};var Io={exports:c};function Jo(){var a=H(),b=Y(),c=zo(),d=Do();Ho()("match",1,function(e,f,g,h){return[function(a){var b=e(this),c=a==void 0?void 0:a[f];return c!==void 0?c.call(a,b):new RegExp(a)[f](String(b))},function(e){var f=h(g,e,this);if(f.done)return f.value;f=a(e);e=String(this);if(!f.global)return d(f,e);var i=f.unicode;f.lastIndex=0;var j=[],k=0,l;while((l=d(f,e))!==null){l=String(l[0]);j[k]=l;l===""&&(f.lastIndex=c(e,b(f.lastIndex),i));k++}return k===0?null:j}]})}var Ko=!1;function Lo(){Ko||(Ko=!0,Jo());return Io.exports}d={};var Mo={exports:d};function No(){var b=H(),c=yc(),d=Y(),e=Cb(),f=zo(),g=Do(),h=Math.max,i=Math.min,j=Math.floor,k=/$([$&`"]|dd?|<[^>]*>)/g,l=/$([$&`"]|dd?)/g,m=function(a){return a===void 0?a:String(a)};Ho()("replace",2,function(n,o,p,q){return[function(a,b){var c=n(this),d=a==void 0?void 0:a[o];return d!==void 0?d.call(a,c,b):p.call(String(c),a,b)},function(j,k){var l=q(p,j,this,k);if(l.done)return l.value;l=b(j);j=String(this);var n=typeof k==="function";n||(k=String(k));var c=l.global;if(c){var o=l.unicode;l.lastIndex=0}var s=[];while(!0){var t=g(l,j);if(t===null)break;s.push(t);if(!c)break;var u=String(t[0]);u===""&&(l.lastIndex=f(j,d(l.lastIndex),o))}u="";c=0;for(l=0;l=c&&(u+=j.slice(c,w)+z,c=w+v.length)}return u+j.slice(c)}];function r(a,b,d,e,f,g){var h=d+a.length,i=e.length,m=l;f!==void 0&&(f=c(f),m=k);return p.call(g,m,function(c,g){var k;switch(g.charAt(0)){case"$":return"$";case"&":return a;case"`":return b.slice(0,d);case""":return b.slice(h);case"<":k=f[g.slice(1,-1)];break;default:var l=+g;if(l===0)return c;if(l>i){var m=j(l/10);if(m===0)return c;return m<=i?e[m-1]===void 0?g.charAt(1):e[m-1]+g.charAt(1):c}k=e[l-1]}return k===void 0?"":k})}})}var Oo=!1;function Po(){Oo||(Oo=!0,No());return Mo.exports}f={};var Qo={exports:f};function Ro(){var a=H(),b=ue(),c=Do();Ho()("search",1,function(d,e,f,g){return[function(a){var b=d(this),c=a==void 0?void 0:a[e];return c!==void 0?c.call(a,b):new RegExp(a)[e](String(b))},function(d){var e=g(f,d,this);if(e.done)return e.value;e=a(d);d=String(this);var h=e.lastIndex;b(h,0)||(e.lastIndex=0);d=c(e,d);b(e.lastIndex,h)||(e.lastIndex=h);return d===null?-1:d.index}]})}var So=!1;function To(){So||(So=!0,Ro());return Qo.exports}b={};var Uo={exports:b};function Vo(){var a=H(),b=U(),c=X()("species");Uo.exports=function(d,e){d=a(d).constructor;var f;return d===void 0||(f=a(d)[c])==void 0?e:b(f)}}var Wo=!1;function Xo(){Wo||(Wo=!0,Vo());return Uo.exports}c={};var Yo={exports:c};function Zo(){var a=ij(),b=H(),c=Xo(),d=zo(),e=Y(),f=Do(),g=jo(),h=r(),i=Math.min,j=[].push,k="split",l="length",m="lastIndex",n=4294967295,o=!h(function(){});Ho()("split",2,function(h,p,q,r){var s;"abbc"[k](/(b)*/)[1]=="c"||"test"[k](/(?:)/,-1)[l]!=4||"ab"[k](/(?:ab)*/)[l]!=2||"."[k](/(.?)(.?)/)[l]!=4||"."[k](/()()/)[l]>1||""[k](/.?/)[l]?s=function(b,c){var d=String(this);if(b===void 0&&c===0)return[];if(!a(b))return q.call(d,b,c);var e=[],f=(b.ignoreCase?"i":"")+(b.multiline?"m":"")+(b.unicode?"u":"")+(b.sticky?"y":""),h=0;c=c===void 0?n:c>>>0;b=new RegExp(b.source,f+"g");var i,k;while(f=g.call(b,d)){i=b[m];if(i>h){e.push(d.slice(h,f.index));f[l]>1&&f.index=c)break}b[m]===f.index&&b[m]++}h===d[l]?(k||!b.test(""))&&e.push(""):e.push(d.slice(h));return e[l]>c?e.slice(0,c):e}:"0"[k](void 0,0)[l]?s=function(a,b){return a===void 0&&b===0?[]:q.call(this,a,b)}:s=q;return[function(a,b){var c=h(this),d=a==void 0?void 0:a[p];return d!==void 0?d.call(a,c,b):s.call(String(c),a,b)},function(a,g){var h=r(s,a,this,g,s!==q);if(h.done)return h.value;h=b(a);a=String(this);var j=c(h,RegExp),k=h.unicode,l=(h.ignoreCase?"i":"")+(h.multiline?"m":"")+(h.unicode?"u":"")+(o?"y":"g");j=new j(o?h:"^(?:"+h.source+")",l);h=g===void 0?n:g>>>0;if(h===0)return[];if(a.length===0)return f(j,a)===null?[a]:[];l=0;g=0;var m=[];while(gl;l++){p=f?k(e(o=a[l])[0],o[1]):k(a[l]);if(p===i||p===j)return p}else for(l=m.call(a);!(o=l.next()).done;){p=c(l,k,o.value,f);if(p===i||p===j)return p}};a.BREAK=i;a.RETURN=j}var hp=!1;function ip(){hp||(hp=!0,gp());return fp.exports}b={};var jp={exports:b};function kp(){var c=Na(),d=Se(),e=Gc(),f=L(),b=j(),g=b.process,h=b.setImmediate,i=b.clearImmediate,k=b.MessageChannel,l=b.Dispatch,m=0,n={},o="onreadystatechange",p,q,r=function(){var a=+this;if(n.hasOwnProperty(a)){var b=n[a];delete n[a];b()}},s=function(a){r.call(a.data)};(!h||!i)&&(h=function(a){var b=[],c=1;while(arguments.length>c)b.push(arguments[c++]);n[++m]=function(){d(typeof a=="function"?a:Function(a),b)};p(m);return m},i=function(a){delete n[a]},mb()(g)=="process"?p=function(a){g.nextTick(c(r,a,1))}:l&&l.now?p=function(a){l.now(c(r,a,1))}:k?(k=new k(),q=k.port2,k.port1.onmessage=s,p=c(q.postMessage,q,1)):b.addEventListener&&typeof postMessage=="function"&&!b.importScripts?(p=function(a){b.postMessage(a+"","*")},b.addEventListener("message",s,!1)):o in f("script")?p=function(a){e.appendChild(f("script"))[o]=function(){e.removeChild(this),r.call(a)}}:p=function(a){setTimeout(c(r,a,1),0)});jp.exports={set:h,clear:i}}var lp=!1;function mp(){lp||(lp=!0,kp());return jp.exports}c={};var np={exports:c};function op(){var b=j(),c=mp().set,d=b.MutationObserver||b.WebKitMutationObserver,e=b.process,f=b.Promise,g=mb()(e)=="process";np.exports=function(){var a,h,i,j=function(){var b,c;g&&(b=e.domain)&&b.exit();while(a){c=a.fn;a=a.next;try{c()}catch(b){a?i():h=void 0;throw b}}h=void 0;b&&b.enter()};if(g)i=function(){e.nextTick(j)};else if(d&&!(b.navigator&&b.navigator.standalone)){var k=!0,l=document.createTextNode("");new d(j).observe(l,{characterData:!0});i=function(){l.data=k=!k}}else if(f&&f.resolve){var m=f.resolve(void 0);i=function(){m.then(j)}}else i=function(){c.call(b,j)};return function(b){b={fn:b,next:void 0};h&&(h.next=b);a||(a=b,i());h=b}}}var pp=!1;function qp(){pp||(pp=!0,op());return np.exports}d={};var rp={exports:d};function sp(){var a=U();function b(b){var c,d;this.promise=new b(function(a,b){if(c!==void 0||d!==void 0)throw TypeError("Bad Promise constructor");c=a;d=b});this.resolve=a(c);this.reject=a(d)}rp.exports.f=function(a){return new b(a)}}var tp=!1;function up(){tp||(tp=!0,sp());return rp.exports}f={};var vp={exports:f};function wp(){vp.exports=function(a){try{return{e:!1,v:a()}}catch(a){return{e:!0,v:a}}}}var xp=!1;function yp(){xp||(xp=!0,wp());return vp.exports}b={};var zp={exports:b};function Ap(){var b=j();b=b.navigator;zp.exports=b&&b.userAgent||""}var Bp=!1;function Cp(){Bp||(Bp=!0,Ap());return zp.exports}c={};var Dp={exports:c};function Ep(){var a=H(),b=D(),c=up();Dp.exports=function(d,e){a(d);if(b(e)&&e.constructor===d)return e;d=c.f(d);var f=d.resolve;f(e);return d.promise}}var Fp=!1;function Gp(){Fp||(Fp=!0,Ep());return Dp.exports}d={};var Hp={exports:d};function Ip(){var a=Ga();Hp.exports=function(b,c,d){for(var e in c)a(b,e,c[e],d);return b}}var Jp=!1;function Kp(){Jp||(Jp=!0,Ip());return Hp.exports}f={};var Lp={exports:f};function Mp(){var c=ua(),b=j(),d=Na(),e=Ke(),f=V(),g=D(),h=U(),i=ep(),k=ip(),l=Xo(),m=mp().set,n=qp()(),o=up(),p=yp(),q=Cp(),r=Gp(),s="Promise",t=b.TypeError,u=b.process,v=u&&u.versions,w=v&&v.v8||"",x=b[s],y=e(u)=="process",A=function(){},B,C,E,F,G=C=o.f;v=!!function(){try{var a=x.resolve(1),b=(a.constructor={})[X()("species")]=function(a){a(A,A)};return(y||typeof PromiseRejectionEvent=="function")&&a.then(A)instanceof b&&w.indexOf("6.6")!==0&&q.indexOf("Chrome/66")===-1}catch(a){}}();var H=function(a){var b;return g(a)&&typeof (b=a.then)=="function"?b:!1},I=function(a,b){if(a._n)return;a._n=!0;var c=a._c;n(function(){var d=a._v,e=a._s==1,f=0,g=function(b){var c=e?b.ok:b.fail,f=b.resolve,g=b.reject,h=b.domain,i,j;try{c?(e||(a._h==2&&L(a),a._h=1),c===!0?i=d:(h&&h.enter(),i=c(d),h&&(h.exit(),j=!0)),i===b.promise?g(t("Promise-chain cycle")):(c=H(i))?c.call(i,f,g):f(i)):g(d)}catch(a){h&&!j&&h.exit(),g(a)}};while(c.length>f)g(c[f++]);a._c=[];a._n=!1;b&&!a._h&&J(a)})},J=function(a){m.call(b,function(){var c=a._v,d=K(a),e,f;d&&(e=p(function(){y?u.emit("unhandledRejection",c,a):(f=b.onunhandledrejection)?f({promise:a,reason:c}):b.console&&emptyFunction}),a._h=y||K(a)?2:1);a._a=void 0;if(d&&e.e)throw e.v})},K=function(a){return a._h!==1&&(a._a||a._c).length===0},L=function(a){m.call(b,function(){var c;y?u.emit("rejectionHandled",a):(c=b.onrejectionhandled)&&c({promise:a,reason:a._v})})},M=function(a){var b=this;if(b._d)return;b._d=!0;b=b._w||b;b._v=a;b._s=2;b._a||(b._a=b._c.slice());I(b,!0)},N=function(a){var b=this,c;if(b._d)return;b._d=!0;b=b._w||b;try{if(b===a)throw t("Promise can"t be resolved itself");(c=H(a))?n(function(){var e={_w:b,_d:!1};try{c.call(a,d(N,e,1),d(M,e,1))}catch(a){M.call(e,a)}}):(b._v=a,b._s=1,I(b,!1))}catch(a){M.call({_w:b,_d:!1},a)}};v||(x=function(a){i(this,x,s,"_h");h(a);B.call(this);try{a(d(N,this,1),d(M,this,1))}catch(a){M.call(this,a)}},B=function(a){this._c=[],this._a=void 0,this._s=0,this._d=!1,this._v=void 0,this._h=0,this._n=!1},B.prototype=Kp()(x.prototype,{then:function(a,b){var c=G(l(this,x));c.ok=typeof a=="function"?a:!0;c.fail=typeof b=="function"&&b;c.domain=y?u.domain:void 0;this._c.push(c);this._a&&this._a.push(c);this._s&&I(this,!1);return c.promise},"catch":function(a){return this.then(void 0,a)}}),E=function(){var a=new B();this.promise=a;this.resolve=d(N,a,1);this.reject=d(M,a,1)},o.f=G=function(a){return a===x||a===F?new E(a):C(a)});f(f.G+f.W+f.F*!v,{Promise:x});$a()(x,s);Ln()(s);F=z()[s];f(f.S+f.F*!v,s,{reject:function(a){var b=G(this),c=b.reject;c(a);return b.promise}});f(f.S+f.F*(c||!v),s,{resolve:function(a){return r(c&&this===F?x:this,a)}});f(f.S+f.F*!(v&&Il()(function(a){x.all(a)["catch"](A)})),s,{all:function(a){var b=this,c=G(b),d=c.resolve,e=c.reject,f=p(function(){var c=[],f=0,g=1;k(a,!1,function(a){var h=f++,i=!1;c.push(void 0);g++;b.resolve(a).then(function(a){if(i)return;i=!0;c[h]=a;--g||d(c)},e)});--g||d(c)});f.e&&e(f.v);return c.promise},race:function(a){var b=this,c=G(b),d=c.reject,e=p(function(){k(a,!1,function(a){b.resolve(a).then(c.resolve,d)})});e.e&&d(e.v);return c.promise}})}var Np=!1;function Op(){Np||(Np=!0,Mp());return Lp.exports}b={};var Pp={exports:b};function Qp(){var a=D();Pp.exports=function(b,c){if(!a(b)||b._t!==c)throw TypeError("Incompatible receiver, "+c+" required!");return b}}var Rp=!1;function Sp(){Rp||(Rp=!0,Qp());return Pp.exports}c={};var Tp={exports:c};function Up(){var a=T().f,b=Kc(),c=Kp(),d=Na(),e=ep(),f=ip(),g=Xi(),h=Tn(),i=Ln(),j=v(),k=W().fastKey,l=Sp(),m=j?"_s":"size",n=function(a,b){var c=k(b);if(c!=="F")return a._i[c];for(c=a._f;c;c=c.n)if(c.k==b)return c};Tp.exports={getConstructor:function(g,h,i,k){var o=g(function(a,c){e(a,o,h,"_i"),a._t=h,a._i=b(null),a._f=void 0,a._l=void 0,a[m]=0,c!=void 0&&f(c,i,a[k],a)});c(o.prototype,{clear:function(){for(var a=l(this,h),b=a._i,c=a._f;c;c=c.n)c.r=!0,c.p&&(c.p=c.p.n=void 0),delete b[c.i];a._f=a._l=void 0;a[m]=0},"delete":function(a){var b=l(this,h);a=n(b,a);if(a){var c=a.n,d=a.p;delete b._i[a.i];a.r=!0;d&&(d.n=c);c&&(c.p=d);b._f==a&&(b._f=c);b._l==a&&(b._l=d);b[m]--}return!!a},forEach:function(a){l(this,h);var b=d(a,arguments.length>1?arguments[1]:void 0,3),c;while(c=c?c.n:this._f){b(c.v,c.k,this);while(c&&c.r)c=c.p}},has:function(a){return!!n(l(this,h),a)}});j&&a(o.prototype,"size",{get:function(){return l(this,h)[m]}});return o},def:function(a,b,c){var d=n(a,b),e;d?d.v=c:(a._l=d={i:e=k(b,!0),k:b,v:c,p:b=a._l,n:void 0,r:!1},a._f||(a._f=d),b&&(b.n=d),a[m]++,e!=="F"&&(a._i[e]=d));return a},getEntry:n,setStrong:function(a,b,c){g(a,b,function(a,c){this._t=l(a,b),this._k=c,this._l=void 0},function(){var a=this,b=a._k,c=a._l;while(c&&c.r)c=c.p;if(!a._t||!(a._l=c=c?c.n:a._t._f)){a._t=void 0;return h(1)}if(b=="keys")return h(0,c.k);return b=="values"?h(0,c.v):h(0,[c.k,c.v])},c?"entries":"values",!c,!0),i(b)}}}var Vp=!1;function Wp(){Vp||(Vp=!0,Up());return Tp.exports}d={};var Xp={exports:d};function Yp(){var b=j(),c=V(),d=Ga(),e=Kp(),f=W(),g=ip(),h=ep(),i=D(),k=r(),l=Il(),m=$a(),n=Kf();Xp.exports=function(a,j,o,p,q,r){var s=b[a],t=s,u=q?"set":"add",v=t&&t.prototype,w={},x=function(a){var b=v[a];d(v,a,a=="delete"?function(a){return r&&!i(a)?!1:b.call(this,a===0?0:a)}:a=="has"?function(a){return r&&!i(a)?!1:b.call(this,a===0?0:a)}:a=="get"?function(a){return r&&!i(a)?void 0:b.call(this,a===0?0:a)}:a=="add"?function(a){b.call(this,a===0?0:a);return this}:function(a,c){b.call(this,a===0?0:a,c);return this})};if(typeof t!="function"||!(r||v.forEach&&!k(function(){new t().entries().next()})))t=p.getConstructor(j,a,q,u),e(t.prototype,o),f.NEED=!0;else{var y=new t();o=y[u](r?{}:-0,1)!=y;var z=k(function(){y.has(1)}),A=l(function(a){new t(a)}),B=!r&&k(function(){var a=new t(),b=5;while(b--)a[u](b,b);return!a.has(-0)});A||(t=j(function(b,c){h(b,t,a);b=n(new s(),b,t);c!=void 0&&g(c,q,b[u],b);return b}),t.prototype=v,v.constructor=t);(z||B)&&(x("delete"),x("has"),q&&x("get"));(B||o)&&x(u);r&&v.clear&&delete v.clear}m(t,a);w[a]=t;c(c.G+c.W+c.F*(t!=s),w);r||p.setStrong(t,a,q);return t}}var Zp=!1;function $p(){Zp||(Zp=!0,Yp());return Xp.exports}f={};var aq={exports:f};function bq(){var a=Wp(),b=Sp(),c="Map";aq.exports=$p()(c,function(a){return function(){return a(this,arguments.length>0?arguments[0]:void 0)}},{get:function(d){d=a.getEntry(b(this,c),d);return d&&d.v},set:function(d,e){return a.def(b(this,c),d===0?0:d,e)}},a,!0)}var cq=!1;function dq(){cq||(cq=!0,bq());return aq.exports}b={};var eq={exports:b};function fq(){var a=Wp(),b=Sp(),c="Set";eq.exports=$p()(c,function(a){return function(){return a(this,arguments.length>0?arguments[0]:void 0)}},{add:function(d){return a.def(b(this,c),d=d===0?0:d,d)}},a)}var gq=!1;function hq(){gq||(gq=!0,fq());return eq.exports}c={};var iq={exports:c};function jq(){var a=Kp(),b=W().getWeak,c=H(),d=D(),e=ep(),f=ip(),g=rm(),h=n(),i=Sp(),j=g(5),k=g(6),l=0,m=function(a){return a._l||(a._l=new o())},o=function(){this.a=[]},p=function(a,b){return j(a.a,function(a){return a[0]===b})};o.prototype={get:function(a){a=p(this,a);if(a)return a[1]},has:function(a){return!!p(this,a)},set:function(a,b){var c=p(this,a);c?c[1]=b:this.a.push([a,b])},"delete":function(a){var b=k(this.a,function(b){return b[0]===a});~b&&this.a.splice(b,1);return!!~b}};iq.exports={getConstructor:function(c,g,j,k){var n=c(function(a,b){e(a,n,g,"_i"),a._t=g,a._i=l++,a._l=void 0,b!=void 0&&f(b,j,a[k],a)});a(n.prototype,{"delete":function(a){if(!d(a))return!1;var c=b(a);return c===!0?m(i(this,g))["delete"](a):c&&h(c,this._i)&&delete c[this._i]},has:function(a){if(!d(a))return!1;var c=b(a);return c===!0?m(i(this,g)).has(a):c&&h(c,this._i)}});return n},def:function(a,d,e){var f=b(c(d),!0);f===!0?m(a).set(d,e):f[a._i]=e;return a},ufstore:m}}var kq=!1;function lq(){kq||(kq=!0,jq());return iq.exports}d={};var mq={exports:d};function nq(){var b=j(),c=rm()(0),d=Ga(),e=W(),f=me(),g=lq(),h=D(),i=Sp(),k=Sp();b=!b.ActiveXObject&&"ActiveXObject"in b;var l="WeakMap",m=e.getWeak,n=Object.isExtensible,o=g.ufstore,p,q=function(a){return function(){return a(this,arguments.length>0?arguments[0]:void 0)}},r={get:function(a){if(h(a)){var b=m(a);return b===!0?o(i(this,l)).get(a):b?b[this._i]:void 0}},set:function(a,b){return g.def(i(this,l),a,b)}},s=mq.exports=$p()(l,q,r,g,!0,!0);k&&b&&(p=g.getConstructor(q,l),f(p.prototype,r),e.NEED=!0,c(["delete","has","get","set"],function(a){var b=s.prototype,c=b[a];d(b,a,function(b,d){if(h(b)&&!n(b)){this._f||(this._f=new p());var e=this._f[a](b,d);return a=="set"?this:e}return c.call(this,b,d)})}))}var oq=!1;function pq(){oq||(oq=!0,nq());return mq.exports}f={};var qq={exports:f};function rq(){var a=lq(),b=Sp(),c="WeakSet";$p()(c,function(a){return function(){return a(this,arguments.length>0?arguments[0]:void 0)}},{add:function(d){return a.def(b(this,c),d,!0)}},a,!1,!0)}var sq=!1;function tq(){sq||(sq=!0,rq());return qq.exports}b={};var uq={exports:b};function vq(){var b=j(),c=ma(),d=qa(),e=d("typed_array");d=d("view");var f=!!(b.ArrayBuffer&&b.DataView),g=f,h=0,i=9,k,l="Int8Array,Uint8Array,Uint8ClampedArray,Int16Array,Uint16Array,Int32Array,Uint32Array,Float32Array,Float64Array".split(",");while(h>1,g=b===23?F(2,-24)-F(2,-77):0,h=0,i=a<0||a===0&&1/a<0?1:0,j,k,l;a=E(a);a!=a||a===C?(k=a!=a?1:0,j=e):(j=G(H(a)/I),a*(l=F(2,-j))<1&&(j--,l*=2),j+f>=1?a+=g/l:a+=g*F(2,1-f),a*l>=2&&(j++,l/=2),j+f>=e?(k=0,j=e):j+f>=1?(k=(a*l-1)*F(2,b),j=j+f):(k=a*F(2,f-1)*F(2,b),j=0));for(;b>=8;d[h++]=k&255,k/=256,b-=8);j=j<0;d[h++]=j&255,j/=256,c-=8);d[--h]|=i*128;return d}function O(a,b,c){var d=c*8-b-1,e=(1<>1;d=d-7;c=c-1;var g=a[c--],h=g&127,i;g>>=7;for(;d>0;h=h*256+a[c],c--,d-=8);i=h&(1<<-d)-1;h>>=-d;d+=b;for(;d>0;i=i*256+a[c],c--,d-=8);if(h===0)h=1-f;else if(h===e)return i?NaN:g?-C:C;else i=i+F(2,b),h=h-f;return(g?-1:1)*i*F(2,h-b)}function P(a){return a[3]<<24|a[2]<<16|a[1]<<8|a[0]}function aa(a){return[a&255]}function ba(a){return[a&255,a>>8&255]}function ca(a){return[a&255,a>>8&255,a>>16&255,a>>24&255]}function da(a){return N(a,52,8)}function ea(a){return N(a,23,4)}function Q(a,b,c){o(a[u],b,{get:function(){return this[c]}})}function R(a,b,c,d){c=+c;c=m(c);if(c+b>a[L])throw B(x);var e=a[K]._b;c=c+a[M];a=e.slice(c,c+b);return d?a:a.reverse()}function S(a,b,c,d,e,f){c=+c;c=m(c);if(c+b>a[L])throw B(x);var g=a[K]._b;c=c+a[M];a=d(+e);for(d=0;dd)throw B("Wrong offset!");c=c===void 0?d-b:l(c);if(b+c>d)throw B(w);this[K]=a;this[M]=b;this[L]=c},c&&(Q(y,A,"_l"),Q(z,b,"_b"),Q(z,A,"_l"),Q(z,J,"_o")),g(z[u],{getInt8:function(a){return R(this,1,a)[0]<<24>>24},getUint8:function(a){return R(this,1,a)[0]},getInt16:function(a){var b=R(this,2,a,arguments[1]);return(b[1]<<8|b[0])<<16>>16},getUint16:function(a){var b=R(this,2,a,arguments[1]);return b[1]<<8|b[0]},getInt32:function(a){return P(R(this,4,a,arguments[1]))},getUint32:function(a){return P(R(this,4,a,arguments[1]))>>>0},getFloat32:function(a){return O(R(this,4,a,arguments[1]),23,4)},getFloat64:function(a){return O(R(this,8,a,arguments[1]),52,8)},setInt8:function(a,b){S(this,1,a,aa,b)},setUint8:function(a,b){S(this,1,a,aa,b)},setInt16:function(a,b){S(this,2,a,ba,b,arguments[2])},setUint16:function(a,b){S(this,2,a,ba,b,arguments[2])},setInt32:function(a,b){S(this,4,a,ca,b,arguments[2])},setUint32:function(a,b){S(this,4,a,ca,b,arguments[2])},setFloat32:function(a,b){S(this,4,a,ea,b,arguments[2])},setFloat64:function(a,b){S(this,8,a,da,b,arguments[2])}});else{if(!h(function(){y(1)})||!h(function(){new y(-1)})||h(function(){new y();new y(1.5);new y(NaN);return y.name!=s})){y=function(a){i(this,y);return new D(m(a))};c=y[u]=D[u];for(var b=n(D),A=0,Q;b.length>A;)(Q=b[A++])in y||f(y,Q,D[Q]);d||(c.constructor=y)}J=new z(new y(2));var fa=z[u].setInt8;J.setInt8(0,2147483648);J.setInt8(1,2147483649);(J.getInt8(0)||!J.getInt8(1))&&g(z[u],{setInt8:function(a,b){fa.call(this,a,b<<24>>24)},setUint8:function(a,b){fa.call(this,a,b<<24>>24)}},!0)}q(y,s);q(z,t);f(z[u],e.VIEW,!0);Cq[s]=y;Cq[t]=z}var Fq=!1;function Gq(){Fq||(Fq=!0,Eq());return Dq.exports}d={};var Hq={exports:d};function Iq(){var a=V(),b=xq(),c=Gq(),d=H(),e=Jb(),f=Y(),g=D(),h=j().ArrayBuffer,i=Xo(),k=c.ArrayBuffer,l=c.DataView,m=b.ABV&&h.isView,n=k.prototype.slice,o=b.VIEW;c="ArrayBuffer";a(a.G+a.W+a.F*(h!==k),{ArrayBuffer:k});a(a.S+a.F*!b.CONSTR,c,{isView:function(a){return m&&m(a)||g(a)&&o in a}});a(a.P+a.U+a.F*r()(function(){return!new k(2).slice(1,void 0).byteLength}),c,{slice:function(a,b){if(n!==void 0&&b===void 0)return n.call(d(this),a);var c=d(this).byteLength;a=e(a,c);b=e(b===void 0?c:b,c);c=new(i(this,k))(f(b-a));var g=new l(this),h=new l(c),j=0;while(ac)a[c]=b[c++];return a};I=function(a,b,c){ca(a,b,{get:function(){return this._d[c]}})};var Xa=function(a){var b=y(a),c=arguments.length,d=c>1?arguments[1]:void 0,e=d!==void 0,f=E(b),g,i,j,k,l,m;if(f!=void 0&&!z(f)){for(m=f.call(b),j=[],g=0;!(l=m.next()).done;g++)j.push(l.value);b=j}e&&c>2&&(d=h(d,arguments[2],2));for(g=0,i=p(b.length),k=Ua(this,i);i>g;g++)k[g]=e?d(b[g],g):b[g];return k},Ya=function(){var a=0,b=arguments.length,c=Ua(this,b);while(b>a)c[a]=arguments[a++];return c},Za=!!S&&d(function(){Ia.call(new S(1))}),$a=function(){return Ia.apply(Za?Ga.call(W(this)):W(this),arguments)},ab={copyWithin:function(a,b){return P.call(W(this),a,b,arguments.length>2?arguments[2]:void 0)},every:function(a){return sa(W(this),a,arguments.length>1?arguments[1]:void 0)},fill:function(a){return O.apply(W(this),arguments)},filter:function(a){return Va(this,pa(W(this),a,arguments.length>1?arguments[1]:void 0))},find:function(a){return ta(W(this),a,arguments.length>1?arguments[1]:void 0)},findIndex:function(a){return va(W(this),a,arguments.length>1?arguments[1]:void 0)},forEach:function(a){oa(W(this),a,arguments.length>1?arguments[1]:void 0)},indexOf:function(a){return xa(W(this),a,arguments.length>1?arguments[1]:void 0)},includes:function(a){return wa(W(this),a,arguments.length>1?arguments[1]:void 0)},join:function(a){return Ea.apply(W(this),arguments)},lastIndexOf:function(a){return Ba.apply(W(this),arguments)},map:function(a){return Qa(W(this),a,arguments.length>1?arguments[1]:void 0)},reduce:function(a){return Ca.apply(W(this),arguments)},reduceRight:function(a){return Da.apply(W(this),arguments)},reverse:function(){var a=this,b=W(a).length,c=Math.floor(b/2),d=0,e;while(d1?arguments[1]:void 0)},sort:function(a){return Fa.call(W(this),a)},subarray:function(a,b){var c=W(this),d=c.length;a=s(a,d);return new(J(c,c[La]))(c.buffer,c.byteOffset+a*c.BYTES_PER_ELEMENT,p((b===void 0?d:s(b,d))-a))}},bb=function(a,b){return Va(this,Ga.call(W(this),a,b))},cb=function(a){W(this);var b=Ta(arguments[1],1),c=this.length,d=y(a),e=p(d.length),f=0;if(e+b>c)throw Q(Pa);while(f255?255:c&255);a.v[n](b*g+a.o,c,Ra)},z=function(a,b){ca(a,b,{get:function(){return v(this,b)},set:function(a){return y(this,b,a)},enumerable:!0})};s?(o=h(function(a,b,c,d){i(a,o,k,"_d");var e=0,f=0,h,j,m,n;if(!x(b))m=q(b),j=m*g,h=new la(j);else if(b instanceof la||(n=w(b))==fa||n==ga){h=b;f=Ta(c,g);c=b.byteLength;if(d===void 0){if(c%g)throw Q(Pa);j=c-f;if(j<0)throw Q(Pa)}else{j=p(d)*g;if(j+f>c)throw Q(Pa)}m=j/g}else if(Ma in b)return Wa(o,b);else return Xa.call(o,b);l(a,"_d",{b:h,o:f,l:j,e:m,v:new na(h)});while(e=b.length)return{value:void 0,done:!0};while(!((c=b[a._i++])in a._t));return{value:c,done:!1}});a(a.S,"Reflect",{enumerate:function(a){return new c(a)}})}var Ur=!1;function Vr(){Ur||(Ur=!0,Tr());return Sr.exports}f={};var Wr={exports:f};function Xr(){var a=Yc(),b=zd(),c=n(),d=V(),e=D(),f=H();function g(d,h){var i=arguments.length<3?d:arguments[2],j,k;if(f(d)===i)return d[h];if(j=a.f(d,h))return c(j,"value")?j.value:j.get!==void 0?j.get.call(i):void 0;if(e(k=b(d)))return g(k,h,i)}d(d.S,"Reflect",{get:g})}var Yr=!1;function Zr(){Yr||(Yr=!0,Xr());return Wr.exports}b={};var $r={exports:b};function as(){var a=Yc(),b=V(),c=H();b(b.S,"Reflect",{getOwnPropertyDescriptor:function(b,d){return a.f(c(b),d)}})}var bs=!1;function cs(){bs||(bs=!0,as());return $r.exports}c={};var ds={exports:c};function es(){var a=V(),b=zd(),c=H();a(a.S,"Reflect",{getPrototypeOf:function(a){return b(c(a))}})}var fs=!1;function gs(){fs||(fs=!0,es());return ds.exports}d={};var hs={exports:d};function is(){var a=V();a(a.S,"Reflect",{has:function(a,b){return b in a}})}var js=!1;function ks(){js||(js=!0,is());return hs.exports}f={};var ls={exports:f};function ms(){var a=V(),b=H(),c=Object.isExtensible;a(a.S,"Reflect",{isExtensible:function(a){b(a);return c?c(a):!0}})}var ns=!1;function os(){ns||(ns=!0,ms());return ls.exports}b={};var ps={exports:b};function qs(){var a=Pc(),b=hc(),c=H(),d=j().Reflect;ps.exports=d&&d.ownKeys||function(d){var e=a.f(c(d)),f=b.f;return f?e.concat(f(d)):e}}var rs=!1;function ss(){rs||(rs=!0,qs());return ps.exports}c={};var ts={exports:c};function us(){var a=V();a(a.S,"Reflect",{ownKeys:ss()})}var vs=!1;function ws(){vs||(vs=!0,us());return ts.exports}d={};var xs={exports:d};function ys(){var a=V(),b=H(),c=Object.preventExtensions;a(a.S,"Reflect",{preventExtensions:function(a){b(a);try{c&&c(a);return!0}catch(a){return!1}}})}var zs=!1;function As(){zs||(zs=!0,ys());return xs.exports}f={};var Bs={exports:f};function Cs(){var a=T(),b=Yc(),c=zd(),d=n(),e=V(),f=ia(),g=H(),h=D();function i(e,j,k){var l=arguments.length<4?e:arguments[3],m=b.f(g(e),j),n,o;if(!m){if(h(o=c(e)))return i(o,j,k,l);m=f(0)}if(d(m,"value")){if(m.writable===!1||!h(l))return!1;if(n=b.f(l,j)){if(n.get||n.set||n.writable===!1)return!1;n.value=k;a.f(l,j,n)}else a.f(l,j,f(0,k));return!0}return m.set===void 0?!1:(m.set.call(l,k),!0)}e(e.S,"Reflect",{set:i})}var Ds=!1;function Es(){Ds||(Ds=!0,Cs());return Bs.exports}b={};var Fs={exports:b};function Gs(){var a=V(),b=Ce();b&&a(a.S,"Reflect",{setPrototypeOf:function(a,c){b.check(a,c);try{b.set(a,c);return!0}catch(a){return!1}}})}var Hs=!1;function Is(){Hs||(Hs=!0,Gs());return Fs.exports}c={};var Js={exports:c};function Ks(){var a=V(),b=Nb()(!0);a(a.P,"Array",{includes:function(a){return b(this,a,arguments.length>1?arguments[1]:void 0)}});nn()("includes")}var Ls=!1;function Ms(){Ls||(Ls=!0,Ks());return Js.exports}d={};var Ns={exports:d};function Os(){var a=uc(),b=D(),c=Y(),d=Na(),e=X()("isConcatSpreadable");function f(g,h,i,j,k,l,m,n){k=k;var o=0;m=m?d(m,n,3):!1;var p;while(o0)k=f(g,h,n,c(n.length),k,l-1)-1;else{if(k>=9007199254740991)throw TypeError();g[k]=n}k++}o++}return k}Ns.exports=f}var Ps=!1;function Qs(){Ps||(Ps=!0,Os());return Ns.exports}f={};var Rs={exports:f};function Ss(){var a=V(),b=Qs(),c=yc(),d=Y(),e=U(),f=nm();a(a.P,"Array",{flatMap:function(a){var g=c(this),h,i;e(a);h=d(g.length);i=f(g,0);b(i,g,g,h,0,1,a,arguments[1]);return i}});nn()("flatMap")}var Ts=!1;function Us(){Ts||(Ts=!0,Ss());return Rs.exports}b={};var Vs={exports:b};function Ws(){var a=V(),b=Qs(),c=yc(),d=Y(),e=Cb(),f=nm();a(a.P,"Array",{flatten:function(){var a=arguments[0],g=c(this),h=d(g.length),i=f(g,0);b(i,g,g,h,0,a===void 0?1:e(a));return i}});nn()("flatten")}var Xs=!1;function Ys(){Xs||(Xs=!0,Ws());return Vs.exports}c={};var Zs={exports:c};function $s(){var a=V(),b=Li()(!0);a(a.P,"String",{at:function(a){return b(this,a)}})}var at=!1;function bt(){at||(at=!0,$s());return Zs.exports}d={};var ct={exports:d};function dt(){var a=Y(),b=Wf(),c=ub();ct.exports=function(d,e,f,g){d=String(c(d));var h=d.length;f=f===void 0?" ":String(f);e=a(e);if(e<=h||f=="")return d;e=e-h;h=b.call(f,Math.ceil(e/f.length));h.length>e&&(h=h.slice(0,e));return g?h+d:d+h}}var et=!1;function ft(){et||(et=!0,dt());return ct.exports}f={};var gt={exports:f};function ht(){var a=V(),b=ft(),c=Cp();c=/Version/10.d+(.d+)?( Mobile/w+)? Safari//.test(c);a(a.P+a.F*c,"String",{padStart:function(a){return b(this,a,arguments.length>1?arguments[1]:void 0,!0)}})}var it=!1;function jt(){it||(it=!0,ht());return gt.exports}b={};var kt={exports:b};function lt(){var a=V(),b=ft(),c=Cp();c=/Version/10.d+(.d+)?( Mobile/w+)? Safari//.test(c);a(a.P+a.F*c,"String",{padEnd:function(a){return b(this,a,arguments.length>1?arguments[1]:void 0,!1)}})}var mt=!1;function nt(){mt||(mt=!0,lt());return kt.exports}c={};var ot={exports:c};function pt(){qf()("trimLeft",function(a){return function(){return a(this,1)}},"trimStart")}var qt=!1;function rt(){qt||(qt=!0,pt());return ot.exports}d={};var st={exports:d};function tt(){qf()("trimRight",function(a){return function(){return a(this,2)}},"trimEnd")}var ut=!1;function vt(){ut||(ut=!0,tt());return st.exports}f={};var wt={exports:f};function xt(){var a=V(),b=ub(),c=Y(),d=ij(),e=ao(),f=RegExp.prototype,g=function(a,b){this._r=a,this._s=b};Ti()(g,"RegExp String",function(){var a=this._r.exec(this._s);return{value:a,done:a===null}});a(a.P,"String",{matchAll:function(a){b(this);if(!d(a))throw TypeError(a+" is not a regexp!");var h=String(this),i="flags"in f?String(a.flags):e.call(a);i=new RegExp(a.source,~i.indexOf("g")?i:"g"+i);i.lastIndex=c(a.lastIndex);return new g(i,h)}})}var yt=!1;function zt(){yt||(yt=!0,xt());return wt.exports}b={};var At={exports:b};function Bt(){ib()("asyncIterator")}var Ct=!1;function Dt(){Ct||(Ct=!0,Bt());return At.exports}c={};var Et={exports:c};function Ft(){ib()("observable")}var Gt=!1;function Ht(){Gt||(Gt=!0,Ft());return Et.exports}d={};var It={exports:d};function Jt(){var a=V(),b=ss(),c=yb(),d=Yc(),e=Al();a(a.S,"Object",{getOwnPropertyDescriptors:function(a){a=c(a);var f=d.f,g=b(a),h={},i=0,j,k;while(g.length>i)k=f(a,j=g[i++]),k!==void 0&&e(h,j,k);return h}})}var Kt=!1;function Lt(){Kt||(Kt=!0,Jt());return It.exports}f={};var Mt={exports:f};function Nt(){var a=v(),b=cc(),c=yb(),d=mc().f;Mt.exports=function(e){return function(f){f=c(f);var g=b(f),h=g.length,i=0,j=[],k;while(h>i)k=g[i++],(!a||d.call(f,k))&&j.push(e?[k,f[k]]:f[k]);return j}}}var Ot=!1;function Pt(){Ot||(Ot=!0,Nt());return Mt.exports}b={};var Qt={exports:b};function Rt(){var a=V(),b=Pt()(!1);a(a.S,"Object",{values:function(a){return b(a)}})}var St=!1;function Tt(){St||(St=!0,Rt());return Qt.exports}c={};var Ut={exports:c};function Vt(){var a=V(),b=Pt()(!0);a(a.S,"Object",{entries:function(a){return b(a)}})}var Wt=!1;function Xt(){Wt||(Wt=!0,Vt());return Ut.exports}d={};var Yt={exports:d};function Zt(){Yt.exports=ua()||!r()(function(){var a=Math.random();__defineSetter__.call(null,a,function(){});delete j()[a]})}var $t=!1;function au(){$t||($t=!0,Zt());return Yt.exports}f={};var bu={exports:f};function cu(){var a=V(),b=yc(),c=U(),d=T();v()&&a(a.P+au(),"Object",{__defineGetter__:function(a,e){d.f(b(this),a,{get:c(e),enumerable:!0,configurable:!0})}})}var du=!1;function eu(){du||(du=!0,cu());return bu.exports}b={};var fu={exports:b};function gu(){var a=V(),b=yc(),c=U(),d=T();v()&&a(a.P+au(),"Object",{__defineSetter__:function(a,e){d.f(b(this),a,{set:c(e),enumerable:!0,configurable:!0})}})}var hu=!1;function iu(){hu||(hu=!0,gu());return fu.exports}c={};var ju={exports:c};function ku(){var a=V(),b=yc(),c=da(),d=zd(),e=Yc().f;v()&&a(a.P+au(),"Object",{__lookupGetter__:function(a){var f=b(this);a=c(a,!0);var g;do if(g=e(f,a))return g.get;while(f=d(f))}})}var lu=!1;function mu(){lu||(lu=!0,ku());return ju.exports}d={};var nu={exports:d};function ou(){var a=V(),b=yc(),c=da(),d=zd(),e=Yc().f;v()&&a(a.P+au(),"Object",{__lookupSetter__:function(a){var f=b(this);a=c(a,!0);var g;do if(g=e(f,a))return g.set;while(f=d(f))}})}var pu=!1;function qu(){pu||(pu=!0,ou());return nu.exports}f={};var ru={exports:f};function su(){var a=ip();ru.exports=function(b,c){var d=[];a(b,!1,d.push,d,c);return d}}var tu=!1;function uu(){tu||(tu=!0,su());return ru.exports}b={};var vu={exports:b};function wu(){var a=Ke(),b=uu();vu.exports=function(c){return function(){if(a(this)!=c)throw TypeError(c+"#toJSON isn"t generic");return b(this)}}}var xu=!1;function yu(){xu||(xu=!0,wu());return vu.exports}c={};var zu={exports:c};function Au(){var a=V();a(a.P+a.R,"Map",{toJSON:yu()("Map")})}var Bu=!1;function Cu(){Bu||(Bu=!0,Au());return zu.exports}d={};var Du={exports:d};function Eu(){var a=V();a(a.P+a.R,"Set",{toJSON:yu()("Set")})}var Fu=!1;function Gu(){Fu||(Fu=!0,Eu());return Du.exports}f={};var Hu={exports:f};function Iu(){var a=V();Hu.exports=function(b){a(a.S,b,{of:function(){var a=arguments.length,b=new Array(a);while(a--)b[a]=arguments[a];return new this(b)}})}}var Ju=!1;function Ku(){Ju||(Ju=!0,Iu());return Hu.exports}b={};var Lu={exports:b};function Mu(){Ku()("Map")}var Nu=!1;function Ou(){Nu||(Nu=!0,Mu());return Lu.exports}c={};var Pu={exports:c};function Qu(){Ku()("Set")}var Ru=!1;function Su(){Ru||(Ru=!0,Qu());return Pu.exports}d={};var Tu={exports:d};function Uu(){Ku()("WeakMap")}var Vu=!1;function Wu(){Vu||(Vu=!0,Uu());return Tu.exports}f={};var Xu={exports:f};function Yu(){Ku()("WeakSet")}var Zu=!1;function $u(){Zu||(Zu=!0,Yu());return Xu.exports}b={};var av={exports:b};function bv(){var a=V(),b=U(),c=Na(),d=ip();av.exports=function(e){a(a.S,e,{from:function(a){var e=arguments[1],f,g,h,i;b(this);f=e!==void 0;f&&b(e);if(a==void 0)return new this();g=[];f?(h=0,i=c(e,arguments[2],2),d(a,!1,function(a){g.push(i(a,h++))})):d(a,!1,g.push,g);return new this(g)}})}}var cv=!1;function dv(){cv||(cv=!0,bv());return av.exports}c={};var ev={exports:c};function fv(){dv()("Map")}var gv=!1;function hv(){gv||(gv=!0,fv());return ev.exports}d={};var iv={exports:d};function jv(){dv()("Set")}var kv=!1;function lv(){kv||(kv=!0,jv());return iv.exports}f={};var mv={exports:f};function nv(){dv()("WeakMap")}var ov=!1;function pv(){ov||(ov=!0,nv());return mv.exports}b={};var qv={exports:b};function rv(){dv()("WeakSet")}var sv=!1;function tv(){sv||(sv=!0,rv());return qv.exports}c={};var uv={exports:c};function vv(){var a=V();a(a.G,{global:j()})}var wv=!1;function xv(){wv||(wv=!0,vv());return uv.exports}d={};var yv={exports:d};function zv(){var a=V();a(a.S,"System",{global:j()})}var Av=!1;function Bv(){Av||(Av=!0,zv());return yv.exports}f={};var Cv={exports:f};function Dv(){var a=V(),b=mb();a(a.S,"Error",{isError:function(a){return b(a)==="Error"}})}var Ev=!1;function Fv(){Ev||(Ev=!0,Dv());return Cv.exports}b={};var Gv={exports:b};function Hv(){var a=V();a(a.S,"Math",{clamp:function(a,b,c){return Math.min(c,Math.max(b,a))}})}var Iv=!1;function Jv(){Iv||(Iv=!0,Hv());return Gv.exports}c={};var Kv={exports:c};function Lv(){var a=V();a(a.S,"Math",{DEG_PER_RAD:Math.PI/180})}var Mv=!1;function Nv(){Mv||(Mv=!0,Lv());return Kv.exports}d={};var Ov={exports:d};function Pv(){var a=V(),b=180/Math.PI;a(a.S,"Math",{degrees:function(a){return a*b}})}var Qv=!1;function Rv(){Qv||(Qv=!0,Pv());return Ov.exports}f={};var Sv={exports:f};function Tv(){Sv.exports=Math.scale||function(a,b,c,d,e){if(arguments.length===0||a!=a||b!=b||c!=c||d!=d||e!=e)return NaN;return a===Infinity||a===-Infinity?a:(a-b)*(e-d)/(c-b)+d}}var Uv=!1;function Vv(){Uv||(Uv=!0,Tv());return Sv.exports}b={};var Wv={exports:b};function Xv(){var a=V(),b=Vv(),c=Ih();a(a.S,"Math",{fscale:function(a,d,e,f,g){return c(b(a,d,e,f,g))}})}var Yv=!1;function Zv(){Yv||(Yv=!0,Xv());return Wv.exports}c={};var $v={exports:c};function aw(){var a=V();a(a.S,"Math",{iaddh:function(a,b,c,d){a=a>>>0;b=b>>>0;c=c>>>0;return b+(d>>>0)+((a&c|(a|c)&~(a+c>>>0))>>>31)|0}})}var bw=!1;function cw(){bw||(bw=!0,aw());return $v.exports}d={};var dw={exports:d};function ew(){var a=V();a(a.S,"Math",{isubh:function(a,b,c,d){a=a>>>0;b=b>>>0;c=c>>>0;return b-(d>>>0)-((~a&c|~(a^c)&a-c>>>0)>>>31)|0}})}var fw=!1;function gw(){fw||(fw=!0,ew());return dw.exports}f={};var hw={exports:f};function iw(){var a=V();a(a.S,"Math",{imulh:function(a,b){var c=65535;a=+a;b=+b;var d=a&c,e=b&c;a=a>>16;b=b>>16;e=(a*e>>>0)+(d*e>>>16);return a*b+(e>>16)+((d*b>>>0)+(e&c)>>16)}})}var jw=!1;function kw(){jw||(jw=!0,iw());return hw.exports}b={};var lw={exports:b};function mw(){var a=V();a(a.S,"Math",{RAD_PER_DEG:180/Math.PI})}var nw=!1;function ow(){nw||(nw=!0,mw());return lw.exports}c={};var pw={exports:c};function qw(){var a=V(),b=Math.PI/180;a(a.S,"Math",{radians:function(a){return a*b}})}var rw=!1;function sw(){rw||(rw=!0,qw());return pw.exports}d={};var tw={exports:d};function uw(){var a=V();a(a.S,"Math",{scale:Vv()})}var vw=!1;function ww(){vw||(vw=!0,uw());return tw.exports}f={};var xw={exports:f};function yw(){var a=V();a(a.S,"Math",{umulh:function(a,b){var c=65535;a=+a;b=+b;var d=a&c,e=b&c;a=a>>>16;b=b>>>16;e=(a*e>>>0)+(d*e>>>16);return a*b+(e>>>16)+((d*b>>>0)+(e&c)>>>16)}})}var zw=!1;function Aw(){zw||(zw=!0,yw());return xw.exports}b={};var Bw={exports:b};function Cw(){var a=V();a(a.S,"Math",{signbit:function(a){return(a=+a)!=a?a:a==0?1/a==Infinity:a>0}})}var Dw=!1;function Ew(){Dw||(Dw=!0,Cw());return Bw.exports}c={};var Fw={exports:c};function Gw(){var c=V(),d=z(),b=j(),e=Xo(),f=Gp();c(c.P+c.R,"Promise",{"finally":function(a){var c=e(this,d.Promise||b.Promise),g=typeof a=="function";return this.then(g?function(b){return f(c,a()).then(function(){return b})}:a,g?function(b){return f(c,a()).then(function(){throw b})}:a)}})}var Hw=!1;function Iw(){Hw||(Hw=!0,Gw());return Fw.exports}d={};var Jw={exports:d};function Kw(){var a=V(),b=up(),c=yp();a(a.S,"Promise",{"try":function(a){var d=b.f(this);a=c(a);(a.e?d.reject:d.resolve)(a.v);return d.promise}})}var Lw=!1;function Mw(){Lw||(Lw=!0,Kw());return Jw.exports}f={};var Nw={exports:f};function Ow(){var a=dq(),b=V(),c=ya()("metadata"),d=c.store||(c.store=new(pq())()),e=function(b,c,e){var f=d.get(b);if(!f){if(!e)return void 0;d.set(b,f=new a())}b=f.get(c);if(!b){if(!e)return void 0;f.set(c,b=new a())}return b};c=function(a,b,c){b=e(b,c,!1);return b===void 0?!1:b.has(a)};var f=function(a,b,c){b=e(b,c,!1);return b===void 0?void 0:b.get(a)},g=function(a,b,c,d){e(c,d,!0).set(a,b)},h=function(a,b){a=e(a,b,!1);var c=[];a&&a.forEach(function(a,b){c.push(b)});return c},i=function(a){return a===void 0||typeof a=="symbol"?a:String(a)},j=function(a){b(b.S,"Reflect",a)};Nw.exports={store:d,map:e,has:c,get:f,set:g,keys:h,key:i,exp:j}}var Pw=!1;function Qw(){Pw||(Pw=!0,Ow());return Nw.exports}b={};var Rw={exports:b};function Sw(){var a=Qw(),b=H(),c=a.key,d=a.set;a.exp({defineMetadata:function(a,e,f,g){d(a,e,b(f),c(g))}})}var Tw=!1;function Uw(){Tw||(Tw=!0,Sw());return Rw.exports}c={};var Vw={exports:c};function Ww(){var a=Qw(),b=H(),c=a.key,d=a.map,e=a.store;a.exp({deleteMetadata:function(a,f){var g=arguments.length<3?void 0:c(arguments[2]),h=d(b(f),g,!1);if(h===void 0||!h["delete"](a))return!1;if(h.size)return!0;var i=e.get(f);i["delete"](g);return!!i.size||e["delete"](f)}})}var Xw=!1;function Yw(){Xw||(Xw=!0,Ww());return Vw.exports}d={};var Zw={exports:d};function $w(){var a=Qw(),b=H(),c=zd(),d=a.has,e=a.get,f=a.key,g=function(a,b,f){var h=d(a,b,f);if(h)return e(a,b,f);h=c(b);return h!==null?g(a,h,f):void 0};a.exp({getMetadata:function(a,c){return g(a,b(c),arguments.length<3?void 0:f(arguments[2]))}})}var ax=!1;function bx(){ax||(ax=!0,$w());return Zw.exports}f={};var cx={exports:f};function dx(){var a=hq(),b=uu(),c=Qw(),d=H(),e=zd(),f=c.keys,g=c.key,h=function(c,d){var g=f(c,d);c=e(c);if(c===null)return g;c=h(c,d);return c.length?g.length?b(new a(g.concat(c))):c:g};c.exp({getMetadataKeys:function(a){return h(d(a),arguments.length<2?void 0:g(arguments[1]))}})}var ex=!1;function fx(){ex||(ex=!0,dx());return cx.exports}b={};var gx={exports:b};function hx(){var a=Qw(),b=H(),c=a.get,d=a.key;a.exp({getOwnMetadata:function(a,e){return c(a,b(e),arguments.length<3?void 0:d(arguments[2]))}})}var ix=!1;function jx(){ix||(ix=!0,hx());return gx.exports}c={};var kx={exports:c};function lx(){var a=Qw(),b=H(),c=a.keys,d=a.key;a.exp({getOwnMetadataKeys:function(a){return c(b(a),arguments.length<2?void 0:d(arguments[1]))}})}var mx=!1;function nx(){mx||(mx=!0,lx());return kx.exports}d={};var ox={exports:d};function px(){var a=Qw(),b=H(),c=zd(),d=a.has,e=a.key,f=function(a,b,e){var g=d(a,b,e);if(g)return!0;g=c(b);return g!==null?f(a,g,e):!1};a.exp({hasMetadata:function(a,c){return f(a,b(c),arguments.length<3?void 0:e(arguments[2]))}})}var qx=!1;function rx(){qx||(qx=!0,px());return ox.exports}f={};var sx={exports:f};function tx(){var a=Qw(),b=H(),c=a.has,d=a.key;a.exp({hasOwnMetadata:function(a,e){return c(a,b(e),arguments.length<3?void 0:d(arguments[2]))}})}var ux=!1;function vx(){ux||(ux=!0,tx());return sx.exports}b={};var wx={exports:b};function xx(){var a=Qw(),b=H(),c=U(),d=a.key,e=a.set;a.exp({metadata:function(a,f){return function(g,h){e(a,f,(h!==void 0?b:c)(g),d(h))}}})}var yx=!1;function zx(){yx||(yx=!0,xx());return wx.exports}c={};var Ax={exports:c};function Bx(){var a=V(),b=qp()(),c=j().process,d=mb()(c)=="process";a(a.G,{asap:function(a){var e=d&&c.domain;b(e?e.bind(a):a)}})}var Cx=!1;function Dx(){Cx||(Cx=!0,Bx());return Ax.exports}d={};var Ex={exports:d};function Fx(){var c=V(),b=j(),d=z(),e=qp()(),f=X()("observable"),g=U(),h=H(),i=ep(),k=Kp(),l=ma(),m=ip(),n=m.RETURN,o=function(a){return a==null?void 0:g(a)},p=function(a){var b=a._c;b&&(a._c=void 0,b())},q=function(a){return a._o===void 0},r=function(a){q(a)||(a._o=void 0,p(a))},s=function(a,b){h(a);this._c=void 0;this._o=a;a=new t(this);try{b=b(a);var c=b;b!=null&&(typeof b.unsubscribe==="function"?b=function(){c.unsubscribe()}:g(b),this._c=b)}catch(b){a.error(b);return}q(this)&&p(this)};s.prototype=k({},{unsubscribe:function(){r(this)}});var t=function(a){this._s=a};t.prototype=k({},{next:function(a){var b=this._s;if(!q(b)){var c=b._o;try{var d=o(c.next);if(d)return d.call(c,a)}catch(a){try{r(b)}finally{throw a}}}},error:function(a){var b=this._s;if(q(b))throw a;var c=b._o;b._o=void 0;try{var d=o(c.error);if(!d)throw a;a=d.call(c,a)}catch(a){try{p(b)}finally{throw a}}p(b);return a},complete:function(a){var b=this._s;if(!q(b)){var c=b._o;b._o=void 0;try{var d=o(c.complete);a=d?d.call(c,a):void 0}catch(a){try{p(b)}finally{throw a}}p(b);return a}}});var u=function(a){i(this,u,"Observable","_f")._f=g(a)};k(u.prototype,{subscribe:function(a){return new s(a,this._f)},forEach:function(a){var c=this;return new(d.Promise||b.Promise)(function(b,d){g(a);var e=c.subscribe({next:function(b){try{return a(b)}catch(a){d(a),e.unsubscribe()}},error:d,complete:b})})}});k(u,{from:function(a){var b=typeof this==="function"?this:u,c=o(h(a)[f]);if(c){var d=h(c.call(a));return d.constructor===b?d:new b(function(a){return d.subscribe(a)})}return new b(function(b){var c=!1;e(function(){if(!c){try{if(m(a,!1,function(a){b.next(a);if(c)return n})===n)return}catch(a){if(c)throw a;b.error(a);return}b.complete()}});return function(){c=!0}})},of:function(){for(var a=0,b=arguments.length,c=new Array(b);a2,f=d?e.call(arguments,2):!1;return a(d?function(){(typeof b=="function"?b:Function(b)).apply(this,f)}:b,c)}};c(c.G+c.B+c.F*d,{setTimeout:f(b.setTimeout),setInterval:f(b.setInterval)})}var Kx=!1;function Lx(){Kx||(Kx=!0,Jx());return Ix.exports}b={};var Mx={exports:b};function Nx(){var a=V(),b=mp();a(a.G+a.B,{setImmediate:b.set,clearImmediate:b.clear})}var Ox=!1;function Px(){Ox||(Ox=!0,Nx());return Mx.exports}c={};var Qx={exports:c};function Rx(){var c=Xn(),d=cc(),e=Ga(),b=j(),f=ma(),g=Pi(),h=X(),i=h("iterator");h=h("toStringTag");var k=g.Array,l={CSSRuleList:!0,CSSStyleDeclaration:!1,CSSValueList:!1,ClientRectList:!1,DOMRectList:!1,DOMStringList:!1,DOMTokenList:!0,DataTransferItemList:!1,FileList:!1,HTMLAllCollection:!1,HTMLCollection:!1,HTMLFormElement:!1,HTMLSelectElement:!1,MediaList:!0,MimeTypeArray:!1,NamedNodeMap:!1,NodeList:!0,PaintRequestList:!1,Plugin:!1,PluginArray:!1,SVGLengthList:!1,SVGNumberList:!1,SVGPathSegList:!1,SVGPointList:!1,SVGStringList:!1,SVGTransformList:!1,SourceBufferList:!1,StyleSheetList:!0,TextTrackCueList:!1,TextTrackList:!1,TouchList:!1};for(var d=d(l),m=0;mg)if(c[h=e[g++]]===d)return h}}var $x=!1;function ay(){$x||($x=!0,Zx());return Yx.exports}b={};var by={exports:b};function cy(){var a=Ke(),b=X()("iterator"),c=Pi();by.exports=z().isIterable=function(d){d=Object(d);return d[b]!==void 0||"@@iterator"in d||c.hasOwnProperty(a(d))}}var dy=!1;function ey(){dy||(dy=!0,cy());return by.exports}c={};var fy={exports:c};function gy(){var a=Na(),b=V(),c=ia(),d=me(),e=Kc(),f=zd(),g=cc(),h=T(),i=ay(),j=U(),k=ip(),l=ey(),m=Ti(),o=Tn(),p=D(),q=yb(),r=v(),s=n(),t=function(b){var c=b==1,d=b==4;return function(e,f,g){f=a(f,g,3);g=q(e);var h=c||b==7||b==2?new(typeof this=="function"?this:y)():void 0,i,j,k;for(i in g)if(s(g,i)){j=g[i];k=f(j,i,e);if(b)if(c)h[i]=k;else if(k)switch(b){case 2:h[i]=j;break;case 3:return!0;case 5:return j;case 6:return i;case 7:h[k[0]]=k[1]}else if(d)return!1}return b==3||d?d:h}},u=t(6),w=function(a){return function(b){return new x(b,a)}},x=function(a,b){this._t=q(a),this._a=g(a),this._i=0,this._k=b};m(x,"Dict",function(){var a=this,b=a._t,c=a._a,d=a._k,e;do if(a._i>=c.length){a._t=void 0;return o(1)}while(!s(b,e=c[a._i++]));if(d=="keys")return o(0,e);return d=="values"?o(0,b[e]):o(0,[e,b[e]])});function y(a){var b=e(null);a!=void 0&&(l(a)?k(a,!0,function(a,c){b[a]=c}):d(b,a));return b}y.prototype=null;function z(a,b,c){j(b);var d=q(a),e=g(d),f=e.length,h=0,i,k;if(arguments.length<3){if(!f)throw TypeError("Reduce of empty object with no initial value");i=d[e[h++]]}else i=Object(c);while(f>h)s(d,k=e[h++])&&(i=b(i,d[k],k,a));return i}function A(a,b){return(b==b?i(a,b):u(a,function(a){return a!=a}))!==void 0}function B(a,b){if(s(a,b))return a[b]}function C(a,b,d){r&&b in Object?h.f(a,b,c(0,d)):a[b]=d;return a}function E(a){return p(a)&&f(a)===y.prototype}b(b.G+b.F,{Dict:y});b(b.S,"Dict",{keys:w("keys"),values:w("values"),entries:w("entries"),forEach:t(0),map:t(1),filter:t(2),some:t(3),every:t(4),find:t(5),findKey:u,mapPairs:t(7),reduce:z,keyOf:i,includes:A,has:s,get:B,set:C,isDict:E})}var hy=!1;function iy(){hy||(hy=!0,gy());return fy.exports}d={};var jy={exports:d};function ky(){var a=H(),b=El();jy.exports=z().getIterator=function(c){var d=b(c);if(typeof d!="function")throw TypeError(c+" is not iterable!");return a(d.call(c))}}var ly=!1;function my(){ly||(ly=!0,ky());return jy.exports}f={};var ny={exports:f};function oy(){ny.exports=j()}var py=!1;function qy(){py||(py=!0,oy());return ny.exports}b={};var ry={exports:b};function sy(){var a=qy(),b=Se(),c=U();ry.exports=function(){var d=c(this),e=arguments.length,f=new Array(e),g=0,h=a._,i=!1;while(e>g)(f[g]=arguments[g++])===h&&(i=!0);return function(){var a=this,c=arguments.length,g=0,j=0,k;if(!i&&!c)return b(d,f,a);k=f.slice();if(i)for(;e>g;g++)k[g]===h&&(k[g]=arguments[j++]);while(c>j)k.push(arguments[j++]);return b(d,k,a)}}}var ty=!1;function uy(){ty||(ty=!0,sy());return ry.exports}c={};var vy={exports:c};function wy(){var b=j(),c=z(),d=V(),e=uy();d(d.G+d.F,{delay:function(a){return new(c.Promise||b.Promise)(function(b){setTimeout(e.call(b,!0),a)})}})}var xy=!1;function yy(){xy||(xy=!0,wy());return vy.exports}d={};var zy={exports:d};function Ay(){var a=qy(),b=V();z()._=a._=a._||{};b(b.P+b.F,"Function",{part:uy()})}var By=!1;function Cy(){By||(By=!0,Ay());return zy.exports}f={};var Dy={exports:f};function Ey(){var a=V();a(a.S+a.F,"Object",{isObject:D()})}var Fy=!1;function Gy(){Fy||(Fy=!0,Ey());return Dy.exports}b={};var Hy={exports:b};function Iy(){var a=V();a(a.S+a.F,"Object",{classof:Ke()})}var Jy=!1;function Ky(){Jy||(Jy=!0,Iy());return Hy.exports}c={};var Ly={exports:c};function My(){var a=T(),b=Yc(),c=ss(),d=yb();Ly.exports=function(e,f){var g=c(d(f)),h=g.length,i=0,j;while(h>i)a.f(e,j=g[i++],b.f(f,j));return e}}var Ny=!1;function Oy(){Ny||(Ny=!0,My());return Ly.exports}d={};var Py={exports:d};function Qy(){var a=V(),b=Oy();a(a.S+a.F,"Object",{define:b})}var Ry=!1;function Sy(){Ry||(Ry=!0,Qy());return Py.exports}f={};var Ty={exports:f};function Uy(){var a=V(),b=Oy(),c=Kc();a(a.S+a.F,"Object",{make:function(a,d){return b(c(a),d)}})}var Vy=!1;function Wy(){Vy||(Vy=!0,Uy());return Ty.exports}b={};var Xy={exports:b};function Yy(){Xi()(Number,"Number",function(a){this._l=+a,this._i=0},function(){var a=this._i++,b=!(a""]/g,{"&":"&","<":"<",">":">",""":""",""":"'"});a(a.P+a.F,"String",{escapeHTML:function(){return b(this)}})}var kz=!1;function lz(){kz||(kz=!0,jz());return iz.exports}b={};var mz={exports:b};function nz(){var a=V(),b=dz()(/&(?:amp|lt|gt|quot|apos);/g,{"&":"&","<":"<",">":">",""":""","'":"""});a(a.P+a.F,"String",{unescapeHTML:function(){return b(this)}})}var oz=!1;function pz(){oz||(oz=!0,nz());return mz.exports}c={};var qz={exports:c};function rz(){Xx(),iy(),El(),my(),ey(),yy(),Cy(),Gy(),Ky(),Sy(),Wy(),$y(),hz(),lz(),pz(),qz.exports=z()}var sz=!1;function tz(){sz||(sz=!0,rz());return qz.exports}d={};var uz={exports:d};function vz(){Zg(),ch(),gh(),oh(),sh(),wh(),Eh(),Mh(),Qh(),Uh(),Yh(),bi(),fi(),ji(),ni(),ri(),vi(),uz.exports=z().Math}var wz=!1;function xz(){wz||(wz=!0,vz());return uz.exports}f={};var yz={exports:f};function zz(){Of(),$f(),dg(),hg(),lg(),tg(),xg(),Bg(),Fg(),Jg(),Ng(),Rg(),yz.exports=z().Number}var Az=!1;function Bz(){Az||(Az=!0,zz());return yz.exports}b={};var Cz={exports:b};function Dz(){var a=Math.ceil,b=Math.floor;Cz.exports=function(c){return isNaN(c=+c)?0:(c>0?b:a)(c)}}var Ez=!1;function Fz(){Ez||(Ez=!0,Dz());return Cz.exports}c={};var Gz={exports:c};function Hz(){Gz.exports=function(a){if(a==void 0)throw TypeError("Can"t call method on "+a);return a}}var Iz=!1;function Jz(){Iz||(Iz=!0,Hz());return Gz.exports}d={};var Kz={exports:d};function Lz(){var a=Fz(),b=Jz();Kz.exports=function(c){return function(d,e){d=String(b(d));e=a(e);var f=d.length,g,h;if(e<0||e>=f)return c?"":void 0;g=d.charCodeAt(e);return g<55296||g>56319||e+1===f||(h=d.charCodeAt(e+1))<56320||h>57343?c?d.charAt(e):g:c?d.slice(e,e+2):(g-55296<<10)+(h-56320)+65536}}}var Mz=!1;function Nz(){Mz||(Mz=!0,Lz());return Kz.exports}f={};var Oz={exports:f};function Pz(){Oz.exports=!0}var Qz=!1;function Rz(){Qz||(Qz=!0,Pz());return Oz.exports}b={};var Sz={exports:b};function Tz(){var b=Sz.exports=typeof window!="undefined"&&window.Math==Math?window:typeof self!="undefined"&&self.Math==Math?self:Function("return this")();typeof __g=="number"&&(__g=b)}var Uz=!1;function Vz(){Uz||(Uz=!0,Tz());return Sz.exports}c={};var Wz={exports:c};function Xz(){var a=Wz.exports={version:"2.6.9"};typeof __e=="number"&&(__e=a)}var Yz=!1;function Z(){Yz||(Yz=!0,Xz());return Wz.exports}d={};var Zz={exports:d};function $z(){Zz.exports=function(a){if(typeof a!="function")throw TypeError(a+" is not a function!");return a}}var aA=!1;function bA(){aA||(aA=!0,$z());return Zz.exports}f={};var cA={exports:f};function dA(){var a=bA();cA.exports=function(b,c,d){a(b);if(c===void 0)return b;switch(d){case 1:return function(a){return b.call(c,a)};case 2:return function(a,d){return b.call(c,a,d)};case 3:return function(a,d,e){return b.call(c,a,d,e)}}return function(){return b.apply(c,arguments)}}}var eA=!1;function fA(){eA||(eA=!0,dA());return cA.exports}b={};var gA={exports:b};function hA(){gA.exports=function(a){return typeof a==="object"?a!==null:typeof a==="function"}}var iA=!1;function jA(){iA||(iA=!0,hA());return gA.exports}c={};var kA={exports:c};function lA(){var a=jA();kA.exports=function(b){if(!a(b))throw TypeError(b+" is not an object!");return b}}var mA=!1;function nA(){mA||(mA=!0,lA());return kA.exports}d={};var oA={exports:d};function pA(){oA.exports=function(a){try{return!!a()}catch(a){return!0}}}var qA=!1;function rA(){qA||(qA=!0,pA());return oA.exports}f={};var sA={exports:f};function tA(){sA.exports=!rA()(function(){return Object.defineProperty({},"a",{get:function(){return 7}}).a!=7})}var uA=!1;function vA(){uA||(uA=!0,tA());return sA.exports}b={};var wA={exports:b};function xA(){var a=jA(),b=Vz().document,c=a(b)&&a(b.createElement);wA.exports=function(a){return c?b.createElement(a):{}}}var yA=!1;function zA(){yA||(yA=!0,xA());return wA.exports}c={};var AA={exports:c};function BA(){AA.exports=!vA()&&!rA()(function(){return Object.defineProperty(zA()("div"),"a",{get:function(){return 7}}).a!=7})}var CA=!1;function DA(){CA||(CA=!0,BA());return AA.exports}d={};var EA={exports:d};function FA(){var a=jA();EA.exports=function(b,c){if(!a(b))return b;var d,e;if(c&&typeof (d=b.toString)=="function"&&!a(e=d.call(b)))return e;if(typeof (d=b.valueOf)=="function"&&!a(e=d.call(b)))return e;if(!c&&typeof (d=b.toString)=="function"&&!a(e=d.call(b)))return e;throw TypeError("Can"t convert object to primitive value")}}var GA=!1;function HA(){GA||(GA=!0,FA());return EA.exports}var IA={},JA={exports:IA};function KA(){var a=nA(),b=DA(),c=HA(),d=Object.defineProperty;IA.f=vA()?Object.defineProperty:function(e,f,g){a(e);f=c(f,!0);a(g);if(b)try{return d(e,f,g)}catch(a){}if("get"in g||"set"in g)throw TypeError("Accessors not supported!");"value"in g&&(e[f]=g.value);return e}}var LA=!1;function MA(){LA||(LA=!0,KA());return JA.exports}f={};var NA={exports:f};function OA(){NA.exports=function(a,b){return{enumerable:!(a&1),configurable:!(a&2),writable:!(a&4),value:b}}}var PA=!1;function QA(){PA||(PA=!0,OA());return NA.exports}b={};var RA={exports:b};function SA(){var a=MA(),b=QA();RA.exports=vA()?function(c,d,e){return a.f(c,d,b(1,e))}:function(a,b,c){a[b]=c;return a}}var TA=!1;function UA(){TA||(TA=!0,SA());return RA.exports}c={};var VA={exports:c};function WA(){var a={}.hasOwnProperty;VA.exports=function(b,c){return a.call(b,c)}}var XA=!1;function YA(){XA||(XA=!0,WA());return VA.exports}d={};var ZA={exports:d};function $A(){var b=Vz(),c=Z(),d=fA(),e=UA(),g=YA(),h="prototype",i=function(j,k,l){var m=j&i.F,n=j&i.G,o=j&i.S,p=j&i.P,q=j&i.B,r=j&i.W,a=n?c:c[k]||(c[k]={}),s=a[h];o=n?b:o?b[k]:(b[k]||{})[h];var t,u;n&&(l=k);for(k in l){t=!m&&o&&o[k]!==void 0;if(t&&g(a,k))continue;u=t?o[k]:l[k];a[k]=n&&typeof o[k]!="function"?l[k]:q&&t?d(u,b):r&&o[k]==u?function(a){var b=function(b,c,d){if(this instanceof a){switch(arguments.length){case 0:return new a();case 1:return new a(b);case 2:return new a(b,c)}return new a(b,c,d)}return a.apply(this,arguments)};b[h]=a[h];return b}(u):p&&typeof u=="function"?d(Function.call,u):u;p&&((a.virtual||(a.virtual={}))[k]=u,j&i.R&&s&&!s[k]&&e(s,k,u))}};i.F=1;i.G=2;i.S=4;i.P=8;i.B=16;i.W=32;i.U=64;i.R=128;ZA.exports=i}var aB=!1;function $(){aB||(aB=!0,$A());return ZA.exports}f={};var bB={exports:f};function cB(){bB.exports=UA()}var dB=!1;function eB(){dB||(dB=!0,cB());return bB.exports}b={};var fB={exports:b};function gB(){fB.exports={}}var hB=!1;function iB(){hB||(hB=!0,gB());return fB.exports}c={};var jB={exports:c};function kB(){var a={}.toString;jB.exports=function(b){return a.call(b).slice(8,-1)}}var lB=!1;function mB(){lB||(lB=!0,kB());return jB.exports}d={};var nB={exports:d};function oB(){var a=mB();nB.exports=Object("z").propertyIsEnumerable(0)?Object:function(b){return a(b)=="String"?b.split(""):Object(b)}}var pB=!1;function qB(){pB||(pB=!0,oB());return nB.exports}f={};var rB={exports:f};function sB(){var a=qB(),b=Jz();rB.exports=function(c){return a(b(c))}}var tB=!1;function uB(){tB||(tB=!0,sB());return rB.exports}b={};var vB={exports:b};function wB(){var a=Fz(),b=Math.min;vB.exports=function(c){return c>0?b(a(c),9007199254740991):0}}var xB=!1;function yB(){xB||(xB=!0,wB());return vB.exports}c={};var zB={exports:c};function AB(){var a=Fz(),b=Math.max,c=Math.min;zB.exports=function(d,e){d=a(d);return d<0?b(d+e,0):c(d,e)}}var BB=!1;function CB(){BB||(BB=!0,AB());return zB.exports}d={};var DB={exports:d};function EB(){var a=uB(),b=yB(),c=CB();DB.exports=function(d){return function(e,f,g){e=a(e);var h=b(e.length);g=c(g,h);var i;if(d&&f!=f)while(h>g){i=e[g++];if(i!=i)return!0}else for(;h>g;g++)if((d||g in e)&&e[g]===f)return d||g||0;return!d&&-1}}}var FB=!1;function GB(){FB||(FB=!0,EB());return DB.exports}f={};var HB={exports:f};function IB(){var c=Z(),b=Vz(),d="__core-js_shared__",e=b[d]||(b[d]={});(HB.exports=function(a,b){return e[a]||(e[a]=b!==void 0?b:{})})("versions",[]).push({version:c.version,mode:Rz()?"pure":"global",copyright:"xa9 2019 Denis Pushkarev (zloirock.ru)"})}var JB=!1;function KB(){JB||(JB=!0,IB());return HB.exports}b={};var LB={exports:b};function MB(){var a=0,b=Math.random();LB.exports=function(c){return"Symbol(".concat(c===void 0?"":c,")_",(++a+b).toString(36))}}var NB=!1;function OB(){NB||(NB=!0,MB());return LB.exports}c={};var PB={exports:c};function QB(){var a=KB()("keys"),b=OB();PB.exports=function(c){return a[c]||(a[c]=b(c))}}var RB=!1;function SB(){RB||(RB=!0,QB());return PB.exports}d={};var TB={exports:d};function UB(){var a=YA(),b=uB(),c=GB()(!1),d=SB()("IE_PROTO");TB.exports=function(e,f){e=b(e);var g=0,h=[],i;for(i in e)i!=d&&(a(e,i)&&h.push(i));while(f.length>g)a(e,i=f[g++])&&(~c(h,i)||h.push(i));return h}}var VB=!1;function WB(){VB||(VB=!0,UB());return TB.exports}f={};var XB={exports:f};function YB(){XB.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")}var ZB=!1;function $B(){ZB||(ZB=!0,YB());return XB.exports}b={};var aC={exports:b};function bC(){var a=WB(),b=$B();aC.exports=Object.keys||function(c){return a(c,b)}}var cC=!1;function dC(){cC||(cC=!0,bC());return aC.exports}c={};var eC={exports:c};function fC(){var a=MA(),b=nA(),c=dC();eC.exports=vA()?Object.defineProperties:function(d,e){b(d);var f=c(e),g=f.length,h=0,i;while(g>h)a.f(d,i=f[h++],e[i]);return d}}var gC=!1;function hC(){gC||(gC=!0,fC());return eC.exports}d={};var iC={exports:d};function jC(){var a=Vz().document;iC.exports=a&&a.documentElement}var kC=!1;function lC(){kC||(kC=!0,jC());return iC.exports}f={};var mC={exports:f};function nC(){var a=nA(),b=hC(),c=$B(),d=SB()("IE_PROTO"),e=function(){},f="prototype",g=function(){var a=zA()("iframe"),b=c.length,d="<",e=">";a.style.display="none";lC().appendChild(a);a.src="javascript:";a=a.contentWindow.document;a.open();a.write(d+"script"+e+"document.F=Object"+d+"/script"+e);a.close();g=a.F;while(b--)delete g[f][c[b]];return g()};mC.exports=Object.create||function(c,h){var i;c!==null?(e[f]=a(c),i=new e(),e[f]=null,i[d]=c):i=g();return h===void 0?i:b(i,h)}}var oC=!1;function pC(){oC||(oC=!0,nC());return mC.exports}b={};var qC={exports:b};function rC(){var a=KB()("wks"),b=OB(),c=Vz().Symbol,d=typeof c=="function",e=qC.exports=function(e){return a[e]||(a[e]=d&&c[e]||(d?c:b)("Symbol."+e))};e.store=a}var sC=!1;function tC(){sC||(sC=!0,rC());return qC.exports}c={};var uC={exports:c};function vC(){var a=MA().f,b=YA(),c=tC()("toStringTag");uC.exports=function(d,e,f){d&&!b(d=f?d:d.prototype,c)&&a(d,c,{configurable:!0,value:e})}}var wC=!1;function xC(){wC||(wC=!0,vC());return uC.exports}d={};var yC={exports:d};function zC(){var a=pC(),b=QA(),c=xC(),d={};UA()(d,tC()("iterator"),function(){return this});yC.exports=function(e,f,g){e.prototype=a(d,{next:b(1,g)}),c(e,f+" Iterator")}}var AC=!1;function BC(){AC||(AC=!0,zC());return yC.exports}f={};var CC={exports:f};function DC(){var a=Jz();CC.exports=function(b){return Object(a(b))}}var EC=!1;function FC(){EC||(EC=!0,DC());return CC.exports}b={};var GC={exports:b};function HC(){var a=YA(),b=FC(),c=SB()("IE_PROTO"),d=Object.prototype;GC.exports=Object.getPrototypeOf||function(e){e=b(e);if(a(e,c))return e[c];return typeof e.constructor=="function"&&e instanceof e.constructor?e.constructor.prototype:e instanceof Object?d:null}}var IC=!1;function JC(){IC||(IC=!0,HC());return GC.exports}c={};var KC={exports:c};function LC(){var a=Rz(),b=$(),c=eB(),d=UA(),e=iB(),f=BC(),g=xC(),h=JC(),i=tC()("iterator"),j=!([].keys&&"next"in[].keys()),k="@@iterator",l="keys",m="values",n=function(){return this};KC.exports=function(o,p,q,r,s,t,u){f(q,p,r);r=function(a){if(!j&&a in y)return y[a];switch(a){case l:return function(){return new q(this,a)};case m:return function(){return new q(this,a)}}return function(){return new q(this,a)}};var v=p+" Iterator",w=s==m,x=!1,y=o.prototype,z=y[i]||y[k]||s&&y[s],A=z||r(s),B=s?w?r("entries"):A:void 0,C=p=="Array"?y.entries||z:z,D;C&&(C=h(C.call(new o())),C!==Object.prototype&&C.next&&(g(C,v,!0),!a&&typeof C[i]!="function"&&d(C,i,n)));w&&z&&z.name!==m&&(x=!0,A=function(){return z.call(this)});(!a||u)&&(j||x||!y[i])&&d(y,i,A);e[p]=A;e[v]=n;if(s){D={values:w?A:r(m),keys:t?A:r(l),entries:B};if(u)for(o in D)o in y||c(y,o,D[o]);else b(b.P+b.F*(j||x),p,D)}return D}}var MC=!1;function NC(){MC||(MC=!0,LC());return KC.exports}d={};var OC={exports:d};function PC(){var a=Nz()(!0);NC()(String,"String",function(a){this._t=String(a),this._i=0},function(){var b=this._t,c=this._i;if(c>=b.length)return{value:void 0,done:!0};b=a(b,c);this._i+=b.length;return{value:b,done:!1}})}var QC=!1;function RC(){QC||(QC=!0,PC());return OC.exports}f={};var SC={exports:f};function TC(){var a=nA();SC.exports=function(b,c,d,e){try{return e?c(a(d)[0],d[1]):c(d)}catch(c){e=b["return"];e!==void 0&&a(e.call(b));throw c}}}var UC=!1;function VC(){UC||(UC=!0,TC());return SC.exports}b={};var WC={exports:b};function XC(){var a=iB(),b=tC()("iterator"),c=Array.prototype;WC.exports=function(d){return d!==void 0&&(a.Array===d||c[b]===d)}}var YC=!1;function ZC(){YC||(YC=!0,XC());return WC.exports}c={};var $C={exports:c};function aD(){var a=MA(),b=QA();$C.exports=function(c,d,e){d in c?a.f(c,d,b(0,e)):c[d]=e}}var bD=!1;function cD(){bD||(bD=!0,aD());return $C.exports}d={};var dD={exports:d};function eD(){var a=mB(),b=tC()("toStringTag"),c=a(function(){return arguments}())=="Arguments",d=function(a,b){try{return a[b]}catch(a){}};dD.exports=function(e){var f;return e===void 0?"Undefined":e===null?"Null":typeof (f=d(e=Object(e),b))=="string"?f:c?a(e):(f=a(e))=="Object"&&typeof e.callee=="function"?"Arguments":f}}var fD=!1;function gD(){fD||(fD=!0,eD());return dD.exports}f={};var hD={exports:f};function iD(){var a=gD(),b=tC()("iterator"),c=iB();hD.exports=Z().getIteratorMethod=function(d){if(d!=void 0)return d[b]||d["@@iterator"]||c[a(d)]}}var jD=!1;function kD(){jD||(jD=!0,iD());return hD.exports}b={};var lD={exports:b};function mD(){var a=tC()("iterator"),b=!1;try{var c=[7][a]();c["return"]=function(){b=!0}}catch(a){}lD.exports=function(c,d){if(!d&&!b)return!1;d=!1;try{var e=[7],f=e[a]();f.next=function(){return{done:d=!0}};e[a]=function(){return f};c(e)}catch(a){}return d}}var nD=!1;function oD(){nD||(nD=!0,mD());return lD.exports}c={};var pD={exports:c};function qD(){var a=fA(),b=$(),c=FC(),d=VC(),e=ZC(),f=yB(),g=cD(),h=kD();b(b.S+b.F*!oD()(function(a){}),"Array",{from:function(b){var i=c(b),j=typeof this=="function"?this:Array,k=arguments.length,l=k>1?arguments[1]:void 0,m=l!==void 0,n=0,o=h(i),p,q,r,s;m&&(l=a(l,k>2?arguments[2]:void 0,2));if(o!=void 0&&!(j==Array&&e(o)))for(s=o.call(i),q=new j();!(r=s.next()).done;n++)g(q,n,m?d(s,l,[r.value,n],!0):r.value);else{p=f(i.length);for(q=new j(p);p>n;n++)g(q,n,m?l(i[n],n):i[n])}q.length=n;return q}})}var rD=!1;function sD(){rD||(rD=!0,qD());return pD.exports}d={};var tD={exports:d};function uD(){RC(),sD(),tD.exports=Z().Array.from}var vD=!1;function wD(){vD||(vD=!0,uD());return tD.exports}f={};var xD={exports:f};function yD(){var a=mB();xD.exports=Array.isArray||function(b){return a(b)=="Array"}}var zD=!1;function AD(){zD||(zD=!0,yD());return xD.exports}b={};var BD={exports:b};function CD(){var a=$();a(a.S,"Array",{isArray:AD()})}var DD=!1;function ED(){DD||(DD=!0,CD());return BD.exports}c={};var FD={exports:c};function GD(){ED(),FD.exports=Z().Array.isArray}var HD=!1;function ID(){HD||(HD=!0,GD());return FD.exports}d={};var JD={exports:d};function KD(){var a=$();a(a.S,"Date",{now:function(){return new Date().getTime()}})}var LD=!1;function MD(){LD||(LD=!0,KD());return JD.exports}f={};var ND={exports:f};function OD(){MD(),ND.exports=Z().Date.now}var PD=!1;function QD(){PD||(PD=!0,OD());return ND.exports}b={};var RD={exports:b};function SD(){RD.exports=function(){}}var TD=!1;function UD(){TD||(TD=!0,SD());return RD.exports}c={};var VD={exports:c};function WD(){VD.exports=function(a,b){return{value:b,done:!!a}}}var XD=!1;function YD(){XD||(XD=!0,WD());return VD.exports}d={};var ZD={exports:d};function $D(){var a=UD(),b=YD(),c=iB(),d=uB();ZD.exports=NC()(Array,"Array",function(a,b){this._t=d(a),this._i=0,this._k=b},function(){var a=this._t,c=this._k,d=this._i++;if(!a||d>=a.length){this._t=void 0;return b(1)}if(c=="keys")return b(0,d);return c=="values"?b(0,a[d]):b(0,[d,a[d]])},"values");c.Arguments=c.Array;a("keys");a("values");a("entries")}var aE=!1;function bE(){aE||(aE=!0,$D());return ZD.exports}f={};var cE={exports:f};function dE(){bE();var b=Vz(),c=UA(),d=iB(),e=tC()("toStringTag"),f="CSSRuleList,CSSStyleDeclaration,CSSValueList,ClientRectList,DOMRectList,DOMStringList,DOMTokenList,DataTransferItemList,FileList,HTMLAllCollection,HTMLCollection,HTMLFormElement,HTMLSelectElement,MediaList,MimeTypeArray,NamedNodeMap,NodeList,PaintRequestList,Plugin,PluginArray,SVGLengthList,SVGNumberList,SVGPathSegList,SVGPointList,SVGStringList,SVGTransformList,SourceBufferList,StyleSheetList,TextTrackCueList,TextTrackList,TouchList".split(",");for(var g=0;gk){var n=f(arguments[k++]),o=l?b(n).concat(l(n)):b(n),p=o.length,q=0,r;while(p>q)r=o[q++],(!a||m.call(n,r))&&(i[r]=n[r])}return i}:g}var bF=!1;function cF(){bF||(bF=!0,aF());return $E.exports}d={};var dF={exports:d};function eF(){var a=$();a(a.S+a.F,"Object",{assign:cF()})}var fF=!1;function gF(){fF||(fF=!0,eF());return dF.exports}f={};var hF={exports:f};function iF(){gF(),hF.exports=Z().Object.assign}var jF=!1;function kF(){jF||(jF=!0,iF());return hF.exports}b={};var lF={exports:b};function mF(){var a=$();a(a.S,"Object",{create:pC()})}var nF=!1;function oF(){nF||(nF=!0,mF());return lF.exports}c={};var pF={exports:c};function qF(){oF();var a=Z().Object;pF.exports=function(b,c){return a.create(b,c)}}var rF=!1;function sF(){rF||(rF=!0,qF());return pF.exports}d={};var tF={exports:d};function uF(){var a=$();a(a.S+a.F*!vA(),"Object",{defineProperty:MA().f})}var vF=!1;function wF(){vF||(vF=!0,uF());return tF.exports}f={};var xF={exports:f};function yF(){wF();var a=Z().Object;xF.exports=function(b,c,d){return a.defineProperty(b,c,d)}}var zF=!1;function AF(){zF||(zF=!0,yF());return xF.exports}b={};var BF={exports:b};function CF(){var a=vA(),b=dC(),c=uB(),d=ZE().f;BF.exports=function(e){return function(f){f=c(f);var g=b(f),h=g.length,i=0,j=[],k;while(h>i)k=g[i++],(!a||d.call(f,k))&&j.push(e?[k,f[k]]:f[k]);return j}}}var DF=!1;function EF(){DF||(DF=!0,CF());return BF.exports}c={};var FF={exports:c};function GF(){var a=$(),b=EF()(!0);a(a.S,"Object",{entries:function(a){return b(a)}})}var HF=!1;function IF(){HF||(HF=!0,GF());return FF.exports}d={};var JF={exports:d};function KF(){IF(),JF.exports=Z().Object.entries}var LF=!1;function MF(){LF||(LF=!0,KF());return JF.exports}var NF={},OF={exports:NF};function PF(){var a=ZE(),b=QA(),c=uB(),d=HA(),e=YA(),f=DA(),g=Object.getOwnPropertyDescriptor;NF.f=vA()?g:function(h,i){h=c(h);i=d(i,!0);if(f)try{return g(h,i)}catch(a){}if(e(h,i))return b(!a.f.call(h,i),h[i])}}var QF=!1;function RF(){QF||(QF=!0,PF());return OF.exports}f={};var SF={exports:f};function TF(){var a=$(),b=Z(),c=rA();SF.exports=function(d,e){var f=(b.Object||{})[d]||Object[d],g={};g[d]=e(f);a(a.S+a.F*c(function(){f(1)}),"Object",g)}}var UF=!1;function VF(){UF||(UF=!0,TF());return SF.exports}b={};var WF={exports:b};function XF(){var a=uB(),b=RF().f;VF()("getOwnPropertyDescriptor",function(){return function(c,d){return b(a(c),d)}})}var YF=!1;function ZF(){YF||(YF=!0,XF());return WF.exports}c={};var $F={exports:c};function aG(){ZF();var a=Z().Object;$F.exports=function(b,c){return a.getOwnPropertyDescriptor(b,c)}}var bG=!1;function cG(){bG||(bG=!0,aG());return $F.exports}d={};var dG={exports:d};function eG(){var a=FC(),b=JC();VF()("getPrototypeOf",function(){return function(c){return b(a(c))}})}var fG=!1;function gG(){fG||(fG=!0,eG());return dG.exports}f={};var hG={exports:f};function iG(){gG(),hG.exports=Z().Object.getPrototypeOf}var jG=!1;function kG(){jG||(jG=!0,iG());return hG.exports}b={};var lG={exports:b};function mG(){var a=FC(),b=dC();VF()("keys",function(){return function(c){return b(a(c))}})}var nG=!1;function oG(){nG||(nG=!0,mG());return lG.exports}c={};var pG={exports:c};function qG(){oG(),pG.exports=Z().Object.keys}var rG=!1;function sG(){rG||(rG=!0,qG());return pG.exports}d={};var tG={exports:d};function uG(){var a=jA(),b=nA(),c=function(c,d){b(c);if(!a(d)&&d!==null)throw TypeError(d+": can"t set as prototype!")};tG.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(a,b,d){try{d=fA()(Function.call,RF().f(Object.prototype,"__proto__").set,2),d(a,[]),b=!(a instanceof Array)}catch(a){b=!0}return function(a,e){c(a,e);b?a.__proto__=e:d(a,e);return a}}({},!1):void 0),check:c}}var vG=!1;function wG(){vG||(vG=!0,uG());return tG.exports}f={};var xG={exports:f};function yG(){var a=$();a(a.S,"Object",{setPrototypeOf:wG().set})}var zG=!1;function AG(){zG||(zG=!0,yG());return xG.exports}b={};var BG={exports:b};function CG(){AG(),BG.exports=Z().Object.setPrototypeOf}var DG=!1;function EG(){DG||(DG=!0,CG());return BG.exports}c={};var FG={exports:c};function GG(){var a=$(),b=EF()(!1);a(a.S,"Object",{values:function(a){return b(a)}})}var HG=!1;function IG(){HG||(HG=!0,GG());return FG.exports}d={};var JG={exports:d};function KG(){IG(),JG.exports=Z().Object.values}var LG=!1;function MG(){LG||(LG=!0,KG());return JG.exports}f={};var NG={exports:f};function OG(){NG.exports=" vf xa0u1680u180eu2000u2001u2002u2003u2004u2005u2006u2007u2008u2009u200au202fu205fu3000u2028u2029ufeff"}var PG=!1;function QG(){PG||(PG=!0,OG());return NG.exports}b={};var RG={exports:b};function SG(){var a=$(),b=Jz(),c=rA(),d=QG(),e="["+d+"]",f="u200bx85",g=RegExp("^"+e+e+"*"),h=RegExp(e+e+"*$");e=function(b,e,g){var h={},j=c(function(){return!!d[b]()||f[b]()!=f});e=h[b]=j?e(i):d[b];g&&(h[g]=e);a(a.P+a.F*j,"String",h)};var i=e.trim=function(a,c){a=String(b(a));c&1&&(a=a.replace(g,""));c&2&&(a=a.replace(h,""));return a};RG.exports=e}var TG=!1;function UG(){TG||(TG=!0,SG());return RG.exports}c={};var VG={exports:c};function WG(){var a=Vz().parseInt,b=UG().trim,c=QG(),d=/^[-+]?0[xX]/;VG.exports=a(c+"08")!==8||a(c+"0x16")!==22?function(c,e){c=b(String(c),3);return a(c,e>>>0||(d.test(c)?16:10))}:a}var XG=!1;function YG(){XG||(XG=!0,WG());return VG.exports}d={};var ZG={exports:d};function $G(){var a=$(),b=YG();a(a.G+a.F*(parseInt!=b),{parseInt:b})}var aH=!1;function bH(){aH||(aH=!0,$G());return ZG.exports}f={};var cH={exports:f};function dH(){bH(),cH.exports=Z().parseInt}var eH=!1;function fH(){eH||(eH=!0,dH());return cH.exports}b={};var gH={exports:b};function hH(){gH.exports=function(a,b,c,d){if(!(a instanceof b)||d!==void 0&&d in a)throw TypeError(c+": incorrect invocation!");return a}}var iH=!1;function jH(){iH||(iH=!0,hH());return gH.exports}c={};var kH={exports:c};function lH(){var b=fA(),c=VC(),d=ZC(),e=nA(),g=yB(),h=kD(),i={},j={},a=kH.exports=function(a,f,k,l,m){m=m?function(){return a}:h(a);k=b(k,l,f?2:1);l=0;var n,o,p;if(typeof m!="function")throw TypeError(a+" is not iterable!");if(d(m))for(n=g(a.length);n>l;l++){p=f?k(e(o=a[l])[0],o[1]):k(a[l]);if(p===i||p===j)return p}else for(l=m.call(a);!(o=l.next()).done;){p=c(l,k,o.value,f);if(p===i||p===j)return p}};a.BREAK=i;a.RETURN=j}var mH=!1;function nH(){mH||(mH=!0,lH());return kH.exports}d={};var oH={exports:d};function pH(){var a=nA(),b=bA(),c=tC()("species");oH.exports=function(d,e){d=a(d).constructor;var f;return d===void 0||(f=a(d)[c])==void 0?e:b(f)}}var qH=!1;function rH(){qH||(qH=!0,pH());return oH.exports}f={};var sH={exports:f};function tH(){sH.exports=function(a,b,c){var d=c===void 0;switch(b.length){case 0:return d?a():a.call(c);case 1:return d?a(b[0]):a.call(c,b[0]);case 2:return d?a(b[0],b[1]):a.call(c,b[0],b[1]);case 3:return d?a(b[0],b[1],b[2]):a.call(c,b[0],b[1],b[2]);case 4:return d?a(b[0],b[1],b[2],b[3]):a.call(c,b[0],b[1],b[2],b[3])}return a.apply(c,b)}}var uH=!1;function vH(){uH||(uH=!0,tH());return sH.exports}b={};var wH={exports:b};function xH(){var c=fA(),d=vH(),e=lC(),f=zA(),b=Vz(),g=b.process,h=b.setImmediate,i=b.clearImmediate,j=b.MessageChannel,k=b.Dispatch,l=0,m={},n="onreadystatechange",o,p,q=function(){var a=+this;if(m.hasOwnProperty(a)){var b=m[a];delete m[a];b()}},r=function(a){q.call(a.data)};(!h||!i)&&(h=function(a){var b=[],c=1;while(arguments.length>c)b.push(arguments[c++]);m[++l]=function(){d(typeof a=="function"?a:Function(a),b)};o(l);return l},i=function(a){delete m[a]},mB()(g)=="process"?o=function(a){g.nextTick(c(q,a,1))}:k&&k.now?o=function(a){k.now(c(q,a,1))}:j?(j=new j(),p=j.port2,j.port1.onmessage=r,o=c(p.postMessage,p,1)):b.addEventListener&&typeof postMessage=="function"&&!b.importScripts?(o=function(a){b.postMessage(a+"","*")},b.addEventListener("message",r,!1)):n in f("script")?o=function(a){e.appendChild(f("script"))[n]=function(){e.removeChild(this),q.call(a)}}:o=function(a){setTimeout(c(q,a,1),0)});wH.exports={set:h,clear:i}}var yH=!1;function zH(){yH||(yH=!0,xH());return wH.exports}c={};var AH={exports:c};function BH(){var b=Vz(),c=zH().set,d=b.MutationObserver||b.WebKitMutationObserver,e=b.process,f=b.Promise,g=mB()(e)=="process";AH.exports=function(){var a,h,i,j=function(){var b,c;g&&(b=e.domain)&&b.exit();while(a){c=a.fn;a=a.next;try{c()}catch(b){a?i():h=void 0;throw b}}h=void 0;b&&b.enter()};if(g)i=function(){e.nextTick(j)};else if(d&&!(b.navigator&&b.navigator.standalone)){var k=!0,l=document.createTextNode("");new d(j).observe(l,{characterData:!0});i=function(){l.data=k=!k}}else if(f&&f.resolve){var m=f.resolve(void 0);i=function(){m.then(j)}}else i=function(){c.call(b,j)};return function(b){b={fn:b,next:void 0};h&&(h.next=b);a||(a=b,i());h=b}}}var CH=!1;function DH(){CH||(CH=!0,BH());return AH.exports}d={};var EH={exports:d};function FH(){var a=bA();function b(b){var c,d;this.promise=new b(function(a,b){if(c!==void 0||d!==void 0)throw TypeError("Bad Promise constructor");c=a;d=b});this.resolve=a(c);this.reject=a(d)}EH.exports.f=function(a){return new b(a)}}var GH=!1;function HH(){GH||(GH=!0,FH());return EH.exports}f={};var IH={exports:f};function JH(){IH.exports=function(a){try{return{e:!1,v:a()}}catch(a){return{e:!0,v:a}}}}var KH=!1;function LH(){KH||(KH=!0,JH());return IH.exports}b={};var MH={exports:b};function NH(){var b=Vz();b=b.navigator;MH.exports=b&&b.userAgent||""}var OH=!1;function PH(){OH||(OH=!0,NH());return MH.exports}c={};var QH={exports:c};function RH(){var a=nA(),b=jA(),c=HH();QH.exports=function(d,e){a(d);if(b(e)&&e.constructor===d)return e;d=c.f(d);var f=d.resolve;f(e);return d.promise}}var SH=!1;function TH(){SH||(SH=!0,RH());return QH.exports}d={};var UH={exports:d};function VH(){var a=UA();UH.exports=function(b,c,d){for(var e in c)d&&b[e]?b[e]=c[e]:a(b,e,c[e]);return b}}var WH=!1;function XH(){WH||(WH=!0,VH());return UH.exports}f={};var YH={exports:f};function ZH(){var b=Vz(),c=Z(),d=MA(),e=vA(),f=tC()("species");YH.exports=function(a){a=typeof c[a]=="function"?c[a]:b[a];e&&a&&!a[f]&&d.f(a,f,{configurable:!0,get:function(){return this}})}}var $H=!1;function aI(){$H||($H=!0,ZH());return YH.exports}b={};var bI={exports:b};function cI(){var c=Rz(),b=Vz(),d=fA(),e=gD(),f=$(),g=jA(),h=bA(),i=jH(),j=nH(),k=rH(),l=zH().set,m=DH()(),n=HH(),o=LH(),p=PH(),q=TH(),r="Promise",s=b.TypeError,t=b.process,u=t&&t.versions,v=u&&u.v8||"",w=b[r],x=e(t)=="process",y=function(){},z,A,B,C,D=A=n.f;u=!!function(){try{var a=w.resolve(1),b=(a.constructor={})[tC()("species")]=function(a){a(y,y)};return(x||typeof PromiseRejectionEvent=="function")&&a.then(y)instanceof b&&v.indexOf("6.6")!==0&&p.indexOf("Chrome/66")===-1}catch(a){}}();var E=function(a){var b;return g(a)&&typeof (b=a.then)=="function"?b:!1},F=function(a,b){if(a._n)return;a._n=!0;var c=a._c;m(function(){var d=a._v,e=a._s==1,f=0,g=function(b){var c=e?b.ok:b.fail,f=b.resolve,g=b.reject,h=b.domain,i,j;try{c?(e||(a._h==2&&I(a),a._h=1),c===!0?i=d:(h&&h.enter(),i=c(d),h&&(h.exit(),j=!0)),i===b.promise?g(s("Promise-chain cycle")):(c=E(i))?c.call(i,f,g):f(i)):g(d)}catch(a){h&&!j&&h.exit(),g(a)}};while(c.length>f)g(c[f++]);a._c=[];a._n=!1;b&&!a._h&&G(a)})},G=function(a){l.call(b,function(){var c=a._v,d=H(a),e,f;d&&(e=o(function(){x?t.emit("unhandledRejection",c,a):(f=b.onunhandledrejection)?f({promise:a,reason:c}):b.console&&emptyFunction}),a._h=x||H(a)?2:1);a._a=void 0;if(d&&e.e)throw e.v})},H=function(a){return a._h!==1&&(a._a||a._c).length===0},I=function(a){l.call(b,function(){var c;x?t.emit("rejectionHandled",a):(c=b.onrejectionhandled)&&c({promise:a,reason:a._v})})},J=function(a){var b=this;if(b._d)return;b._d=!0;b=b._w||b;b._v=a;b._s=2;b._a||(b._a=b._c.slice());F(b,!0)},K=function(a){var b=this,c;if(b._d)return;b._d=!0;b=b._w||b;try{if(b===a)throw s("Promise can"t be resolved itself");(c=E(a))?m(function(){var e={_w:b,_d:!1};try{c.call(a,d(K,e,1),d(J,e,1))}catch(a){J.call(e,a)}}):(b._v=a,b._s=1,F(b,!1))}catch(a){J.call({_w:b,_d:!1},a)}};u||(w=function(a){i(this,w,r,"_h");h(a);z.call(this);try{a(d(K,this,1),d(J,this,1))}catch(a){J.call(this,a)}},z=function(a){this._c=[],this._a=void 0,this._s=0,this._d=!1,this._v=void 0,this._h=0,this._n=!1},z.prototype=XH()(w.prototype,{then:function(a,b){var c=D(k(this,w));c.ok=typeof a=="function"?a:!0;c.fail=typeof b=="function"&&b;c.domain=x?t.domain:void 0;this._c.push(c);this._a&&this._a.push(c);this._s&&F(this,!1);return c.promise},"catch":function(a){return this.then(void 0,a)}}),B=function(){var a=new z();this.promise=a;this.resolve=d(K,a,1);this.reject=d(J,a,1)},n.f=D=function(a){return a===w||a===C?new B(a):A(a)});f(f.G+f.W+f.F*!u,{Promise:w});xC()(w,r);aI()(r);C=Z()[r];f(f.S+f.F*!u,r,{reject:function(a){var b=D(this),c=b.reject;c(a);return b.promise}});f(f.S+f.F*(c||!u),r,{resolve:function(a){return q(c&&this===C?w:this,a)}});f(f.S+f.F*!(u&&oD()(function(a){w.all(a)["catch"](y)})),r,{all:function(a){var b=this,c=D(b),d=c.resolve,e=c.reject,f=o(function(){var c=[],f=0,g=1;j(a,!1,function(a){var h=f++,i=!1;c.push(void 0);g++;b.resolve(a).then(function(a){if(i)return;i=!0;c[h]=a;--g||d(c)},e)});--g||d(c)});f.e&&e(f.v);return c.promise},race:function(a){var b=this,c=D(b),d=c.reject,e=o(function(){j(a,!1,function(a){b.resolve(a).then(c.resolve,d)})});e.e&&d(e.v);return c.promise}})}var dI=!1;function eI(){dI||(dI=!0,cI());return bI.exports}c={};var fI={exports:c};function gI(){var c=$(),d=Z(),b=Vz(),e=rH(),f=TH();c(c.P+c.R,"Promise",{"finally":function(a){var c=e(this,d.Promise||b.Promise),g=typeof a=="function";return this.then(g?function(b){return f(c,a()).then(function(){return b})}:a,g?function(b){return f(c,a()).then(function(){throw b})}:a)}})}var hI=!1;function iI(){hI||(hI=!0,gI());return fI.exports}d={};var jI={exports:d};function kI(){var a=$(),b=HH(),c=LH();a(a.S,"Promise",{"try":function(a){var d=b.f(this);a=c(a);(a.e?d.reject:d.resolve)(a.v);return d.promise}})}var lI=!1;function mI(){lI||(lI=!0,kI());return jI.exports}f={};var nI={exports:f};function oI(){RC(),fE(),eI(),iI(),mI(),nI.exports=Z().Promise}var pI=!1;function qI(){pI||(pI=!0,oI());return nI.exports}b={};var rI={exports:b};function sI(){var a=OB()("meta"),b=jA(),c=YA(),d=MA().f,e=0,f=Object.isExtensible||function(){return!0},g=!rA()(function(){return f(Object.preventExtensions({}))}),h=function(b){d(b,a,{value:{i:"O"+ ++e,w:{}}})},i=function(d,e){if(!b(d))return typeof d=="symbol"?d:(typeof d=="string"?"S":"P")+d;if(!c(d,a)){if(!f(d))return"F";if(!e)return"E";h(d)}return d[a].i},j=function(b,d){if(!c(b,a)){if(!f(b))return!0;if(!d)return!1;h(b)}return b[a].w},k=function(b){g&&l.NEED&&f(b)&&!c(b,a)&&h(b);return b},l=rI.exports={KEY:a,NEED:!1,fastKey:i,getWeak:j,onFreeze:k}}var tI=!1;function uI(){tI||(tI=!0,sI());return rI.exports}var vI={},wI={exports:vI};function xI(){vI.f=tC()}var yI=!1;function zI(){yI||(yI=!0,xI());return wI.exports}c={};var AI={exports:c};function BI(){var b=Vz(),c=Z(),d=Rz(),e=zI(),f=MA().f;AI.exports=function(a){var g=c.Symbol||(c.Symbol=d?{}:b.Symbol||{});a.charAt(0)!="_"&&!(a in g)&&f(g,a,{value:e.f(a)})}}var CI=!1;function DI(){CI||(CI=!0,BI());return AI.exports}d={};var EI={exports:d};function FI(){var a=dC(),b=UE(),c=ZE();EI.exports=function(d){var e=a(d),f=b.f;if(f){f=f(d);var g=c.f,h=0,i;while(f.length>h)g.call(d,i=f[h++])&&e.push(i)}return e}}var GI=!1;function HI(){GI||(GI=!0,FI());return EI.exports}var II={},JI={exports:II};function KI(){var a=WB(),b=$B().concat("length","prototype");II.f=Object.getOwnPropertyNames||function(c){return a(c,b)}}var LI=!1;function MI(){LI||(LI=!0,KI());return JI.exports}f={};var NI={exports:f};function OI(){var a=uB(),b=MI().f,c={}.toString,d=typeof window=="object"&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],e=function(a){try{return b(a)}catch(a){return d.slice()}};NI.exports.f=function(f){return d&&c.call(f)=="[object Window]"?e(f):b(a(f))}}var PI=!1;function QI(){PI||(PI=!0,OI());return NI.exports}b={};var RI={exports:b};function SI(){var b=Vz(),c=YA(),d=vA(),e=$(),f=eB(),g=uI().KEY,h=rA(),i=KB(),j=xC(),k=OB(),l=tC(),m=zI(),n=DI(),o=HI(),p=AD(),q=nA(),r=jA(),s=FC(),t=uB(),u=HA(),v=QA(),w=pC(),x=QI(),y=RF(),z=UE(),A=MA(),B=dC(),C=y.f,D=A.f,E=x.f,F=b.Symbol,G=b.JSON,H=G&&G.stringify,I="prototype",J=l("_hidden"),K=l("toPrimitive"),L={}.propertyIsEnumerable,M=i("symbol-registry"),N=i("symbols"),O=i("op-symbols"),P=Object[I];i=typeof F=="function"&&!!z.f;var aa=b.QObject,ba=!aa||!aa[I]||!aa[I].findChild,ca=d&&h(function(){return w(D({},"a",{get:function(){return D(this,"a",{value:7}).a}})).a!=7})?function(a,b,c){var d=C(P,b);d&&delete P[b];D(a,b,c);d&&a!==P&&D(P,b,d)}:D,da=function(a){var b=N[a]=w(F[I]);b._k=a;return b},ea=i&&typeof F.iterator=="symbol"?function(a){return typeof a=="symbol"}:function(a){return a instanceof F},Q=function(a,b,d){a===P&&Q(O,b,d);q(a);b=u(b,!0);q(d);if(c(N,b)){!d.enumerable?(c(a,J)||D(a,J,v(1,{})),a[J][b]=!0):(c(a,J)&&a[J][b]&&(a[J][b]=!1),d=w(d,{enumerable:v(0,!1)}));return ca(a,b,d)}return D(a,b,d)},R=function(a,b){q(a);var c=o(b=t(b)),d=0,e=c.length,f;while(e>d)Q(a,f=c[d++],b[f]);return a};aa=function(a,b){return b===void 0?w(a):R(w(a),b)};var S=function(a){var b=L.call(this,a=u(a,!0));return this===P&&c(N,a)&&!c(O,a)?!1:b||!c(this,a)||!c(N,a)||c(this,J)&&this[J][a]?b:!0},T=function(a,b){a=t(a);b=u(b,!0);if(a===P&&c(N,b)&&!c(O,b))return;var d=C(a,b);d&&c(N,b)&&!(c(a,J)&&a[J][b])&&(d.enumerable=!0);return d},fa=function(a){a=E(t(a));var b=[],d=0,e;while(a.length>d)!c(N,e=a[d++])&&e!=J&&e!=g&&b.push(e);return b},ga=function(a){var b=a===P;a=E(b?O:t(a));var d=[],e=0,f;while(a.length>e)c(N,f=a[e++])&&(b?c(P,f):!0)&&d.push(N[f]);return d};i||(F=function(){if(this instanceof F)throw TypeError("Symbol is not a constructor!");var a=k(arguments.length>0?arguments[0]:void 0),b=function(d){this===P&&b.call(O,d),c(this,J)&&c(this[J],a)&&(this[J][a]=!1),ca(this,a,v(1,d))};d&&ba&&ca(P,a,{configurable:!0,set:b});return da(a)},f(F[I],"toString",function(){return this._k}),y.f=T,A.f=Q,MI().f=x.f=fa,ZE().f=S,z.f=ga,d&&!Rz()&&f(P,"propertyIsEnumerable",S,!0),m.f=function(a){return da(l(a))});e(e.G+e.W+e.F*!i,{Symbol:F});for(y="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),A=0;y.length>A;)l(y[A++]);for(x=B(l.store),f=0;x.length>f;)n(x[f++]);e(e.S+e.F*!i,"Symbol",{"for":function(a){return c(M,a+="")?M[a]:M[a]=F(a)},keyFor:function(a){if(!ea(a))throw TypeError(a+" is not a symbol!");for(var b in M)if(M[b]===a)return b},useSetter:function(){ba=!0},useSimple:function(){ba=!1}});e(e.S+e.F*!i,"Object",{create:aa,defineProperty:Q,defineProperties:R,getOwnPropertyDescriptor:T,getOwnPropertyNames:fa,getOwnPropertySymbols:ga});S=h(function(){z.f(1)});e(e.S+e.F*S,"Object",{getOwnPropertySymbols:function(a){return z.f(s(a))}});G&&e(e.S+e.F*(!i||h(function(){var a=F();return H([a])!="[null]"||H({a:a})!="{}"||H(Object(a))!="{}"})),"JSON",{stringify:function(a){var b=[a],c=1,d,e;while(arguments.length>c)b.push(arguments[c++]);e=d=b[1];if(!r(d)&&a===void 0||ea(a))return;p(d)||(d=function(a,b){typeof e=="function"&&(b=e.call(this,a,b));if(!ea(b))return b});b[1]=d;return H.apply(G,b)}});F[I][K]||UA()(F[I],K,F[I].valueOf);j(F,"Symbol");j(Math,"Math",!0);j(b.JSON,"JSON",!0)}var TI=!1;function UI(){TI||(TI=!0,SI());return RI.exports}c={};var VI={exports:c};function WI(){DI()("asyncIterator")}var XI=!1;function YI(){XI||(XI=!0,WI());return VI.exports}d={};var ZI={exports:d};function $I(){DI()("observable")}var aJ=!1;function bJ(){aJ||(aJ=!0,$I());return ZI.exports}f={};var cJ={exports:f};function dJ(){UI(),YI(),bJ(),cJ.exports=Z().Symbol}var eJ=!1;function fJ(){eJ||(eJ=!0,dJ());return cJ.exports}b={};var gJ={exports:b};function hJ(){RC(),fE(),gJ.exports=zI().f("iterator")}var iJ=!1;function jJ(){iJ||(iJ=!0,hJ());return gJ.exports}c={};var kJ={exports:c};function lJ(){var a=jA(),b=AD(),c=tC()("species");kJ.exports=function(d){var e;b(d)&&(e=d.constructor,typeof e=="function"&&(e===Array||b(e.prototype))&&(e=void 0),a(e)&&(e=e[c],e===null&&(e=void 0)));return e===void 0?Array:e}}var mJ=!1;function nJ(){mJ||(mJ=!0,lJ());return kJ.exports}d={};var oJ={exports:d};function pJ(){var a=nJ();oJ.exports=function(b,c){return new(a(b))(c)}}var qJ=!1;function rJ(){qJ||(qJ=!0,pJ());return oJ.exports}f={};var sJ={exports:f};function tJ(){var a=fA(),b=qB(),c=FC(),d=yB(),e=rJ();sJ.exports=function(f,g){var h=f==1,i=f==2,j=f==3,k=f==4,l=f==6,m=f==5||l,n=g||e;return function(e,g,o){var p=c(e),q=b(p);g=a(g,o,3);o=d(q.length);var r=0;e=h?n(e,o):i?n(e,0):void 0;var s,t;for(;o>r;r++)if(m||r in q){s=q[r];t=g(s,r,p);if(f)if(h)e[r]=t;else if(t)switch(f){case 3:return!0;case 5:return s;case 6:return r;case 2:e.push(s)}else if(k)return!1}return l?-1:j||k?k:e}}}var uJ=!1;function vJ(){uJ||(uJ=!0,tJ());return sJ.exports}b={};var wJ={exports:b};function xJ(){var a=jA();wJ.exports=function(b,c){if(!a(b)||b._t!==c)throw TypeError("Incompatible receiver, "+c+" required!");return b}}var yJ=!1;function zJ(){yJ||(yJ=!0,xJ());return wJ.exports}c={};var AJ={exports:c};function BJ(){var a=XH(),b=uI().getWeak,c=nA(),d=jA(),e=jH(),f=nH(),g=vJ(),h=YA(),i=zJ(),j=g(5),k=g(6),l=0,m=function(a){return a._l||(a._l=new n())},n=function(){this.a=[]},o=function(a,b){return j(a.a,function(a){return a[0]===b})};n.prototype={get:function(a){a=o(this,a);if(a)return a[1]},has:function(a){return!!o(this,a)},set:function(a,b){var c=o(this,a);c?c[1]=b:this.a.push([a,b])},"delete":function(a){var b=k(this.a,function(b){return b[0]===a});~b&&this.a.splice(b,1);return!!~b}};AJ.exports={getConstructor:function(c,g,j,k){var n=c(function(a,b){e(a,n,g,"_i"),a._t=g,a._i=l++,a._l=void 0,b!=void 0&&f(b,j,a[k],a)});a(n.prototype,{"delete":function(a){if(!d(a))return!1;var c=b(a);return c===!0?m(i(this,g))["delete"](a):c&&h(c,this._i)&&delete c[this._i]},has:function(a){if(!d(a))return!1;var c=b(a);return c===!0?m(i(this,g)).has(a):c&&h(c,this._i)}});return n},def:function(a,d,e){var f=b(c(d),!0);f===!0?m(a).set(d,e):f[a._i]=e;return a},ufstore:m}}var CJ=!1;function DJ(){CJ||(CJ=!0,BJ());return AJ.exports}d={};var EJ={exports:d};function FJ(){var b=Vz(),c=$(),d=uI(),e=rA(),f=UA(),g=XH(),h=nH(),i=jH(),j=jA(),k=xC(),l=MA().f,m=vJ()(0),n=vA();EJ.exports=function(a,o,p,q,r,s){var t=b[a],u=t,v=r?"set":"add",w=u&&u.prototype,x={};!n||typeof u!="function"||!(s||w.forEach&&!e(function(){new u().entries().next()}))?(u=q.getConstructor(o,a,r,v),g(u.prototype,p),d.NEED=!0):(u=o(function(b,c){i(b,u,a,"_c"),b._c=new t(),c!=void 0&&h(c,r,b[v],b)}),m("add,clear,delete,forEach,get,has,set,keys,values,entries,toJSON".split(","),function(a){var b=a=="add"||a=="set";a in w&&!(s&&a=="clear")&&f(u.prototype,a,function(c,d){i(this,u,a);if(!b&&s&&!j(c))return a=="get"?void 0:!1;c=this._c[a](c===0?0:c,d);return b?this:c})}),s||l(u.prototype,"size",{get:function(){return this._c.size}}));k(u,a);x[a]=u;c(c.G+c.W+c.F,x);s||q.setStrong(u,a,r);return u}}var GJ=!1;function HJ(){GJ||(GJ=!0,FJ());return EJ.exports}f={};var IJ={exports:f};function JJ(){var b=Vz(),c=vJ()(0),d=eB(),e=uI(),f=cF(),g=DJ(),h=jA(),i=zJ(),j=zJ();b=!b.ActiveXObject&&"ActiveXObject"in b;var k="WeakMap",l=e.getWeak,m=Object.isExtensible,n=g.ufstore,o,p=function(a){return function(){return a(this,arguments.length>0?arguments[0]:void 0)}},q={get:function(a){if(h(a)){var b=l(a);return b===!0?n(i(this,k)).get(a):b?b[this._i]:void 0}},set:function(a,b){return g.def(i(this,k),a,b)}},r=IJ.exports=HJ()(k,p,q,g,!0,!0);j&&b&&(o=g.getConstructor(p,k),f(o.prototype,q),e.NEED=!0,c(["delete","has","get","set"],function(a){var b=r.prototype,c=b[a];d(b,a,function(b,d){if(h(b)&&!m(b)){this._f||(this._f=new o());var e=this._f[a](b,d);return a=="set"?this:e}return c.call(this,b,d)})}))}var KJ=!1;function LJ(){KJ||(KJ=!0,JJ());return IJ.exports}b={};var MJ={exports:b};function NJ(){var a=$();MJ.exports=function(b){a(a.S,b,{of:function(){var a=arguments.length,b=new Array(a);while(a--)b[a]=arguments[a];return new this(b)}})}}var OJ=!1;function PJ(){OJ||(OJ=!0,NJ());return MJ.exports}c={};var QJ={exports:c};function RJ(){PJ()("WeakMap")}var SJ=!1;function TJ(){SJ||(SJ=!0,RJ());return QJ.exports}d={};var UJ={exports:d};function VJ(){var a=$(),b=bA(),c=fA(),d=nH();UJ.exports=function(e){a(a.S,e,{from:function(a){var e=arguments[1],f,g,h,i;b(this);f=e!==void 0;f&&b(e);if(a==void 0)return new this();g=[];f?(h=0,i=c(e,arguments[2],2),d(a,!1,function(a){g.push(i(a,h++))})):d(a,!1,g.push,g);return new this(g)}})}}var WJ=!1;function XJ(){WJ||(WJ=!0,VJ());return UJ.exports}f={};var YJ={exports:f};function ZJ(){XJ()("WeakMap")}var $J=!1;function aK(){$J||($J=!0,ZJ());return YJ.exports}b={};var bK={exports:b};function cK(){fE(),LJ(),TJ(),aK(),bK.exports=Z().WeakMap}var dK=!1;function eK(){dK||(dK=!0,cK());return bK.exports}function a(a){switch(a){case void 0:return tz();case"/es6/math":return xz();case"/es6/number":return Bz();case"/library/fn/array/from":return wD();case"/library/fn/array/is-array":return ID();case"/library/fn/date/now":return QD();case"/library/fn/get-iterator":return nE();case"/library/fn/is-iterable":return vE();case"/library/fn/number/is-finite":return DE();case"/library/fn/number/is-integer":return PE();case"/library/fn/object/assign":return kF();case"/library/fn/object/create":return sF();case"/library/fn/object/define-property":return AF();case"/library/fn/object/entries":return MF();case"/library/fn/object/get-own-property-descriptor":return cG();case"/library/fn/object/get-prototype-of":return kG();case"/library/fn/object/keys":return sG();case"/library/fn/object/set-prototype-of":return EG();case"/library/fn/object/values":return MG();case"/library/fn/parse-int":return fH();case"/library/fn/promise":return qI();case"/library/fn/symbol":return fJ();case"/library/fn/symbol/iterator":return jJ();case"/library/fn/weak-map":return eK()}}e.exports=a}),null); /** * License: https://www.facebook.com/legal/license/t3hOLs8wlXy/ */
-----
InternalMonacoEditorTypeScript503Worker",[],(function $module_InternalMonacoEditorTypeScript503Worker(global,require,requireDynamic,requireLazy,module,exports){ /*!--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /******/ (() => { // webpackBootstrap /******/ "use strict"; /******/ // The require scope /******/ var __webpack_require__ = {}; /******/ /************************************************************************/ /******/ /* webpack/runtime/define property getters */ /******/ (() => { /******/ // define getter functions for harmony exports /******/ __webpack_require__.d = (exports, definition) => { /******/ for(var key in definition) { /******/ if(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) { /******/ Object.defineProperty(exports, key, { enumerable: true, get: definition[key] }); /******/ } /******/ } /******/ }; /******/ })(); /******/ /******/ /* webpack/runtime/global */ /******/ (() => { /******/ __webpack_require__.g = (function() { /******/ if (typeof globalThis === "object") return globalThis; /******/ try { /******/ return this || new Function("return this")(); /******/ } catch (e) { /******/ if (typeof window === "object") return window; /******/ } /******/ })(); /******/ })(); /******/ /******/ /* webpack/runtime/hasOwnProperty shorthand */ /******/ (() => { /******/ __webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop)) /******/ })(); /******/ /******/ /* webpack/runtime/make namespace object */ /******/ (() => { /******/ // define __esModule on exports /******/ __webpack_require__.r = (exports) => { /******/ if(typeof Symbol !== "undefined" && Symbol.toStringTag) { /******/ Object.defineProperty(exports, Symbol.toStringTag, { value: "Module" }); /******/ } /******/ Object.defineProperty(exports, "__esModule", { value: true }); /******/ }; /******/ })(); /******/ /************************************************************************/ var __webpack_exports__ = {}; // ESM COMPAT FLAG __webpack_require__.r(__webpack_exports__); // EXPORTS __webpack_require__.d(__webpack_exports__, { TypeScriptWorker: () => (/* binding */ TypeScriptWorker), create: () => (/* binding */ ts_worker_create), initialize: () => (/* reexport */ initialize), libFileMap: () => (/* binding */ libFileMap), ts: () => (/* binding */ typescriptServices_exports) }); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/errors.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // Avoid circular dependency on EventEmitter by implementing a subset of the interface. class ErrorHandler { constructor() { this.listeners = []; this.unexpectedErrorHandler = function (e) { setTimeout(() => { if (e.stack) { if (ErrorNoTelemetry.isErrorNoTelemetry(e)) { throw new ErrorNoTelemetry(e.message + " " + e.stack); } throw new Error(e.message + " " + e.stack); } throw e; }, 0); }; } emit(e) { this.listeners.forEach((listener) => { listener(e); }); } onUnexpectedError(e) { this.unexpectedErrorHandler(e); this.emit(e); } // For external errors, we don"t want the listeners to be called onUnexpectedExternalError(e) { this.unexpectedErrorHandler(e); } } const errorHandler = new ErrorHandler(); function onUnexpectedError(e) { // ignore errors from cancelled promises if (!isCancellationError(e)) { errorHandler.onUnexpectedError(e); } return undefined; } function onUnexpectedExternalError(e) { // ignore errors from cancelled promises if (!isCancellationError(e)) { errorHandler.onUnexpectedExternalError(e); } return undefined; } function transformErrorForSerialization(error) { if (error instanceof Error) { const { name, message } = error; const stack = error.stacktrace || error.stack; return { $isError: true, name, message, stack, noTelemetry: ErrorNoTelemetry.isErrorNoTelemetry(error) }; } // return as is return error; } const canceledName = "Canceled"; /** * Checks if the given error is a promise in canceled state */ function isCancellationError(error) { if (error instanceof CancellationError) { return true; } return error instanceof Error && error.name === canceledName && error.message === canceledName; } // !!!IMPORTANT!!! // Do NOT change this class because it is also used as an API-type. class CancellationError extends Error { constructor() { super(canceledName); this.name = this.message; } } /** * @deprecated use {@link CancellationError `new CancellationError()`} instead */ function canceled() { const error = new Error(canceledName); error.name = error.message; return error; } function illegalArgument(name) { if (name) { return new Error(`Illegal argument: ${name}`); } else { return new Error("Illegal argument"); } } function illegalState(name) { if (name) { return new Error(`Illegal state: ${name}`); } else { return new Error("Illegal state"); } } class NotSupportedError extends Error { constructor(message) { super("NotSupported"); if (message) { this.message = message; } } } /** * Error that when thrown won"t be logged in telemetry as an unhandled error. */ class ErrorNoTelemetry extends Error { constructor(msg) { super(msg); this.name = "CodeExpectedError"; } static fromError(err) { if (err instanceof ErrorNoTelemetry) { return err; } const result = new ErrorNoTelemetry(); result.message = err.message; result.stack = err.stack; return result; } static isErrorNoTelemetry(err) { return err.name === "CodeExpectedError"; } } /** * This error indicates a bug. * Do not throw this for invalid user input. * Only catch this error to recover gracefully from bugs. */ class BugIndicatingError extends Error { constructor(message) { super(message || "An unexpected bug occurred."); Object.setPrototypeOf(this, BugIndicatingError.prototype); // Because we know for sure only buggy code throws this, // we definitely want to break here and fix the bug. // eslint-disable-next-line no-debugger // debugger; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/functional.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Given a function, returns a function that is only calling that function once. */ function functional_createSingleCallFunction(fn, fnDidRunCallback) { const _this = this; let didCall = false; let result; return function () { if (didCall) { return result; } didCall = true; if (fnDidRunCallback) { try { result = fn.apply(_this, arguments); } finally { fnDidRunCallback(); } } else { result = fn.apply(_this, arguments); } return result; }; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/iterator.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var Iterable; (function (Iterable) { function is(thing) { return thing && typeof thing === "object" && typeof thing[Symbol.iterator] === "function"; } Iterable.is = is; const _empty = Object.freeze([]); function empty() { return _empty; } Iterable.empty = empty; function* single(element) { yield element; } Iterable.single = single; function wrap(iterableOrElement) { if (is(iterableOrElement)) { return iterableOrElement; } else { return single(iterableOrElement); } } Iterable.wrap = wrap; function from(iterable) { return iterable || _empty; } Iterable.from = from; function* reverse(array) { for (let i = array.length - 1; i >= 0; i--) { yield array[i]; } } Iterable.reverse = reverse; function isEmpty(iterable) { return !iterable || iterable[Symbol.iterator]().next().done === true; } Iterable.isEmpty = isEmpty; function first(iterable) { return iterable[Symbol.iterator]().next().value; } Iterable.first = first; function some(iterable, predicate) { for (const element of iterable) { if (predicate(element)) { return true; } } return false; } Iterable.some = some; function find(iterable, predicate) { for (const element of iterable) { if (predicate(element)) { return element; } } return undefined; } Iterable.find = find; function* filter(iterable, predicate) { for (const element of iterable) { if (predicate(element)) { yield element; } } } Iterable.filter = filter; function* map(iterable, fn) { let index = 0; for (const element of iterable) { yield fn(element, index++); } } Iterable.map = map; function* concat(...iterables) { for (const iterable of iterables) { yield* iterable; } } Iterable.concat = concat; function reduce(iterable, reducer, initialValue) { let value = initialValue; for (const element of iterable) { value = reducer(value, element); } return value; } Iterable.reduce = reduce; /** * Returns an iterable slice of the array, with the same semantics as `array.slice()`. */ function* slice(arr, from, to = arr.length) { if (from < 0) { from += arr.length; } if (to < 0) { to += arr.length; } else if (to > arr.length) { to = arr.length; } for (; from < to; from++) { yield arr[from]; } } Iterable.slice = slice; /** * Consumes `atMost` elements from iterable and returns the consumed elements, * and an iterable for the rest of the elements. */ function consume(iterable, atMost = Number.POSITIVE_INFINITY) { const consumed = []; if (atMost === 0) { return [consumed, iterable]; } const iterator = iterable[Symbol.iterator](); for (let i = 0; i < atMost; i++) { const next = iterator.next(); if (next.done) { return [consumed, Iterable.empty()]; } consumed.push(next.value); } return [consumed, { [Symbol.iterator]() { return iterator; } }]; } Iterable.consume = consume; })(Iterable || (Iterable = {})); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/lifecycle.js // #region Disposable Tracking /** * Enables logging of potentially leaked disposables. * * A disposable is considered leaked if it is not disposed or not registered as the child of * another disposable. This tracking is very simple an only works for classes that either * extend Disposable or use a DisposableStore. This means there are a lot of false positives. */ const TRACK_DISPOSABLES = false; let disposableTracker = null; function setDisposableTracker(tracker) { disposableTracker = tracker; } if (TRACK_DISPOSABLES) { const __is_disposable_tracked__ = "__is_disposable_tracked__"; setDisposableTracker(new class { trackDisposable(x) { const stack = new Error("Potentially leaked disposable").stack; setTimeout(() => { if (!x[__is_disposable_tracked__]) { console.log(stack); } }, 3000); } setParent(child, parent) { if (child && child !== lifecycle_Disposable.None) { try { child[__is_disposable_tracked__] = true; } catch (_a) { // noop } } } markAsDisposed(disposable) { if (disposable && disposable !== lifecycle_Disposable.None) { try { disposable[__is_disposable_tracked__] = true; } catch (_a) { // noop } } } markAsSingleton(disposable) { } }); } function trackDisposable(x) { disposableTracker === null || disposableTracker === void 0 ? void 0 : disposableTracker.trackDisposable(x); return x; } function markAsDisposed(disposable) { disposableTracker === null || disposableTracker === void 0 ? void 0 : disposableTracker.markAsDisposed(disposable); } function setParentOfDisposable(child, parent) { disposableTracker === null || disposableTracker === void 0 ? void 0 : disposableTracker.setParent(child, parent); } function setParentOfDisposables(children, parent) { if (!disposableTracker) { return; } for (const child of children) { disposableTracker.setParent(child, parent); } } /** * Indicates that the given object is a singleton which does not need to be disposed. */ function markAsSingleton(singleton) { disposableTracker === null || disposableTracker === void 0 ? void 0 : disposableTracker.markAsSingleton(singleton); return singleton; } /** * Check if `thing` is {@link IDisposable disposable}. */ function isDisposable(thing) { return typeof thing.dispose === "function" && thing.dispose.length === 0; } function dispose(arg) { if (Iterable.is(arg)) { const errors = []; for (const d of arg) { if (d) { try { d.dispose(); } catch (e) { errors.push(e); } } } if (errors.length === 1) { throw errors[0]; } else if (errors.length > 1) { throw new AggregateError(errors, "Encountered errors while disposing of store"); } return Array.isArray(arg) ? [] : arg; } else if (arg) { arg.dispose(); return arg; } } /** * Combine multiple disposable values into a single {@link IDisposable}. */ function combinedDisposable(...disposables) { const parent = lifecycle_toDisposable(() => dispose(disposables)); setParentOfDisposables(disposables, parent); return parent; } /** * Turn a function that implements dispose into an {@link IDisposable}. * * @param fn Clean up function, guaranteed to be called only **once**. */ function lifecycle_toDisposable(fn) { const self = trackDisposable({ dispose: functional_createSingleCallFunction(() => { markAsDisposed(self); fn(); }) }); return self; } /** * Manages a collection of disposable values. * * This is the preferred way to manage multiple disposables. A `DisposableStore` is safer to work with than an * `IDisposable[]` as it considers edge cases, such as registering the same value multiple times or adding an item to a * store that has already been disposed of. */ class DisposableStore { constructor() { this._toDispose = new Set(); this._isDisposed = false; trackDisposable(this); } /** * Dispose of all registered disposables and mark this object as disposed. * * Any future disposables added to this object will be disposed of on `add`. */ dispose() { if (this._isDisposed) { return; } markAsDisposed(this); this._isDisposed = true; this.clear(); } /** * @return `true` if this object has been disposed of. */ get isDisposed() { return this._isDisposed; } /** * Dispose of all registered disposables but do not mark this object as disposed. */ clear() { if (this._toDispose.size === 0) { return; } try { dispose(this._toDispose); } finally { this._toDispose.clear(); } } /** * Add a new {@link IDisposable disposable} to the collection. */ add(o) { if (!o) { return o; } if (o === this) { throw new Error("Cannot register a disposable on itself!"); } setParentOfDisposable(o, this); if (this._isDisposed) { if (!DisposableStore.DISABLE_DISPOSED_WARNING) { console.warn(new Error("Trying to add a disposable to a DisposableStore that has already been disposed of. The added object will be leaked!").stack); } } else { this._toDispose.add(o); } return o; } /** * Deletes the value from the store, but does not dispose it. */ deleteAndLeak(o) { if (!o) { return; } if (this._toDispose.has(o)) { this._toDispose.delete(o); setParentOfDisposable(o, null); } } } DisposableStore.DISABLE_DISPOSED_WARNING = false; /** * Abstract base class for a {@link IDisposable disposable} object. * * Subclasses can {@linkcode _register} disposables that will be automatically cleaned up when this object is disposed of. */ class lifecycle_Disposable { constructor() { this._store = new DisposableStore(); trackDisposable(this); setParentOfDisposable(this._store, this); } dispose() { markAsDisposed(this); this._store.dispose(); } /** * Adds `o` to the collection of disposables managed by this object. */ _register(o) { if (o === this) { throw new Error("Cannot register a disposable on itself!"); } return this._store.add(o); } } /** * A disposable that does nothing when it is disposed of. * * TODO: This should not be a static property. */ lifecycle_Disposable.None = Object.freeze({ dispose() { } }); /** * Manages the lifecycle of a disposable value that may be changed. * * This ensures that when the disposable value is changed, the previously held disposable is disposed of. You can * also register a `MutableDisposable` on a `Disposable` to ensure it is automatically cleaned up. */ class MutableDisposable { constructor() { this._isDisposed = false; trackDisposable(this); } get value() { return this._isDisposed ? undefined : this._value; } set value(value) { var _a; if (this._isDisposed || value === this._value) { return; } (_a = this._value) === null || _a === void 0 ? void 0 : _a.dispose(); if (value) { setParentOfDisposable(value, this); } this._value = value; } /** * Resets the stored value and disposed of the previously stored value. */ clear() { this.value = undefined; } dispose() { var _a; this._isDisposed = true; markAsDisposed(this); (_a = this._value) === null || _a === void 0 ? void 0 : _a.dispose(); this._value = undefined; } } class RefCountedDisposable { constructor(_disposable) { this._disposable = _disposable; this._counter = 1; } acquire() { this._counter++; return this; } release() { if (--this._counter === 0) { this._disposable.dispose(); } return this; } } class ImmortalReference { constructor(object) { this.object = object; } dispose() { } } /** * A map the manages the lifecycle of the values that it stores. */ class DisposableMap { constructor() { this._store = new Map(); this._isDisposed = false; trackDisposable(this); } /** * Disposes of all stored values and mark this object as disposed. * * Trying to use this object after it has been disposed of is an error. */ dispose() { markAsDisposed(this); this._isDisposed = true; this.clearAndDisposeAll(); } /** * Disposes of all stored values and clear the map, but DO NOT mark this object as disposed. */ clearAndDisposeAll() { if (!this._store.size) { return; } try { dispose(this._store.values()); } finally { this._store.clear(); } } get(key) { return this._store.get(key); } set(key, value, skipDisposeOnOverwrite = false) { var _a; if (this._isDisposed) { console.warn(new Error("Trying to add a disposable to a DisposableMap that has already been disposed of. The added object will be leaked!").stack); } if (!skipDisposeOnOverwrite) { (_a = this._store.get(key)) === null || _a === void 0 ? void 0 : _a.dispose(); } this._store.set(key, value); } /** * Delete the value stored for `key` from this map and also dispose of it. */ deleteAndDispose(key) { var _a; (_a = this._store.get(key)) === null || _a === void 0 ? void 0 : _a.dispose(); this._store.delete(key); } [Symbol.iterator]() { return this._store[Symbol.iterator](); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/linkedList.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class Node { constructor(element) { this.element = element; this.next = Node.Undefined; this.prev = Node.Undefined; } } Node.Undefined = new Node(undefined); class LinkedList { constructor() { this._first = Node.Undefined; this._last = Node.Undefined; this._size = 0; } get size() { return this._size; } isEmpty() { return this._first === Node.Undefined; } clear() { let node = this._first; while (node !== Node.Undefined) { const next = node.next; node.prev = Node.Undefined; node.next = Node.Undefined; node = next; } this._first = Node.Undefined; this._last = Node.Undefined; this._size = 0; } unshift(element) { return this._insert(element, false); } push(element) { return this._insert(element, true); } _insert(element, atTheEnd) { const newNode = new Node(element); if (this._first === Node.Undefined) { this._first = newNode; this._last = newNode; } else if (atTheEnd) { // push const oldLast = this._last; this._last = newNode; newNode.prev = oldLast; oldLast.next = newNode; } else { // unshift const oldFirst = this._first; this._first = newNode; newNode.next = oldFirst; oldFirst.prev = newNode; } this._size += 1; let didRemove = false; return () => { if (!didRemove) { didRemove = true; this._remove(newNode); } }; } shift() { if (this._first === Node.Undefined) { return undefined; } else { const res = this._first.element; this._remove(this._first); return res; } } pop() { if (this._last === Node.Undefined) { return undefined; } else { const res = this._last.element; this._remove(this._last); return res; } } _remove(node) { if (node.prev !== Node.Undefined && node.next !== Node.Undefined) { // middle const anchor = node.prev; anchor.next = node.next; node.next.prev = anchor; } else if (node.prev === Node.Undefined && node.next === Node.Undefined) { // only node this._first = Node.Undefined; this._last = Node.Undefined; } else if (node.next === Node.Undefined) { // last this._last = this._last.prev; this._last.next = Node.Undefined; } else if (node.prev === Node.Undefined) { // first this._first = this._first.next; this._first.prev = Node.Undefined; } // done this._size -= 1; } *[Symbol.iterator]() { let node = this._first; while (node !== Node.Undefined) { yield node.element; node = node.next; } } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/stopwatch.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const hasPerformanceNow = (globalThis.performance && typeof globalThis.performance.now === "function"); class StopWatch { static create(highResolution) { return new StopWatch(highResolution); } constructor(highResolution) { this._now = hasPerformanceNow && highResolution === false ? Date.now : globalThis.performance.now.bind(globalThis.performance); this._startTime = this._now(); this._stopTime = -1; } stop() { this._stopTime = this._now(); } elapsed() { if (this._stopTime !== -1) { return this._stopTime - this._startTime; } return this._now() - this._startTime; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/event.js // ----------------------------------------------------------------------------------------------------------------------- // Uncomment the next line to print warnings whenever an emitter with listeners is disposed. That is a sign of code smell. // ----------------------------------------------------------------------------------------------------------------------- const _enableDisposeWithListenerWarning = false; // _enableDisposeWithListenerWarning = Boolean("TRUE"); // causes a linter warning so that it cannot be pushed // ----------------------------------------------------------------------------------------------------------------------- // Uncomment the next line to print warnings whenever a snapshotted event is used repeatedly without cleanup. // See https://github.com/microsoft/vscode/issues/142851 // ----------------------------------------------------------------------------------------------------------------------- const _enableSnapshotPotentialLeakWarning = false; var Event; (function (Event) { Event.None = () => lifecycle_Disposable.None; function _addLeakageTraceLogic(options) { if (_enableSnapshotPotentialLeakWarning) { const { onDidAddListener: origListenerDidAdd } = options; const stack = Stacktrace.create(); let count = 0; options.onDidAddListener = () => { if (++count === 2) { console.warn("snapshotted emitter LIKELY used public and SHOULD HAVE BEEN created with DisposableStore. snapshotted here"); stack.print(); } origListenerDidAdd === null || origListenerDidAdd === void 0 ? void 0 : origListenerDidAdd(); }; } } /** * Given an event, returns another event which debounces calls and defers the listeners to a later task via a shared * `setTimeout`. The event is converted into a signal (`Event`) to avoid additional object creation as a * result of merging events and to try prevent race conditions that could arise when using related deferred and * non-deferred events. * * This is useful for deferring non-critical work (eg. general UI updates) to ensure it does not block critical work * (eg. latency of keypress to text rendered). * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. * * @param event The event source for the new event. * @param disposable A disposable store to add the new EventEmitter to. */ function defer(event, disposable) { return debounce(event, () => void 0, 0, undefined, true, undefined, disposable); } Event.defer = defer; /** * Given an event, returns another event which only fires once. * * @param event The event source for the new event. */ function once(event) { return (listener, thisArgs = null, disposables) => { // we need this, in case the event fires during the listener call let didFire = false; let result = undefined; result = event(e => { if (didFire) { return; } else if (result) { result.dispose(); } else { didFire = true; } return listener.call(thisArgs, e); }, null, disposables); if (didFire) { result.dispose(); } return result; }; } Event.once = once; /** * Maps an event of one type into an event of another type using a mapping function, similar to how * `Array.prototype.map` works. * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. * * @param event The event source for the new event. * @param map The mapping function. * @param disposable A disposable store to add the new EventEmitter to. */ function map(event, map, disposable) { return snapshot((listener, thisArgs = null, disposables) => event(i => listener.call(thisArgs, map(i)), null, disposables), disposable); } Event.map = map; /** * Wraps an event in another event that performs some function on the event object before firing. * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. * * @param event The event source for the new event. * @param each The function to perform on the event object. * @param disposable A disposable store to add the new EventEmitter to. */ function forEach(event, each, disposable) { return snapshot((listener, thisArgs = null, disposables) => event(i => { each(i); listener.call(thisArgs, i); }, null, disposables), disposable); } Event.forEach = forEach; function filter(event, filter, disposable) { return snapshot((listener, thisArgs = null, disposables) => event(e => filter(e) && listener.call(thisArgs, e), null, disposables), disposable); } Event.filter = filter; /** * Given an event, returns the same event but typed as `Event`. */ function signal(event) { return event; } Event.signal = signal; function any(...events) { return (listener, thisArgs = null, disposables) => { const disposable = combinedDisposable(...events.map(event => event(e => listener.call(thisArgs, e)))); return addAndReturnDisposable(disposable, disposables); }; } Event.any = any; /** * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. */ function reduce(event, merge, initial, disposable) { let output = initial; return map(event, e => { output = merge(output, e); return output; }, disposable); } Event.reduce = reduce; function snapshot(event, disposable) { let listener; const options = { onWillAddFirstListener() { listener = event(emitter.fire, emitter); }, onDidRemoveLastListener() { listener === null || listener === void 0 ? void 0 : listener.dispose(); } }; if (!disposable) { _addLeakageTraceLogic(options); } const emitter = new Emitter(options); disposable === null || disposable === void 0 ? void 0 : disposable.add(emitter); return emitter.event; } /** * Adds the IDisposable to the store if it"s set, and returns it. Useful to * Event function implementation. */ function addAndReturnDisposable(d, store) { if (store instanceof Array) { store.push(d); } else if (store) { store.add(d); } return d; } function debounce(event, merge, delay = 100, leading = false, flushOnListenerRemove = false, leakWarningThreshold, disposable) { let subscription; let output = undefined; let handle = undefined; let numDebouncedCalls = 0; let doFire; const options = { leakWarningThreshold, onWillAddFirstListener() { subscription = event(cur => { numDebouncedCalls++; output = merge(output, cur); if (leading && !handle) { emitter.fire(output); output = undefined; } doFire = () => { const _output = output; output = undefined; handle = undefined; if (!leading || numDebouncedCalls > 1) { emitter.fire(_output); } numDebouncedCalls = 0; }; if (typeof delay === "number") { clearTimeout(handle); handle = setTimeout(doFire, delay); } else { if (handle === undefined) { handle = 0; queueMicrotask(doFire); } } }); }, onWillRemoveListener() { if (flushOnListenerRemove && numDebouncedCalls > 0) { doFire === null || doFire === void 0 ? void 0 : doFire(); } }, onDidRemoveLastListener() { doFire = undefined; subscription.dispose(); } }; if (!disposable) { _addLeakageTraceLogic(options); } const emitter = new Emitter(options); disposable === null || disposable === void 0 ? void 0 : disposable.add(emitter); return emitter.event; } Event.debounce = debounce; /** * Debounces an event, firing after some delay (default=0) with an array of all event original objects. * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. */ function accumulate(event, delay = 0, disposable) { return Event.debounce(event, (last, e) => { if (!last) { return [e]; } last.push(e); return last; }, delay, undefined, true, undefined, disposable); } Event.accumulate = accumulate; /** * Filters an event such that some condition is _not_ met more than once in a row, effectively ensuring duplicate * event objects from different sources do not fire the same event object. * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. * * @param event The event source for the new event. * @param equals The equality condition. * @param disposable A disposable store to add the new EventEmitter to. * * @example * ``` * // Fire only one time when a single window is opened or focused * Event.latch(Event.any(onDidOpenWindow, onDidFocusWindow)) * ``` */ function latch(event, equals = (a, b) => a === b, disposable) { let firstCall = true; let cache; return filter(event, value => { const shouldEmit = firstCall || !equals(value, cache); firstCall = false; cache = value; return shouldEmit; }, disposable); } Event.latch = latch; /** * Splits an event whose parameter is a union type into 2 separate events for each type in the union. * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. * * @example * ``` * const event = new EventEmitter().event; * const [numberEvent, undefinedEvent] = Event.split(event, isUndefined); * ``` * * @param event The event source for the new event. * @param isT A function that determines what event is of the first type. * @param disposable A disposable store to add the new EventEmitter to. */ function split(event, isT, disposable) { return [ Event.filter(event, isT, disposable), Event.filter(event, e => !isT(e), disposable), ]; } Event.split = split; /** * Buffers an event until it has a listener attached. * * *NOTE* that this function returns an `Event` and it MUST be called with a `DisposableStore` whenever the returned * event is accessible to "third parties", e.g the event is a public property. Otherwise a leaked listener on the * returned event causes this utility to leak a listener on the original event. * * @param event The event source for the new event. * @param flushAfterTimeout Determines whether to flush the buffer after a timeout immediately or after a * `setTimeout` when the first event listener is added. * @param _buffer Internal: A source event array used for tests. * * @example * ``` * // Start accumulating events, when the first listener is attached, flush * // the event after a timeout such that multiple listeners attached before * // the timeout would receive the event * this.onInstallExtension = Event.buffer(service.onInstallExtension, true); * ``` */ function buffer(event, flushAfterTimeout = false, _buffer = [], disposable) { let buffer = _buffer.slice(); let listener = event(e => { if (buffer) { buffer.push(e); } else { emitter.fire(e); } }); if (disposable) { disposable.add(listener); } const flush = () => { buffer === null || buffer === void 0 ? void 0 : buffer.forEach(e => emitter.fire(e)); buffer = null; }; const emitter = new Emitter({ onWillAddFirstListener() { if (!listener) { listener = event(e => emitter.fire(e)); if (disposable) { disposable.add(listener); } } }, onDidAddFirstListener() { if (buffer) { if (flushAfterTimeout) { setTimeout(flush); } else { flush(); } } }, onDidRemoveLastListener() { if (listener) { listener.dispose(); } listener = null; } }); if (disposable) { disposable.add(emitter); } return emitter.event; } Event.buffer = buffer; /** * Wraps the event in an {@link IChainableEvent}, allowing a more functional programming style. * * @example * ``` * // Normal * const onEnterPressNormal = Event.filter( * Event.map(onKeyPress.event, e => new StandardKeyboardEvent(e)), * e.keyCode === KeyCode.Enter * ).event; * * // Using chain * const onEnterPressChain = Event.chain(onKeyPress.event, $ => $ * .map(e => new StandardKeyboardEvent(e)) * .filter(e => e.keyCode === KeyCode.Enter) * ); * ``` */ function chain(event, sythensize) { const fn = (listener, thisArgs, disposables) => { const cs = sythensize(new ChainableSynthesis()); return event(function (value) { const result = cs.evaluate(value); if (result !== HaltChainable) { listener.call(thisArgs, result); } }, undefined, disposables); }; return fn; } Event.chain = chain; const HaltChainable = Symbol("HaltChainable"); class ChainableSynthesis { constructor() { this.steps = []; } map(fn) { this.steps.push(fn); return this; } forEach(fn) { this.steps.push(v => { fn(v); return v; }); return this; } filter(fn) { this.steps.push(v => fn(v) ? v : HaltChainable); return this; } reduce(merge, initial) { let last = initial; this.steps.push(v => { last = merge(last, v); return last; }); return this; } latch(equals = (a, b) => a === b) { let firstCall = true; let cache; this.steps.push(value => { const shouldEmit = firstCall || !equals(value, cache); firstCall = false; cache = value; return shouldEmit ? value : HaltChainable; }); return this; } evaluate(value) { for (const step of this.steps) { value = step(value); if (value === HaltChainable) { break; } } return value; } } /** * Creates an {@link Event} from a node event emitter. */ function fromNodeEventEmitter(emitter, eventName, map = id => id) { const fn = (...args) => result.fire(map(...args)); const onFirstListenerAdd = () => emitter.on(eventName, fn); const onLastListenerRemove = () => emitter.removeListener(eventName, fn); const result = new Emitter({ onWillAddFirstListener: onFirstListenerAdd, onDidRemoveLastListener: onLastListenerRemove }); return result.event; } Event.fromNodeEventEmitter = fromNodeEventEmitter; /** * Creates an {@link Event} from a DOM event emitter. */ function fromDOMEventEmitter(emitter, eventName, map = id => id) { const fn = (...args) => result.fire(map(...args)); const onFirstListenerAdd = () => emitter.addEventListener(eventName, fn); const onLastListenerRemove = () => emitter.removeEventListener(eventName, fn); const result = new Emitter({ onWillAddFirstListener: onFirstListenerAdd, onDidRemoveLastListener: onLastListenerRemove }); return result.event; } Event.fromDOMEventEmitter = fromDOMEventEmitter; /** * Creates a promise out of an event, using the {@link Event.once} helper. */ function toPromise(event) { return new Promise(resolve => once(event)(resolve)); } Event.toPromise = toPromise; /** * Creates an event out of a promise that fires once when the promise is * resolved with the result of the promise or `undefined`. */ function fromPromise(promise) { const result = new Emitter(); promise.then(res => { result.fire(res); }, () => { result.fire(undefined); }).finally(() => { result.dispose(); }); return result.event; } Event.fromPromise = fromPromise; function runAndSubscribe(event, handler, initial) { handler(initial); return event(e => handler(e)); } Event.runAndSubscribe = runAndSubscribe; /** * Adds a listener to an event and calls the listener immediately with undefined as the event object. A new * {@link DisposableStore} is passed to the listener which is disposed when the returned disposable is disposed. */ function runAndSubscribeWithStore(event, handler) { let store = null; function run(e) { store === null || store === void 0 ? void 0 : store.dispose(); store = new DisposableStore(); handler(e, store); } run(undefined); const disposable = event(e => run(e)); return lifecycle_toDisposable(() => { disposable.dispose(); store === null || store === void 0 ? void 0 : store.dispose(); }); } Event.runAndSubscribeWithStore = runAndSubscribeWithStore; class EmitterObserver { constructor(_observable, store) { this._observable = _observable; this._counter = 0; this._hasChanged = false; const options = { onWillAddFirstListener: () => { _observable.addObserver(this); }, onDidRemoveLastListener: () => { _observable.removeObserver(this); } }; if (!store) { _addLeakageTraceLogic(options); } this.emitter = new Emitter(options); if (store) { store.add(this.emitter); } } beginUpdate(_observable) { // assert(_observable === this.obs); this._counter++; } handlePossibleChange(_observable) { // assert(_observable === this.obs); } handleChange(_observable, _change) { // assert(_observable === this.obs); this._hasChanged = true; } endUpdate(_observable) { // assert(_observable === this.obs); this._counter--; if (this._counter === 0) { this._observable.reportChanges(); if (this._hasChanged) { this._hasChanged = false; this.emitter.fire(this._observable.get()); } } } } /** * Creates an event emitter that is fired when the observable changes. * Each listeners subscribes to the emitter. */ function fromObservable(obs, store) { const observer = new EmitterObserver(obs, store); return observer.emitter.event; } Event.fromObservable = fromObservable; /** * Each listener is attached to the observable directly. */ function fromObservableLight(observable) { return (listener, thisArgs, disposables) => { let count = 0; let didChange = false; const observer = { beginUpdate() { count++; }, endUpdate() { count--; if (count === 0) { observable.reportChanges(); if (didChange) { didChange = false; listener.call(thisArgs); } } }, handlePossibleChange() { // noop }, handleChange() { didChange = true; } }; observable.addObserver(observer); observable.reportChanges(); const disposable = { dispose() { observable.removeObserver(observer); } }; if (disposables instanceof DisposableStore) { disposables.add(disposable); } else if (Array.isArray(disposables)) { disposables.push(disposable); } return disposable; }; } Event.fromObservableLight = fromObservableLight; })(Event || (Event = {})); class EventProfiling { constructor(name) { this.listenerCount = 0; this.invocationCount = 0; this.elapsedOverall = 0; this.durations = []; this.name = `${name}_${EventProfiling._idPool++}`; EventProfiling.all.add(this); } start(listenerCount) { this._stopWatch = new StopWatch(); this.listenerCount = listenerCount; } stop() { if (this._stopWatch) { const elapsed = this._stopWatch.elapsed(); this.durations.push(elapsed); this.elapsedOverall += elapsed; this.invocationCount += 1; this._stopWatch = undefined; } } } EventProfiling.all = new Set(); EventProfiling._idPool = 0; let _globalLeakWarningThreshold = -1; class LeakageMonitor { constructor(threshold, name = Math.random().toString(18).slice(2, 5)) { this.threshold = threshold; this.name = name; this._warnCountdown = 0; } dispose() { var _a; (_a = this._stacks) === null || _a === void 0 ? void 0 : _a.clear(); } check(stack, listenerCount) { const threshold = this.threshold; if (threshold <= 0 || listenerCount < threshold) { return undefined; } if (!this._stacks) { this._stacks = new Map(); } const count = (this._stacks.get(stack.value) || 0); this._stacks.set(stack.value, count + 1); this._warnCountdown -= 1; if (this._warnCountdown <= 0) { // only warn on first exceed and then every time the limit // is exceeded by 50% again this._warnCountdown = threshold * 0.5; // find most frequent listener and print warning let topStack; let topCount = 0; for (const [stack, count] of this._stacks) { if (!topStack || topCount < count) { topStack = stack; topCount = count; } } console.warn(`[${this.name}] potential listener LEAK detected, having ${listenerCount} listeners already. MOST frequent listener (${topCount}):`); console.warn(topStack); } return () => { const count = (this._stacks.get(stack.value) || 0); this._stacks.set(stack.value, count - 1); }; } } class Stacktrace { static create() { var _a; return new Stacktrace((_a = new Error().stack) !== null && _a !== void 0 ? _a : ""); } constructor(value) { this.value = value; } print() { console.warn(this.value.split(" ").slice(2).join(" ")); } } class UniqueContainer { constructor(value) { this.value = value; } } const compactionThreshold = 2; const forEachListener = (listeners, fn) => { if (listeners instanceof UniqueContainer) { fn(listeners); } else { for (let i = 0; i < listeners.length; i++) { const l = listeners[i]; if (l) { fn(l); } } } }; /** * The Emitter can be used to expose an Event to the public * to fire it from the insides. * Sample: class Document { private readonly _onDidChange = new Emitter<(value:string)=>any>(); public onDidChange = this._onDidChange.event; // getter-style // get onDidChange(): Event<(value:string)=>any> { // return this._onDidChange.event; // } private _doIt() { //... this._onDidChange.fire(value); } } */ class Emitter { constructor(options) { var _a, _b, _c, _d, _e; this._size = 0; this._options = options; this._leakageMon = _globalLeakWarningThreshold > 0 || ((_a = this._options) === null || _a === void 0 ? void 0 : _a.leakWarningThreshold) ? new LeakageMonitor((_c = (_b = this._options) === null || _b === void 0 ? void 0 : _b.leakWarningThreshold) !== null && _c !== void 0 ? _c : _globalLeakWarningThreshold) : undefined; this._perfMon = ((_d = this._options) === null || _d === void 0 ? void 0 : _d._profName) ? new EventProfiling(this._options._profName) : undefined; this._deliveryQueue = (_e = this._options) === null || _e === void 0 ? void 0 : _e.deliveryQueue; } dispose() { var _a, _b, _c, _d; if (!this._disposed) { this._disposed = true; // It is bad to have listeners at the time of disposing an emitter, it is worst to have listeners keep the emitter // alive via the reference that"s embedded in their disposables. Therefore we loop over all remaining listeners and // unset their subscriptions/disposables. Looping and blaming remaining listeners is done on next tick because the // the following programming pattern is very popular: // // const someModel = this._disposables.add(new ModelObject()); // (1) create and register model // this._disposables.add(someModel.onDidChange(() => { ... }); // (2) subscribe and register model-event listener // ...later... // this._disposables.dispose(); disposes (1) then (2): don"t warn after (1) but after the "overall dispose" is done if (((_a = this._deliveryQueue) === null || _a === void 0 ? void 0 : _a.current) === this) { this._deliveryQueue.reset(); } if (this._listeners) { if (_enableDisposeWithListenerWarning) { const listeners = this._listeners; queueMicrotask(() => { forEachListener(listeners, l => { var _a; return (_a = l.stack) === null || _a === void 0 ? void 0 : _a.print(); }); }); } this._listeners = undefined; this._size = 0; } (_c = (_b = this._options) === null || _b === void 0 ? void 0 : _b.onDidRemoveLastListener) === null || _c === void 0 ? void 0 : _c.call(_b); (_d = this._leakageMon) === null || _d === void 0 ? void 0 : _d.dispose(); } } /** * For the public to allow to subscribe * to events from this Emitter */ get event() { var _a; (_a = this._event) !== null && _a !== void 0 ? _a : (this._event = (callback, thisArgs, disposables) => { var _a, _b, _c, _d, _e; if (this._leakageMon && this._size > this._leakageMon.threshold * 3) { console.warn(`[${this._leakageMon.name}] REFUSES to accept new listeners because it exceeded its threshold by far`); return lifecycle_Disposable.None; } if (this._disposed) { // todo: should we warn if a listener is added to a disposed emitter? This happens often return lifecycle_Disposable.None; } if (thisArgs) { callback = callback.bind(thisArgs); } const contained = new UniqueContainer(callback); let removeMonitor; let stack; if (this._leakageMon && this._size >= Math.ceil(this._leakageMon.threshold * 0.2)) { // check and record this emitter for potential leakage contained.stack = Stacktrace.create(); removeMonitor = this._leakageMon.check(contained.stack, this._size + 1); } if (_enableDisposeWithListenerWarning) { contained.stack = stack !== null && stack !== void 0 ? stack : Stacktrace.create(); } if (!this._listeners) { (_b = (_a = this._options) === null || _a === void 0 ? void 0 : _a.onWillAddFirstListener) === null || _b === void 0 ? void 0 : _b.call(_a, this); this._listeners = contained; (_d = (_c = this._options) === null || _c === void 0 ? void 0 : _c.onDidAddFirstListener) === null || _d === void 0 ? void 0 : _d.call(_c, this); } else if (this._listeners instanceof UniqueContainer) { (_e = this._deliveryQueue) !== null && _e !== void 0 ? _e : (this._deliveryQueue = new EventDeliveryQueuePrivate()); this._listeners = [this._listeners, contained]; } else { this._listeners.push(contained); } this._size++; const result = lifecycle_toDisposable(() => { removeMonitor === null || removeMonitor === void 0 ? void 0 : removeMonitor(); this._removeListener(contained); }); if (disposables instanceof DisposableStore) { disposables.add(result); } else if (Array.isArray(disposables)) { disposables.push(result); } return result; }); return this._event; } _removeListener(listener) { var _a, _b, _c, _d; (_b = (_a = this._options) === null || _a === void 0 ? void 0 : _a.onWillRemoveListener) === null || _b === void 0 ? void 0 : _b.call(_a, this); if (!this._listeners) { return; // expected if a listener gets disposed } if (this._size === 1) { this._listeners = undefined; (_d = (_c = this._options) === null || _c === void 0 ? void 0 : _c.onDidRemoveLastListener) === null || _d === void 0 ? void 0 : _d.call(_c, this); this._size = 0; return; } // size > 1 which requires that listeners be a list: const listeners = this._listeners; const index = listeners.indexOf(listener); if (index === -1) { console.log("disposed?", this._disposed); console.log("size?", this._size); console.log("arr?", JSON.stringify(this._listeners)); throw new Error("Attempted to dispose unknown listener"); } this._size--; listeners[index] = undefined; const adjustDeliveryQueue = this._deliveryQueue.current === this; if (this._size * compactionThreshold <= listeners.length) { let n = 0; for (let i = 0; i < listeners.length; i++) { if (listeners[i]) { listeners[n++] = listeners[i]; } else if (adjustDeliveryQueue) { this._deliveryQueue.end--; if (n < this._deliveryQueue.i) { this._deliveryQueue.i--; } } } listeners.length = n; } } _deliver(listener, value) { var _a; if (!listener) { return; } const errorHandler = ((_a = this._options) === null || _a === void 0 ? void 0 : _a.onListenerError) || onUnexpectedError; if (!errorHandler) { listener.value(value); return; } try { listener.value(value); } catch (e) { errorHandler(e); } } /** Delivers items in the queue. Assumes the queue is ready to go. */ _deliverQueue(dq) { const listeners = dq.current._listeners; while (dq.i < dq.end) { // important: dq.i is incremented before calling deliver() because it might reenter deliverQueue() this._deliver(listeners[dq.i++], dq.value); } dq.reset(); } /** * To be kept private to fire an event to * subscribers */ fire(event) { var _a, _b, _c, _d; if ((_a = this._deliveryQueue) === null || _a === void 0 ? void 0 : _a.current) { this._deliverQueue(this._deliveryQueue); (_b = this._perfMon) === null || _b === void 0 ? void 0 : _b.stop(); // last fire() will have starting perfmon, stop it before starting the next dispatch } (_c = this._perfMon) === null || _c === void 0 ? void 0 : _c.start(this._size); if (!this._listeners) { // no-op } else if (this._listeners instanceof UniqueContainer) { this._deliver(this._listeners, event); } else { const dq = this._deliveryQueue; dq.enqueue(this, event, this._listeners.length); this._deliverQueue(dq); } (_d = this._perfMon) === null || _d === void 0 ? void 0 : _d.stop(); } hasListeners() { return this._size > 0; } } const createEventDeliveryQueue = () => new EventDeliveryQueuePrivate(); class EventDeliveryQueuePrivate { constructor() { /** * Index in current"s listener list. */ this.i = -1; /** * The last index in the listener"s list to deliver. */ this.end = 0; } enqueue(emitter, value, end) { this.i = 0; this.end = end; this.current = emitter; this.value = value; } reset() { this.i = this.end; // force any current emission loop to stop, mainly for during dispose this.current = undefined; this.value = undefined; } } class PauseableEmitter extends Emitter { constructor(options) { super(options); this._isPaused = 0; this._eventQueue = new LinkedList(); this._mergeFn = options === null || options === void 0 ? void 0 : options.merge; } pause() { this._isPaused++; } resume() { if (this._isPaused !== 0 && --this._isPaused === 0) { if (this._mergeFn) { // use the merge function to create a single composite // event. make a copy in case firing pauses this emitter if (this._eventQueue.size > 0) { const events = Array.from(this._eventQueue); this._eventQueue.clear(); super.fire(this._mergeFn(events)); } } else { // no merging, fire each event individually and test // that this emitter isn"t paused halfway through while (!this._isPaused && this._eventQueue.size !== 0) { super.fire(this._eventQueue.shift()); } } } } fire(event) { if (this._size) { if (this._isPaused !== 0) { this._eventQueue.push(event); } else { super.fire(event); } } } } class DebounceEmitter extends PauseableEmitter { constructor(options) { var _a; super(options); this._delay = (_a = options.delay) !== null && _a !== void 0 ? _a : 100; } fire(event) { if (!this._handle) { this.pause(); this._handle = setTimeout(() => { this._handle = undefined; this.resume(); }, this._delay); } super.fire(event); } } /** * An emitter which queue all events and then process them at the * end of the event loop. */ class MicrotaskEmitter extends Emitter { constructor(options) { super(options); this._queuedEvents = []; this._mergeFn = options === null || options === void 0 ? void 0 : options.merge; } fire(event) { if (!this.hasListeners()) { return; } this._queuedEvents.push(event); if (this._queuedEvents.length === 1) { queueMicrotask(() => { if (this._mergeFn) { super.fire(this._mergeFn(this._queuedEvents)); } else { this._queuedEvents.forEach(e => super.fire(e)); } this._queuedEvents = []; }); } } } /** * An event emitter that multiplexes many events into a single event. * * @example Listen to the `onData` event of all `Thing`s, dynamically adding and removing `Thing`s * to the multiplexer as needed. * * ```typescript * const anythingDataMultiplexer = new EventMultiplexer<{ data: string }>(); * * const thingListeners = DisposableMap(); * * thingService.onDidAddThing(thing => { * thingListeners.set(thing, anythingDataMultiplexer.add(thing.onData); * }); * thingService.onDidRemoveThing(thing => { * thingListeners.deleteAndDispose(thing); * }); * * anythingDataMultiplexer.event(e => { * console.log("Something fired data " + e.data) * }); * ``` */ class EventMultiplexer { constructor() { this.hasListeners = false; this.events = []; this.emitter = new Emitter({ onWillAddFirstListener: () => this.onFirstListenerAdd(), onDidRemoveLastListener: () => this.onLastListenerRemove() }); } get event() { return this.emitter.event; } add(event) { const e = { event: event, listener: null }; this.events.push(e); if (this.hasListeners) { this.hook(e); } const dispose = () => { if (this.hasListeners) { this.unhook(e); } const idx = this.events.indexOf(e); this.events.splice(idx, 1); }; return toDisposable(createSingleCallFunction(dispose)); } onFirstListenerAdd() { this.hasListeners = true; this.events.forEach(e => this.hook(e)); } onLastListenerRemove() { this.hasListeners = false; this.events.forEach(e => this.unhook(e)); } hook(e) { e.listener = e.event(r => this.emitter.fire(r)); } unhook(e) { if (e.listener) { e.listener.dispose(); } e.listener = null; } dispose() { this.emitter.dispose(); } } /** * The EventBufferer is useful in situations in which you want * to delay firing your events during some code. * You can wrap that code and be sure that the event will not * be fired during that wrap. * * ``` * const emitter: Emitter; * const delayer = new EventDelayer(); * const delayedEvent = delayer.wrapEvent(emitter.event); * * delayedEvent(console.log); * * delayer.bufferEvents(() => { * emitter.fire(); // event will not be fired yet * }); * * // event will only be fired at this point * ``` */ class EventBufferer { constructor() { this.buffers = []; } wrapEvent(event) { return (listener, thisArgs, disposables) => { return event(i => { const buffer = this.buffers[this.buffers.length - 1]; if (buffer) { buffer.push(() => listener.call(thisArgs, i)); } else { listener.call(thisArgs, i); } }, undefined, disposables); }; } bufferEvents(fn) { const buffer = []; this.buffers.push(buffer); const r = fn(); this.buffers.pop(); buffer.forEach(flush => flush()); return r; } } /** * A Relay is an event forwarder which functions as a replugabble event pipe. * Once created, you can connect an input event to it and it will simply forward * events from that input event through its own `event` property. The `input` * can be changed at any point in time. */ class Relay { constructor() { this.listening = false; this.inputEvent = Event.None; this.inputEventListener = Disposable.None; this.emitter = new Emitter({ onDidAddFirstListener: () => { this.listening = true; this.inputEventListener = this.inputEvent(this.emitter.fire, this.emitter); }, onDidRemoveLastListener: () => { this.listening = false; this.inputEventListener.dispose(); } }); this.event = this.emitter.event; } set input(event) { this.inputEvent = event; if (this.listening) { this.inputEventListener.dispose(); this.inputEventListener = event(this.emitter.fire, this.emitter); } } dispose() { this.inputEventListener.dispose(); this.emitter.dispose(); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/objects.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function deepClone(obj) { if (!obj || typeof obj !== "object") { return obj; } if (obj instanceof RegExp) { return obj; } const result = Array.isArray(obj) ? [] : {}; Object.entries(obj).forEach(([key, value]) => { result[key] = value && typeof value === "object" ? deepClone(value) : value; }); return result; } function deepFreeze(obj) { if (!obj || typeof obj !== "object") { return obj; } const stack = [obj]; while (stack.length > 0) { const obj = stack.shift(); Object.freeze(obj); for (const key in obj) { if (_hasOwnProperty.call(obj, key)) { const prop = obj[key]; if (typeof prop === "object" && !Object.isFrozen(prop) && !isTypedArray(prop)) { stack.push(prop); } } } } return obj; } const _hasOwnProperty = Object.prototype.hasOwnProperty; function cloneAndChange(obj, changer) { return _cloneAndChange(obj, changer, new Set()); } function _cloneAndChange(obj, changer, seen) { if (isUndefinedOrNull(obj)) { return obj; } const changed = changer(obj); if (typeof changed !== "undefined") { return changed; } if (Array.isArray(obj)) { const r1 = []; for (const e of obj) { r1.push(_cloneAndChange(e, changer, seen)); } return r1; } if (isObject(obj)) { if (seen.has(obj)) { throw new Error("Cannot clone recursive data-structure"); } seen.add(obj); const r2 = {}; for (const i2 in obj) { if (_hasOwnProperty.call(obj, i2)) { r2[i2] = _cloneAndChange(obj[i2], changer, seen); } } seen.delete(obj); return r2; } return obj; } /** * Copies all properties of source into destination. The optional parameter "overwrite" allows to control * if existing properties on the destination should be overwritten or not. Defaults to true (overwrite). */ function mixin(destination, source, overwrite = true) { if (!isObject(destination)) { return source; } if (isObject(source)) { Object.keys(source).forEach(key => { if (key in destination) { if (overwrite) { if (isObject(destination[key]) && isObject(source[key])) { mixin(destination[key], source[key], overwrite); } else { destination[key] = source[key]; } } } else { destination[key] = source[key]; } }); } return destination; } function objects_equals(one, other) { if (one === other) { return true; } if (one === null || one === undefined || other === null || other === undefined) { return false; } if (typeof one !== typeof other) { return false; } if (typeof one !== "object") { return false; } if ((Array.isArray(one)) !== (Array.isArray(other))) { return false; } let i; let key; if (Array.isArray(one)) { if (one.length !== other.length) { return false; } for (i = 0; i < one.length; i++) { if (!objects_equals(one[i], other[i])) { return false; } } } else { const oneKeys = []; for (key in one) { oneKeys.push(key); } oneKeys.sort(); const otherKeys = []; for (key in other) { otherKeys.push(key); } otherKeys.sort(); if (!objects_equals(oneKeys, otherKeys)) { return false; } for (i = 0; i < oneKeys.length; i++) { if (!objects_equals(one[oneKeys[i]], other[oneKeys[i]])) { return false; } } } return true; } function getAllPropertyNames(obj) { let res = []; while (Object.prototype !== obj) { res = res.concat(Object.getOwnPropertyNames(obj)); obj = Object.getPrototypeOf(obj); } return res; } function getAllMethodNames(obj) { const methods = []; for (const prop of getAllPropertyNames(obj)) { if (typeof obj[prop] === "function") { methods.push(prop); } } return methods; } function createProxyObject(methodNames, invoke) { const createProxyMethod = (method) => { return function () { const args = Array.prototype.slice.call(arguments, 0); return invoke(method, args); }; }; const result = {}; for (const methodName of methodNames) { result[methodName] = createProxyMethod(methodName); } return result; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/nls.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ let isPseudo = (typeof document !== "undefined" && document.location && document.location.hash.indexOf("pseudo=true") >= 0); const DEFAULT_TAG = "i-default"; function _format(message, args) { let result; if (args.length === 0) { result = message; } else { result = message.replace(/{(d+)}/g, (match, rest) => { const index = rest[0]; const arg = args[index]; let result = match; if (typeof arg === "string") { result = arg; } else if (typeof arg === "number" || typeof arg === "boolean" || arg === void 0 || arg === null) { result = String(arg); } return result; }); } if (isPseudo) { // FF3B and FF3D is the Unicode zenkaku representation for [ and ] result = "uFF3B" + result.replace(/[aouei]/g, "$&$&") + "uFF3D"; } return result; } function findLanguageForModule(config, name) { let result = config[name]; if (result) { return result; } result = config["*"]; if (result) { return result; } return null; } function endWithSlash(path) { if (path.charAt(path.length - 1) === "/") { return path; } return path + "/"; } async function getMessagesFromTranslationsService(translationServiceUrl, language, name) { const url = endWithSlash(translationServiceUrl) + endWithSlash(language) + "vscode/" + endWithSlash(name); const res = await fetch(url); if (res.ok) { const messages = await res.json(); return messages; } throw new Error(`${res.status} - ${res.statusText}`); } function createScopedLocalize(scope) { return function (idx, defaultValue) { const restArgs = Array.prototype.slice.call(arguments, 2); return _format(scope[idx], restArgs); }; } function createScopedLocalize2(scope) { return (idx, defaultValue, ...args) => ({ value: _format(scope[idx], args), original: _format(defaultValue, args) }); } /** * @skipMangle */ function nls_localize(data, message, ...args) { return _format(message, args); } /** * @skipMangle */ function localize2(data, message, ...args) { const original = _format(message, args); return { value: original, original }; } /** * @skipMangle */ function getConfiguredDefaultLocale(_) { // This returns undefined because this implementation isn"t used and is overwritten by the loader // when loaded. return undefined; } /** * @skipMangle */ function setPseudoTranslation(value) { isPseudo = value; } /** * Invoked in a built product at run-time * @skipMangle */ function create(key, data) { var _a; return { localize: createScopedLocalize(data[key]), localize2: createScopedLocalize2(data[key]), getConfiguredDefaultLocale: (_a = data.getConfiguredDefaultLocale) !== null && _a !== void 0 ? _a : ((_) => undefined) }; } /** * Invoked by the loader at run-time * @skipMangle */ function load(name, req, load, config) { var _a; const pluginConfig = (_a = config["vs/nls"]) !== null && _a !== void 0 ? _a : {}; if (!name || name.length === 0) { // TODO: We need to give back the mangled names here return load({ localize: nls_localize, localize2: localize2, getConfiguredDefaultLocale: () => { var _a; return (_a = pluginConfig.availableLanguages) === null || _a === void 0 ? void 0 : _a["*"]; } }); } const language = pluginConfig.availableLanguages ? findLanguageForModule(pluginConfig.availableLanguages, name) : null; const useDefaultLanguage = language === null || language === DEFAULT_TAG; let suffix = ".nls"; if (!useDefaultLanguage) { suffix = suffix + "." + language; } const messagesLoaded = (messages) => { if (Array.isArray(messages)) { messages.localize = createScopedLocalize(messages); messages.localize2 = createScopedLocalize2(messages); } else { messages.localize = createScopedLocalize(messages[name]); messages.localize2 = createScopedLocalize2(messages[name]); } messages.getConfiguredDefaultLocale = () => { var _a; return (_a = pluginConfig.availableLanguages) === null || _a === void 0 ? void 0 : _a["*"]; }; load(messages); }; if (typeof pluginConfig.loadBundle === "function") { pluginConfig.loadBundle(name, language, (err, messages) => { // We have an error. Load the English default strings to not fail if (err) { req([name + ".nls"], messagesLoaded); } else { messagesLoaded(messages); } }); } else if (pluginConfig.translationServiceUrl && !useDefaultLanguage) { (async () => { var _a; try { const messages = await getMessagesFromTranslationsService(pluginConfig.translationServiceUrl, language, name); return messagesLoaded(messages); } catch (err) { // Language is already as generic as it gets, so require default messages if (!language.includes("-")) { console.error(err); return req([name + ".nls"], messagesLoaded); } try { // Since there is a dash, the language configured is a specific sub-language of the same generic language. // Since we were unable to load the specific language, try to load the generic language. Ex. we failed to find a // Swiss German (de-CH), so try to load the generic German (de) messages instead. const genericLanguage = language.split("-")[0]; const messages = await getMessagesFromTranslationsService(pluginConfig.translationServiceUrl, genericLanguage, name); // We got some messages, so we configure the configuration to use the generic language for this session. (_a = pluginConfig.availableLanguages) !== null && _a !== void 0 ? _a : (pluginConfig.availableLanguages = {}); pluginConfig.availableLanguages["*"] = genericLanguage; return messagesLoaded(messages); } catch (err) { console.error(err); return req([name + ".nls"], messagesLoaded); } } })(); } else { req([name + suffix], messagesLoaded, (err) => { if (suffix === ".nls") { console.error("Failed trying to load default language strings", err); return; } console.error(`Failed to load message bundle for language ${language}. Falling back to the default language:`, err); req([name + ".nls"], messagesLoaded); }); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/platform.js var _a; /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const LANGUAGE_DEFAULT = "en"; let _isWindows = false; let _isMacintosh = false; let _isLinux = false; let _isLinuxSnap = false; let _isNative = false; let _isWeb = false; let _isElectron = false; let _isIOS = false; let _isCI = false; let _isMobile = false; let _locale = undefined; let _language = (/* unused pure expression or super */ null && (LANGUAGE_DEFAULT)); let _platformLocale = (/* unused pure expression or super */ null && (LANGUAGE_DEFAULT)); let _translationsConfigFile = (/* unused pure expression or super */ null && (undefined)); let _userAgent = undefined; const $globalThis = globalThis; let nodeProcess = undefined; if (typeof $globalThis.vscode !== "undefined" && typeof $globalThis.vscode.process !== "undefined") { // Native environment (sandboxed) nodeProcess = $globalThis.vscode.process; } else if (typeof process !== "undefined") { // Native environment (non-sandboxed) nodeProcess = process; } const isElectronProcess = typeof ((_a = nodeProcess === null || nodeProcess === void 0 ? void 0 : nodeProcess.versions) === null || _a === void 0 ? void 0 : _a.electron) === "string"; const isElectronRenderer = isElectronProcess && (nodeProcess === null || nodeProcess === void 0 ? void 0 : nodeProcess.type) === "renderer"; // Web environment if (typeof navigator === "object" && !isElectronRenderer) { _userAgent = navigator.userAgent; _isWindows = _userAgent.indexOf("Windows") >= 0; _isMacintosh = _userAgent.indexOf("Macintosh") >= 0; _isIOS = (_userAgent.indexOf("Macintosh") >= 0 || _userAgent.indexOf("iPad") >= 0 || _userAgent.indexOf("iPhone") >= 0) && !!navigator.maxTouchPoints && navigator.maxTouchPoints > 0; _isLinux = _userAgent.indexOf("Linux") >= 0; _isMobile = (_userAgent === null || _userAgent === void 0 ? void 0 : _userAgent.indexOf("Mobi")) >= 0; _isWeb = true; const configuredLocale = getConfiguredDefaultLocale( // This call _must_ be done in the file that calls `nls.getConfiguredDefaultLocale` // to ensure that the NLS AMD Loader plugin has been loaded and configured. // This is because the loader plugin decides what the default locale is based on // how it"s able to resolve the strings. nls_localize({ key: "ensureLoaderPluginIsLoaded", comment: ["{Locked}"] }, "_")); _locale = configuredLocale || LANGUAGE_DEFAULT; _language = _locale; _platformLocale = navigator.language; } // Native environment else if (typeof nodeProcess === "object") { _isWindows = (nodeProcess.platform === "win32"); _isMacintosh = (nodeProcess.platform === "darwin"); _isLinux = (nodeProcess.platform === "linux"); _isLinuxSnap = _isLinux && !!nodeProcess.env["SNAP"] && !!nodeProcess.env["SNAP_REVISION"]; _isElectron = isElectronProcess; _isCI = !!nodeProcess.env["CI"] || !!nodeProcess.env["BUILD_ARTIFACTSTAGINGDIRECTORY"]; _locale = LANGUAGE_DEFAULT; _language = LANGUAGE_DEFAULT; const rawNlsConfig = nodeProcess.env["VSCODE_NLS_CONFIG"]; if (rawNlsConfig) { try { const nlsConfig = JSON.parse(rawNlsConfig); const resolved = nlsConfig.availableLanguages["*"]; _locale = nlsConfig.locale; _platformLocale = nlsConfig.osLocale; // VSCode"s default language is "en" _language = resolved ? resolved : LANGUAGE_DEFAULT; _translationsConfigFile = nlsConfig._translationsConfigFile; } catch (e) { } } _isNative = true; } // Unknown environment else { console.error("Unable to resolve platform."); } let _platform = 0 /* Platform.Web */; if (_isMacintosh) { _platform = 1 /* Platform.Mac */; } else if (_isWindows) { _platform = 3 /* Platform.Windows */; } else if (_isLinux) { _platform = 2 /* Platform.Linux */; } const isWindows = _isWindows; const isMacintosh = _isMacintosh; const isLinux = (/* unused pure expression or super */ null && (_isLinux)); const isNative = (/* unused pure expression or super */ null && (_isNative)); const platform_isWeb = (/* unused pure expression or super */ null && (_isWeb)); const isWebWorker = (_isWeb && typeof $globalThis.importScripts === "function"); const webWorkerOrigin = isWebWorker ? $globalThis.origin : undefined; const isIOS = (/* unused pure expression or super */ null && (_isIOS)); const isMobile = (/* unused pure expression or super */ null && (_isMobile)); const userAgent = _userAgent; /** * The language used for the user interface. The format of * the string is all lower case (e.g. zh-tw for Traditional * Chinese) */ const language = (/* unused pure expression or super */ null && (_language)); const setTimeout0IsFaster = (typeof $globalThis.postMessage === "function" && !$globalThis.importScripts); /** * See https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#:~:text=than%204%2C%20then-,set%20timeout%20to%204,-. * * Works similarly to `setTimeout(0)` but doesn"t suffer from the 4ms artificial delay * that browsers set when the nesting level is > 5. */ const setTimeout0 = (() => { if (setTimeout0IsFaster) { const pending = []; $globalThis.addEventListener("message", (e) => { if (e.data && e.data.vscodeScheduleAsyncWork) { for (let i = 0, len = pending.length; i < len; i++) { const candidate = pending[i]; if (candidate.id === e.data.vscodeScheduleAsyncWork) { pending.splice(i, 1); candidate.callback(); return; } } } }); let lastId = 0; return (callback) => { const myId = ++lastId; pending.push({ id: myId, callback: callback }); $globalThis.postMessage({ vscodeScheduleAsyncWork: myId }, "*"); }; } return (callback) => setTimeout(callback); })(); const OS = ((/* unused pure expression or super */ null && (_isMacintosh || _isIOS ? 2 /* OperatingSystem.Macintosh */ : (_isWindows ? 1 /* OperatingSystem.Windows */ : 3 /* OperatingSystem.Linux */)))); let _isLittleEndian = true; let _isLittleEndianComputed = false; function isLittleEndian() { if (!_isLittleEndianComputed) { _isLittleEndianComputed = true; const test = new Uint8Array(2); test[0] = 1; test[1] = 2; const view = new Uint16Array(test.buffer); _isLittleEndian = (view[0] === (2 << 8) + 1); } return _isLittleEndian; } const isChrome = !!(userAgent && userAgent.indexOf("Chrome") >= 0); const isFirefox = !!(userAgent && userAgent.indexOf("Firefox") >= 0); const isSafari = !!(!isChrome && (userAgent && userAgent.indexOf("Safari") >= 0)); const isEdge = !!(userAgent && userAgent.indexOf("Edg/") >= 0); const isAndroid = !!(userAgent && userAgent.indexOf("Android") >= 0); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/cache.js /** * Uses a LRU cache to make a given parametrized function cached. * Caches just the last value. * The key must be JSON serializable. */ class LRUCachedFunction { constructor(fn) { this.fn = fn; this.lastCache = undefined; this.lastArgKey = undefined; } get(arg) { const key = JSON.stringify(arg); if (this.lastArgKey !== key) { this.lastArgKey = key; this.lastCache = this.fn(arg); } return this.lastCache; } } /** * Uses an unbounded cache (referential equality) to memoize the results of the given function. */ class CachedFunction { get cachedValues() { return this._map; } constructor(fn) { this.fn = fn; this._map = new Map(); } get(arg) { if (this._map.has(arg)) { return this._map.get(arg); } const value = this.fn(arg); this._map.set(arg, value); return value; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/lazy.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class Lazy { constructor(executor) { this.executor = executor; this._didRun = false; } /** * Get the wrapped value. * * This will force evaluation of the lazy value if it has not been resolved yet. Lazy values are only * resolved once. `getValue` will re-throw exceptions that are hit while resolving the value */ get value() { if (!this._didRun) { try { this._value = this.executor(); } catch (err) { this._error = err; } finally { this._didRun = true; } } if (this._error) { throw this._error; } return this._value; } /** * Get the wrapped value without forcing evaluation. */ get rawValue() { return this._value; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/strings.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var strings_a; function isFalsyOrWhitespace(str) { if (!str || typeof str !== "string") { return true; } return str.trim().length === 0; } const _formatRegexp = /{(d+)}/g; /** * Helper to produce a string with a variable number of arguments. Insert variable segments * into the string using the {n} notation where N is the index of the argument following the string. * @param value string to which formatting is applied * @param args replacements for {n}-entries */ function format(value, ...args) { if (args.length === 0) { return value; } return value.replace(_formatRegexp, function (match, group) { const idx = parseInt(group, 10); return isNaN(idx) || idx < 0 || idx >= args.length ? match : args[idx]; }); } /** * Converts HTML characters inside the string to use entities instead. Makes the string safe from * being used e.g. in HTMLElement.innerHTML. */ function strings_escape(html) { return html.replace(/[<>&]/g, function (match) { switch (match) { case "<": return "<"; case ">": return ">"; case "&": return "&"; default: return match; } }); } /** * Escapes regular expression characters in a given string */ function escapeRegExpCharacters(value) { return value.replace(/[\{}*+?|^$.[]()]/g, "\$&"); } /** * Removes all occurrences of needle from the beginning and end of haystack. * @param haystack string to trim * @param needle the thing to trim (default is a blank) */ function trim(haystack, needle = " ") { const trimmed = ltrim(haystack, needle); return rtrim(trimmed, needle); } /** * Removes all occurrences of needle from the beginning of haystack. * @param haystack string to trim * @param needle the thing to trim */ function ltrim(haystack, needle) { if (!haystack || !needle) { return haystack; } const needleLen = needle.length; if (needleLen === 0 || haystack.length === 0) { return haystack; } let offset = 0; while (haystack.indexOf(needle, offset) === offset) { offset = offset + needleLen; } return haystack.substring(offset); } /** * Removes all occurrences of needle from the end of haystack. * @param haystack string to trim * @param needle the thing to trim */ function rtrim(haystack, needle) { if (!haystack || !needle) { return haystack; } const needleLen = needle.length, haystackLen = haystack.length; if (needleLen === 0 || haystackLen === 0) { return haystack; } let offset = haystackLen, idx = -1; while (true) { idx = haystack.lastIndexOf(needle, offset - 1); if (idx === -1 || idx + needleLen !== offset) { break; } if (idx === 0) { return ""; } offset = idx; } return haystack.substring(0, offset); } function convertSimple2RegExpPattern(pattern) { return pattern.replace(/[-\{}+?|^$.,[]()#s]/g, "\$&").replace(/[*]/g, ".*"); } function stripWildcards(pattern) { return pattern.replace(/*/g, ""); } function createRegExp(searchString, isRegex, options = {}) { if (!searchString) { throw new Error("Cannot create regex from empty string"); } if (!isRegex) { searchString = escapeRegExpCharacters(searchString); } if (options.wholeWord) { if (!/B/.test(searchString.charAt(0))) { searchString = "\b" + searchString; } if (!/B/.test(searchString.charAt(searchString.length - 1))) { searchString = searchString + "\b"; } } let modifiers = ""; if (options.global) { modifiers += "g"; } if (!options.matchCase) { modifiers += "i"; } if (options.multiline) { modifiers += "m"; } if (options.unicode) { modifiers += "u"; } return new RegExp(searchString, modifiers); } function regExpLeadsToEndlessLoop(regexp) { // Exit early if it"s one of these special cases which are meant to match // against an empty string if (regexp.source === "^" || regexp.source === "^$" || regexp.source === "$" || regexp.source === "^\s*$") { return false; } // We check against an empty string. If the regular expression doesn"t advance // (e.g. ends in an endless loop) it will match an empty string. const match = regexp.exec(""); return !!(match && regexp.lastIndex === 0); } function splitLines(str) { return str.split(/ | | /); } /** * Returns first index of the string that is not whitespace. * If string is empty or contains only whitespaces, returns -1 */ function firstNonWhitespaceIndex(str) { for (let i = 0, len = str.length; i < len; i++) { const chCode = str.charCodeAt(i); if (chCode !== 32 /* CharCode.Space */ && chCode !== 9 /* CharCode.Tab */) { return i; } } return -1; } /** * Returns the leading whitespace of the string. * If the string contains only whitespaces, returns entire string */ function getLeadingWhitespace(str, start = 0, end = str.length) { for (let i = start; i < end; i++) { const chCode = str.charCodeAt(i); if (chCode !== 32 /* CharCode.Space */ && chCode !== 9 /* CharCode.Tab */) { return str.substring(start, i); } } return str.substring(start, end); } /** * Returns last index of the string that is not whitespace. * If string is empty or contains only whitespaces, returns -1 */ function lastNonWhitespaceIndex(str, startIndex = str.length - 1) { for (let i = startIndex; i >= 0; i--) { const chCode = str.charCodeAt(i); if (chCode !== 32 /* CharCode.Space */ && chCode !== 9 /* CharCode.Tab */) { return i; } } return -1; } function compare(a, b) { if (a < b) { return -1; } else if (a > b) { return 1; } else { return 0; } } function compareSubstring(a, b, aStart = 0, aEnd = a.length, bStart = 0, bEnd = b.length) { for (; aStart < aEnd && bStart < bEnd; aStart++, bStart++) { const codeA = a.charCodeAt(aStart); const codeB = b.charCodeAt(bStart); if (codeA < codeB) { return -1; } else if (codeA > codeB) { return 1; } } const aLen = aEnd - aStart; const bLen = bEnd - bStart; if (aLen < bLen) { return -1; } else if (aLen > bLen) { return 1; } return 0; } function compareIgnoreCase(a, b) { return compareSubstringIgnoreCase(a, b, 0, a.length, 0, b.length); } function compareSubstringIgnoreCase(a, b, aStart = 0, aEnd = a.length, bStart = 0, bEnd = b.length) { for (; aStart < aEnd && bStart < bEnd; aStart++, bStart++) { let codeA = a.charCodeAt(aStart); let codeB = b.charCodeAt(bStart); if (codeA === codeB) { // equal continue; } if (codeA >= 128 || codeB >= 128) { // not ASCII letters -> fallback to lower-casing strings return compareSubstring(a.toLowerCase(), b.toLowerCase(), aStart, aEnd, bStart, bEnd); } // mapper lower-case ascii letter onto upper-case varinats // [97-122] (lower ascii) --> [65-90] (upper ascii) if (isLowerAsciiLetter(codeA)) { codeA -= 32; } if (isLowerAsciiLetter(codeB)) { codeB -= 32; } // compare both code points const diff = codeA - codeB; if (diff === 0) { continue; } return diff; } const aLen = aEnd - aStart; const bLen = bEnd - bStart; if (aLen < bLen) { return -1; } else if (aLen > bLen) { return 1; } return 0; } function isAsciiDigit(code) { return code >= 48 /* CharCode.Digit0 */ && code <= 57 /* CharCode.Digit9 */; } function isLowerAsciiLetter(code) { return code >= 97 /* CharCode.a */ && code <= 122 /* CharCode.z */; } function isUpperAsciiLetter(code) { return code >= 65 /* CharCode.A */ && code <= 90 /* CharCode.Z */; } function equalsIgnoreCase(a, b) { return a.length === b.length && compareSubstringIgnoreCase(a, b) === 0; } function startsWithIgnoreCase(str, candidate) { const candidateLength = candidate.length; if (candidate.length > str.length) { return false; } return compareSubstringIgnoreCase(str, candidate, 0, candidateLength) === 0; } /** * @returns the length of the common prefix of the two strings. */ function commonPrefixLength(a, b) { const len = Math.min(a.length, b.length); let i; for (i = 0; i < len; i++) { if (a.charCodeAt(i) !== b.charCodeAt(i)) { return i; } } return len; } /** * @returns the length of the common suffix of the two strings. */ function commonSuffixLength(a, b) { const len = Math.min(a.length, b.length); let i; const aLastIndex = a.length - 1; const bLastIndex = b.length - 1; for (i = 0; i < len; i++) { if (a.charCodeAt(aLastIndex - i) !== b.charCodeAt(bLastIndex - i)) { return i; } } return len; } /** * See http://en.wikipedia.org/wiki/Surrogate_pair */ function isHighSurrogate(charCode) { return (0xD800 <= charCode && charCode <= 0xDBFF); } /** * See http://en.wikipedia.org/wiki/Surrogate_pair */ function isLowSurrogate(charCode) { return (0xDC00 <= charCode && charCode <= 0xDFFF); } /** * See http://en.wikipedia.org/wiki/Surrogate_pair */ function computeCodePoint(highSurrogate, lowSurrogate) { return ((highSurrogate - 0xD800) << 10) + (lowSurrogate - 0xDC00) + 0x10000; } /** * get the code point that begins at offset `offset` */ function getNextCodePoint(str, len, offset) { const charCode = str.charCodeAt(offset); if (isHighSurrogate(charCode) && offset + 1 < len) { const nextCharCode = str.charCodeAt(offset + 1); if (isLowSurrogate(nextCharCode)) { return computeCodePoint(charCode, nextCharCode); } } return charCode; } /** * get the code point that ends right before offset `offset` */ function getPrevCodePoint(str, offset) { const charCode = str.charCodeAt(offset - 1); if (isLowSurrogate(charCode) && offset > 1) { const prevCharCode = str.charCodeAt(offset - 2); if (isHighSurrogate(prevCharCode)) { return computeCodePoint(prevCharCode, charCode); } } return charCode; } class CodePointIterator { get offset() { return this._offset; } constructor(str, offset = 0) { this._str = str; this._len = str.length; this._offset = offset; } setOffset(offset) { this._offset = offset; } prevCodePoint() { const codePoint = getPrevCodePoint(this._str, this._offset); this._offset -= (codePoint >= 65536 /* Constants.UNICODE_SUPPLEMENTARY_PLANE_BEGIN */ ? 2 : 1); return codePoint; } nextCodePoint() { const codePoint = getNextCodePoint(this._str, this._len, this._offset); this._offset += (codePoint >= 65536 /* Constants.UNICODE_SUPPLEMENTARY_PLANE_BEGIN */ ? 2 : 1); return codePoint; } eol() { return (this._offset >= this._len); } } class GraphemeIterator { get offset() { return this._iterator.offset; } constructor(str, offset = 0) { this._iterator = new CodePointIterator(str, offset); } nextGraphemeLength() { const graphemeBreakTree = GraphemeBreakTree.getInstance(); const iterator = this._iterator; const initialOffset = iterator.offset; let graphemeBreakType = graphemeBreakTree.getGraphemeBreakType(iterator.nextCodePoint()); while (!iterator.eol()) { const offset = iterator.offset; const nextGraphemeBreakType = graphemeBreakTree.getGraphemeBreakType(iterator.nextCodePoint()); if (breakBetweenGraphemeBreakType(graphemeBreakType, nextGraphemeBreakType)) { // move iterator back iterator.setOffset(offset); break; } graphemeBreakType = nextGraphemeBreakType; } return (iterator.offset - initialOffset); } prevGraphemeLength() { const graphemeBreakTree = GraphemeBreakTree.getInstance(); const iterator = this._iterator; const initialOffset = iterator.offset; let graphemeBreakType = graphemeBreakTree.getGraphemeBreakType(iterator.prevCodePoint()); while (iterator.offset > 0) { const offset = iterator.offset; const prevGraphemeBreakType = graphemeBreakTree.getGraphemeBreakType(iterator.prevCodePoint()); if (breakBetweenGraphemeBreakType(prevGraphemeBreakType, graphemeBreakType)) { // move iterator back iterator.setOffset(offset); break; } graphemeBreakType = prevGraphemeBreakType; } return (initialOffset - iterator.offset); } eol() { return this._iterator.eol(); } } function nextCharLength(str, initialOffset) { const iterator = new GraphemeIterator(str, initialOffset); return iterator.nextGraphemeLength(); } function prevCharLength(str, initialOffset) { const iterator = new GraphemeIterator(str, initialOffset); return iterator.prevGraphemeLength(); } function getCharContainingOffset(str, offset) { if (offset > 0 && isLowSurrogate(str.charCodeAt(offset))) { offset--; } const endOffset = offset + nextCharLength(str, offset); const startOffset = endOffset - prevCharLength(str, endOffset); return [startOffset, endOffset]; } let CONTAINS_RTL = (/* unused pure expression or super */ null && (undefined)); function makeContainsRtl() { // Generated using https://github.com/alexdima/unicode-utils/blob/main/rtl-test.js return /(?:[u05BEu05C0u05C3u05C6u05D0-u05F4u0608u060Bu060Du061B-u064Au066D-u066Fu0671-u06D5u06E5u06E6u06EEu06EFu06FA-u0710u0712-u072Fu074D-u07A5u07B1-u07EAu07F4u07F5u07FAu07FE-u0815u081Au0824u0828u0830-u0858u085E-u088Eu08A0-u08C9u200FuFB1DuFB1F-uFB28uFB2A-uFD3DuFD50-uFDC7uFDF0-uFDFCuFE70-uFEFC]|uD802[uDC00-uDD1BuDD20-uDE00uDE10-uDE35uDE40-uDEE4uDEEB-uDF35uDF40-uDFFF]|uD803[uDC00-uDD23uDE80-uDEA9uDEAD-uDF45uDF51-uDF81uDF86-uDFF6]|uD83A[uDC00-uDCCFuDD00-uDD43uDD4B-uDFFF]|uD83B[uDC00-uDEBB])/; } /** * Returns true if `str` contains any Unicode character that is classified as "R" or "AL". */ function containsRTL(str) { if (!CONTAINS_RTL) { CONTAINS_RTL = makeContainsRtl(); } return CONTAINS_RTL.test(str); } const IS_BASIC_ASCII = /^[ x20-x7E]*$/; /** * Returns true if `str` contains only basic ASCII characters in the range 32 - 126 (including 32 and 126) or , , */ function strings_isBasicASCII(str) { return IS_BASIC_ASCII.test(str); } const UNUSUAL_LINE_TERMINATORS = /[u2028u2029]/; // LINE SEPARATOR (LS) or PARAGRAPH SEPARATOR (PS) /** * Returns true if `str` contains unusual line terminators, like LS or PS */ function containsUnusualLineTerminators(str) { return UNUSUAL_LINE_TERMINATORS.test(str); } function isFullWidthCharacter(charCode) { // Do a cheap trick to better support wrapping of wide characters, treat them as 2 columns // http://jrgraphix.net/research/unicode_blocks.php // 2E80 - 2EFF CJK Radicals Supplement // 2F00 - 2FDF Kangxi Radicals // 2FF0 - 2FFF Ideographic Description Characters // 3000 - 303F CJK Symbols and Punctuation // 3040 - 309F Hiragana // 30A0 - 30FF Katakana // 3100 - 312F Bopomofo // 3130 - 318F Hangul Compatibility Jamo // 3190 - 319F Kanbun // 31A0 - 31BF Bopomofo Extended // 31F0 - 31FF Katakana Phonetic Extensions // 3200 - 32FF Enclosed CJK Letters and Months // 3300 - 33FF CJK Compatibility // 3400 - 4DBF CJK Unified Ideographs Extension A // 4DC0 - 4DFF Yijing Hexagram Symbols // 4E00 - 9FFF CJK Unified Ideographs // A000 - A48F Yi Syllables // A490 - A4CF Yi Radicals // AC00 - D7AF Hangul Syllables // [IGNORE] D800 - DB7F High Surrogates // [IGNORE] DB80 - DBFF High Private Use Surrogates // [IGNORE] DC00 - DFFF Low Surrogates // [IGNORE] E000 - F8FF Private Use Area // F900 - FAFF CJK Compatibility Ideographs // [IGNORE] FB00 - FB4F Alphabetic Presentation Forms // [IGNORE] FB50 - FDFF Arabic Presentation Forms-A // [IGNORE] FE00 - FE0F Variation Selectors // [IGNORE] FE20 - FE2F Combining Half Marks // [IGNORE] FE30 - FE4F CJK Compatibility Forms // [IGNORE] FE50 - FE6F Small Form Variants // [IGNORE] FE70 - FEFF Arabic Presentation Forms-B // FF00 - FFEF Halfwidth and Fullwidth Forms // [https://en.wikipedia.org/wiki/Halfwidth_and_fullwidth_forms] // of which FF01 - FF5E fullwidth ASCII of 21 to 7E // [IGNORE] and FF65 - FFDC halfwidth of Katakana and Hangul // [IGNORE] FFF0 - FFFF Specials return ((charCode >= 0x2E80 && charCode <= 0xD7AF) || (charCode >= 0xF900 && charCode <= 0xFAFF) || (charCode >= 0xFF01 && charCode <= 0xFF5E)); } /** * A fast function (therefore imprecise) to check if code points are emojis. * Generated using https://github.com/alexdima/unicode-utils/blob/main/emoji-test.js */ function isEmojiImprecise(x) { return ((x >= 0x1F1E6 && x <= 0x1F1FF) || (x === 8986) || (x === 8987) || (x === 9200) || (x === 9203) || (x >= 9728 && x <= 10175) || (x === 11088) || (x === 11093) || (x >= 127744 && x <= 128591) || (x >= 128640 && x <= 128764) || (x >= 128992 && x <= 129008) || (x >= 129280 && x <= 129535) || (x >= 129648 && x <= 129782)); } // -- UTF-8 BOM const UTF8_BOM_CHARACTER = String.fromCharCode(65279 /* CharCode.UTF8_BOM */); function startsWithUTF8BOM(str) { return !!(str && str.length > 0 && str.charCodeAt(0) === 65279 /* CharCode.UTF8_BOM */); } function containsUppercaseCharacter(target, ignoreEscapedChars = false) { if (!target) { return false; } if (ignoreEscapedChars) { target = target.replace(/\./g, ""); } return target.toLowerCase() !== target; } /** * Produces "a"-"z", followed by "A"-"Z"... followed by "a"-"z", etc. */ function singleLetterHash(n) { const LETTERS_CNT = (90 /* CharCode.Z */ - 65 /* CharCode.A */ + 1); n = n % (2 * LETTERS_CNT); if (n < LETTERS_CNT) { return String.fromCharCode(97 /* CharCode.a */ + n); } return String.fromCharCode(65 /* CharCode.A */ + n - LETTERS_CNT); } function breakBetweenGraphemeBreakType(breakTypeA, breakTypeB) { // http://www.unicode.org/reports/tr29/#Grapheme_Cluster_Boundary_Rules // !!! Let"s make the common case a bit faster if (breakTypeA === 0 /* GraphemeBreakType.Other */) { // see https://www.unicode.org/Public/13.0.0/ucd/auxiliary/GraphemeBreakTest-13.0.0d10.html#table return (breakTypeB !== 5 /* GraphemeBreakType.Extend */ && breakTypeB !== 7 /* GraphemeBreakType.SpacingMark */); } // Do not break between a CR and LF. Otherwise, break before and after controls. // GB3 CR × LF // GB4 (Control | CR | LF) ÷ // GB5 ÷ (Control | CR | LF) if (breakTypeA === 2 /* GraphemeBreakType.CR */) { if (breakTypeB === 3 /* GraphemeBreakType.LF */) { return false; // GB3 } } if (breakTypeA === 4 /* GraphemeBreakType.Control */ || breakTypeA === 2 /* GraphemeBreakType.CR */ || breakTypeA === 3 /* GraphemeBreakType.LF */) { return true; // GB4 } if (breakTypeB === 4 /* GraphemeBreakType.Control */ || breakTypeB === 2 /* GraphemeBreakType.CR */ || breakTypeB === 3 /* GraphemeBreakType.LF */) { return true; // GB5 } // Do not break Hangul syllable sequences. // GB6 L × (L | V | LV | LVT) // GB7 (LV | V) × (V | T) // GB8 (LVT | T) × T if (breakTypeA === 8 /* GraphemeBreakType.L */) { if (breakTypeB === 8 /* GraphemeBreakType.L */ || breakTypeB === 9 /* GraphemeBreakType.V */ || breakTypeB === 11 /* GraphemeBreakType.LV */ || breakTypeB === 12 /* GraphemeBreakType.LVT */) { return false; // GB6 } } if (breakTypeA === 11 /* GraphemeBreakType.LV */ || breakTypeA === 9 /* GraphemeBreakType.V */) { if (breakTypeB === 9 /* GraphemeBreakType.V */ || breakTypeB === 10 /* GraphemeBreakType.T */) { return false; // GB7 } } if (breakTypeA === 12 /* GraphemeBreakType.LVT */ || breakTypeA === 10 /* GraphemeBreakType.T */) { if (breakTypeB === 10 /* GraphemeBreakType.T */) { return false; // GB8 } } // Do not break before extending characters or ZWJ. // GB9 × (Extend | ZWJ) if (breakTypeB === 5 /* GraphemeBreakType.Extend */ || breakTypeB === 13 /* GraphemeBreakType.ZWJ */) { return false; // GB9 } // The GB9a and GB9b rules only apply to extended grapheme clusters: // Do not break before SpacingMarks, or after Prepend characters. // GB9a × SpacingMark // GB9b Prepend × if (breakTypeB === 7 /* GraphemeBreakType.SpacingMark */) { return false; // GB9a } if (breakTypeA === 1 /* GraphemeBreakType.Prepend */) { return false; // GB9b } // Do not break within emoji modifier sequences or emoji zwj sequences. // GB11 p{Extended_Pictographic} Extend* ZWJ × p{Extended_Pictographic} if (breakTypeA === 13 /* GraphemeBreakType.ZWJ */ && breakTypeB === 14 /* GraphemeBreakType.Extended_Pictographic */) { // Note: we are not implementing the rule entirely here to avoid introducing states return false; // GB11 } // GB12 sot (RI RI)* RI × RI // GB13 [^RI] (RI RI)* RI × RI if (breakTypeA === 6 /* GraphemeBreakType.Regional_Indicator */ && breakTypeB === 6 /* GraphemeBreakType.Regional_Indicator */) { // Note: we are not implementing the rule entirely here to avoid introducing states return false; // GB12 & GB13 } // GB999 Any ÷ Any return true; } class GraphemeBreakTree { static getInstance() { if (!GraphemeBreakTree._INSTANCE) { GraphemeBreakTree._INSTANCE = new GraphemeBreakTree(); } return GraphemeBreakTree._INSTANCE; } constructor() { this._data = getGraphemeBreakRawData(); } getGraphemeBreakType(codePoint) { // !!! Let"s make 7bit ASCII a bit faster: 0..31 if (codePoint < 32) { if (codePoint === 10 /* CharCode.LineFeed */) { return 3 /* GraphemeBreakType.LF */; } if (codePoint === 13 /* CharCode.CarriageReturn */) { return 2 /* GraphemeBreakType.CR */; } return 4 /* GraphemeBreakType.Control */; } // !!! Let"s make 7bit ASCII a bit faster: 32..126 if (codePoint < 127) { return 0 /* GraphemeBreakType.Other */; } const data = this._data; const nodeCount = data.length / 3; let nodeIndex = 1; while (nodeIndex <= nodeCount) { if (codePoint < data[3 * nodeIndex]) { // go left nodeIndex = 2 * nodeIndex; } else if (codePoint > data[3 * nodeIndex + 1]) { // go right nodeIndex = 2 * nodeIndex + 1; } else { // hit return data[3 * nodeIndex + 2]; } } return 0 /* GraphemeBreakType.Other */; } } GraphemeBreakTree._INSTANCE = null; function getGraphemeBreakRawData() { // generated using https://github.com/alexdima/unicode-utils/blob/main/grapheme-break.js return JSON.parse("[0,0,0,51229,51255,12,44061,44087,12,127462,127487,6,7083,7085,5,47645,47671,12,54813,54839,12,128678,128678,14,3270,3270,5,9919,9923,14,45853,45879,12,49437,49463,12,53021,53047,12,71216,71218,7,128398,128399,14,129360,129374,14,2519,2519,5,4448,4519,9,9742,9742,14,12336,12336,14,44957,44983,12,46749,46775,12,48541,48567,12,50333,50359,12,52125,52151,12,53917,53943,12,69888,69890,5,73018,73018,5,127990,127990,14,128558,128559,14,128759,128760,14,129653,129655,14,2027,2035,5,2891,2892,7,3761,3761,5,6683,6683,5,8293,8293,4,9825,9826,14,9999,9999,14,43452,43453,5,44509,44535,12,45405,45431,12,46301,46327,12,47197,47223,12,48093,48119,12,48989,49015,12,49885,49911,12,50781,50807,12,51677,51703,12,52573,52599,12,53469,53495,12,54365,54391,12,65279,65279,4,70471,70472,7,72145,72147,7,119173,119179,5,127799,127818,14,128240,128244,14,128512,128512,14,128652,128652,14,128721,128722,14,129292,129292,14,129445,129450,14,129734,129743,14,1476,1477,5,2366,2368,7,2750,2752,7,3076,3076,5,3415,3415,5,4141,4144,5,6109,6109,5,6964,6964,5,7394,7400,5,9197,9198,14,9770,9770,14,9877,9877,14,9968,9969,14,10084,10084,14,43052,43052,5,43713,43713,5,44285,44311,12,44733,44759,12,45181,45207,12,45629,45655,12,46077,46103,12,46525,46551,12,46973,46999,12,47421,47447,12,47869,47895,12,48317,48343,12,48765,48791,12,49213,49239,12,49661,49687,12,50109,50135,12,50557,50583,12,51005,51031,12,51453,51479,12,51901,51927,12,52349,52375,12,52797,52823,12,53245,53271,12,53693,53719,12,54141,54167,12,54589,54615,12,55037,55063,12,69506,69509,5,70191,70193,5,70841,70841,7,71463,71467,5,72330,72342,5,94031,94031,5,123628,123631,5,127763,127765,14,127941,127941,14,128043,128062,14,128302,128317,14,128465,128467,14,128539,128539,14,128640,128640,14,128662,128662,14,128703,128703,14,128745,128745,14,129004,129007,14,129329,129330,14,129402,129402,14,129483,129483,14,129686,129704,14,130048,131069,14,173,173,4,1757,1757,1,2200,2207,5,2434,2435,7,2631,2632,5,2817,2817,5,3008,3008,5,3201,3201,5,3387,3388,5,3542,3542,5,3902,3903,7,4190,4192,5,6002,6003,5,6439,6440,5,6765,6770,7,7019,7027,5,7154,7155,7,8205,8205,13,8505,8505,14,9654,9654,14,9757,9757,14,9792,9792,14,9852,9853,14,9890,9894,14,9937,9937,14,9981,9981,14,10035,10036,14,11035,11036,14,42654,42655,5,43346,43347,7,43587,43587,5,44006,44007,7,44173,44199,12,44397,44423,12,44621,44647,12,44845,44871,12,45069,45095,12,45293,45319,12,45517,45543,12,45741,45767,12,45965,45991,12,46189,46215,12,46413,46439,12,46637,46663,12,46861,46887,12,47085,47111,12,47309,47335,12,47533,47559,12,47757,47783,12,47981,48007,12,48205,48231,12,48429,48455,12,48653,48679,12,48877,48903,12,49101,49127,12,49325,49351,12,49549,49575,12,49773,49799,12,49997,50023,12,50221,50247,12,50445,50471,12,50669,50695,12,50893,50919,12,51117,51143,12,51341,51367,12,51565,51591,12,51789,51815,12,52013,52039,12,52237,52263,12,52461,52487,12,52685,52711,12,52909,52935,12,53133,53159,12,53357,53383,12,53581,53607,12,53805,53831,12,54029,54055,12,54253,54279,12,54477,54503,12,54701,54727,12,54925,54951,12,55149,55175,12,68101,68102,5,69762,69762,7,70067,70069,7,70371,70378,5,70720,70721,7,71087,71087,5,71341,71341,5,71995,71996,5,72249,72249,7,72850,72871,5,73109,73109,5,118576,118598,5,121505,121519,5,127245,127247,14,127568,127569,14,127777,127777,14,127872,127891,14,127956,127967,14,128015,128016,14,128110,128172,14,128259,128259,14,128367,128368,14,128424,128424,14,128488,128488,14,128530,128532,14,128550,128551,14,128566,128566,14,128647,128647,14,128656,128656,14,128667,128673,14,128691,128693,14,128715,128715,14,128728,128732,14,128752,128752,14,128765,128767,14,129096,129103,14,129311,129311,14,129344,129349,14,129394,129394,14,129413,129425,14,129466,129471,14,129511,129535,14,129664,129666,14,129719,129722,14,129760,129767,14,917536,917631,5,13,13,2,1160,1161,5,1564,1564,4,1807,1807,1,2085,2087,5,2307,2307,7,2382,2383,7,2497,2500,5,2563,2563,7,2677,2677,5,2763,2764,7,2879,2879,5,2914,2915,5,3021,3021,5,3142,3144,5,3263,3263,5,3285,3286,5,3398,3400,7,3530,3530,5,3633,3633,5,3864,3865,5,3974,3975,5,4155,4156,7,4229,4230,5,5909,5909,7,6078,6085,7,6277,6278,5,6451,6456,7,6744,6750,5,6846,6846,5,6972,6972,5,7074,7077,5,7146,7148,7,7222,7223,5,7416,7417,5,8234,8238,4,8417,8417,5,9000,9000,14,9203,9203,14,9730,9731,14,9748,9749,14,9762,9763,14,9776,9783,14,9800,9811,14,9831,9831,14,9872,9873,14,9882,9882,14,9900,9903,14,9929,9933,14,9941,9960,14,9974,9974,14,9989,9989,14,10006,10006,14,10062,10062,14,10160,10160,14,11647,11647,5,12953,12953,14,43019,43019,5,43232,43249,5,43443,43443,5,43567,43568,7,43696,43696,5,43765,43765,7,44013,44013,5,44117,44143,12,44229,44255,12,44341,44367,12,44453,44479,12,44565,44591,12,44677,44703,12,44789,44815,12,44901,44927,12,45013,45039,12,45125,45151,12,45237,45263,12,45349,45375,12,45461,45487,12,45573,45599,12,45685,45711,12,45797,45823,12,45909,45935,12,46021,46047,12,46133,46159,12,46245,46271,12,46357,46383,12,46469,46495,12,46581,46607,12,46693,46719,12,46805,46831,12,46917,46943,12,47029,47055,12,47141,47167,12,47253,47279,12,47365,47391,12,47477,47503,12,47589,47615,12,47701,47727,12,47813,47839,12,47925,47951,12,48037,48063,12,48149,48175,12,48261,48287,12,48373,48399,12,48485,48511,12,48597,48623,12,48709,48735,12,48821,48847,12,48933,48959,12,49045,49071,12,49157,49183,12,49269,49295,12,49381,49407,12,49493,49519,12,49605,49631,12,49717,49743,12,49829,49855,12,49941,49967,12,50053,50079,12,50165,50191,12,50277,50303,12,50389,50415,12,50501,50527,12,50613,50639,12,50725,50751,12,50837,50863,12,50949,50975,12,51061,51087,12,51173,51199,12,51285,51311,12,51397,51423,12,51509,51535,12,51621,51647,12,51733,51759,12,51845,51871,12,51957,51983,12,52069,52095,12,52181,52207,12,52293,52319,12,52405,52431,12,52517,52543,12,52629,52655,12,52741,52767,12,52853,52879,12,52965,52991,12,53077,53103,12,53189,53215,12,53301,53327,12,53413,53439,12,53525,53551,12,53637,53663,12,53749,53775,12,53861,53887,12,53973,53999,12,54085,54111,12,54197,54223,12,54309,54335,12,54421,54447,12,54533,54559,12,54645,54671,12,54757,54783,12,54869,54895,12,54981,55007,12,55093,55119,12,55243,55291,10,66045,66045,5,68325,68326,5,69688,69702,5,69817,69818,5,69957,69958,7,70089,70092,5,70198,70199,5,70462,70462,5,70502,70508,5,70750,70750,5,70846,70846,7,71100,71101,5,71230,71230,7,71351,71351,5,71737,71738,5,72000,72000,7,72160,72160,5,72273,72278,5,72752,72758,5,72882,72883,5,73031,73031,5,73461,73462,7,94192,94193,7,119149,119149,7,121403,121452,5,122915,122916,5,126980,126980,14,127358,127359,14,127535,127535,14,127759,127759,14,127771,127771,14,127792,127793,14,127825,127867,14,127897,127899,14,127945,127945,14,127985,127986,14,128000,128007,14,128021,128021,14,128066,128100,14,128184,128235,14,128249,128252,14,128266,128276,14,128335,128335,14,128379,128390,14,128407,128419,14,128444,128444,14,128481,128481,14,128499,128499,14,128526,128526,14,128536,128536,14,128543,128543,14,128556,128556,14,128564,128564,14,128577,128580,14,128643,128645,14,128649,128649,14,128654,128654,14,128660,128660,14,128664,128664,14,128675,128675,14,128686,128689,14,128695,128696,14,128705,128709,14,128717,128719,14,128725,128725,14,128736,128741,14,128747,128748,14,128755,128755,14,128762,128762,14,128981,128991,14,129009,129023,14,129160,129167,14,129296,129304,14,129320,129327,14,129340,129342,14,129356,129356,14,129388,129392,14,129399,129400,14,129404,129407,14,129432,129442,14,129454,129455,14,129473,129474,14,129485,129487,14,129648,129651,14,129659,129660,14,129671,129679,14,129709,129711,14,129728,129730,14,129751,129753,14,129776,129782,14,917505,917505,4,917760,917999,5,10,10,3,127,159,4,768,879,5,1471,1471,5,1536,1541,1,1648,1648,5,1767,1768,5,1840,1866,5,2070,2073,5,2137,2139,5,2274,2274,1,2363,2363,7,2377,2380,7,2402,2403,5,2494,2494,5,2507,2508,7,2558,2558,5,2622,2624,7,2641,2641,5,2691,2691,7,2759,2760,5,2786,2787,5,2876,2876,5,2881,2884,5,2901,2902,5,3006,3006,5,3014,3016,7,3072,3072,5,3134,3136,5,3157,3158,5,3260,3260,5,3266,3266,5,3274,3275,7,3328,3329,5,3391,3392,7,3405,3405,5,3457,3457,5,3536,3537,7,3551,3551,5,3636,3642,5,3764,3772,5,3895,3895,5,3967,3967,7,3993,4028,5,4146,4151,5,4182,4183,7,4226,4226,5,4253,4253,5,4957,4959,5,5940,5940,7,6070,6070,7,6087,6088,7,6158,6158,4,6432,6434,5,6448,6449,7,6679,6680,5,6742,6742,5,6754,6754,5,6783,6783,5,6912,6915,5,6966,6970,5,6978,6978,5,7042,7042,7,7080,7081,5,7143,7143,7,7150,7150,7,7212,7219,5,7380,7392,5,7412,7412,5,8203,8203,4,8232,8232,4,8265,8265,14,8400,8412,5,8421,8432,5,8617,8618,14,9167,9167,14,9200,9200,14,9410,9410,14,9723,9726,14,9733,9733,14,9745,9745,14,9752,9752,14,9760,9760,14,9766,9766,14,9774,9774,14,9786,9786,14,9794,9794,14,9823,9823,14,9828,9828,14,9833,9850,14,9855,9855,14,9875,9875,14,9880,9880,14,9885,9887,14,9896,9897,14,9906,9916,14,9926,9927,14,9935,9935,14,9939,9939,14,9962,9962,14,9972,9972,14,9978,9978,14,9986,9986,14,9997,9997,14,10002,10002,14,10017,10017,14,10055,10055,14,10071,10071,14,10133,10135,14,10548,10549,14,11093,11093,14,12330,12333,5,12441,12442,5,42608,42610,5,43010,43010,5,43045,43046,5,43188,43203,7,43302,43309,5,43392,43394,5,43446,43449,5,43493,43493,5,43571,43572,7,43597,43597,7,43703,43704,5,43756,43757,5,44003,44004,7,44009,44010,7,44033,44059,12,44089,44115,12,44145,44171,12,44201,44227,12,44257,44283,12,44313,44339,12,44369,44395,12,44425,44451,12,44481,44507,12,44537,44563,12,44593,44619,12,44649,44675,12,44705,44731,12,44761,44787,12,44817,44843,12,44873,44899,12,44929,44955,12,44985,45011,12,45041,45067,12,45097,45123,12,45153,45179,12,45209,45235,12,45265,45291,12,45321,45347,12,45377,45403,12,45433,45459,12,45489,45515,12,45545,45571,12,45601,45627,12,45657,45683,12,45713,45739,12,45769,45795,12,45825,45851,12,45881,45907,12,45937,45963,12,45993,46019,12,46049,46075,12,46105,46131,12,46161,46187,12,46217,46243,12,46273,46299,12,46329,46355,12,46385,46411,12,46441,46467,12,46497,46523,12,46553,46579,12,46609,46635,12,46665,46691,12,46721,46747,12,46777,46803,12,46833,46859,12,46889,46915,12,46945,46971,12,47001,47027,12,47057,47083,12,47113,47139,12,47169,47195,12,47225,47251,12,47281,47307,12,47337,47363,12,47393,47419,12,47449,47475,12,47505,47531,12,47561,47587,12,47617,47643,12,47673,47699,12,47729,47755,12,47785,47811,12,47841,47867,12,47897,47923,12,47953,47979,12,48009,48035,12,48065,48091,12,48121,48147,12,48177,48203,12,48233,48259,12,48289,48315,12,48345,48371,12,48401,48427,12,48457,48483,12,48513,48539,12,48569,48595,12,48625,48651,12,48681,48707,12,48737,48763,12,48793,48819,12,48849,48875,12,48905,48931,12,48961,48987,12,49017,49043,12,49073,49099,12,49129,49155,12,49185,49211,12,49241,49267,12,49297,49323,12,49353,49379,12,49409,49435,12,49465,49491,12,49521,49547,12,49577,49603,12,49633,49659,12,49689,49715,12,49745,49771,12,49801,49827,12,49857,49883,12,49913,49939,12,49969,49995,12,50025,50051,12,50081,50107,12,50137,50163,12,50193,50219,12,50249,50275,12,50305,50331,12,50361,50387,12,50417,50443,12,50473,50499,12,50529,50555,12,50585,50611,12,50641,50667,12,50697,50723,12,50753,50779,12,50809,50835,12,50865,50891,12,50921,50947,12,50977,51003,12,51033,51059,12,51089,51115,12,51145,51171,12,51201,51227,12,51257,51283,12,51313,51339,12,51369,51395,12,51425,51451,12,51481,51507,12,51537,51563,12,51593,51619,12,51649,51675,12,51705,51731,12,51761,51787,12,51817,51843,12,51873,51899,12,51929,51955,12,51985,52011,12,52041,52067,12,52097,52123,12,52153,52179,12,52209,52235,12,52265,52291,12,52321,52347,12,52377,52403,12,52433,52459,12,52489,52515,12,52545,52571,12,52601,52627,12,52657,52683,12,52713,52739,12,52769,52795,12,52825,52851,12,52881,52907,12,52937,52963,12,52993,53019,12,53049,53075,12,53105,53131,12,53161,53187,12,53217,53243,12,53273,53299,12,53329,53355,12,53385,53411,12,53441,53467,12,53497,53523,12,53553,53579,12,53609,53635,12,53665,53691,12,53721,53747,12,53777,53803,12,53833,53859,12,53889,53915,12,53945,53971,12,54001,54027,12,54057,54083,12,54113,54139,12,54169,54195,12,54225,54251,12,54281,54307,12,54337,54363,12,54393,54419,12,54449,54475,12,54505,54531,12,54561,54587,12,54617,54643,12,54673,54699,12,54729,54755,12,54785,54811,12,54841,54867,12,54897,54923,12,54953,54979,12,55009,55035,12,55065,55091,12,55121,55147,12,55177,55203,12,65024,65039,5,65520,65528,4,66422,66426,5,68152,68154,5,69291,69292,5,69633,69633,5,69747,69748,5,69811,69814,5,69826,69826,5,69932,69932,7,70016,70017,5,70079,70080,7,70095,70095,5,70196,70196,5,70367,70367,5,70402,70403,7,70464,70464,5,70487,70487,5,70709,70711,7,70725,70725,7,70833,70834,7,70843,70844,7,70849,70849,7,71090,71093,5,71103,71104,5,71227,71228,7,71339,71339,5,71344,71349,5,71458,71461,5,71727,71735,5,71985,71989,7,71998,71998,5,72002,72002,7,72154,72155,5,72193,72202,5,72251,72254,5,72281,72283,5,72344,72345,5,72766,72766,7,72874,72880,5,72885,72886,5,73023,73029,5,73104,73105,5,73111,73111,5,92912,92916,5,94095,94098,5,113824,113827,4,119142,119142,7,119155,119162,4,119362,119364,5,121476,121476,5,122888,122904,5,123184,123190,5,125252,125258,5,127183,127183,14,127340,127343,14,127377,127386,14,127491,127503,14,127548,127551,14,127744,127756,14,127761,127761,14,127769,127769,14,127773,127774,14,127780,127788,14,127796,127797,14,127820,127823,14,127869,127869,14,127894,127895,14,127902,127903,14,127943,127943,14,127947,127950,14,127972,127972,14,127988,127988,14,127992,127994,14,128009,128011,14,128019,128019,14,128023,128041,14,128064,128064,14,128102,128107,14,128174,128181,14,128238,128238,14,128246,128247,14,128254,128254,14,128264,128264,14,128278,128299,14,128329,128330,14,128348,128359,14,128371,128377,14,128392,128393,14,128401,128404,14,128421,128421,14,128433,128434,14,128450,128452,14,128476,128478,14,128483,128483,14,128495,128495,14,128506,128506,14,128519,128520,14,128528,128528,14,128534,128534,14,128538,128538,14,128540,128542,14,128544,128549,14,128552,128555,14,128557,128557,14,128560,128563,14,128565,128565,14,128567,128576,14,128581,128591,14,128641,128642,14,128646,128646,14,128648,128648,14,128650,128651,14,128653,128653,14,128655,128655,14,128657,128659,14,128661,128661,14,128663,128663,14,128665,128666,14,128674,128674,14,128676,128677,14,128679,128685,14,128690,128690,14,128694,128694,14,128697,128702,14,128704,128704,14,128710,128714,14,128716,128716,14,128720,128720,14,128723,128724,14,128726,128727,14,128733,128735,14,128742,128744,14,128746,128746,14,128749,128751,14,128753,128754,14,128756,128758,14,128761,128761,14,128763,128764,14,128884,128895,14,128992,129003,14,129008,129008,14,129036,129039,14,129114,129119,14,129198,129279,14,129293,129295,14,129305,129310,14,129312,129319,14,129328,129328,14,129331,129338,14,129343,129343,14,129351,129355,14,129357,129359,14,129375,129387,14,129393,129393,14,129395,129398,14,129401,129401,14,129403,129403,14,129408,129412,14,129426,129431,14,129443,129444,14,129451,129453,14,129456,129465,14,129472,129472,14,129475,129482,14,129484,129484,14,129488,129510,14,129536,129647,14,129652,129652,14,129656,129658,14,129661,129663,14,129667,129670,14,129680,129685,14,129705,129708,14,129712,129718,14,129723,129727,14,129731,129733,14,129744,129750,14,129754,129759,14,129768,129775,14,129783,129791,14,917504,917504,4,917506,917535,4,917632,917759,4,918000,921599,4,0,9,4,11,12,4,14,31,4,169,169,14,174,174,14,1155,1159,5,1425,1469,5,1473,1474,5,1479,1479,5,1552,1562,5,1611,1631,5,1750,1756,5,1759,1764,5,1770,1773,5,1809,1809,5,1958,1968,5,2045,2045,5,2075,2083,5,2089,2093,5,2192,2193,1,2250,2273,5,2275,2306,5,2362,2362,5,2364,2364,5,2369,2376,5,2381,2381,5,2385,2391,5,2433,2433,5,2492,2492,5,2495,2496,7,2503,2504,7,2509,2509,5,2530,2531,5,2561,2562,5,2620,2620,5,2625,2626,5,2635,2637,5,2672,2673,5,2689,2690,5,2748,2748,5,2753,2757,5,2761,2761,7,2765,2765,5,2810,2815,5,2818,2819,7,2878,2878,5,2880,2880,7,2887,2888,7,2893,2893,5,2903,2903,5,2946,2946,5,3007,3007,7,3009,3010,7,3018,3020,7,3031,3031,5,3073,3075,7,3132,3132,5,3137,3140,7,3146,3149,5,3170,3171,5,3202,3203,7,3262,3262,7,3264,3265,7,3267,3268,7,3271,3272,7,3276,3277,5,3298,3299,5,3330,3331,7,3390,3390,5,3393,3396,5,3402,3404,7,3406,3406,1,3426,3427,5,3458,3459,7,3535,3535,5,3538,3540,5,3544,3550,7,3570,3571,7,3635,3635,7,3655,3662,5,3763,3763,7,3784,3789,5,3893,3893,5,3897,3897,5,3953,3966,5,3968,3972,5,3981,3991,5,4038,4038,5,4145,4145,7,4153,4154,5,4157,4158,5,4184,4185,5,4209,4212,5,4228,4228,7,4237,4237,5,4352,4447,8,4520,4607,10,5906,5908,5,5938,5939,5,5970,5971,5,6068,6069,5,6071,6077,5,6086,6086,5,6089,6099,5,6155,6157,5,6159,6159,5,6313,6313,5,6435,6438,7,6441,6443,7,6450,6450,5,6457,6459,5,6681,6682,7,6741,6741,7,6743,6743,7,6752,6752,5,6757,6764,5,6771,6780,5,6832,6845,5,6847,6862,5,6916,6916,7,6965,6965,5,6971,6971,7,6973,6977,7,6979,6980,7,7040,7041,5,7073,7073,7,7078,7079,7,7082,7082,7,7142,7142,5,7144,7145,5,7149,7149,5,7151,7153,5,7204,7211,7,7220,7221,7,7376,7378,5,7393,7393,7,7405,7405,5,7415,7415,7,7616,7679,5,8204,8204,5,8206,8207,4,8233,8233,4,8252,8252,14,8288,8292,4,8294,8303,4,8413,8416,5,8418,8420,5,8482,8482,14,8596,8601,14,8986,8987,14,9096,9096,14,9193,9196,14,9199,9199,14,9201,9202,14,9208,9210,14,9642,9643,14,9664,9664,14,9728,9729,14,9732,9732,14,9735,9741,14,9743,9744,14,9746,9746,14,9750,9751,14,9753,9756,14,9758,9759,14,9761,9761,14,9764,9765,14,9767,9769,14,9771,9773,14,9775,9775,14,9784,9785,14,9787,9791,14,9793,9793,14,9795,9799,14,9812,9822,14,9824,9824,14,9827,9827,14,9829,9830,14,9832,9832,14,9851,9851,14,9854,9854,14,9856,9861,14,9874,9874,14,9876,9876,14,9878,9879,14,9881,9881,14,9883,9884,14,9888,9889,14,9895,9895,14,9898,9899,14,9904,9905,14,9917,9918,14,9924,9925,14,9928,9928,14,9934,9934,14,9936,9936,14,9938,9938,14,9940,9940,14,9961,9961,14,9963,9967,14,9970,9971,14,9973,9973,14,9975,9977,14,9979,9980,14,9982,9985,14,9987,9988,14,9992,9996,14,9998,9998,14,10000,10001,14,10004,10004,14,10013,10013,14,10024,10024,14,10052,10052,14,10060,10060,14,10067,10069,14,10083,10083,14,10085,10087,14,10145,10145,14,10175,10175,14,11013,11015,14,11088,11088,14,11503,11505,5,11744,11775,5,12334,12335,5,12349,12349,14,12951,12951,14,42607,42607,5,42612,42621,5,42736,42737,5,43014,43014,5,43043,43044,7,43047,43047,7,43136,43137,7,43204,43205,5,43263,43263,5,43335,43345,5,43360,43388,8,43395,43395,7,43444,43445,7,43450,43451,7,43454,43456,7,43561,43566,5,43569,43570,5,43573,43574,5,43596,43596,5,43644,43644,5,43698,43700,5,43710,43711,5,43755,43755,7,43758,43759,7,43766,43766,5,44005,44005,5,44008,44008,5,44012,44012,7,44032,44032,11,44060,44060,11,44088,44088,11,44116,44116,11,44144,44144,11,44172,44172,11,44200,44200,11,44228,44228,11,44256,44256,11,44284,44284,11,44312,44312,11,44340,44340,11,44368,44368,11,44396,44396,11,44424,44424,11,44452,44452,11,44480,44480,11,44508,44508,11,44536,44536,11,44564,44564,11,44592,44592,11,44620,44620,11,44648,44648,11,44676,44676,11,44704,44704,11,44732,44732,11,44760,44760,11,44788,44788,11,44816,44816,11,44844,44844,11,44872,44872,11,44900,44900,11,44928,44928,11,44956,44956,11,44984,44984,11,45012,45012,11,45040,45040,11,45068,45068,11,45096,45096,11,45124,45124,11,45152,45152,11,45180,45180,11,45208,45208,11,45236,45236,11,45264,45264,11,45292,45292,11,45320,45320,11,45348,45348,11,45376,45376,11,45404,45404,11,45432,45432,11,45460,45460,11,45488,45488,11,45516,45516,11,45544,45544,11,45572,45572,11,45600,45600,11,45628,45628,11,45656,45656,11,45684,45684,11,45712,45712,11,45740,45740,11,45768,45768,11,45796,45796,11,45824,45824,11,45852,45852,11,45880,45880,11,45908,45908,11,45936,45936,11,45964,45964,11,45992,45992,11,46020,46020,11,46048,46048,11,46076,46076,11,46104,46104,11,46132,46132,11,46160,46160,11,46188,46188,11,46216,46216,11,46244,46244,11,46272,46272,11,46300,46300,11,46328,46328,11,46356,46356,11,46384,46384,11,46412,46412,11,46440,46440,11,46468,46468,11,46496,46496,11,46524,46524,11,46552,46552,11,46580,46580,11,46608,46608,11,46636,46636,11,46664,46664,11,46692,46692,11,46720,46720,11,46748,46748,11,46776,46776,11,46804,46804,11,46832,46832,11,46860,46860,11,46888,46888,11,46916,46916,11,46944,46944,11,46972,46972,11,47000,47000,11,47028,47028,11,47056,47056,11,47084,47084,11,47112,47112,11,47140,47140,11,47168,47168,11,47196,47196,11,47224,47224,11,47252,47252,11,47280,47280,11,47308,47308,11,47336,47336,11,47364,47364,11,47392,47392,11,47420,47420,11,47448,47448,11,47476,47476,11,47504,47504,11,47532,47532,11,47560,47560,11,47588,47588,11,47616,47616,11,47644,47644,11,47672,47672,11,47700,47700,11,47728,47728,11,47756,47756,11,47784,47784,11,47812,47812,11,47840,47840,11,47868,47868,11,47896,47896,11,47924,47924,11,47952,47952,11,47980,47980,11,48008,48008,11,48036,48036,11,48064,48064,11,48092,48092,11,48120,48120,11,48148,48148,11,48176,48176,11,48204,48204,11,48232,48232,11,48260,48260,11,48288,48288,11,48316,48316,11,48344,48344,11,48372,48372,11,48400,48400,11,48428,48428,11,48456,48456,11,48484,48484,11,48512,48512,11,48540,48540,11,48568,48568,11,48596,48596,11,48624,48624,11,48652,48652,11,48680,48680,11,48708,48708,11,48736,48736,11,48764,48764,11,48792,48792,11,48820,48820,11,48848,48848,11,48876,48876,11,48904,48904,11,48932,48932,11,48960,48960,11,48988,48988,11,49016,49016,11,49044,49044,11,49072,49072,11,49100,49100,11,49128,49128,11,49156,49156,11,49184,49184,11,49212,49212,11,49240,49240,11,49268,49268,11,49296,49296,11,49324,49324,11,49352,49352,11,49380,49380,11,49408,49408,11,49436,49436,11,49464,49464,11,49492,49492,11,49520,49520,11,49548,49548,11,49576,49576,11,49604,49604,11,49632,49632,11,49660,49660,11,49688,49688,11,49716,49716,11,49744,49744,11,49772,49772,11,49800,49800,11,49828,49828,11,49856,49856,11,49884,49884,11,49912,49912,11,49940,49940,11,49968,49968,11,49996,49996,11,50024,50024,11,50052,50052,11,50080,50080,11,50108,50108,11,50136,50136,11,50164,50164,11,50192,50192,11,50220,50220,11,50248,50248,11,50276,50276,11,50304,50304,11,50332,50332,11,50360,50360,11,50388,50388,11,50416,50416,11,50444,50444,11,50472,50472,11,50500,50500,11,50528,50528,11,50556,50556,11,50584,50584,11,50612,50612,11,50640,50640,11,50668,50668,11,50696,50696,11,50724,50724,11,50752,50752,11,50780,50780,11,50808,50808,11,50836,50836,11,50864,50864,11,50892,50892,11,50920,50920,11,50948,50948,11,50976,50976,11,51004,51004,11,51032,51032,11,51060,51060,11,51088,51088,11,51116,51116,11,51144,51144,11,51172,51172,11,51200,51200,11,51228,51228,11,51256,51256,11,51284,51284,11,51312,51312,11,51340,51340,11,51368,51368,11,51396,51396,11,51424,51424,11,51452,51452,11,51480,51480,11,51508,51508,11,51536,51536,11,51564,51564,11,51592,51592,11,51620,51620,11,51648,51648,11,51676,51676,11,51704,51704,11,51732,51732,11,51760,51760,11,51788,51788,11,51816,51816,11,51844,51844,11,51872,51872,11,51900,51900,11,51928,51928,11,51956,51956,11,51984,51984,11,52012,52012,11,52040,52040,11,52068,52068,11,52096,52096,11,52124,52124,11,52152,52152,11,52180,52180,11,52208,52208,11,52236,52236,11,52264,52264,11,52292,52292,11,52320,52320,11,52348,52348,11,52376,52376,11,52404,52404,11,52432,52432,11,52460,52460,11,52488,52488,11,52516,52516,11,52544,52544,11,52572,52572,11,52600,52600,11,52628,52628,11,52656,52656,11,52684,52684,11,52712,52712,11,52740,52740,11,52768,52768,11,52796,52796,11,52824,52824,11,52852,52852,11,52880,52880,11,52908,52908,11,52936,52936,11,52964,52964,11,52992,52992,11,53020,53020,11,53048,53048,11,53076,53076,11,53104,53104,11,53132,53132,11,53160,53160,11,53188,53188,11,53216,53216,11,53244,53244,11,53272,53272,11,53300,53300,11,53328,53328,11,53356,53356,11,53384,53384,11,53412,53412,11,53440,53440,11,53468,53468,11,53496,53496,11,53524,53524,11,53552,53552,11,53580,53580,11,53608,53608,11,53636,53636,11,53664,53664,11,53692,53692,11,53720,53720,11,53748,53748,11,53776,53776,11,53804,53804,11,53832,53832,11,53860,53860,11,53888,53888,11,53916,53916,11,53944,53944,11,53972,53972,11,54000,54000,11,54028,54028,11,54056,54056,11,54084,54084,11,54112,54112,11,54140,54140,11,54168,54168,11,54196,54196,11,54224,54224,11,54252,54252,11,54280,54280,11,54308,54308,11,54336,54336,11,54364,54364,11,54392,54392,11,54420,54420,11,54448,54448,11,54476,54476,11,54504,54504,11,54532,54532,11,54560,54560,11,54588,54588,11,54616,54616,11,54644,54644,11,54672,54672,11,54700,54700,11,54728,54728,11,54756,54756,11,54784,54784,11,54812,54812,11,54840,54840,11,54868,54868,11,54896,54896,11,54924,54924,11,54952,54952,11,54980,54980,11,55008,55008,11,55036,55036,11,55064,55064,11,55092,55092,11,55120,55120,11,55148,55148,11,55176,55176,11,55216,55238,9,64286,64286,5,65056,65071,5,65438,65439,5,65529,65531,4,66272,66272,5,68097,68099,5,68108,68111,5,68159,68159,5,68900,68903,5,69446,69456,5,69632,69632,7,69634,69634,7,69744,69744,5,69759,69761,5,69808,69810,7,69815,69816,7,69821,69821,1,69837,69837,1,69927,69931,5,69933,69940,5,70003,70003,5,70018,70018,7,70070,70078,5,70082,70083,1,70094,70094,7,70188,70190,7,70194,70195,7,70197,70197,7,70206,70206,5,70368,70370,7,70400,70401,5,70459,70460,5,70463,70463,7,70465,70468,7,70475,70477,7,70498,70499,7,70512,70516,5,70712,70719,5,70722,70724,5,70726,70726,5,70832,70832,5,70835,70840,5,70842,70842,5,70845,70845,5,70847,70848,5,70850,70851,5,71088,71089,7,71096,71099,7,71102,71102,7,71132,71133,5,71219,71226,5,71229,71229,5,71231,71232,5,71340,71340,7,71342,71343,7,71350,71350,7,71453,71455,5,71462,71462,7,71724,71726,7,71736,71736,7,71984,71984,5,71991,71992,7,71997,71997,7,71999,71999,1,72001,72001,1,72003,72003,5,72148,72151,5,72156,72159,7,72164,72164,7,72243,72248,5,72250,72250,1,72263,72263,5,72279,72280,7,72324,72329,1,72343,72343,7,72751,72751,7,72760,72765,5,72767,72767,5,72873,72873,7,72881,72881,7,72884,72884,7,73009,73014,5,73020,73021,5,73030,73030,1,73098,73102,7,73107,73108,7,73110,73110,7,73459,73460,5,78896,78904,4,92976,92982,5,94033,94087,7,94180,94180,5,113821,113822,5,118528,118573,5,119141,119141,5,119143,119145,5,119150,119154,5,119163,119170,5,119210,119213,5,121344,121398,5,121461,121461,5,121499,121503,5,122880,122886,5,122907,122913,5,122918,122922,5,123566,123566,5,125136,125142,5,126976,126979,14,126981,127182,14,127184,127231,14,127279,127279,14,127344,127345,14,127374,127374,14,127405,127461,14,127489,127490,14,127514,127514,14,127538,127546,14,127561,127567,14,127570,127743,14,127757,127758,14,127760,127760,14,127762,127762,14,127766,127768,14,127770,127770,14,127772,127772,14,127775,127776,14,127778,127779,14,127789,127791,14,127794,127795,14,127798,127798,14,127819,127819,14,127824,127824,14,127868,127868,14,127870,127871,14,127892,127893,14,127896,127896,14,127900,127901,14,127904,127940,14,127942,127942,14,127944,127944,14,127946,127946,14,127951,127955,14,127968,127971,14,127973,127984,14,127987,127987,14,127989,127989,14,127991,127991,14,127995,127999,5,128008,128008,14,128012,128014,14,128017,128018,14,128020,128020,14,128022,128022,14,128042,128042,14,128063,128063,14,128065,128065,14,128101,128101,14,128108,128109,14,128173,128173,14,128182,128183,14,128236,128237,14,128239,128239,14,128245,128245,14,128248,128248,14,128253,128253,14,128255,128258,14,128260,128263,14,128265,128265,14,128277,128277,14,128300,128301,14,128326,128328,14,128331,128334,14,128336,128347,14,128360,128366,14,128369,128370,14,128378,128378,14,128391,128391,14,128394,128397,14,128400,128400,14,128405,128406,14,128420,128420,14,128422,128423,14,128425,128432,14,128435,128443,14,128445,128449,14,128453,128464,14,128468,128475,14,128479,128480,14,128482,128482,14,128484,128487,14,128489,128494,14,128496,128498,14,128500,128505,14,128507,128511,14,128513,128518,14,128521,128525,14,128527,128527,14,128529,128529,14,128533,128533,14,128535,128535,14,128537,128537,14]"); } //#endregion /** * Computes the offset after performing a left delete on the given string, * while considering unicode grapheme/emoji rules. */ function getLeftDeleteOffset(offset, str) { if (offset === 0) { return 0; } // Try to delete emoji part. const emojiOffset = getOffsetBeforeLastEmojiComponent(offset, str); if (emojiOffset !== undefined) { return emojiOffset; } // Otherwise, just skip a single code point. const iterator = new CodePointIterator(str, offset); iterator.prevCodePoint(); return iterator.offset; } function getOffsetBeforeLastEmojiComponent(initialOffset, str) { // See https://www.unicode.org/reports/tr51/tr51-14.html#EBNF_and_Regex for the // structure of emojis. const iterator = new CodePointIterator(str, initialOffset); let codePoint = iterator.prevCodePoint(); // Skip modifiers while ((isEmojiModifier(codePoint) || codePoint === 65039 /* CodePoint.emojiVariantSelector */ || codePoint === 8419 /* CodePoint.enclosingKeyCap */)) { if (iterator.offset === 0) { // Cannot skip modifier, no preceding emoji base. return undefined; } codePoint = iterator.prevCodePoint(); } // Expect base emoji if (!isEmojiImprecise(codePoint)) { // Unexpected code point, not a valid emoji. return undefined; } let resultOffset = iterator.offset; if (resultOffset > 0) { // Skip optional ZWJ code points that combine multiple emojis. // In theory, we should check if that ZWJ actually combines multiple emojis // to prevent deleting ZWJs in situations we didn"t account for. const optionalZwjCodePoint = iterator.prevCodePoint(); if (optionalZwjCodePoint === 8205 /* CodePoint.zwj */) { resultOffset = iterator.offset; } } return resultOffset; } function isEmojiModifier(codePoint) { return 0x1F3FB <= codePoint && codePoint <= 0x1F3FF; } const noBreakWhitespace = "xa0"; class AmbiguousCharacters { static getInstance(locales) { return strings_a.cache.get(Array.from(locales)); } static getLocales() { return strings_a._locales.value; } constructor(confusableDictionary) { this.confusableDictionary = confusableDictionary; } isAmbiguous(codePoint) { return this.confusableDictionary.has(codePoint); } /** * Returns the non basic ASCII code point that the given code point can be confused, * or undefined if such code point does note exist. */ getPrimaryConfusable(codePoint) { return this.confusableDictionary.get(codePoint); } getConfusableCodePoints() { return new Set(this.confusableDictionary.keys()); } } strings_a = AmbiguousCharacters; AmbiguousCharacters.ambiguousCharacterData = new Lazy(() => { // Generated using https://github.com/hediet/vscode-unicode-data // Stored as key1, value1, key2, value2, ... return JSON.parse("{"_common":[8232,32,8233,32,5760,32,8192,32,8193,32,8194,32,8195,32,8196,32,8197,32,8198,32,8200,32,8201,32,8202,32,8287,32,8199,32,8239,32,2042,95,65101,95,65102,95,65103,95,8208,45,8209,45,8210,45,65112,45,1748,45,8259,45,727,45,8722,45,10134,45,11450,45,1549,44,1643,44,8218,44,184,44,42233,44,894,59,2307,58,2691,58,1417,58,1795,58,1796,58,5868,58,65072,58,6147,58,6153,58,8282,58,1475,58,760,58,42889,58,8758,58,720,58,42237,58,451,33,11601,33,660,63,577,63,2429,63,5038,63,42731,63,119149,46,8228,46,1793,46,1794,46,42510,46,68176,46,1632,46,1776,46,42232,46,1373,96,65287,96,8219,96,8242,96,1370,96,1523,96,8175,96,65344,96,900,96,8189,96,8125,96,8127,96,8190,96,697,96,884,96,712,96,714,96,715,96,756,96,699,96,701,96,700,96,702,96,42892,96,1497,96,2036,96,2037,96,5194,96,5836,96,94033,96,94034,96,65339,91,10088,40,10098,40,12308,40,64830,40,65341,93,10089,41,10099,41,12309,41,64831,41,10100,123,119060,123,10101,125,65342,94,8270,42,1645,42,8727,42,66335,42,5941,47,8257,47,8725,47,8260,47,9585,47,10187,47,10744,47,119354,47,12755,47,12339,47,11462,47,20031,47,12035,47,65340,92,65128,92,8726,92,10189,92,10741,92,10745,92,119311,92,119355,92,12756,92,20022,92,12034,92,42872,38,708,94,710,94,5869,43,10133,43,66203,43,8249,60,10094,60,706,60,119350,60,5176,60,5810,60,5120,61,11840,61,12448,61,42239,61,8250,62,10095,62,707,62,119351,62,5171,62,94015,62,8275,126,732,126,8128,126,8764,126,65372,124,65293,45,120784,50,120794,50,120804,50,120814,50,120824,50,130034,50,42842,50,423,50,1000,50,42564,50,5311,50,42735,50,119302,51,120785,51,120795,51,120805,51,120815,51,120825,51,130035,51,42923,51,540,51,439,51,42858,51,11468,51,1248,51,94011,51,71882,51,120786,52,120796,52,120806,52,120816,52,120826,52,130036,52,5070,52,71855,52,120787,53,120797,53,120807,53,120817,53,120827,53,130037,53,444,53,71867,53,120788,54,120798,54,120808,54,120818,54,120828,54,130038,54,11474,54,5102,54,71893,54,119314,55,120789,55,120799,55,120809,55,120819,55,120829,55,130039,55,66770,55,71878,55,2819,56,2538,56,2666,56,125131,56,120790,56,120800,56,120810,56,120820,56,120830,56,130040,56,547,56,546,56,66330,56,2663,57,2920,57,2541,57,3437,57,120791,57,120801,57,120811,57,120821,57,120831,57,130041,57,42862,57,11466,57,71884,57,71852,57,71894,57,9082,97,65345,97,119834,97,119886,97,119938,97,119990,97,120042,97,120094,97,120146,97,120198,97,120250,97,120302,97,120354,97,120406,97,120458,97,593,97,945,97,120514,97,120572,97,120630,97,120688,97,120746,97,65313,65,119808,65,119860,65,119912,65,119964,65,120016,65,120068,65,120120,65,120172,65,120224,65,120276,65,120328,65,120380,65,120432,65,913,65,120488,65,120546,65,120604,65,120662,65,120720,65,5034,65,5573,65,42222,65,94016,65,66208,65,119835,98,119887,98,119939,98,119991,98,120043,98,120095,98,120147,98,120199,98,120251,98,120303,98,120355,98,120407,98,120459,98,388,98,5071,98,5234,98,5551,98,65314,66,8492,66,119809,66,119861,66,119913,66,120017,66,120069,66,120121,66,120173,66,120225,66,120277,66,120329,66,120381,66,120433,66,42932,66,914,66,120489,66,120547,66,120605,66,120663,66,120721,66,5108,66,5623,66,42192,66,66178,66,66209,66,66305,66,65347,99,8573,99,119836,99,119888,99,119940,99,119992,99,120044,99,120096,99,120148,99,120200,99,120252,99,120304,99,120356,99,120408,99,120460,99,7428,99,1010,99,11429,99,43951,99,66621,99,128844,67,71922,67,71913,67,65315,67,8557,67,8450,67,8493,67,119810,67,119862,67,119914,67,119966,67,120018,67,120174,67,120226,67,120278,67,120330,67,120382,67,120434,67,1017,67,11428,67,5087,67,42202,67,66210,67,66306,67,66581,67,66844,67,8574,100,8518,100,119837,100,119889,100,119941,100,119993,100,120045,100,120097,100,120149,100,120201,100,120253,100,120305,100,120357,100,120409,100,120461,100,1281,100,5095,100,5231,100,42194,100,8558,68,8517,68,119811,68,119863,68,119915,68,119967,68,120019,68,120071,68,120123,68,120175,68,120227,68,120279,68,120331,68,120383,68,120435,68,5024,68,5598,68,5610,68,42195,68,8494,101,65349,101,8495,101,8519,101,119838,101,119890,101,119942,101,120046,101,120098,101,120150,101,120202,101,120254,101,120306,101,120358,101,120410,101,120462,101,43826,101,1213,101,8959,69,65317,69,8496,69,119812,69,119864,69,119916,69,120020,69,120072,69,120124,69,120176,69,120228,69,120280,69,120332,69,120384,69,120436,69,917,69,120492,69,120550,69,120608,69,120666,69,120724,69,11577,69,5036,69,42224,69,71846,69,71854,69,66182,69,119839,102,119891,102,119943,102,119995,102,120047,102,120099,102,120151,102,120203,102,120255,102,120307,102,120359,102,120411,102,120463,102,43829,102,42905,102,383,102,7837,102,1412,102,119315,70,8497,70,119813,70,119865,70,119917,70,120021,70,120073,70,120125,70,120177,70,120229,70,120281,70,120333,70,120385,70,120437,70,42904,70,988,70,120778,70,5556,70,42205,70,71874,70,71842,70,66183,70,66213,70,66853,70,65351,103,8458,103,119840,103,119892,103,119944,103,120048,103,120100,103,120152,103,120204,103,120256,103,120308,103,120360,103,120412,103,120464,103,609,103,7555,103,397,103,1409,103,119814,71,119866,71,119918,71,119970,71,120022,71,120074,71,120126,71,120178,71,120230,71,120282,71,120334,71,120386,71,120438,71,1292,71,5056,71,5107,71,42198,71,65352,104,8462,104,119841,104,119945,104,119997,104,120049,104,120101,104,120153,104,120205,104,120257,104,120309,104,120361,104,120413,104,120465,104,1211,104,1392,104,5058,104,65320,72,8459,72,8460,72,8461,72,119815,72,119867,72,119919,72,120023,72,120179,72,120231,72,120283,72,120335,72,120387,72,120439,72,919,72,120494,72,120552,72,120610,72,120668,72,120726,72,11406,72,5051,72,5500,72,42215,72,66255,72,731,105,9075,105,65353,105,8560,105,8505,105,8520,105,119842,105,119894,105,119946,105,119998,105,120050,105,120102,105,120154,105,120206,105,120258,105,120310,105,120362,105,120414,105,120466,105,120484,105,618,105,617,105,953,105,8126,105,890,105,120522,105,120580,105,120638,105,120696,105,120754,105,1110,105,42567,105,1231,105,43893,105,5029,105,71875,105,65354,106,8521,106,119843,106,119895,106,119947,106,119999,106,120051,106,120103,106,120155,106,120207,106,120259,106,120311,106,120363,106,120415,106,120467,106,1011,106,1112,106,65322,74,119817,74,119869,74,119921,74,119973,74,120025,74,120077,74,120129,74,120181,74,120233,74,120285,74,120337,74,120389,74,120441,74,42930,74,895,74,1032,74,5035,74,5261,74,42201,74,119844,107,119896,107,119948,107,120000,107,120052,107,120104,107,120156,107,120208,107,120260,107,120312,107,120364,107,120416,107,120468,107,8490,75,65323,75,119818,75,119870,75,119922,75,119974,75,120026,75,120078,75,120130,75,120182,75,120234,75,120286,75,120338,75,120390,75,120442,75,922,75,120497,75,120555,75,120613,75,120671,75,120729,75,11412,75,5094,75,5845,75,42199,75,66840,75,1472,108,8739,73,9213,73,65512,73,1633,108,1777,73,66336,108,125127,108,120783,73,120793,73,120803,73,120813,73,120823,73,130033,73,65321,73,8544,73,8464,73,8465,73,119816,73,119868,73,119920,73,120024,73,120128,73,120180,73,120232,73,120284,73,120336,73,120388,73,120440,73,65356,108,8572,73,8467,108,119845,108,119897,108,119949,108,120001,108,120053,108,120105,73,120157,73,120209,73,120261,73,120313,73,120365,73,120417,73,120469,73,448,73,120496,73,120554,73,120612,73,120670,73,120728,73,11410,73,1030,73,1216,73,1493,108,1503,108,1575,108,126464,108,126592,108,65166,108,65165,108,1994,108,11599,73,5825,73,42226,73,93992,73,66186,124,66313,124,119338,76,8556,76,8466,76,119819,76,119871,76,119923,76,120027,76,120079,76,120131,76,120183,76,120235,76,120287,76,120339,76,120391,76,120443,76,11472,76,5086,76,5290,76,42209,76,93974,76,71843,76,71858,76,66587,76,66854,76,65325,77,8559,77,8499,77,119820,77,119872,77,119924,77,120028,77,120080,77,120132,77,120184,77,120236,77,120288,77,120340,77,120392,77,120444,77,924,77,120499,77,120557,77,120615,77,120673,77,120731,77,1018,77,11416,77,5047,77,5616,77,5846,77,42207,77,66224,77,66321,77,119847,110,119899,110,119951,110,120003,110,120055,110,120107,110,120159,110,120211,110,120263,110,120315,110,120367,110,120419,110,120471,110,1400,110,1404,110,65326,78,8469,78,119821,78,119873,78,119925,78,119977,78,120029,78,120081,78,120185,78,120237,78,120289,78,120341,78,120393,78,120445,78,925,78,120500,78,120558,78,120616,78,120674,78,120732,78,11418,78,42208,78,66835,78,3074,111,3202,111,3330,111,3458,111,2406,111,2662,111,2790,111,3046,111,3174,111,3302,111,3430,111,3664,111,3792,111,4160,111,1637,111,1781,111,65359,111,8500,111,119848,111,119900,111,119952,111,120056,111,120108,111,120160,111,120212,111,120264,111,120316,111,120368,111,120420,111,120472,111,7439,111,7441,111,43837,111,959,111,120528,111,120586,111,120644,111,120702,111,120760,111,963,111,120532,111,120590,111,120648,111,120706,111,120764,111,11423,111,4351,111,1413,111,1505,111,1607,111,126500,111,126564,111,126596,111,65259,111,65260,111,65258,111,65257,111,1726,111,64428,111,64429,111,64427,111,64426,111,1729,111,64424,111,64425,111,64423,111,64422,111,1749,111,3360,111,4125,111,66794,111,71880,111,71895,111,66604,111,1984,79,2534,79,2918,79,12295,79,70864,79,71904,79,120782,79,120792,79,120802,79,120812,79,120822,79,130032,79,65327,79,119822,79,119874,79,119926,79,119978,79,120030,79,120082,79,120134,79,120186,79,120238,79,120290,79,120342,79,120394,79,120446,79,927,79,120502,79,120560,79,120618,79,120676,79,120734,79,11422,79,1365,79,11604,79,4816,79,2848,79,66754,79,42227,79,71861,79,66194,79,66219,79,66564,79,66838,79,9076,112,65360,112,119849,112,119901,112,119953,112,120005,112,120057,112,120109,112,120161,112,120213,112,120265,112,120317,112,120369,112,120421,112,120473,112,961,112,120530,112,120544,112,120588,112,120602,112,120646,112,120660,112,120704,112,120718,112,120762,112,120776,112,11427,112,65328,80,8473,80,119823,80,119875,80,119927,80,119979,80,120031,80,120083,80,120187,80,120239,80,120291,80,120343,80,120395,80,120447,80,929,80,120504,80,120562,80,120620,80,120678,80,120736,80,11426,80,5090,80,5229,80,42193,80,66197,80,119850,113,119902,113,119954,113,120006,113,120058,113,120110,113,120162,113,120214,113,120266,113,120318,113,120370,113,120422,113,120474,113,1307,113,1379,113,1382,113,8474,81,119824,81,119876,81,119928,81,119980,81,120032,81,120084,81,120188,81,120240,81,120292,81,120344,81,120396,81,120448,81,11605,81,119851,114,119903,114,119955,114,120007,114,120059,114,120111,114,120163,114,120215,114,120267,114,120319,114,120371,114,120423,114,120475,114,43847,114,43848,114,7462,114,11397,114,43905,114,119318,82,8475,82,8476,82,8477,82,119825,82,119877,82,119929,82,120033,82,120189,82,120241,82,120293,82,120345,82,120397,82,120449,82,422,82,5025,82,5074,82,66740,82,5511,82,42211,82,94005,82,65363,115,119852,115,119904,115,119956,115,120008,115,120060,115,120112,115,120164,115,120216,115,120268,115,120320,115,120372,115,120424,115,120476,115,42801,115,445,115,1109,115,43946,115,71873,115,66632,115,65331,83,119826,83,119878,83,119930,83,119982,83,120034,83,120086,83,120138,83,120190,83,120242,83,120294,83,120346,83,120398,83,120450,83,1029,83,1359,83,5077,83,5082,83,42210,83,94010,83,66198,83,66592,83,119853,116,119905,116,119957,116,120009,116,120061,116,120113,116,120165,116,120217,116,120269,116,120321,116,120373,116,120425,116,120477,116,8868,84,10201,84,128872,84,65332,84,119827,84,119879,84,119931,84,119983,84,120035,84,120087,84,120139,84,120191,84,120243,84,120295,84,120347,84,120399,84,120451,84,932,84,120507,84,120565,84,120623,84,120681,84,120739,84,11430,84,5026,84,42196,84,93962,84,71868,84,66199,84,66225,84,66325,84,119854,117,119906,117,119958,117,120010,117,120062,117,120114,117,120166,117,120218,117,120270,117,120322,117,120374,117,120426,117,120478,117,42911,117,7452,117,43854,117,43858,117,651,117,965,117,120534,117,120592,117,120650,117,120708,117,120766,117,1405,117,66806,117,71896,117,8746,85,8899,85,119828,85,119880,85,119932,85,119984,85,120036,85,120088,85,120140,85,120192,85,120244,85,120296,85,120348,85,120400,85,120452,85,1357,85,4608,85,66766,85,5196,85,42228,85,94018,85,71864,85,8744,118,8897,118,65366,118,8564,118,119855,118,119907,118,119959,118,120011,118,120063,118,120115,118,120167,118,120219,118,120271,118,120323,118,120375,118,120427,118,120479,118,7456,118,957,118,120526,118,120584,118,120642,118,120700,118,120758,118,1141,118,1496,118,71430,118,43945,118,71872,118,119309,86,1639,86,1783,86,8548,86,119829,86,119881,86,119933,86,119985,86,120037,86,120089,86,120141,86,120193,86,120245,86,120297,86,120349,86,120401,86,120453,86,1140,86,11576,86,5081,86,5167,86,42719,86,42214,86,93960,86,71840,86,66845,86,623,119,119856,119,119908,119,119960,119,120012,119,120064,119,120116,119,120168,119,120220,119,120272,119,120324,119,120376,119,120428,119,120480,119,7457,119,1121,119,1309,119,1377,119,71434,119,71438,119,71439,119,43907,119,71919,87,71910,87,119830,87,119882,87,119934,87,119986,87,120038,87,120090,87,120142,87,120194,87,120246,87,120298,87,120350,87,120402,87,120454,87,1308,87,5043,87,5076,87,42218,87,5742,120,10539,120,10540,120,10799,120,65368,120,8569,120,119857,120,119909,120,119961,120,120013,120,120065,120,120117,120,120169,120,120221,120,120273,120,120325,120,120377,120,120429,120,120481,120,5441,120,5501,120,5741,88,9587,88,66338,88,71916,88,65336,88,8553,88,119831,88,119883,88,119935,88,119987,88,120039,88,120091,88,120143,88,120195,88,120247,88,120299,88,120351,88,120403,88,120455,88,42931,88,935,88,120510,88,120568,88,120626,88,120684,88,120742,88,11436,88,11613,88,5815,88,42219,88,66192,88,66228,88,66327,88,66855,88,611,121,7564,121,65369,121,119858,121,119910,121,119962,121,120014,121,120066,121,120118,121,120170,121,120222,121,120274,121,120326,121,120378,121,120430,121,120482,121,655,121,7935,121,43866,121,947,121,8509,121,120516,121,120574,121,120632,121,120690,121,120748,121,1199,121,4327,121,71900,121,65337,89,119832,89,119884,89,119936,89,119988,89,120040,89,120092,89,120144,89,120196,89,120248,89,120300,89,120352,89,120404,89,120456,89,933,89,978,89,120508,89,120566,89,120624,89,120682,89,120740,89,11432,89,1198,89,5033,89,5053,89,42220,89,94019,89,71844,89,66226,89,119859,122,119911,122,119963,122,120015,122,120067,122,120119,122,120171,122,120223,122,120275,122,120327,122,120379,122,120431,122,120483,122,7458,122,43923,122,71876,122,66293,90,71909,90,65338,90,8484,90,8488,90,119833,90,119885,90,119937,90,119989,90,120041,90,120197,90,120249,90,120301,90,120353,90,120405,90,120457,90,918,90,120493,90,120551,90,120609,90,120667,90,120725,90,5059,90,42204,90,71849,90,65282,34,65284,36,65285,37,65286,38,65290,42,65291,43,65294,46,65295,47,65296,48,65297,49,65298,50,65299,51,65300,52,65301,53,65302,54,65303,55,65304,56,65305,57,65308,60,65309,61,65310,62,65312,64,65316,68,65318,70,65319,71,65324,76,65329,81,65330,82,65333,85,65334,86,65335,87,65343,95,65346,98,65348,100,65350,102,65355,107,65357,109,65358,110,65361,113,65362,114,65364,116,65365,117,65367,119,65370,122,65371,123,65373,125,119846,109],"_default":[160,32,8211,45,65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"cs":[65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"de":[65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"es":[8211,45,65374,126,65306,58,65281,33,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"fr":[65374,126,65306,58,65281,33,8216,96,8245,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"it":[160,32,8211,45,65374,126,65306,58,65281,33,8216,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"ja":[8211,45,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65292,44,65307,59],"ko":[8211,45,65374,126,65306,58,65281,33,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"pl":[65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"pt-BR":[65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"qps-ploc":[160,32,8211,45,65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"ru":[65374,126,65306,58,65281,33,8216,96,8217,96,8245,96,180,96,12494,47,305,105,921,73,1009,112,215,120,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"tr":[160,32,8211,45,65374,126,65306,58,65281,33,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65288,40,65289,41,65292,44,65307,59,65311,63],"zh-hans":[65374,126,65306,58,65281,33,8245,96,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65288,40,65289,41],"zh-hant":[8211,45,65374,126,180,96,12494,47,1047,51,1073,54,1072,97,1040,65,1068,98,1042,66,1089,99,1057,67,1077,101,1045,69,1053,72,305,105,1050,75,921,73,1052,77,1086,111,1054,79,1009,112,1088,112,1056,80,1075,114,1058,84,215,120,1093,120,1061,88,1091,121,1059,89,65283,35,65307,59]}"); }); AmbiguousCharacters.cache = new LRUCachedFunction((locales) => { function arrayToMap(arr) { const result = new Map(); for (let i = 0; i < arr.length; i += 2) { result.set(arr[i], arr[i + 1]); } return result; } function mergeMaps(map1, map2) { const result = new Map(map1); for (const [key, value] of map2) { result.set(key, value); } return result; } function intersectMaps(map1, map2) { if (!map1) { return map2; } const result = new Map(); for (const [key, value] of map1) { if (map2.has(key)) { result.set(key, value); } } return result; } const data = strings_a.ambiguousCharacterData.value; let filteredLocales = locales.filter((l) => !l.startsWith("_") && l in data); if (filteredLocales.length === 0) { filteredLocales = ["_default"]; } let languageSpecificMap = undefined; for (const locale of filteredLocales) { const map = arrayToMap(data[locale]); languageSpecificMap = intersectMaps(languageSpecificMap, map); } const commonMap = arrayToMap(data["_common"]); const map = mergeMaps(commonMap, languageSpecificMap); return new strings_a(map); }); AmbiguousCharacters._locales = new Lazy(() => Object.keys(strings_a.ambiguousCharacterData.value).filter((k) => !k.startsWith("_"))); class InvisibleCharacters { static getRawData() { // Generated using https://github.com/hediet/vscode-unicode-data return JSON.parse("[9,10,11,12,13,32,127,160,173,847,1564,4447,4448,6068,6069,6155,6156,6157,6158,7355,7356,8192,8193,8194,8195,8196,8197,8198,8199,8200,8201,8202,8203,8204,8205,8206,8207,8234,8235,8236,8237,8238,8239,8287,8288,8289,8290,8291,8292,8293,8294,8295,8296,8297,8298,8299,8300,8301,8302,8303,10240,12288,12644,65024,65025,65026,65027,65028,65029,65030,65031,65032,65033,65034,65035,65036,65037,65038,65039,65279,65440,65520,65521,65522,65523,65524,65525,65526,65527,65528,65532,78844,119155,119156,119157,119158,119159,119160,119161,119162,917504,917505,917506,917507,917508,917509,917510,917511,917512,917513,917514,917515,917516,917517,917518,917519,917520,917521,917522,917523,917524,917525,917526,917527,917528,917529,917530,917531,917532,917533,917534,917535,917536,917537,917538,917539,917540,917541,917542,917543,917544,917545,917546,917547,917548,917549,917550,917551,917552,917553,917554,917555,917556,917557,917558,917559,917560,917561,917562,917563,917564,917565,917566,917567,917568,917569,917570,917571,917572,917573,917574,917575,917576,917577,917578,917579,917580,917581,917582,917583,917584,917585,917586,917587,917588,917589,917590,917591,917592,917593,917594,917595,917596,917597,917598,917599,917600,917601,917602,917603,917604,917605,917606,917607,917608,917609,917610,917611,917612,917613,917614,917615,917616,917617,917618,917619,917620,917621,917622,917623,917624,917625,917626,917627,917628,917629,917630,917631,917760,917761,917762,917763,917764,917765,917766,917767,917768,917769,917770,917771,917772,917773,917774,917775,917776,917777,917778,917779,917780,917781,917782,917783,917784,917785,917786,917787,917788,917789,917790,917791,917792,917793,917794,917795,917796,917797,917798,917799,917800,917801,917802,917803,917804,917805,917806,917807,917808,917809,917810,917811,917812,917813,917814,917815,917816,917817,917818,917819,917820,917821,917822,917823,917824,917825,917826,917827,917828,917829,917830,917831,917832,917833,917834,917835,917836,917837,917838,917839,917840,917841,917842,917843,917844,917845,917846,917847,917848,917849,917850,917851,917852,917853,917854,917855,917856,917857,917858,917859,917860,917861,917862,917863,917864,917865,917866,917867,917868,917869,917870,917871,917872,917873,917874,917875,917876,917877,917878,917879,917880,917881,917882,917883,917884,917885,917886,917887,917888,917889,917890,917891,917892,917893,917894,917895,917896,917897,917898,917899,917900,917901,917902,917903,917904,917905,917906,917907,917908,917909,917910,917911,917912,917913,917914,917915,917916,917917,917918,917919,917920,917921,917922,917923,917924,917925,917926,917927,917928,917929,917930,917931,917932,917933,917934,917935,917936,917937,917938,917939,917940,917941,917942,917943,917944,917945,917946,917947,917948,917949,917950,917951,917952,917953,917954,917955,917956,917957,917958,917959,917960,917961,917962,917963,917964,917965,917966,917967,917968,917969,917970,917971,917972,917973,917974,917975,917976,917977,917978,917979,917980,917981,917982,917983,917984,917985,917986,917987,917988,917989,917990,917991,917992,917993,917994,917995,917996,917997,917998,917999]"); } static getData() { if (!this._data) { this._data = new Set(InvisibleCharacters.getRawData()); } return this._data; } static isInvisibleCharacter(codePoint) { return InvisibleCharacters.getData().has(codePoint); } static get codePoints() { return InvisibleCharacters.getData(); } } InvisibleCharacters._data = undefined; ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/worker/simpleWorker.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const INITIALIZE = "$initialize"; let webWorkerWarningLogged = false; function logOnceWebWorkerWarning(err) { if (!isWeb) { // running tests return; } if (!webWorkerWarningLogged) { webWorkerWarningLogged = true; console.warn("Could not create web worker(s). Falling back to loading web worker code in main thread, which might cause UI freezes. Please see https://github.com/microsoft/monaco-editor#faq"); } console.warn(err.message); } class RequestMessage { constructor(vsWorker, req, method, args) { this.vsWorker = vsWorker; this.req = req; this.method = method; this.args = args; this.type = 0 /* MessageType.Request */; } } class ReplyMessage { constructor(vsWorker, seq, res, err) { this.vsWorker = vsWorker; this.seq = seq; this.res = res; this.err = err; this.type = 1 /* MessageType.Reply */; } } class SubscribeEventMessage { constructor(vsWorker, req, eventName, arg) { this.vsWorker = vsWorker; this.req = req; this.eventName = eventName; this.arg = arg; this.type = 2 /* MessageType.SubscribeEvent */; } } class EventMessage { constructor(vsWorker, req, event) { this.vsWorker = vsWorker; this.req = req; this.event = event; this.type = 3 /* MessageType.Event */; } } class UnsubscribeEventMessage { constructor(vsWorker, req) { this.vsWorker = vsWorker; this.req = req; this.type = 4 /* MessageType.UnsubscribeEvent */; } } class SimpleWorkerProtocol { constructor(handler) { this._workerId = -1; this._handler = handler; this._lastSentReq = 0; this._pendingReplies = Object.create(null); this._pendingEmitters = new Map(); this._pendingEvents = new Map(); } setWorkerId(workerId) { this._workerId = workerId; } sendMessage(method, args) { const req = String(++this._lastSentReq); return new Promise((resolve, reject) => { this._pendingReplies[req] = { resolve: resolve, reject: reject }; this._send(new RequestMessage(this._workerId, req, method, args)); }); } listen(eventName, arg) { let req = null; const emitter = new Emitter({ onWillAddFirstListener: () => { req = String(++this._lastSentReq); this._pendingEmitters.set(req, emitter); this._send(new SubscribeEventMessage(this._workerId, req, eventName, arg)); }, onDidRemoveLastListener: () => { this._pendingEmitters.delete(req); this._send(new UnsubscribeEventMessage(this._workerId, req)); req = null; } }); return emitter.event; } handleMessage(message) { if (!message || !message.vsWorker) { return; } if (this._workerId !== -1 && message.vsWorker !== this._workerId) { return; } this._handleMessage(message); } _handleMessage(msg) { switch (msg.type) { case 1 /* MessageType.Reply */: return this._handleReplyMessage(msg); case 0 /* MessageType.Request */: return this._handleRequestMessage(msg); case 2 /* MessageType.SubscribeEvent */: return this._handleSubscribeEventMessage(msg); case 3 /* MessageType.Event */: return this._handleEventMessage(msg); case 4 /* MessageType.UnsubscribeEvent */: return this._handleUnsubscribeEventMessage(msg); } } _handleReplyMessage(replyMessage) { if (!this._pendingReplies[replyMessage.seq]) { console.warn("Got reply to unknown seq"); return; } const reply = this._pendingReplies[replyMessage.seq]; delete this._pendingReplies[replyMessage.seq]; if (replyMessage.err) { let err = replyMessage.err; if (replyMessage.err.$isError) { err = new Error(); err.name = replyMessage.err.name; err.message = replyMessage.err.message; err.stack = replyMessage.err.stack; } reply.reject(err); return; } reply.resolve(replyMessage.res); } _handleRequestMessage(requestMessage) { const req = requestMessage.req; const result = this._handler.handleMessage(requestMessage.method, requestMessage.args); result.then((r) => { this._send(new ReplyMessage(this._workerId, req, r, undefined)); }, (e) => { if (e.detail instanceof Error) { // Loading errors have a detail property that points to the actual error e.detail = transformErrorForSerialization(e.detail); } this._send(new ReplyMessage(this._workerId, req, undefined, transformErrorForSerialization(e))); }); } _handleSubscribeEventMessage(msg) { const req = msg.req; const disposable = this._handler.handleEvent(msg.eventName, msg.arg)((event) => { this._send(new EventMessage(this._workerId, req, event)); }); this._pendingEvents.set(req, disposable); } _handleEventMessage(msg) { if (!this._pendingEmitters.has(msg.req)) { console.warn("Got event for unknown req"); return; } this._pendingEmitters.get(msg.req).fire(msg.event); } _handleUnsubscribeEventMessage(msg) { if (!this._pendingEvents.has(msg.req)) { console.warn("Got unsubscribe for unknown req"); return; } this._pendingEvents.get(msg.req).dispose(); this._pendingEvents.delete(msg.req); } _send(msg) { const transfer = []; if (msg.type === 0 /* MessageType.Request */) { for (let i = 0; i < msg.args.length; i++) { if (msg.args[i] instanceof ArrayBuffer) { transfer.push(msg.args[i]); } } } else if (msg.type === 1 /* MessageType.Reply */) { if (msg.res instanceof ArrayBuffer) { transfer.push(msg.res); } } this._handler.sendMessage(msg, transfer); } } /** * Main thread side */ class SimpleWorkerClient extends lifecycle_Disposable { constructor(workerFactory, moduleId, host) { super(); let lazyProxyReject = null; this._worker = this._register(workerFactory.create("vs/base/common/worker/simpleWorker", (msg) => { this._protocol.handleMessage(msg); }, (err) => { // in Firefox, web workers fail lazily :( // we will reject the proxy lazyProxyReject === null || lazyProxyReject === void 0 ? void 0 : lazyProxyReject(err); })); this._protocol = new SimpleWorkerProtocol({ sendMessage: (msg, transfer) => { this._worker.postMessage(msg, transfer); }, handleMessage: (method, args) => { if (typeof host[method] !== "function") { return Promise.reject(new Error("Missing method " + method + " on main thread host.")); } try { return Promise.resolve(host[method].apply(host, args)); } catch (e) { return Promise.reject(e); } }, handleEvent: (eventName, arg) => { if (propertyIsDynamicEvent(eventName)) { const event = host[eventName].call(host, arg); if (typeof event !== "function") { throw new Error(`Missing dynamic event ${eventName} on main thread host.`); } return event; } if (propertyIsEvent(eventName)) { const event = host[eventName]; if (typeof event !== "function") { throw new Error(`Missing event ${eventName} on main thread host.`); } return event; } throw new Error(`Malformed event name ${eventName}`); } }); this._protocol.setWorkerId(this._worker.getId()); // Gather loader configuration let loaderConfiguration = null; const globalRequire = globalThis.require; if (typeof globalRequire !== "undefined" && typeof globalRequire.getConfig === "function") { // Get the configuration from the Monaco AMD Loader loaderConfiguration = globalRequire.getConfig(); } else if (typeof globalThis.requirejs !== "undefined") { // Get the configuration from requirejs loaderConfiguration = globalThis.requirejs.s.contexts._.config; } const hostMethods = getAllMethodNames(host); // Send initialize message this._onModuleLoaded = this._protocol.sendMessage(INITIALIZE, [ this._worker.getId(), JSON.parse(JSON.stringify(loaderConfiguration)), moduleId, hostMethods, ]); // Create proxy to loaded code const proxyMethodRequest = (method, args) => { return this._request(method, args); }; const proxyListen = (eventName, arg) => { return this._protocol.listen(eventName, arg); }; this._lazyProxy = new Promise((resolve, reject) => { lazyProxyReject = reject; this._onModuleLoaded.then((availableMethods) => { resolve(simpleWorker_createProxyObject(availableMethods, proxyMethodRequest, proxyListen)); }, (e) => { reject(e); this._onError("Worker failed to load " + moduleId, e); }); }); } getProxyObject() { return this._lazyProxy; } _request(method, args) { return new Promise((resolve, reject) => { this._onModuleLoaded.then(() => { this._protocol.sendMessage(method, args).then(resolve, reject); }, reject); }); } _onError(message, error) { console.error(message); console.info(error); } } function propertyIsEvent(name) { // Assume a property is an event if it has a form of "onSomething" return name[0] === "o" && name[1] === "n" && isUpperAsciiLetter(name.charCodeAt(2)); } function propertyIsDynamicEvent(name) { // Assume a property is a dynamic event (a method that returns an event) if it has a form of "onDynamicSomething" return /^onDynamic/.test(name) && isUpperAsciiLetter(name.charCodeAt(9)); } function simpleWorker_createProxyObject(methodNames, invoke, proxyListen) { const createProxyMethod = (method) => { return function () { const args = Array.prototype.slice.call(arguments, 0); return invoke(method, args); }; }; const createProxyDynamicEvent = (eventName) => { return function (arg) { return proxyListen(eventName, arg); }; }; const result = {}; for (const methodName of methodNames) { if (propertyIsDynamicEvent(methodName)) { result[methodName] = createProxyDynamicEvent(methodName); continue; } if (propertyIsEvent(methodName)) { result[methodName] = proxyListen(methodName, undefined); continue; } result[methodName] = createProxyMethod(methodName); } return result; } /** * Worker side */ class SimpleWorkerServer { constructor(postMessage, requestHandlerFactory) { this._requestHandlerFactory = requestHandlerFactory; this._requestHandler = null; this._protocol = new SimpleWorkerProtocol({ sendMessage: (msg, transfer) => { postMessage(msg, transfer); }, handleMessage: (method, args) => this._handleMessage(method, args), handleEvent: (eventName, arg) => this._handleEvent(eventName, arg) }); } onmessage(msg) { this._protocol.handleMessage(msg); } _handleMessage(method, args) { if (method === INITIALIZE) { return this.initialize(args[0], args[1], args[2], args[3]); } if (!this._requestHandler || typeof this._requestHandler[method] !== "function") { return Promise.reject(new Error("Missing requestHandler or method: " + method)); } try { return Promise.resolve(this._requestHandler[method].apply(this._requestHandler, args)); } catch (e) { return Promise.reject(e); } } _handleEvent(eventName, arg) { if (!this._requestHandler) { throw new Error(`Missing requestHandler`); } if (propertyIsDynamicEvent(eventName)) { const event = this._requestHandler[eventName].call(this._requestHandler, arg); if (typeof event !== "function") { throw new Error(`Missing dynamic event ${eventName} on request handler.`); } return event; } if (propertyIsEvent(eventName)) { const event = this._requestHandler[eventName]; if (typeof event !== "function") { throw new Error(`Missing event ${eventName} on request handler.`); } return event; } throw new Error(`Malformed event name ${eventName}`); } initialize(workerId, loaderConfig, moduleId, hostMethods) { this._protocol.setWorkerId(workerId); const proxyMethodRequest = (method, args) => { return this._protocol.sendMessage(method, args); }; const proxyListen = (eventName, arg) => { return this._protocol.listen(eventName, arg); }; const hostProxy = simpleWorker_createProxyObject(hostMethods, proxyMethodRequest, proxyListen); if (this._requestHandlerFactory) { // static request handler this._requestHandler = this._requestHandlerFactory(hostProxy); return Promise.resolve(getAllMethodNames(this._requestHandler)); } if (loaderConfig) { // Remove "baseUrl", handling it is beyond scope for now if (typeof loaderConfig.baseUrl !== "undefined") { delete loaderConfig["baseUrl"]; } if (typeof loaderConfig.paths !== "undefined") { if (typeof loaderConfig.paths.vs !== "undefined") { delete loaderConfig.paths["vs"]; } } if (typeof loaderConfig.trustedTypesPolicy !== undefined) { // don"t use, it has been destroyed during serialize delete loaderConfig["trustedTypesPolicy"]; } // Since this is in a web worker, enable catching errors loaderConfig.catchError = true; globalThis.require.config(loaderConfig); } return new Promise((resolve, reject) => { // Use the global require to be sure to get the global config // ESM-comment-begin // const req = (globalThis.require || require); // ESM-comment-end // ESM-uncomment-begin const req = globalThis.require; // ESM-uncomment-end req([moduleId], (module) => { this._requestHandler = module.create(hostProxy); if (!this._requestHandler) { reject(new Error(`No RequestHandler!`)); return; } resolve(getAllMethodNames(this._requestHandler)); }, reject); }); } } /** * Called on the worker side * @skipMangle */ function simpleWorker_create(postMessage) { return new SimpleWorkerServer(postMessage, null); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/diff/diffChange.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Represents information about a specific difference between two sequences. */ class DiffChange { /** * Constructs a new DiffChange with the given sequence information * and content. */ constructor(originalStart, originalLength, modifiedStart, modifiedLength) { //Debug.Assert(originalLength > 0 || modifiedLength > 0, "originalLength and modifiedLength cannot both be <= 0"); this.originalStart = originalStart; this.originalLength = originalLength; this.modifiedStart = modifiedStart; this.modifiedLength = modifiedLength; } /** * The end point (exclusive) of the change in the original sequence. */ getOriginalEnd() { return this.originalStart + this.originalLength; } /** * The end point (exclusive) of the change in the modified sequence. */ getModifiedEnd() { return this.modifiedStart + this.modifiedLength; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/hash.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Return a hash value for an object. */ function hash(obj) { return doHash(obj, 0); } function doHash(obj, hashVal) { switch (typeof obj) { case "object": if (obj === null) { return numberHash(349, hashVal); } else if (Array.isArray(obj)) { return arrayHash(obj, hashVal); } return objectHash(obj, hashVal); case "string": return stringHash(obj, hashVal); case "boolean": return booleanHash(obj, hashVal); case "number": return numberHash(obj, hashVal); case "undefined": return numberHash(937, hashVal); default: return numberHash(617, hashVal); } } function numberHash(val, initialHashVal) { return (((initialHashVal << 5) - initialHashVal) + val) | 0; // hashVal * 31 + ch, keep as int32 } function booleanHash(b, initialHashVal) { return numberHash(b ? 433 : 863, initialHashVal); } function stringHash(s, hashVal) { hashVal = numberHash(149417, hashVal); for (let i = 0, length = s.length; i < length; i++) { hashVal = numberHash(s.charCodeAt(i), hashVal); } return hashVal; } function arrayHash(arr, initialHashVal) { initialHashVal = numberHash(104579, initialHashVal); return arr.reduce((hashVal, item) => doHash(item, hashVal), initialHashVal); } function objectHash(obj, initialHashVal) { initialHashVal = numberHash(181387, initialHashVal); return Object.keys(obj).sort().reduce((hashVal, key) => { hashVal = stringHash(key, hashVal); return doHash(obj[key], hashVal); }, initialHashVal); } function leftRotate(value, bits, totalBits = 32) { // delta + bits = totalBits const delta = totalBits - bits; // All ones, expect `delta` zeros aligned to the right const mask = ~((1 << delta) - 1); // Join (value left-shifted `bits` bits) with (masked value right-shifted `delta` bits) return ((value << bits) | ((mask & value) >>> delta)) >>> 0; } function fill(dest, index = 0, count = dest.byteLength, value = 0) { for (let i = 0; i < count; i++) { dest[index + i] = value; } } function leftPad(value, length, char = "0") { while (value.length < length) { value = char + value; } return value; } function toHexString(bufferOrValue, bitsize = 32) { if (bufferOrValue instanceof ArrayBuffer) { return Array.from(new Uint8Array(bufferOrValue)).map(b => b.toString(16).padStart(2, "0")).join(""); } return leftPad((bufferOrValue >>> 0).toString(16), bitsize / 4); } /** * A SHA1 implementation that works with strings and does not allocate. */ class StringSHA1 { constructor() { this._h0 = 0x67452301; this._h1 = 0xEFCDAB89; this._h2 = 0x98BADCFE; this._h3 = 0x10325476; this._h4 = 0xC3D2E1F0; this._buff = new Uint8Array(64 /* SHA1Constant.BLOCK_SIZE */ + 3 /* to fit any utf-8 */); this._buffDV = new DataView(this._buff.buffer); this._buffLen = 0; this._totalLen = 0; this._leftoverHighSurrogate = 0; this._finished = false; } update(str) { const strLen = str.length; if (strLen === 0) { return; } const buff = this._buff; let buffLen = this._buffLen; let leftoverHighSurrogate = this._leftoverHighSurrogate; let charCode; let offset; if (leftoverHighSurrogate !== 0) { charCode = leftoverHighSurrogate; offset = -1; leftoverHighSurrogate = 0; } else { charCode = str.charCodeAt(0); offset = 0; } while (true) { let codePoint = charCode; if (isHighSurrogate(charCode)) { if (offset + 1 < strLen) { const nextCharCode = str.charCodeAt(offset + 1); if (isLowSurrogate(nextCharCode)) { offset++; codePoint = computeCodePoint(charCode, nextCharCode); } else { // illegal => unicode replacement character codePoint = 65533 /* SHA1Constant.UNICODE_REPLACEMENT */; } } else { // last character is a surrogate pair leftoverHighSurrogate = charCode; break; } } else if (isLowSurrogate(charCode)) { // illegal => unicode replacement character codePoint = 65533 /* SHA1Constant.UNICODE_REPLACEMENT */; } buffLen = this._push(buff, buffLen, codePoint); offset++; if (offset < strLen) { charCode = str.charCodeAt(offset); } else { break; } } this._buffLen = buffLen; this._leftoverHighSurrogate = leftoverHighSurrogate; } _push(buff, buffLen, codePoint) { if (codePoint < 0x0080) { buff[buffLen++] = codePoint; } else if (codePoint < 0x0800) { buff[buffLen++] = 0b11000000 | ((codePoint & 0b00000000000000000000011111000000) >>> 6); buff[buffLen++] = 0b10000000 | ((codePoint & 0b00000000000000000000000000111111) >>> 0); } else if (codePoint < 0x10000) { buff[buffLen++] = 0b11100000 | ((codePoint & 0b00000000000000001111000000000000) >>> 12); buff[buffLen++] = 0b10000000 | ((codePoint & 0b00000000000000000000111111000000) >>> 6); buff[buffLen++] = 0b10000000 | ((codePoint & 0b00000000000000000000000000111111) >>> 0); } else { buff[buffLen++] = 0b11110000 | ((codePoint & 0b00000000000111000000000000000000) >>> 18); buff[buffLen++] = 0b10000000 | ((codePoint & 0b00000000000000111111000000000000) >>> 12); buff[buffLen++] = 0b10000000 | ((codePoint & 0b00000000000000000000111111000000) >>> 6); buff[buffLen++] = 0b10000000 | ((codePoint & 0b00000000000000000000000000111111) >>> 0); } if (buffLen >= 64 /* SHA1Constant.BLOCK_SIZE */) { this._step(); buffLen -= 64 /* SHA1Constant.BLOCK_SIZE */; this._totalLen += 64 /* SHA1Constant.BLOCK_SIZE */; // take last 3 in case of UTF8 overflow buff[0] = buff[64 /* SHA1Constant.BLOCK_SIZE */ + 0]; buff[1] = buff[64 /* SHA1Constant.BLOCK_SIZE */ + 1]; buff[2] = buff[64 /* SHA1Constant.BLOCK_SIZE */ + 2]; } return buffLen; } digest() { if (!this._finished) { this._finished = true; if (this._leftoverHighSurrogate) { // illegal => unicode replacement character this._leftoverHighSurrogate = 0; this._buffLen = this._push(this._buff, this._buffLen, 65533 /* SHA1Constant.UNICODE_REPLACEMENT */); } this._totalLen += this._buffLen; this._wrapUp(); } return toHexString(this._h0) + toHexString(this._h1) + toHexString(this._h2) + toHexString(this._h3) + toHexString(this._h4); } _wrapUp() { this._buff[this._buffLen++] = 0x80; fill(this._buff, this._buffLen); if (this._buffLen > 56) { this._step(); fill(this._buff); } // this will fit because the mantissa can cover up to 52 bits const ml = 8 * this._totalLen; this._buffDV.setUint32(56, Math.floor(ml / 4294967296), false); this._buffDV.setUint32(60, ml % 4294967296, false); this._step(); } _step() { const bigBlock32 = StringSHA1._bigBlock32; const data = this._buffDV; for (let j = 0; j < 64 /* 16*4 */; j += 4) { bigBlock32.setUint32(j, data.getUint32(j, false), false); } for (let j = 64; j < 320 /* 80*4 */; j += 4) { bigBlock32.setUint32(j, leftRotate((bigBlock32.getUint32(j - 12, false) ^ bigBlock32.getUint32(j - 32, false) ^ bigBlock32.getUint32(j - 56, false) ^ bigBlock32.getUint32(j - 64, false)), 1), false); } let a = this._h0; let b = this._h1; let c = this._h2; let d = this._h3; let e = this._h4; let f, k; let temp; for (let j = 0; j < 80; j++) { if (j < 20) { f = (b & c) | ((~b) & d); k = 0x5A827999; } else if (j < 40) { f = b ^ c ^ d; k = 0x6ED9EBA1; } else if (j < 60) { f = (b & c) | (b & d) | (c & d); k = 0x8F1BBCDC; } else { f = b ^ c ^ d; k = 0xCA62C1D6; } temp = (leftRotate(a, 5) + f + e + k + bigBlock32.getUint32(j * 4, false)) & 0xffffffff; e = d; d = c; c = leftRotate(b, 30); b = a; a = temp; } this._h0 = (this._h0 + a) & 0xffffffff; this._h1 = (this._h1 + b) & 0xffffffff; this._h2 = (this._h2 + c) & 0xffffffff; this._h3 = (this._h3 + d) & 0xffffffff; this._h4 = (this._h4 + e) & 0xffffffff; } } StringSHA1._bigBlock32 = new DataView(new ArrayBuffer(320)); // 80 * 4 = 320 ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/diff/diff.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class StringDiffSequence { constructor(source) { this.source = source; } getElements() { const source = this.source; const characters = new Int32Array(source.length); for (let i = 0, len = source.length; i < len; i++) { characters[i] = source.charCodeAt(i); } return characters; } } function stringDiff(original, modified, pretty) { return new LcsDiff(new StringDiffSequence(original), new StringDiffSequence(modified)).ComputeDiff(pretty).changes; } // // The code below has been ported from a C# implementation in VS // class Debug { static Assert(condition, message) { if (!condition) { throw new Error(message); } } } class MyArray { /** * Copies a range of elements from an Array starting at the specified source index and pastes * them to another Array starting at the specified destination index. The length and the indexes * are specified as 64-bit integers. * sourceArray: * The Array that contains the data to copy. * sourceIndex: * A 64-bit integer that represents the index in the sourceArray at which copying begins. * destinationArray: * The Array that receives the data. * destinationIndex: * A 64-bit integer that represents the index in the destinationArray at which storing begins. * length: * A 64-bit integer that represents the number of elements to copy. */ static Copy(sourceArray, sourceIndex, destinationArray, destinationIndex, length) { for (let i = 0; i < length; i++) { destinationArray[destinationIndex + i] = sourceArray[sourceIndex + i]; } } static Copy2(sourceArray, sourceIndex, destinationArray, destinationIndex, length) { for (let i = 0; i < length; i++) { destinationArray[destinationIndex + i] = sourceArray[sourceIndex + i]; } } } /** * A utility class which helps to create the set of DiffChanges from * a difference operation. This class accepts original DiffElements and * modified DiffElements that are involved in a particular change. The * MarkNextChange() method can be called to mark the separation between * distinct changes. At the end, the Changes property can be called to retrieve * the constructed changes. */ class DiffChangeHelper { /** * Constructs a new DiffChangeHelper for the given DiffSequences. */ constructor() { this.m_changes = []; this.m_originalStart = 1073741824 /* Constants.MAX_SAFE_SMALL_INTEGER */; this.m_modifiedStart = 1073741824 /* Constants.MAX_SAFE_SMALL_INTEGER */; this.m_originalCount = 0; this.m_modifiedCount = 0; } /** * Marks the beginning of the next change in the set of differences. */ MarkNextChange() { // Only add to the list if there is something to add if (this.m_originalCount > 0 || this.m_modifiedCount > 0) { // Add the new change to our list this.m_changes.push(new DiffChange(this.m_originalStart, this.m_originalCount, this.m_modifiedStart, this.m_modifiedCount)); } // Reset for the next change this.m_originalCount = 0; this.m_modifiedCount = 0; this.m_originalStart = 1073741824 /* Constants.MAX_SAFE_SMALL_INTEGER */; this.m_modifiedStart = 1073741824 /* Constants.MAX_SAFE_SMALL_INTEGER */; } /** * Adds the original element at the given position to the elements * affected by the current change. The modified index gives context * to the change position with respect to the original sequence. * @param originalIndex The index of the original element to add. * @param modifiedIndex The index of the modified element that provides corresponding position in the modified sequence. */ AddOriginalElement(originalIndex, modifiedIndex) { // The "true" start index is the smallest of the ones we"ve seen this.m_originalStart = Math.min(this.m_originalStart, originalIndex); this.m_modifiedStart = Math.min(this.m_modifiedStart, modifiedIndex); this.m_originalCount++; } /** * Adds the modified element at the given position to the elements * affected by the current change. The original index gives context * to the change position with respect to the modified sequence. * @param originalIndex The index of the original element that provides corresponding position in the original sequence. * @param modifiedIndex The index of the modified element to add. */ AddModifiedElement(originalIndex, modifiedIndex) { // The "true" start index is the smallest of the ones we"ve seen this.m_originalStart = Math.min(this.m_originalStart, originalIndex); this.m_modifiedStart = Math.min(this.m_modifiedStart, modifiedIndex); this.m_modifiedCount++; } /** * Retrieves all of the changes marked by the class. */ getChanges() { if (this.m_originalCount > 0 || this.m_modifiedCount > 0) { // Finish up on whatever is left this.MarkNextChange(); } return this.m_changes; } /** * Retrieves all of the changes marked by the class in the reverse order */ getReverseChanges() { if (this.m_originalCount > 0 || this.m_modifiedCount > 0) { // Finish up on whatever is left this.MarkNextChange(); } this.m_changes.reverse(); return this.m_changes; } } /** * An implementation of the difference algorithm described in * "An O(ND) Difference Algorithm and its variations" by Eugene W. Myers */ class LcsDiff { /** * Constructs the DiffFinder */ constructor(originalSequence, modifiedSequence, continueProcessingPredicate = null) { this.ContinueProcessingPredicate = continueProcessingPredicate; this._originalSequence = originalSequence; this._modifiedSequence = modifiedSequence; const [originalStringElements, originalElementsOrHash, originalHasStrings] = LcsDiff._getElements(originalSequence); const [modifiedStringElements, modifiedElementsOrHash, modifiedHasStrings] = LcsDiff._getElements(modifiedSequence); this._hasStrings = (originalHasStrings && modifiedHasStrings); this._originalStringElements = originalStringElements; this._originalElementsOrHash = originalElementsOrHash; this._modifiedStringElements = modifiedStringElements; this._modifiedElementsOrHash = modifiedElementsOrHash; this.m_forwardHistory = []; this.m_reverseHistory = []; } static _isStringArray(arr) { return (arr.length > 0 && typeof arr[0] === "string"); } static _getElements(sequence) { const elements = sequence.getElements(); if (LcsDiff._isStringArray(elements)) { const hashes = new Int32Array(elements.length); for (let i = 0, len = elements.length; i < len; i++) { hashes[i] = stringHash(elements[i], 0); } return [elements, hashes, true]; } if (elements instanceof Int32Array) { return [[], elements, false]; } return [[], new Int32Array(elements), false]; } ElementsAreEqual(originalIndex, newIndex) { if (this._originalElementsOrHash[originalIndex] !== this._modifiedElementsOrHash[newIndex]) { return false; } return (this._hasStrings ? this._originalStringElements[originalIndex] === this._modifiedStringElements[newIndex] : true); } ElementsAreStrictEqual(originalIndex, newIndex) { if (!this.ElementsAreEqual(originalIndex, newIndex)) { return false; } const originalElement = LcsDiff._getStrictElement(this._originalSequence, originalIndex); const modifiedElement = LcsDiff._getStrictElement(this._modifiedSequence, newIndex); return (originalElement === modifiedElement); } static _getStrictElement(sequence, index) { if (typeof sequence.getStrictElement === "function") { return sequence.getStrictElement(index); } return null; } OriginalElementsAreEqual(index1, index2) { if (this._originalElementsOrHash[index1] !== this._originalElementsOrHash[index2]) { return false; } return (this._hasStrings ? this._originalStringElements[index1] === this._originalStringElements[index2] : true); } ModifiedElementsAreEqual(index1, index2) { if (this._modifiedElementsOrHash[index1] !== this._modifiedElementsOrHash[index2]) { return false; } return (this._hasStrings ? this._modifiedStringElements[index1] === this._modifiedStringElements[index2] : true); } ComputeDiff(pretty) { return this._ComputeDiff(0, this._originalElementsOrHash.length - 1, 0, this._modifiedElementsOrHash.length - 1, pretty); } /** * Computes the differences between the original and modified input * sequences on the bounded range. * @returns An array of the differences between the two input sequences. */ _ComputeDiff(originalStart, originalEnd, modifiedStart, modifiedEnd, pretty) { const quitEarlyArr = [false]; let changes = this.ComputeDiffRecursive(originalStart, originalEnd, modifiedStart, modifiedEnd, quitEarlyArr); if (pretty) { // We have to clean up the computed diff to be more intuitive // but it turns out this cannot be done correctly until the entire set // of diffs have been computed changes = this.PrettifyChanges(changes); } return { quitEarly: quitEarlyArr[0], changes: changes }; } /** * Private helper method which computes the differences on the bounded range * recursively. * @returns An array of the differences between the two input sequences. */ ComputeDiffRecursive(originalStart, originalEnd, modifiedStart, modifiedEnd, quitEarlyArr) { quitEarlyArr[0] = false; // Find the start of the differences while (originalStart <= originalEnd && modifiedStart <= modifiedEnd && this.ElementsAreEqual(originalStart, modifiedStart)) { originalStart++; modifiedStart++; } // Find the end of the differences while (originalEnd >= originalStart && modifiedEnd >= modifiedStart && this.ElementsAreEqual(originalEnd, modifiedEnd)) { originalEnd--; modifiedEnd--; } // In the special case where we either have all insertions or all deletions or the sequences are identical if (originalStart > originalEnd || modifiedStart > modifiedEnd) { let changes; if (modifiedStart <= modifiedEnd) { Debug.Assert(originalStart === originalEnd + 1, "originalStart should only be one more than originalEnd"); // All insertions changes = [ new DiffChange(originalStart, 0, modifiedStart, modifiedEnd - modifiedStart + 1) ]; } else if (originalStart <= originalEnd) { Debug.Assert(modifiedStart === modifiedEnd + 1, "modifiedStart should only be one more than modifiedEnd"); // All deletions changes = [ new DiffChange(originalStart, originalEnd - originalStart + 1, modifiedStart, 0) ]; } else { Debug.Assert(originalStart === originalEnd + 1, "originalStart should only be one more than originalEnd"); Debug.Assert(modifiedStart === modifiedEnd + 1, "modifiedStart should only be one more than modifiedEnd"); // Identical sequences - No differences changes = []; } return changes; } // This problem can be solved using the Divide-And-Conquer technique. const midOriginalArr = [0]; const midModifiedArr = [0]; const result = this.ComputeRecursionPoint(originalStart, originalEnd, modifiedStart, modifiedEnd, midOriginalArr, midModifiedArr, quitEarlyArr); const midOriginal = midOriginalArr[0]; const midModified = midModifiedArr[0]; if (result !== null) { // Result is not-null when there was enough memory to compute the changes while // searching for the recursion point return result; } else if (!quitEarlyArr[0]) { // We can break the problem down recursively by finding the changes in the // First Half: (originalStart, modifiedStart) to (midOriginal, midModified) // Second Half: (midOriginal + 1, minModified + 1) to (originalEnd, modifiedEnd) // NOTE: ComputeDiff() is inclusive, therefore the second range starts on the next point const leftChanges = this.ComputeDiffRecursive(originalStart, midOriginal, modifiedStart, midModified, quitEarlyArr); let rightChanges = []; if (!quitEarlyArr[0]) { rightChanges = this.ComputeDiffRecursive(midOriginal + 1, originalEnd, midModified + 1, modifiedEnd, quitEarlyArr); } else { // We didn"t have time to finish the first half, so we don"t have time to compute this half. // Consider the entire rest of the sequence different. rightChanges = [ new DiffChange(midOriginal + 1, originalEnd - (midOriginal + 1) + 1, midModified + 1, modifiedEnd - (midModified + 1) + 1) ]; } return this.ConcatenateChanges(leftChanges, rightChanges); } // If we hit here, we quit early, and so can"t return anything meaningful return [ new DiffChange(originalStart, originalEnd - originalStart + 1, modifiedStart, modifiedEnd - modifiedStart + 1) ]; } WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr) { let forwardChanges = null; let reverseChanges = null; // First, walk backward through the forward diagonals history let changeHelper = new DiffChangeHelper(); let diagonalMin = diagonalForwardStart; let diagonalMax = diagonalForwardEnd; let diagonalRelative = (midOriginalArr[0] - midModifiedArr[0]) - diagonalForwardOffset; let lastOriginalIndex = -1073741824 /* Constants.MIN_SAFE_SMALL_INTEGER */; let historyIndex = this.m_forwardHistory.length - 1; do { // Get the diagonal index from the relative diagonal number const diagonal = diagonalRelative + diagonalForwardBase; // Figure out where we came from if (diagonal === diagonalMin || (diagonal < diagonalMax && forwardPoints[diagonal - 1] < forwardPoints[diagonal + 1])) { // Vertical line (the element is an insert) originalIndex = forwardPoints[diagonal + 1]; modifiedIndex = originalIndex - diagonalRelative - diagonalForwardOffset; if (originalIndex < lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex; changeHelper.AddModifiedElement(originalIndex + 1, modifiedIndex); diagonalRelative = (diagonal + 1) - diagonalForwardBase; //Setup for the next iteration } else { // Horizontal line (the element is a deletion) originalIndex = forwardPoints[diagonal - 1] + 1; modifiedIndex = originalIndex - diagonalRelative - diagonalForwardOffset; if (originalIndex < lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex - 1; changeHelper.AddOriginalElement(originalIndex, modifiedIndex + 1); diagonalRelative = (diagonal - 1) - diagonalForwardBase; //Setup for the next iteration } if (historyIndex >= 0) { forwardPoints = this.m_forwardHistory[historyIndex]; diagonalForwardBase = forwardPoints[0]; //We stored this in the first spot diagonalMin = 1; diagonalMax = forwardPoints.length - 1; } } while (--historyIndex >= -1); // Ironically, we get the forward changes as the reverse of the // order we added them since we technically added them backwards forwardChanges = changeHelper.getReverseChanges(); if (quitEarlyArr[0]) { // TODO: Calculate a partial from the reverse diagonals. // For now, just assume everything after the midOriginal/midModified point is a diff let originalStartPoint = midOriginalArr[0] + 1; let modifiedStartPoint = midModifiedArr[0] + 1; if (forwardChanges !== null && forwardChanges.length > 0) { const lastForwardChange = forwardChanges[forwardChanges.length - 1]; originalStartPoint = Math.max(originalStartPoint, lastForwardChange.getOriginalEnd()); modifiedStartPoint = Math.max(modifiedStartPoint, lastForwardChange.getModifiedEnd()); } reverseChanges = [ new DiffChange(originalStartPoint, originalEnd - originalStartPoint + 1, modifiedStartPoint, modifiedEnd - modifiedStartPoint + 1) ]; } else { // Now walk backward through the reverse diagonals history changeHelper = new DiffChangeHelper(); diagonalMin = diagonalReverseStart; diagonalMax = diagonalReverseEnd; diagonalRelative = (midOriginalArr[0] - midModifiedArr[0]) - diagonalReverseOffset; lastOriginalIndex = 1073741824 /* Constants.MAX_SAFE_SMALL_INTEGER */; historyIndex = (deltaIsEven) ? this.m_reverseHistory.length - 1 : this.m_reverseHistory.length - 2; do { // Get the diagonal index from the relative diagonal number const diagonal = diagonalRelative + diagonalReverseBase; // Figure out where we came from if (diagonal === diagonalMin || (diagonal < diagonalMax && reversePoints[diagonal - 1] >= reversePoints[diagonal + 1])) { // Horizontal line (the element is a deletion)) originalIndex = reversePoints[diagonal + 1] - 1; modifiedIndex = originalIndex - diagonalRelative - diagonalReverseOffset; if (originalIndex > lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex + 1; changeHelper.AddOriginalElement(originalIndex + 1, modifiedIndex + 1); diagonalRelative = (diagonal + 1) - diagonalReverseBase; //Setup for the next iteration } else { // Vertical line (the element is an insertion) originalIndex = reversePoints[diagonal - 1]; modifiedIndex = originalIndex - diagonalRelative - diagonalReverseOffset; if (originalIndex > lastOriginalIndex) { changeHelper.MarkNextChange(); } lastOriginalIndex = originalIndex; changeHelper.AddModifiedElement(originalIndex + 1, modifiedIndex + 1); diagonalRelative = (diagonal - 1) - diagonalReverseBase; //Setup for the next iteration } if (historyIndex >= 0) { reversePoints = this.m_reverseHistory[historyIndex]; diagonalReverseBase = reversePoints[0]; //We stored this in the first spot diagonalMin = 1; diagonalMax = reversePoints.length - 1; } } while (--historyIndex >= -1); // There are cases where the reverse history will find diffs that // are correct, but not intuitive, so we need shift them. reverseChanges = changeHelper.getChanges(); } return this.ConcatenateChanges(forwardChanges, reverseChanges); } /** * Given the range to compute the diff on, this method finds the point: * (midOriginal, midModified) * that exists in the middle of the LCS of the two sequences and * is the point at which the LCS problem may be broken down recursively. * This method will try to keep the LCS trace in memory. If the LCS recursion * point is calculated and the full trace is available in memory, then this method * will return the change list. * @param originalStart The start bound of the original sequence range * @param originalEnd The end bound of the original sequence range * @param modifiedStart The start bound of the modified sequence range * @param modifiedEnd The end bound of the modified sequence range * @param midOriginal The middle point of the original sequence range * @param midModified The middle point of the modified sequence range * @returns The diff changes, if available, otherwise null */ ComputeRecursionPoint(originalStart, originalEnd, modifiedStart, modifiedEnd, midOriginalArr, midModifiedArr, quitEarlyArr) { let originalIndex = 0, modifiedIndex = 0; let diagonalForwardStart = 0, diagonalForwardEnd = 0; let diagonalReverseStart = 0, diagonalReverseEnd = 0; // To traverse the edit graph and produce the proper LCS, our actual // start position is just outside the given boundary originalStart--; modifiedStart--; // We set these up to make the compiler happy, but they will // be replaced before we return with the actual recursion point midOriginalArr[0] = 0; midModifiedArr[0] = 0; // Clear out the history this.m_forwardHistory = []; this.m_reverseHistory = []; // Each cell in the two arrays corresponds to a diagonal in the edit graph. // The integer value in the cell represents the originalIndex of the furthest // reaching point found so far that ends in that diagonal. // The modifiedIndex can be computed mathematically from the originalIndex and the diagonal number. const maxDifferences = (originalEnd - originalStart) + (modifiedEnd - modifiedStart); const numDiagonals = maxDifferences + 1; const forwardPoints = new Int32Array(numDiagonals); const reversePoints = new Int32Array(numDiagonals); // diagonalForwardBase: Index into forwardPoints of the diagonal which passes through (originalStart, modifiedStart) // diagonalReverseBase: Index into reversePoints of the diagonal which passes through (originalEnd, modifiedEnd) const diagonalForwardBase = (modifiedEnd - modifiedStart); const diagonalReverseBase = (originalEnd - originalStart); // diagonalForwardOffset: Geometric offset which allows modifiedIndex to be computed from originalIndex and the // diagonal number (relative to diagonalForwardBase) // diagonalReverseOffset: Geometric offset which allows modifiedIndex to be computed from originalIndex and the // diagonal number (relative to diagonalReverseBase) const diagonalForwardOffset = (originalStart - modifiedStart); const diagonalReverseOffset = (originalEnd - modifiedEnd); // delta: The difference between the end diagonal and the start diagonal. This is used to relate diagonal numbers // relative to the start diagonal with diagonal numbers relative to the end diagonal. // The Even/Oddn-ness of this delta is important for determining when we should check for overlap const delta = diagonalReverseBase - diagonalForwardBase; const deltaIsEven = (delta % 2 === 0); // Here we set up the start and end points as the furthest points found so far // in both the forward and reverse directions, respectively forwardPoints[diagonalForwardBase] = originalStart; reversePoints[diagonalReverseBase] = originalEnd; // Remember if we quit early, and thus need to do a best-effort result instead of a real result. quitEarlyArr[0] = false; // A couple of points: // --With this method, we iterate on the number of differences between the two sequences. // The more differences there actually are, the longer this will take. // --Also, as the number of differences increases, we have to search on diagonals further // away from the reference diagonal (which is diagonalForwardBase for forward, diagonalReverseBase for reverse). // --We extend on even diagonals (relative to the reference diagonal) only when numDifferences // is even and odd diagonals only when numDifferences is odd. for (let numDifferences = 1; numDifferences <= (maxDifferences / 2) + 1; numDifferences++) { let furthestOriginalIndex = 0; let furthestModifiedIndex = 0; // Run the algorithm in the forward direction diagonalForwardStart = this.ClipDiagonalBound(diagonalForwardBase - numDifferences, numDifferences, diagonalForwardBase, numDiagonals); diagonalForwardEnd = this.ClipDiagonalBound(diagonalForwardBase + numDifferences, numDifferences, diagonalForwardBase, numDiagonals); for (let diagonal = diagonalForwardStart; diagonal <= diagonalForwardEnd; diagonal += 2) { // STEP 1: We extend the furthest reaching point in the present diagonal // by looking at the diagonals above and below and picking the one whose point // is further away from the start point (originalStart, modifiedStart) if (diagonal === diagonalForwardStart || (diagonal < diagonalForwardEnd && forwardPoints[diagonal - 1] < forwardPoints[diagonal + 1])) { originalIndex = forwardPoints[diagonal + 1]; } else { originalIndex = forwardPoints[diagonal - 1] + 1; } modifiedIndex = originalIndex - (diagonal - diagonalForwardBase) - diagonalForwardOffset; // Save the current originalIndex so we can test for false overlap in step 3 const tempOriginalIndex = originalIndex; // STEP 2: We can continue to extend the furthest reaching point in the present diagonal // so long as the elements are equal. while (originalIndex < originalEnd && modifiedIndex < modifiedEnd && this.ElementsAreEqual(originalIndex + 1, modifiedIndex + 1)) { originalIndex++; modifiedIndex++; } forwardPoints[diagonal] = originalIndex; if (originalIndex + modifiedIndex > furthestOriginalIndex + furthestModifiedIndex) { furthestOriginalIndex = originalIndex; furthestModifiedIndex = modifiedIndex; } // STEP 3: If delta is odd (overlap first happens on forward when delta is odd) // and diagonal is in the range of reverse diagonals computed for numDifferences-1 // (the previous iteration; we haven"t computed reverse diagonals for numDifferences yet) // then check for overlap. if (!deltaIsEven && Math.abs(diagonal - diagonalReverseBase) <= (numDifferences - 1)) { if (originalIndex >= reversePoints[diagonal]) { midOriginalArr[0] = originalIndex; midModifiedArr[0] = modifiedIndex; if (tempOriginalIndex <= reversePoints[diagonal] && 1447 /* LocalConstants.MaxDifferencesHistory */ > 0 && numDifferences <= (1447 /* LocalConstants.MaxDifferencesHistory */ + 1)) { // BINGO! We overlapped, and we have the full trace in memory! return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } else { // Either false overlap, or we didn"t have enough memory for the full trace // Just return the recursion point return null; } } } } // Check to see if we should be quitting early, before moving on to the next iteration. const matchLengthOfLongest = ((furthestOriginalIndex - originalStart) + (furthestModifiedIndex - modifiedStart) - numDifferences) / 2; if (this.ContinueProcessingPredicate !== null && !this.ContinueProcessingPredicate(furthestOriginalIndex, matchLengthOfLongest)) { // We can"t finish, so skip ahead to generating a result from what we have. quitEarlyArr[0] = true; // Use the furthest distance we got in the forward direction. midOriginalArr[0] = furthestOriginalIndex; midModifiedArr[0] = furthestModifiedIndex; if (matchLengthOfLongest > 0 && 1447 /* LocalConstants.MaxDifferencesHistory */ > 0 && numDifferences <= (1447 /* LocalConstants.MaxDifferencesHistory */ + 1)) { // Enough of the history is in memory to walk it backwards return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } else { // We didn"t actually remember enough of the history. //Since we are quitting the diff early, we need to shift back the originalStart and modified start //back into the boundary limits since we decremented their value above beyond the boundary limit. originalStart++; modifiedStart++; return [ new DiffChange(originalStart, originalEnd - originalStart + 1, modifiedStart, modifiedEnd - modifiedStart + 1) ]; } } // Run the algorithm in the reverse direction diagonalReverseStart = this.ClipDiagonalBound(diagonalReverseBase - numDifferences, numDifferences, diagonalReverseBase, numDiagonals); diagonalReverseEnd = this.ClipDiagonalBound(diagonalReverseBase + numDifferences, numDifferences, diagonalReverseBase, numDiagonals); for (let diagonal = diagonalReverseStart; diagonal <= diagonalReverseEnd; diagonal += 2) { // STEP 1: We extend the furthest reaching point in the present diagonal // by looking at the diagonals above and below and picking the one whose point // is further away from the start point (originalEnd, modifiedEnd) if (diagonal === diagonalReverseStart || (diagonal < diagonalReverseEnd && reversePoints[diagonal - 1] >= reversePoints[diagonal + 1])) { originalIndex = reversePoints[diagonal + 1] - 1; } else { originalIndex = reversePoints[diagonal - 1]; } modifiedIndex = originalIndex - (diagonal - diagonalReverseBase) - diagonalReverseOffset; // Save the current originalIndex so we can test for false overlap const tempOriginalIndex = originalIndex; // STEP 2: We can continue to extend the furthest reaching point in the present diagonal // as long as the elements are equal. while (originalIndex > originalStart && modifiedIndex > modifiedStart && this.ElementsAreEqual(originalIndex, modifiedIndex)) { originalIndex--; modifiedIndex--; } reversePoints[diagonal] = originalIndex; // STEP 4: If delta is even (overlap first happens on reverse when delta is even) // and diagonal is in the range of forward diagonals computed for numDifferences // then check for overlap. if (deltaIsEven && Math.abs(diagonal - diagonalForwardBase) <= numDifferences) { if (originalIndex <= forwardPoints[diagonal]) { midOriginalArr[0] = originalIndex; midModifiedArr[0] = modifiedIndex; if (tempOriginalIndex >= forwardPoints[diagonal] && 1447 /* LocalConstants.MaxDifferencesHistory */ > 0 && numDifferences <= (1447 /* LocalConstants.MaxDifferencesHistory */ + 1)) { // BINGO! We overlapped, and we have the full trace in memory! return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } else { // Either false overlap, or we didn"t have enough memory for the full trace // Just return the recursion point return null; } } } } // Save current vectors to history before the next iteration if (numDifferences <= 1447 /* LocalConstants.MaxDifferencesHistory */) { // We are allocating space for one extra int, which we fill with // the index of the diagonal base index let temp = new Int32Array(diagonalForwardEnd - diagonalForwardStart + 2); temp[0] = diagonalForwardBase - diagonalForwardStart + 1; MyArray.Copy2(forwardPoints, diagonalForwardStart, temp, 1, diagonalForwardEnd - diagonalForwardStart + 1); this.m_forwardHistory.push(temp); temp = new Int32Array(diagonalReverseEnd - diagonalReverseStart + 2); temp[0] = diagonalReverseBase - diagonalReverseStart + 1; MyArray.Copy2(reversePoints, diagonalReverseStart, temp, 1, diagonalReverseEnd - diagonalReverseStart + 1); this.m_reverseHistory.push(temp); } } // If we got here, then we have the full trace in history. We just have to convert it to a change list // NOTE: This part is a bit messy return this.WALKTRACE(diagonalForwardBase, diagonalForwardStart, diagonalForwardEnd, diagonalForwardOffset, diagonalReverseBase, diagonalReverseStart, diagonalReverseEnd, diagonalReverseOffset, forwardPoints, reversePoints, originalIndex, originalEnd, midOriginalArr, modifiedIndex, modifiedEnd, midModifiedArr, deltaIsEven, quitEarlyArr); } /** * Shifts the given changes to provide a more intuitive diff. * While the first element in a diff matches the first element after the diff, * we shift the diff down. * * @param changes The list of changes to shift * @returns The shifted changes */ PrettifyChanges(changes) { // Shift all the changes down first for (let i = 0; i < changes.length; i++) { const change = changes[i]; const originalStop = (i < changes.length - 1) ? changes[i + 1].originalStart : this._originalElementsOrHash.length; const modifiedStop = (i < changes.length - 1) ? changes[i + 1].modifiedStart : this._modifiedElementsOrHash.length; const checkOriginal = change.originalLength > 0; const checkModified = change.modifiedLength > 0; while (change.originalStart + change.originalLength < originalStop && change.modifiedStart + change.modifiedLength < modifiedStop && (!checkOriginal || this.OriginalElementsAreEqual(change.originalStart, change.originalStart + change.originalLength)) && (!checkModified || this.ModifiedElementsAreEqual(change.modifiedStart, change.modifiedStart + change.modifiedLength))) { const startStrictEqual = this.ElementsAreStrictEqual(change.originalStart, change.modifiedStart); const endStrictEqual = this.ElementsAreStrictEqual(change.originalStart + change.originalLength, change.modifiedStart + change.modifiedLength); if (endStrictEqual && !startStrictEqual) { // moving the change down would create an equal change, but the elements are not strict equal break; } change.originalStart++; change.modifiedStart++; } const mergedChangeArr = [null]; if (i < changes.length - 1 && this.ChangesOverlap(changes[i], changes[i + 1], mergedChangeArr)) { changes[i] = mergedChangeArr[0]; changes.splice(i + 1, 1); i--; continue; } } // Shift changes back up until we hit empty or whitespace-only lines for (let i = changes.length - 1; i >= 0; i--) { const change = changes[i]; let originalStop = 0; let modifiedStop = 0; if (i > 0) { const prevChange = changes[i - 1]; originalStop = prevChange.originalStart + prevChange.originalLength; modifiedStop = prevChange.modifiedStart + prevChange.modifiedLength; } const checkOriginal = change.originalLength > 0; const checkModified = change.modifiedLength > 0; let bestDelta = 0; let bestScore = this._boundaryScore(change.originalStart, change.originalLength, change.modifiedStart, change.modifiedLength); for (let delta = 1;; delta++) { const originalStart = change.originalStart - delta; const modifiedStart = change.modifiedStart - delta; if (originalStart < originalStop || modifiedStart < modifiedStop) { break; } if (checkOriginal && !this.OriginalElementsAreEqual(originalStart, originalStart + change.originalLength)) { break; } if (checkModified && !this.ModifiedElementsAreEqual(modifiedStart, modifiedStart + change.modifiedLength)) { break; } const touchingPreviousChange = (originalStart === originalStop && modifiedStart === modifiedStop); const score = ((touchingPreviousChange ? 5 : 0) + this._boundaryScore(originalStart, change.originalLength, modifiedStart, change.modifiedLength)); if (score > bestScore) { bestScore = score; bestDelta = delta; } } change.originalStart -= bestDelta; change.modifiedStart -= bestDelta; const mergedChangeArr = [null]; if (i > 0 && this.ChangesOverlap(changes[i - 1], changes[i], mergedChangeArr)) { changes[i - 1] = mergedChangeArr[0]; changes.splice(i, 1); i++; continue; } } // There could be multiple longest common substrings. // Give preference to the ones containing longer lines if (this._hasStrings) { for (let i = 1, len = changes.length; i < len; i++) { const aChange = changes[i - 1]; const bChange = changes[i]; const matchedLength = bChange.originalStart - aChange.originalStart - aChange.originalLength; const aOriginalStart = aChange.originalStart; const bOriginalEnd = bChange.originalStart + bChange.originalLength; const abOriginalLength = bOriginalEnd - aOriginalStart; const aModifiedStart = aChange.modifiedStart; const bModifiedEnd = bChange.modifiedStart + bChange.modifiedLength; const abModifiedLength = bModifiedEnd - aModifiedStart; // Avoid wasting a lot of time with these searches if (matchedLength < 5 && abOriginalLength < 20 && abModifiedLength < 20) { const t = this._findBetterContiguousSequence(aOriginalStart, abOriginalLength, aModifiedStart, abModifiedLength, matchedLength); if (t) { const [originalMatchStart, modifiedMatchStart] = t; if (originalMatchStart !== aChange.originalStart + aChange.originalLength || modifiedMatchStart !== aChange.modifiedStart + aChange.modifiedLength) { // switch to another sequence that has a better score aChange.originalLength = originalMatchStart - aChange.originalStart; aChange.modifiedLength = modifiedMatchStart - aChange.modifiedStart; bChange.originalStart = originalMatchStart + matchedLength; bChange.modifiedStart = modifiedMatchStart + matchedLength; bChange.originalLength = bOriginalEnd - bChange.originalStart; bChange.modifiedLength = bModifiedEnd - bChange.modifiedStart; } } } } } return changes; } _findBetterContiguousSequence(originalStart, originalLength, modifiedStart, modifiedLength, desiredLength) { if (originalLength < desiredLength || modifiedLength < desiredLength) { return null; } const originalMax = originalStart + originalLength - desiredLength + 1; const modifiedMax = modifiedStart + modifiedLength - desiredLength + 1; let bestScore = 0; let bestOriginalStart = 0; let bestModifiedStart = 0; for (let i = originalStart; i < originalMax; i++) { for (let j = modifiedStart; j < modifiedMax; j++) { const score = this._contiguousSequenceScore(i, j, desiredLength); if (score > 0 && score > bestScore) { bestScore = score; bestOriginalStart = i; bestModifiedStart = j; } } } if (bestScore > 0) { return [bestOriginalStart, bestModifiedStart]; } return null; } _contiguousSequenceScore(originalStart, modifiedStart, length) { let score = 0; for (let l = 0; l < length; l++) { if (!this.ElementsAreEqual(originalStart + l, modifiedStart + l)) { return 0; } score += this._originalStringElements[originalStart + l].length; } return score; } _OriginalIsBoundary(index) { if (index <= 0 || index >= this._originalElementsOrHash.length - 1) { return true; } return (this._hasStrings && /^s*$/.test(this._originalStringElements[index])); } _OriginalRegionIsBoundary(originalStart, originalLength) { if (this._OriginalIsBoundary(originalStart) || this._OriginalIsBoundary(originalStart - 1)) { return true; } if (originalLength > 0) { const originalEnd = originalStart + originalLength; if (this._OriginalIsBoundary(originalEnd - 1) || this._OriginalIsBoundary(originalEnd)) { return true; } } return false; } _ModifiedIsBoundary(index) { if (index <= 0 || index >= this._modifiedElementsOrHash.length - 1) { return true; } return (this._hasStrings && /^s*$/.test(this._modifiedStringElements[index])); } _ModifiedRegionIsBoundary(modifiedStart, modifiedLength) { if (this._ModifiedIsBoundary(modifiedStart) || this._ModifiedIsBoundary(modifiedStart - 1)) { return true; } if (modifiedLength > 0) { const modifiedEnd = modifiedStart + modifiedLength; if (this._ModifiedIsBoundary(modifiedEnd - 1) || this._ModifiedIsBoundary(modifiedEnd)) { return true; } } return false; } _boundaryScore(originalStart, originalLength, modifiedStart, modifiedLength) { const originalScore = (this._OriginalRegionIsBoundary(originalStart, originalLength) ? 1 : 0); const modifiedScore = (this._ModifiedRegionIsBoundary(modifiedStart, modifiedLength) ? 1 : 0); return (originalScore + modifiedScore); } /** * Concatenates the two input DiffChange lists and returns the resulting * list. * @param The left changes * @param The right changes * @returns The concatenated list */ ConcatenateChanges(left, right) { const mergedChangeArr = []; if (left.length === 0 || right.length === 0) { return (right.length > 0) ? right : left; } else if (this.ChangesOverlap(left[left.length - 1], right[0], mergedChangeArr)) { // Since we break the problem down recursively, it is possible that we // might recurse in the middle of a change thereby splitting it into // two changes. Here in the combining stage, we detect and fuse those // changes back together const result = new Array(left.length + right.length - 1); MyArray.Copy(left, 0, result, 0, left.length - 1); result[left.length - 1] = mergedChangeArr[0]; MyArray.Copy(right, 1, result, left.length, right.length - 1); return result; } else { const result = new Array(left.length + right.length); MyArray.Copy(left, 0, result, 0, left.length); MyArray.Copy(right, 0, result, left.length, right.length); return result; } } /** * Returns true if the two changes overlap and can be merged into a single * change * @param left The left change * @param right The right change * @param mergedChange The merged change if the two overlap, null otherwise * @returns True if the two changes overlap */ ChangesOverlap(left, right, mergedChangeArr) { Debug.Assert(left.originalStart <= right.originalStart, "Left change is not less than or equal to right change"); Debug.Assert(left.modifiedStart <= right.modifiedStart, "Left change is not less than or equal to right change"); if (left.originalStart + left.originalLength >= right.originalStart || left.modifiedStart + left.modifiedLength >= right.modifiedStart) { const originalStart = left.originalStart; let originalLength = left.originalLength; const modifiedStart = left.modifiedStart; let modifiedLength = left.modifiedLength; if (left.originalStart + left.originalLength >= right.originalStart) { originalLength = right.originalStart + right.originalLength - left.originalStart; } if (left.modifiedStart + left.modifiedLength >= right.modifiedStart) { modifiedLength = right.modifiedStart + right.modifiedLength - left.modifiedStart; } mergedChangeArr[0] = new DiffChange(originalStart, originalLength, modifiedStart, modifiedLength); return true; } else { mergedChangeArr[0] = null; return false; } } /** * Helper method used to clip a diagonal index to the range of valid * diagonals. This also decides whether or not the diagonal index, * if it exceeds the boundary, should be clipped to the boundary or clipped * one inside the boundary depending on the Even/Odd status of the boundary * and numDifferences. * @param diagonal The index of the diagonal to clip. * @param numDifferences The current number of differences being iterated upon. * @param diagonalBaseIndex The base reference diagonal. * @param numDiagonals The total number of diagonals. * @returns The clipped diagonal index. */ ClipDiagonalBound(diagonal, numDifferences, diagonalBaseIndex, numDiagonals) { if (diagonal >= 0 && diagonal < numDiagonals) { // Nothing to clip, its in range return diagonal; } // diagonalsBelow: The number of diagonals below the reference diagonal // diagonalsAbove: The number of diagonals above the reference diagonal const diagonalsBelow = diagonalBaseIndex; const diagonalsAbove = numDiagonals - diagonalBaseIndex - 1; const diffEven = (numDifferences % 2 === 0); if (diagonal < 0) { const lowerBoundEven = (diagonalsBelow % 2 === 0); return (diffEven === lowerBoundEven) ? 0 : 1; } else { const upperBoundEven = (diagonalsAbove % 2 === 0); return (diffEven === upperBoundEven) ? numDiagonals - 1 : numDiagonals - 2; } } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/process.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ let safeProcess; // Native sandbox environment const vscodeGlobal = globalThis.vscode; if (typeof vscodeGlobal !== "undefined" && typeof vscodeGlobal.process !== "undefined") { const sandboxProcess = vscodeGlobal.process; safeProcess = { get platform() { return sandboxProcess.platform; }, get arch() { return sandboxProcess.arch; }, get env() { return sandboxProcess.env; }, cwd() { return sandboxProcess.cwd(); } }; } // Native node.js environment else if (typeof process !== "undefined") { safeProcess = { get platform() { return process.platform; }, get arch() { return process.arch; }, get env() { return process.env; }, cwd() { return process.env["VSCODE_CWD"] || process.cwd(); } }; } // Web environment else { safeProcess = { // Supported get platform() { return isWindows ? "win32" : isMacintosh ? "darwin" : "linux"; }, get arch() { return undefined; /* arch is undefined in web */ }, // Unsupported get env() { return {}; }, cwd() { return "/"; } }; } /** * Provides safe access to the `cwd` property in node.js, sandboxed or web * environments. * * Note: in web, this property is hardcoded to be `/`. * * @skipMangle */ const process_cwd = safeProcess.cwd; /** * Provides safe access to the `env` property in node.js, sandboxed or web * environments. * * Note: in web, this property is hardcoded to be `{}`. */ const env = safeProcess.env; /** * Provides safe access to the `platform` property in node.js, sandboxed or web * environments. */ const platform = safeProcess.platform; ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/path.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // NOTE: VSCode"s copy of nodejs path library to be usable in common (non-node) namespace // Copied from: https://github.com/nodejs/node/blob/v16.14.2/lib/path.js /** * Copyright Joyent, Inc. and other Node contributors. * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the * "Software"), to deal in the Software without restriction, including * without limitation the rights to use, copy, modify, merge, publish, * distribute, sublicense, and/or sell copies of the Software, and to permit * persons to whom the Software is furnished to do so, subject to the * following conditions: * * The above copyright notice and this permission notice shall be included * in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS * OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN * NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, * DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR * OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE * USE OR OTHER DEALINGS IN THE SOFTWARE. */ const CHAR_UPPERCASE_A = 65; /* A */ const CHAR_LOWERCASE_A = 97; /* a */ const CHAR_UPPERCASE_Z = 90; /* Z */ const CHAR_LOWERCASE_Z = 122; /* z */ const CHAR_DOT = 46; /* . */ const CHAR_FORWARD_SLASH = 47; /* / */ const CHAR_BACKWARD_SLASH = 92; /* */ const CHAR_COLON = 58; /* : */ const CHAR_QUESTION_MARK = 63; /* ? */ class ErrorInvalidArgType extends Error { constructor(name, expected, actual) { // determiner: "must be" or "must not be" let determiner; if (typeof expected === "string" && expected.indexOf("not ") === 0) { determiner = "must not be"; expected = expected.replace(/^not /, ""); } else { determiner = "must be"; } const type = name.indexOf(".") !== -1 ? "property" : "argument"; let msg = `The "${name}" ${type} ${determiner} of type ${expected}`; msg += `. Received type ${typeof actual}`; super(msg); this.code = "ERR_INVALID_ARG_TYPE"; } } function validateObject(pathObject, name) { if (pathObject === null || typeof pathObject !== "object") { throw new ErrorInvalidArgType(name, "Object", pathObject); } } function validateString(value, name) { if (typeof value !== "string") { throw new ErrorInvalidArgType(name, "string", value); } } const platformIsWin32 = (platform === "win32"); function isPathSeparator(code) { return code === CHAR_FORWARD_SLASH || code === CHAR_BACKWARD_SLASH; } function isPosixPathSeparator(code) { return code === CHAR_FORWARD_SLASH; } function isWindowsDeviceRoot(code) { return (code >= CHAR_UPPERCASE_A && code <= CHAR_UPPERCASE_Z) || (code >= CHAR_LOWERCASE_A && code <= CHAR_LOWERCASE_Z); } // Resolves . and .. elements in a path with directory names function normalizeString(path, allowAboveRoot, separator, isPathSeparator) { let res = ""; let lastSegmentLength = 0; let lastSlash = -1; let dots = 0; let code = 0; for (let i = 0; i <= path.length; ++i) { if (i < path.length) { code = path.charCodeAt(i); } else if (isPathSeparator(code)) { break; } else { code = CHAR_FORWARD_SLASH; } if (isPathSeparator(code)) { if (lastSlash === i - 1 || dots === 1) { // NOOP } else if (dots === 2) { if (res.length < 2 || lastSegmentLength !== 2 || res.charCodeAt(res.length - 1) !== CHAR_DOT || res.charCodeAt(res.length - 2) !== CHAR_DOT) { if (res.length > 2) { const lastSlashIndex = res.lastIndexOf(separator); if (lastSlashIndex === -1) { res = ""; lastSegmentLength = 0; } else { res = res.slice(0, lastSlashIndex); lastSegmentLength = res.length - 1 - res.lastIndexOf(separator); } lastSlash = i; dots = 0; continue; } else if (res.length !== 0) { res = ""; lastSegmentLength = 0; lastSlash = i; dots = 0; continue; } } if (allowAboveRoot) { res += res.length > 0 ? `${separator}..` : ".."; lastSegmentLength = 2; } } else { if (res.length > 0) { res += `${separator}${path.slice(lastSlash + 1, i)}`; } else { res = path.slice(lastSlash + 1, i); } lastSegmentLength = i - lastSlash - 1; } lastSlash = i; dots = 0; } else if (code === CHAR_DOT && dots !== -1) { ++dots; } else { dots = -1; } } return res; } function path_format(sep, pathObject) { validateObject(pathObject, "pathObject"); const dir = pathObject.dir || pathObject.root; const base = pathObject.base || `${pathObject.name || ""}${pathObject.ext || ""}`; if (!dir) { return base; } return dir === pathObject.root ? `${dir}${base}` : `${dir}${sep}${base}`; } const win32 = { // path.resolve([from ...], to) resolve(...pathSegments) { let resolvedDevice = ""; let resolvedTail = ""; let resolvedAbsolute = false; for (let i = pathSegments.length - 1; i >= -1; i--) { let path; if (i >= 0) { path = pathSegments[i]; validateString(path, "path"); // Skip empty entries if (path.length === 0) { continue; } } else if (resolvedDevice.length === 0) { path = process_cwd(); } else { // Windows has the concept of drive-specific current working // directories. If we"ve resolved a drive letter but not yet an // absolute path, get cwd for that drive, or the process cwd if // the drive cwd is not available. We"re sure the device is not // a UNC path at this points, because UNC paths are always absolute. path = env[`=${resolvedDevice}`] || process_cwd(); // Verify that a cwd was found and that it actually points // to our drive. If not, default to the drive"s root. if (path === undefined || (path.slice(0, 2).toLowerCase() !== resolvedDevice.toLowerCase() && path.charCodeAt(2) === CHAR_BACKWARD_SLASH)) { path = `${resolvedDevice}\`; } } const len = path.length; let rootEnd = 0; let device = ""; let isAbsolute = false; const code = path.charCodeAt(0); // Try to match a root if (len === 1) { if (isPathSeparator(code)) { // `path` contains just a path separator rootEnd = 1; isAbsolute = true; } } else if (isPathSeparator(code)) { // Possible UNC root // If we started with a separator, we know we at least have an // absolute path of some kind (UNC or otherwise) isAbsolute = true; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning let j = 2; let last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { const firstPart = path.slice(last, j); // Matched! last = j; // Match 1 or more path separators while (j < len && isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j === len || j !== last) { // We matched a UNC root device = `\\${firstPart}\${path.slice(last, j)}`; rootEnd = j; } } } } else { rootEnd = 1; } } else if (isWindowsDeviceRoot(code) && path.charCodeAt(1) === CHAR_COLON) { // Possible device root device = path.slice(0, 2); rootEnd = 2; if (len > 2 && isPathSeparator(path.charCodeAt(2))) { // Treat separator following drive name as an absolute path // indicator isAbsolute = true; rootEnd = 3; } } if (device.length > 0) { if (resolvedDevice.length > 0) { if (device.toLowerCase() !== resolvedDevice.toLowerCase()) { // This path points to another device so it is not applicable continue; } } else { resolvedDevice = device; } } if (resolvedAbsolute) { if (resolvedDevice.length > 0) { break; } } else { resolvedTail = `${path.slice(rootEnd)}\${resolvedTail}`; resolvedAbsolute = isAbsolute; if (isAbsolute && resolvedDevice.length > 0) { break; } } } // At this point the path should be resolved to a full absolute path, // but handle relative paths to be safe (might happen when process.cwd() // fails) // Normalize the tail path resolvedTail = normalizeString(resolvedTail, !resolvedAbsolute, "\", isPathSeparator); return resolvedAbsolute ? `${resolvedDevice}\${resolvedTail}` : `${resolvedDevice}${resolvedTail}` || "."; }, normalize(path) { validateString(path, "path"); const len = path.length; if (len === 0) { return "."; } let rootEnd = 0; let device; let isAbsolute = false; const code = path.charCodeAt(0); // Try to match a root if (len === 1) { // `path` contains just a single char, exit early to avoid // unnecessary work return isPosixPathSeparator(code) ? "\" : path; } if (isPathSeparator(code)) { // Possible UNC root // If we started with a separator, we know we at least have an absolute // path of some kind (UNC or otherwise) isAbsolute = true; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning let j = 2; let last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { const firstPart = path.slice(last, j); // Matched! last = j; // Match 1 or more path separators while (j < len && isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j === len) { // We matched a UNC root only // Return the normalized version of the UNC root since there // is nothing left to process return `\\${firstPart}\${path.slice(last)}\`; } if (j !== last) { // We matched a UNC root with leftovers device = `\\${firstPart}\${path.slice(last, j)}`; rootEnd = j; } } } } else { rootEnd = 1; } } else if (isWindowsDeviceRoot(code) && path.charCodeAt(1) === CHAR_COLON) { // Possible device root device = path.slice(0, 2); rootEnd = 2; if (len > 2 && isPathSeparator(path.charCodeAt(2))) { // Treat separator following drive name as an absolute path // indicator isAbsolute = true; rootEnd = 3; } } let tail = rootEnd < len ? normalizeString(path.slice(rootEnd), !isAbsolute, "\", isPathSeparator) : ""; if (tail.length === 0 && !isAbsolute) { tail = "."; } if (tail.length > 0 && isPathSeparator(path.charCodeAt(len - 1))) { tail += "\"; } if (device === undefined) { return isAbsolute ? `\${tail}` : tail; } return isAbsolute ? `${device}\${tail}` : `${device}${tail}`; }, isAbsolute(path) { validateString(path, "path"); const len = path.length; if (len === 0) { return false; } const code = path.charCodeAt(0); return isPathSeparator(code) || // Possible device root (len > 2 && isWindowsDeviceRoot(code) && path.charCodeAt(1) === CHAR_COLON && isPathSeparator(path.charCodeAt(2))); }, join(...paths) { if (paths.length === 0) { return "."; } let joined; let firstPart; for (let i = 0; i < paths.length; ++i) { const arg = paths[i]; validateString(arg, "path"); if (arg.length > 0) { if (joined === undefined) { joined = firstPart = arg; } else { joined += `\${arg}`; } } } if (joined === undefined) { return "."; } // Make sure that the joined path doesn"t start with two slashes, because // normalize() will mistake it for a UNC path then. // // This step is skipped when it is very clear that the user actually // intended to point at a UNC path. This is assumed when the first // non-empty string arguments starts with exactly two slashes followed by // at least one more non-slash character. // // Note that for normalize() to treat a path as a UNC path it needs to // have at least 2 components, so we don"t filter for that here. // This means that the user can use join to construct UNC paths from // a server name and a share name; for example: // path.join("//server", "share") -> "\\server\share\") let needsReplace = true; let slashCount = 0; if (typeof firstPart === "string" && isPathSeparator(firstPart.charCodeAt(0))) { ++slashCount; const firstLen = firstPart.length; if (firstLen > 1 && isPathSeparator(firstPart.charCodeAt(1))) { ++slashCount; if (firstLen > 2) { if (isPathSeparator(firstPart.charCodeAt(2))) { ++slashCount; } else { // We matched a UNC path in the first part needsReplace = false; } } } } if (needsReplace) { // Find any more consecutive slashes we need to replace while (slashCount < joined.length && isPathSeparator(joined.charCodeAt(slashCount))) { slashCount++; } // Replace the slashes if needed if (slashCount >= 2) { joined = `\${joined.slice(slashCount)}`; } } return win32.normalize(joined); }, // It will solve the relative path from `from` to `to`, for instance: // from = "C:\orandea\test\aaa" // to = "C:\orandea\impl\bbb" // The output of the function should be: "..\..\impl\bbb" relative(from, to) { validateString(from, "from"); validateString(to, "to"); if (from === to) { return ""; } const fromOrig = win32.resolve(from); const toOrig = win32.resolve(to); if (fromOrig === toOrig) { return ""; } from = fromOrig.toLowerCase(); to = toOrig.toLowerCase(); if (from === to) { return ""; } // Trim any leading backslashes let fromStart = 0; while (fromStart < from.length && from.charCodeAt(fromStart) === CHAR_BACKWARD_SLASH) { fromStart++; } // Trim trailing backslashes (applicable to UNC paths only) let fromEnd = from.length; while (fromEnd - 1 > fromStart && from.charCodeAt(fromEnd - 1) === CHAR_BACKWARD_SLASH) { fromEnd--; } const fromLen = fromEnd - fromStart; // Trim any leading backslashes let toStart = 0; while (toStart < to.length && to.charCodeAt(toStart) === CHAR_BACKWARD_SLASH) { toStart++; } // Trim trailing backslashes (applicable to UNC paths only) let toEnd = to.length; while (toEnd - 1 > toStart && to.charCodeAt(toEnd - 1) === CHAR_BACKWARD_SLASH) { toEnd--; } const toLen = toEnd - toStart; // Compare paths to find the longest common path from root const length = fromLen < toLen ? fromLen : toLen; let lastCommonSep = -1; let i = 0; for (; i < length; i++) { const fromCode = from.charCodeAt(fromStart + i); if (fromCode !== to.charCodeAt(toStart + i)) { break; } else if (fromCode === CHAR_BACKWARD_SLASH) { lastCommonSep = i; } } // We found a mismatch before the first common path separator was seen, so // return the original `to`. if (i !== length) { if (lastCommonSep === -1) { return toOrig; } } else { if (toLen > length) { if (to.charCodeAt(toStart + i) === CHAR_BACKWARD_SLASH) { // We get here if `from` is the exact base path for `to`. // For example: from="C:\foo\bar"; to="C:\foo\bar\baz" return toOrig.slice(toStart + i + 1); } if (i === 2) { // We get here if `from` is the device root. // For example: from="C:\"; to="C:\foo" return toOrig.slice(toStart + i); } } if (fromLen > length) { if (from.charCodeAt(fromStart + i) === CHAR_BACKWARD_SLASH) { // We get here if `to` is the exact base path for `from`. // For example: from="C:\foo\bar"; to="C:\foo" lastCommonSep = i; } else if (i === 2) { // We get here if `to` is the device root. // For example: from="C:\foo\bar"; to="C:\" lastCommonSep = 3; } } if (lastCommonSep === -1) { lastCommonSep = 0; } } let out = ""; // Generate the relative path based on the path difference between `to` and // `from` for (i = fromStart + lastCommonSep + 1; i <= fromEnd; ++i) { if (i === fromEnd || from.charCodeAt(i) === CHAR_BACKWARD_SLASH) { out += out.length === 0 ? ".." : "\.."; } } toStart += lastCommonSep; // Lastly, append the rest of the destination (`to`) path that comes after // the common path parts if (out.length > 0) { return `${out}${toOrig.slice(toStart, toEnd)}`; } if (toOrig.charCodeAt(toStart) === CHAR_BACKWARD_SLASH) { ++toStart; } return toOrig.slice(toStart, toEnd); }, toNamespacedPath(path) { // Note: this will *probably* throw somewhere. if (typeof path !== "string" || path.length === 0) { return path; } const resolvedPath = win32.resolve(path); if (resolvedPath.length <= 2) { return path; } if (resolvedPath.charCodeAt(0) === CHAR_BACKWARD_SLASH) { // Possible UNC root if (resolvedPath.charCodeAt(1) === CHAR_BACKWARD_SLASH) { const code = resolvedPath.charCodeAt(2); if (code !== CHAR_QUESTION_MARK && code !== CHAR_DOT) { // Matched non-long UNC root, convert the path to a long UNC path return `\\?\UNC\${resolvedPath.slice(2)}`; } } } else if (isWindowsDeviceRoot(resolvedPath.charCodeAt(0)) && resolvedPath.charCodeAt(1) === CHAR_COLON && resolvedPath.charCodeAt(2) === CHAR_BACKWARD_SLASH) { // Matched device root, convert the path to a long UNC path return `\\?\${resolvedPath}`; } return path; }, dirname(path) { validateString(path, "path"); const len = path.length; if (len === 0) { return "."; } let rootEnd = -1; let offset = 0; const code = path.charCodeAt(0); if (len === 1) { // `path` contains just a path separator, exit early to avoid // unnecessary work or a dot. return isPathSeparator(code) ? path : "."; } // Try to match a root if (isPathSeparator(code)) { // Possible UNC root rootEnd = offset = 1; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning let j = 2; let last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more path separators while (j < len && isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j === len) { // We matched a UNC root only return path; } if (j !== last) { // We matched a UNC root with leftovers // Offset by 1 to include the separator after the UNC root to // treat it as a "normal root" on top of a (UNC) root rootEnd = offset = j + 1; } } } } // Possible device root } else if (isWindowsDeviceRoot(code) && path.charCodeAt(1) === CHAR_COLON) { rootEnd = len > 2 && isPathSeparator(path.charCodeAt(2)) ? 3 : 2; offset = rootEnd; } let end = -1; let matchedSlash = true; for (let i = len - 1; i >= offset; --i) { if (isPathSeparator(path.charCodeAt(i))) { if (!matchedSlash) { end = i; break; } } else { // We saw the first non-path separator matchedSlash = false; } } if (end === -1) { if (rootEnd === -1) { return "."; } end = rootEnd; } return path.slice(0, end); }, basename(path, ext) { if (ext !== undefined) { validateString(ext, "ext"); } validateString(path, "path"); let start = 0; let end = -1; let matchedSlash = true; let i; // Check for a drive letter prefix so as not to mistake the following // path separator as an extra separator at the end of the path that can be // disregarded if (path.length >= 2 && isWindowsDeviceRoot(path.charCodeAt(0)) && path.charCodeAt(1) === CHAR_COLON) { start = 2; } if (ext !== undefined && ext.length > 0 && ext.length <= path.length) { if (ext === path) { return ""; } let extIdx = ext.length - 1; let firstNonSlashEnd = -1; for (i = path.length - 1; i >= start; --i) { const code = path.charCodeAt(i); if (isPathSeparator(code)) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else { if (firstNonSlashEnd === -1) { // We saw the first non-path separator, remember this index in case // we need it if the extension ends up not matching matchedSlash = false; firstNonSlashEnd = i + 1; } if (extIdx >= 0) { // Try to match the explicit extension if (code === ext.charCodeAt(extIdx)) { if (--extIdx === -1) { // We matched the extension, so mark this as the end of our path // component end = i; } } else { // Extension does not match, so our result is the entire path // component extIdx = -1; end = firstNonSlashEnd; } } } } if (start === end) { end = firstNonSlashEnd; } else if (end === -1) { end = path.length; } return path.slice(start, end); } for (i = path.length - 1; i >= start; --i) { if (isPathSeparator(path.charCodeAt(i))) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else if (end === -1) { // We saw the first non-path separator, mark this as the end of our // path component matchedSlash = false; end = i + 1; } } if (end === -1) { return ""; } return path.slice(start, end); }, extname(path) { validateString(path, "path"); let start = 0; let startDot = -1; let startPart = 0; let end = -1; let matchedSlash = true; // Track the state of characters (if any) we see before our first dot and // after any path separator we find let preDotState = 0; // Check for a drive letter prefix so as not to mistake the following // path separator as an extra separator at the end of the path that can be // disregarded if (path.length >= 2 && path.charCodeAt(1) === CHAR_COLON && isWindowsDeviceRoot(path.charCodeAt(0))) { start = startPart = 2; } for (let i = path.length - 1; i >= start; --i) { const code = path.charCodeAt(i); if (isPathSeparator(code)) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly ".." (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { return ""; } return path.slice(startDot, end); }, format: path_format.bind(null, "\"), parse(path) { validateString(path, "path"); const ret = { root: "", dir: "", base: "", ext: "", name: "" }; if (path.length === 0) { return ret; } const len = path.length; let rootEnd = 0; let code = path.charCodeAt(0); if (len === 1) { if (isPathSeparator(code)) { // `path` contains just a path separator, exit early to avoid // unnecessary work ret.root = ret.dir = path; return ret; } ret.base = ret.name = path; return ret; } // Try to match a root if (isPathSeparator(code)) { // Possible UNC root rootEnd = 1; if (isPathSeparator(path.charCodeAt(1))) { // Matched double path separator at beginning let j = 2; let last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more path separators while (j < len && isPathSeparator(path.charCodeAt(j))) { j++; } if (j < len && j !== last) { // Matched! last = j; // Match 1 or more non-path separators while (j < len && !isPathSeparator(path.charCodeAt(j))) { j++; } if (j === len) { // We matched a UNC root only rootEnd = j; } else if (j !== last) { // We matched a UNC root with leftovers rootEnd = j + 1; } } } } } else if (isWindowsDeviceRoot(code) && path.charCodeAt(1) === CHAR_COLON) { // Possible device root if (len <= 2) { // `path` contains just a drive root, exit early to avoid // unnecessary work ret.root = ret.dir = path; return ret; } rootEnd = 2; if (isPathSeparator(path.charCodeAt(2))) { if (len === 3) { // `path` contains just a drive root, exit early to avoid // unnecessary work ret.root = ret.dir = path; return ret; } rootEnd = 3; } } if (rootEnd > 0) { ret.root = path.slice(0, rootEnd); } let startDot = -1; let startPart = rootEnd; let end = -1; let matchedSlash = true; let i = path.length - 1; // Track the state of characters (if any) we see before our first dot and // after any path separator we find let preDotState = 0; // Get non-dir info for (; i >= rootEnd; --i) { code = path.charCodeAt(i); if (isPathSeparator(code)) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (end !== -1) { if (startDot === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly ".." (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { ret.base = ret.name = path.slice(startPart, end); } else { ret.name = path.slice(startPart, startDot); ret.base = path.slice(startPart, end); ret.ext = path.slice(startDot, end); } } // If the directory is the root, use the entire root as the `dir` including // the trailing slash if any (`C:abc` -> `C:`). Otherwise, strip out the // trailing slash (`C:abcdef` -> `C:abc`). if (startPart > 0 && startPart !== rootEnd) { ret.dir = path.slice(0, startPart - 1); } else { ret.dir = ret.root; } return ret; }, sep: "\", delimiter: ";", win32: null, posix: null }; const posixCwd = (() => { if (platformIsWin32) { // Converts Windows" backslash path separators to POSIX forward slashes // and truncates any drive indicator const regexp = /\/g; return () => { const cwd = process_cwd().replace(regexp, "/"); return cwd.slice(cwd.indexOf("/")); }; } // We"re already on POSIX, no need for any transformations return () => process_cwd(); })(); const posix = { // path.resolve([from ...], to) resolve(...pathSegments) { let resolvedPath = ""; let resolvedAbsolute = false; for (let i = pathSegments.length - 1; i >= -1 && !resolvedAbsolute; i--) { const path = i >= 0 ? pathSegments[i] : posixCwd(); validateString(path, "path"); // Skip empty entries if (path.length === 0) { continue; } resolvedPath = `${path}/${resolvedPath}`; resolvedAbsolute = path.charCodeAt(0) === CHAR_FORWARD_SLASH; } // At this point the path should be resolved to a full absolute path, but // handle relative paths to be safe (might happen when process.cwd() fails) // Normalize the path resolvedPath = normalizeString(resolvedPath, !resolvedAbsolute, "/", isPosixPathSeparator); if (resolvedAbsolute) { return `/${resolvedPath}`; } return resolvedPath.length > 0 ? resolvedPath : "."; }, normalize(path) { validateString(path, "path"); if (path.length === 0) { return "."; } const isAbsolute = path.charCodeAt(0) === CHAR_FORWARD_SLASH; const trailingSeparator = path.charCodeAt(path.length - 1) === CHAR_FORWARD_SLASH; // Normalize the path path = normalizeString(path, !isAbsolute, "/", isPosixPathSeparator); if (path.length === 0) { if (isAbsolute) { return "/"; } return trailingSeparator ? "./" : "."; } if (trailingSeparator) { path += "/"; } return isAbsolute ? `/${path}` : path; }, isAbsolute(path) { validateString(path, "path"); return path.length > 0 && path.charCodeAt(0) === CHAR_FORWARD_SLASH; }, join(...paths) { if (paths.length === 0) { return "."; } let joined; for (let i = 0; i < paths.length; ++i) { const arg = paths[i]; validateString(arg, "path"); if (arg.length > 0) { if (joined === undefined) { joined = arg; } else { joined += `/${arg}`; } } } if (joined === undefined) { return "."; } return posix.normalize(joined); }, relative(from, to) { validateString(from, "from"); validateString(to, "to"); if (from === to) { return ""; } // Trim leading forward slashes. from = posix.resolve(from); to = posix.resolve(to); if (from === to) { return ""; } const fromStart = 1; const fromEnd = from.length; const fromLen = fromEnd - fromStart; const toStart = 1; const toLen = to.length - toStart; // Compare paths to find the longest common path from root const length = (fromLen < toLen ? fromLen : toLen); let lastCommonSep = -1; let i = 0; for (; i < length; i++) { const fromCode = from.charCodeAt(fromStart + i); if (fromCode !== to.charCodeAt(toStart + i)) { break; } else if (fromCode === CHAR_FORWARD_SLASH) { lastCommonSep = i; } } if (i === length) { if (toLen > length) { if (to.charCodeAt(toStart + i) === CHAR_FORWARD_SLASH) { // We get here if `from` is the exact base path for `to`. // For example: from="/foo/bar"; to="/foo/bar/baz" return to.slice(toStart + i + 1); } if (i === 0) { // We get here if `from` is the root // For example: from="/"; to="/foo" return to.slice(toStart + i); } } else if (fromLen > length) { if (from.charCodeAt(fromStart + i) === CHAR_FORWARD_SLASH) { // We get here if `to` is the exact base path for `from`. // For example: from="/foo/bar/baz"; to="/foo/bar" lastCommonSep = i; } else if (i === 0) { // We get here if `to` is the root. // For example: from="/foo/bar"; to="/" lastCommonSep = 0; } } } let out = ""; // Generate the relative path based on the path difference between `to` // and `from`. for (i = fromStart + lastCommonSep + 1; i <= fromEnd; ++i) { if (i === fromEnd || from.charCodeAt(i) === CHAR_FORWARD_SLASH) { out += out.length === 0 ? ".." : "/.."; } } // Lastly, append the rest of the destination (`to`) path that comes after // the common path parts. return `${out}${to.slice(toStart + lastCommonSep)}`; }, toNamespacedPath(path) { // Non-op on posix systems return path; }, dirname(path) { validateString(path, "path"); if (path.length === 0) { return "."; } const hasRoot = path.charCodeAt(0) === CHAR_FORWARD_SLASH; let end = -1; let matchedSlash = true; for (let i = path.length - 1; i >= 1; --i) { if (path.charCodeAt(i) === CHAR_FORWARD_SLASH) { if (!matchedSlash) { end = i; break; } } else { // We saw the first non-path separator matchedSlash = false; } } if (end === -1) { return hasRoot ? "/" : "."; } if (hasRoot && end === 1) { return "//"; } return path.slice(0, end); }, basename(path, ext) { if (ext !== undefined) { validateString(ext, "ext"); } validateString(path, "path"); let start = 0; let end = -1; let matchedSlash = true; let i; if (ext !== undefined && ext.length > 0 && ext.length <= path.length) { if (ext === path) { return ""; } let extIdx = ext.length - 1; let firstNonSlashEnd = -1; for (i = path.length - 1; i >= 0; --i) { const code = path.charCodeAt(i); if (code === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else { if (firstNonSlashEnd === -1) { // We saw the first non-path separator, remember this index in case // we need it if the extension ends up not matching matchedSlash = false; firstNonSlashEnd = i + 1; } if (extIdx >= 0) { // Try to match the explicit extension if (code === ext.charCodeAt(extIdx)) { if (--extIdx === -1) { // We matched the extension, so mark this as the end of our path // component end = i; } } else { // Extension does not match, so our result is the entire path // component extIdx = -1; end = firstNonSlashEnd; } } } } if (start === end) { end = firstNonSlashEnd; } else if (end === -1) { end = path.length; } return path.slice(start, end); } for (i = path.length - 1; i >= 0; --i) { if (path.charCodeAt(i) === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { start = i + 1; break; } } else if (end === -1) { // We saw the first non-path separator, mark this as the end of our // path component matchedSlash = false; end = i + 1; } } if (end === -1) { return ""; } return path.slice(start, end); }, extname(path) { validateString(path, "path"); let startDot = -1; let startPart = 0; let end = -1; let matchedSlash = true; // Track the state of characters (if any) we see before our first dot and // after any path separator we find let preDotState = 0; for (let i = path.length - 1; i >= 0; --i) { const code = path.charCodeAt(i); if (code === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly ".." (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { return ""; } return path.slice(startDot, end); }, format: path_format.bind(null, "/"), parse(path) { validateString(path, "path"); const ret = { root: "", dir: "", base: "", ext: "", name: "" }; if (path.length === 0) { return ret; } const isAbsolute = path.charCodeAt(0) === CHAR_FORWARD_SLASH; let start; if (isAbsolute) { ret.root = "/"; start = 1; } else { start = 0; } let startDot = -1; let startPart = 0; let end = -1; let matchedSlash = true; let i = path.length - 1; // Track the state of characters (if any) we see before our first dot and // after any path separator we find let preDotState = 0; // Get non-dir info for (; i >= start; --i) { const code = path.charCodeAt(i); if (code === CHAR_FORWARD_SLASH) { // If we reached a path separator that was not part of a set of path // separators at the end of the string, stop now if (!matchedSlash) { startPart = i + 1; break; } continue; } if (end === -1) { // We saw the first non-path separator, mark this as the end of our // extension matchedSlash = false; end = i + 1; } if (code === CHAR_DOT) { // If this is our first dot, mark it as the start of our extension if (startDot === -1) { startDot = i; } else if (preDotState !== 1) { preDotState = 1; } } else if (startDot !== -1) { // We saw a non-dot and non-path separator before our dot, so we should // have a good chance at having a non-empty extension preDotState = -1; } } if (end !== -1) { const start = startPart === 0 && isAbsolute ? 1 : startPart; if (startDot === -1 || // We saw a non-dot character immediately before the dot preDotState === 0 || // The (right-most) trimmed path component is exactly ".." (preDotState === 1 && startDot === end - 1 && startDot === startPart + 1)) { ret.base = ret.name = path.slice(start, end); } else { ret.name = path.slice(start, startDot); ret.base = path.slice(start, end); ret.ext = path.slice(startDot, end); } } if (startPart > 0) { ret.dir = path.slice(0, startPart - 1); } else if (isAbsolute) { ret.dir = "/"; } return ret; }, sep: "/", delimiter: ":", win32: null, posix: null }; posix.win32 = win32.win32 = win32; posix.posix = win32.posix = posix; const normalize = (platformIsWin32 ? win32.normalize : posix.normalize); const resolve = (platformIsWin32 ? win32.resolve : posix.resolve); const relative = (platformIsWin32 ? win32.relative : posix.relative); const dirname = (platformIsWin32 ? win32.dirname : posix.dirname); const basename = (platformIsWin32 ? win32.basename : posix.basename); const extname = (platformIsWin32 ? win32.extname : posix.extname); const sep = (platformIsWin32 ? win32.sep : posix.sep); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/uri.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const _schemePattern = /^w[wd+.-]*$/; const _singleSlashStart = /^//; const _doubleSlashStart = /^///; function _validateUri(ret, _strict) { // scheme, must be set if (!ret.scheme && _strict) { throw new Error(`[UriError]: Scheme is missing: {scheme: "", authority: "${ret.authority}", path: "${ret.path}", query: "${ret.query}", fragment: "${ret.fragment}"}`); } // scheme, https://tools.ietf.org/html/rfc3986#section-3.1 // ALPHA *( ALPHA / DIGIT / "+" / "-" / "." ) if (ret.scheme && !_schemePattern.test(ret.scheme)) { throw new Error("[UriError]: Scheme contains illegal characters."); } // path, http://tools.ietf.org/html/rfc3986#section-3.3 // If a URI contains an authority component, then the path component // must either be empty or begin with a slash ("/") character. If a URI // does not contain an authority component, then the path cannot begin // with two slash characters ("//"). if (ret.path) { if (ret.authority) { if (!_singleSlashStart.test(ret.path)) { throw new Error("[UriError]: If a URI contains an authority component, then the path component must either be empty or begin with a slash ("/") character"); } } else { if (_doubleSlashStart.test(ret.path)) { throw new Error("[UriError]: If a URI does not contain an authority component, then the path cannot begin with two slash characters ("//")"); } } } } // for a while we allowed uris *without* schemes and this is the migration // for them, e.g. an uri without scheme and without strict-mode warns and falls // back to the file-scheme. that should cause the least carnage and still be a // clear warning function _schemeFix(scheme, _strict) { if (!scheme && !_strict) { return "file"; } return scheme; } // implements a bit of https://tools.ietf.org/html/rfc3986#section-5 function _referenceResolution(scheme, path) { // the slash-character is our "default base" as we don"t // support constructing URIs relative to other URIs. This // also means that we alter and potentially break paths. // see https://tools.ietf.org/html/rfc3986#section-5.1.4 switch (scheme) { case "https": case "http": case "file": if (!path) { path = _slash; } else if (path[0] !== _slash) { path = _slash + path; } break; } return path; } const _empty = ""; const _slash = "/"; const _regexp = /^(([^:/?#]+?):)?(//([^/?#]*))?([^?#]*)(?([^#]*))?(#(.*))?/; /** * Uniform Resource Identifier (URI) http://tools.ietf.org/html/rfc3986. * This class is a simple parser which creates the basic component parts * (http://tools.ietf.org/html/rfc3986#section-3) with minimal validation * and encoding. * * ```txt * foo://example.com:8042/over/there?name=ferret#nose * \_/ \______________/\_________/ \_________/ \__/ * | | | | | * scheme authority path query fragment * | _____________________|__ * / / * urn:example:animal:ferret:nose * ``` */ class uri_URI { static isUri(thing) { if (thing instanceof uri_URI) { return true; } if (!thing) { return false; } return typeof thing.authority === "string" && typeof thing.fragment === "string" && typeof thing.path === "string" && typeof thing.query === "string" && typeof thing.scheme === "string" && typeof thing.fsPath === "string" && typeof thing.with === "function" && typeof thing.toString === "function"; } /** * @internal */ constructor(schemeOrData, authority, path, query, fragment, _strict = false) { if (typeof schemeOrData === "object") { this.scheme = schemeOrData.scheme || _empty; this.authority = schemeOrData.authority || _empty; this.path = schemeOrData.path || _empty; this.query = schemeOrData.query || _empty; this.fragment = schemeOrData.fragment || _empty; // no validation because it"s this URI // that creates uri components. // _validateUri(this); } else { this.scheme = _schemeFix(schemeOrData, _strict); this.authority = authority || _empty; this.path = _referenceResolution(this.scheme, path || _empty); this.query = query || _empty; this.fragment = fragment || _empty; _validateUri(this, _strict); } } // ---- filesystem path ----------------------- /** * Returns a string representing the corresponding file system path of this URI. * Will handle UNC paths, normalizes windows drive letters to lower-case, and uses the * platform specific path separator. * * * Will *not* validate the path for invalid characters and semantics. * * Will *not* look at the scheme of this URI. * * The result shall *not* be used for display purposes but for accessing a file on disk. * * * The *difference* to `URI#path` is the use of the platform specific separator and the handling * of UNC paths. See the below sample of a file-uri with an authority (UNC path). * * ```ts const u = URI.parse("file://server/c$/folder/file.txt") u.authority === "server" u.path === "/shares/c$/file.txt" u.fsPath === "\serverc$folderfile.txt" ``` * * Using `URI#path` to read a file (using fs-apis) would not be enough because parts of the path, * namely the server name, would be missing. Therefore `URI#fsPath` exists - it"s sugar to ease working * with URIs that represent files on disk (`file` scheme). */ get fsPath() { // if (this.scheme !== "file") { // console.warn(`[UriError] calling fsPath with scheme ${this.scheme}`); // } return uriToFsPath(this, false); } // ---- modify to new ------------------------- with(change) { if (!change) { return this; } let { scheme, authority, path, query, fragment } = change; if (scheme === undefined) { scheme = this.scheme; } else if (scheme === null) { scheme = _empty; } if (authority === undefined) { authority = this.authority; } else if (authority === null) { authority = _empty; } if (path === undefined) { path = this.path; } else if (path === null) { path = _empty; } if (query === undefined) { query = this.query; } else if (query === null) { query = _empty; } if (fragment === undefined) { fragment = this.fragment; } else if (fragment === null) { fragment = _empty; } if (scheme === this.scheme && authority === this.authority && path === this.path && query === this.query && fragment === this.fragment) { return this; } return new Uri(scheme, authority, path, query, fragment); } // ---- parse & validate ------------------------ /** * Creates a new URI from a string, e.g. `http://www.example.com/some/path`, * `file:///usr/home`, or `scheme:with/path`. * * @param value A string which represents an URI (see `URI#toString`). */ static parse(value, _strict = false) { const match = _regexp.exec(value); if (!match) { return new Uri(_empty, _empty, _empty, _empty, _empty); } return new Uri(match[2] || _empty, percentDecode(match[4] || _empty), percentDecode(match[5] || _empty), percentDecode(match[7] || _empty), percentDecode(match[9] || _empty), _strict); } /** * Creates a new URI from a file system path, e.g. `c:myfiles`, * `/usr/home`, or `\serversharesomepath`. * * The *difference* between `URI#parse` and `URI#file` is that the latter treats the argument * as path, not as stringified-uri. E.g. `URI.file(path)` is **not the same as** * `URI.parse("file://" + path)` because the path might contain characters that are * interpreted (# and ?). See the following sample: * ```ts const good = URI.file("/coding/c#/project1"); good.scheme === "file"; good.path === "/coding/c#/project1"; good.fragment === ""; const bad = URI.parse("file://" + "/coding/c#/project1"); bad.scheme === "file"; bad.path === "/coding/c"; // path is now broken bad.fragment === "/project1"; ``` * * @param path A file system path (see `URI#fsPath`) */ static file(path) { let authority = _empty; // normalize to fwd-slashes on windows, // on other systems bwd-slashes are valid // filename character, eg /foo/ba .txt if (isWindows) { path = path.replace(/\/g, _slash); } // check for authority as used in UNC shares // or use the path as given if (path[0] === _slash && path[1] === _slash) { const idx = path.indexOf(_slash, 2); if (idx === -1) { authority = path.substring(2); path = _slash; } else { authority = path.substring(2, idx); path = path.substring(idx) || _slash; } } return new Uri("file", authority, path, _empty, _empty); } /** * Creates new URI from uri components. * * Unless `strict` is `true` the scheme is defaults to be `file`. This function performs * validation and should be used for untrusted uri components retrieved from storage, * user input, command arguments etc */ static from(components, strict) { const result = new Uri(components.scheme, components.authority, components.path, components.query, components.fragment, strict); return result; } /** * Join a URI path with path fragments and normalizes the resulting path. * * @param uri The input URI. * @param pathFragment The path fragment to add to the URI path. * @returns The resulting URI. */ static joinPath(uri, ...pathFragment) { if (!uri.path) { throw new Error(`[UriError]: cannot call joinPath on URI without path`); } let newPath; if (isWindows && uri.scheme === "file") { newPath = uri_URI.file(win32.join(uriToFsPath(uri, true), ...pathFragment)).path; } else { newPath = posix.join(uri.path, ...pathFragment); } return uri.with({ path: newPath }); } // ---- printing/externalize --------------------------- /** * Creates a string representation for this URI. It"s guaranteed that calling * `URI.parse` with the result of this function creates an URI which is equal * to this URI. * * * The result shall *not* be used for display purposes but for externalization or transport. * * The result will be encoded using the percentage encoding and encoding happens mostly * ignore the scheme-specific encoding rules. * * @param skipEncoding Do not encode the result, default is `false` */ toString(skipEncoding = false) { return _asFormatted(this, skipEncoding); } toJSON() { return this; } static revive(data) { var _a, _b; if (!data) { return data; } else if (data instanceof uri_URI) { return data; } else { const result = new Uri(data); result._formatted = (_a = data.external) !== null && _a !== void 0 ? _a : null; result._fsPath = data._sep === _pathSepMarker ? (_b = data.fsPath) !== null && _b !== void 0 ? _b : null : null; return result; } } } const _pathSepMarker = isWindows ? 1 : undefined; // This class exists so that URI is compatible with vscode.Uri (API). class Uri extends uri_URI { constructor() { super(...arguments); this._formatted = null; this._fsPath = null; } get fsPath() { if (!this._fsPath) { this._fsPath = uriToFsPath(this, false); } return this._fsPath; } toString(skipEncoding = false) { if (!skipEncoding) { if (!this._formatted) { this._formatted = _asFormatted(this, false); } return this._formatted; } else { // we don"t cache that return _asFormatted(this, true); } } toJSON() { const res = { $mid: 1 /* MarshalledId.Uri */ }; // cached state if (this._fsPath) { res.fsPath = this._fsPath; res._sep = _pathSepMarker; } if (this._formatted) { res.external = this._formatted; } //--- uri components if (this.path) { res.path = this.path; } // TODO // this isn"t correct and can violate the UriComponents contract but // this is part of the vscode.Uri API and we shouldn"t change how that // works anymore if (this.scheme) { res.scheme = this.scheme; } if (this.authority) { res.authority = this.authority; } if (this.query) { res.query = this.query; } if (this.fragment) { res.fragment = this.fragment; } return res; } } // reserved characters: https://tools.ietf.org/html/rfc3986#section-2.2 const encodeTable = { [58 /* CharCode.Colon */]: "%3A", // gen-delims [47 /* CharCode.Slash */]: "%2F", [63 /* CharCode.QuestionMark */]: "%3F", [35 /* CharCode.Hash */]: "%23", [91 /* CharCode.OpenSquareBracket */]: "%5B", [93 /* CharCode.CloseSquareBracket */]: "%5D", [64 /* CharCode.AtSign */]: "%40", [33 /* CharCode.ExclamationMark */]: "%21", // sub-delims [36 /* CharCode.DollarSign */]: "%24", [38 /* CharCode.Ampersand */]: "%26", [39 /* CharCode.SingleQuote */]: "%27", [40 /* CharCode.OpenParen */]: "%28", [41 /* CharCode.CloseParen */]: "%29", [42 /* CharCode.Asterisk */]: "%2A", [43 /* CharCode.Plus */]: "%2B", [44 /* CharCode.Comma */]: "%2C", [59 /* CharCode.Semicolon */]: "%3B", [61 /* CharCode.Equals */]: "%3D", [32 /* CharCode.Space */]: "%20", }; function encodeURIComponentFast(uriComponent, isPath, isAuthority) { let res = undefined; let nativeEncodePos = -1; for (let pos = 0; pos < uriComponent.length; pos++) { const code = uriComponent.charCodeAt(pos); // unreserved characters: https://tools.ietf.org/html/rfc3986#section-2.3 if ((code >= 97 /* CharCode.a */ && code <= 122 /* CharCode.z */) || (code >= 65 /* CharCode.A */ && code <= 90 /* CharCode.Z */) || (code >= 48 /* CharCode.Digit0 */ && code <= 57 /* CharCode.Digit9 */) || code === 45 /* CharCode.Dash */ || code === 46 /* CharCode.Period */ || code === 95 /* CharCode.Underline */ || code === 126 /* CharCode.Tilde */ || (isPath && code === 47 /* CharCode.Slash */) || (isAuthority && code === 91 /* CharCode.OpenSquareBracket */) || (isAuthority && code === 93 /* CharCode.CloseSquareBracket */) || (isAuthority && code === 58 /* CharCode.Colon */)) { // check if we are delaying native encode if (nativeEncodePos !== -1) { res += encodeURIComponent(uriComponent.substring(nativeEncodePos, pos)); nativeEncodePos = -1; } // check if we write into a new string (by default we try to return the param) if (res !== undefined) { res += uriComponent.charAt(pos); } } else { // encoding needed, we need to allocate a new string if (res === undefined) { res = uriComponent.substr(0, pos); } // check with default table first const escaped = encodeTable[code]; if (escaped !== undefined) { // check if we are delaying native encode if (nativeEncodePos !== -1) { res += encodeURIComponent(uriComponent.substring(nativeEncodePos, pos)); nativeEncodePos = -1; } // append escaped variant to result res += escaped; } else if (nativeEncodePos === -1) { // use native encode only when needed nativeEncodePos = pos; } } } if (nativeEncodePos !== -1) { res += encodeURIComponent(uriComponent.substring(nativeEncodePos)); } return res !== undefined ? res : uriComponent; } function encodeURIComponentMinimal(path) { let res = undefined; for (let pos = 0; pos < path.length; pos++) { const code = path.charCodeAt(pos); if (code === 35 /* CharCode.Hash */ || code === 63 /* CharCode.QuestionMark */) { if (res === undefined) { res = path.substr(0, pos); } res += encodeTable[code]; } else { if (res !== undefined) { res += path[pos]; } } } return res !== undefined ? res : path; } /** * Compute `fsPath` for the given uri */ function uriToFsPath(uri, keepDriveLetterCasing) { let value; if (uri.authority && uri.path.length > 1 && uri.scheme === "file") { // unc path: file://shares/c$/far/boo value = `//${uri.authority}${uri.path}`; } else if (uri.path.charCodeAt(0) === 47 /* CharCode.Slash */ && (uri.path.charCodeAt(1) >= 65 /* CharCode.A */ && uri.path.charCodeAt(1) <= 90 /* CharCode.Z */ || uri.path.charCodeAt(1) >= 97 /* CharCode.a */ && uri.path.charCodeAt(1) <= 122 /* CharCode.z */) && uri.path.charCodeAt(2) === 58 /* CharCode.Colon */) { if (!keepDriveLetterCasing) { // windows drive letter: file:///c:/far/boo value = uri.path[1].toLowerCase() + uri.path.substr(2); } else { value = uri.path.substr(1); } } else { // other path value = uri.path; } if (isWindows) { value = value.replace(///g, "\"); } return value; } /** * Create the external version of a uri */ function _asFormatted(uri, skipEncoding) { const encoder = !skipEncoding ? encodeURIComponentFast : encodeURIComponentMinimal; let res = ""; let { scheme, authority, path, query, fragment } = uri; if (scheme) { res += scheme; res += ":"; } if (authority || scheme === "file") { res += _slash; res += _slash; } if (authority) { let idx = authority.indexOf("@"); if (idx !== -1) { // @ const userinfo = authority.substr(0, idx); authority = authority.substr(idx + 1); idx = userinfo.lastIndexOf(":"); if (idx === -1) { res += encoder(userinfo, false, false); } else { // :@ res += encoder(userinfo.substr(0, idx), false, false); res += ":"; res += encoder(userinfo.substr(idx + 1), false, true); } res += "@"; } authority = authority.toLowerCase(); idx = authority.lastIndexOf(":"); if (idx === -1) { res += encoder(authority, false, true); } else { // : res += encoder(authority.substr(0, idx), false, true); res += authority.substr(idx); } } if (path) { // lower-case windows drive letters in /C:/fff or C:/fff if (path.length >= 3 && path.charCodeAt(0) === 47 /* CharCode.Slash */ && path.charCodeAt(2) === 58 /* CharCode.Colon */) { const code = path.charCodeAt(1); if (code >= 65 /* CharCode.A */ && code <= 90 /* CharCode.Z */) { path = `/${String.fromCharCode(code + 32)}:${path.substr(3)}`; // "/c:".length === 3 } } else if (path.length >= 2 && path.charCodeAt(1) === 58 /* CharCode.Colon */) { const code = path.charCodeAt(0); if (code >= 65 /* CharCode.A */ && code <= 90 /* CharCode.Z */) { path = `${String.fromCharCode(code + 32)}:${path.substr(2)}`; // "/c:".length === 3 } } // encode the rest of the path res += encoder(path, true, false); } if (query) { res += "?"; res += encoder(query, false, false); } if (fragment) { res += "#"; res += !skipEncoding ? encodeURIComponentFast(fragment, false, false) : fragment; } return res; } // --- decode function decodeURIComponentGraceful(str) { try { return decodeURIComponent(str); } catch (_a) { if (str.length > 3) { return str.substr(0, 3) + decodeURIComponentGraceful(str.substr(3)); } else { return str; } } } const _rEncodedAsHex = /(%[0-9A-Za-z][0-9A-Za-z])+/g; function percentDecode(str) { if (!str.match(_rEncodedAsHex)) { return str; } return str.replace(_rEncodedAsHex, (match) => decodeURIComponentGraceful(match)); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/position.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A position in the editor. */ class position_Position { constructor(lineNumber, column) { this.lineNumber = lineNumber; this.column = column; } /** * Create a new position from this position. * * @param newLineNumber new line number * @param newColumn new column */ with(newLineNumber = this.lineNumber, newColumn = this.column) { if (newLineNumber === this.lineNumber && newColumn === this.column) { return this; } else { return new position_Position(newLineNumber, newColumn); } } /** * Derive a new position from this position. * * @param deltaLineNumber line number delta * @param deltaColumn column delta */ delta(deltaLineNumber = 0, deltaColumn = 0) { return this.with(this.lineNumber + deltaLineNumber, this.column + deltaColumn); } /** * Test if this position equals other position */ equals(other) { return position_Position.equals(this, other); } /** * Test if position `a` equals position `b` */ static equals(a, b) { if (!a && !b) { return true; } return (!!a && !!b && a.lineNumber === b.lineNumber && a.column === b.column); } /** * Test if this position is before other position. * If the two positions are equal, the result will be false. */ isBefore(other) { return position_Position.isBefore(this, other); } /** * Test if position `a` is before position `b`. * If the two positions are equal, the result will be false. */ static isBefore(a, b) { if (a.lineNumber < b.lineNumber) { return true; } if (b.lineNumber < a.lineNumber) { return false; } return a.column < b.column; } /** * Test if this position is before other position. * If the two positions are equal, the result will be true. */ isBeforeOrEqual(other) { return position_Position.isBeforeOrEqual(this, other); } /** * Test if position `a` is before position `b`. * If the two positions are equal, the result will be true. */ static isBeforeOrEqual(a, b) { if (a.lineNumber < b.lineNumber) { return true; } if (b.lineNumber < a.lineNumber) { return false; } return a.column <= b.column; } /** * A function that compares positions, useful for sorting */ static compare(a, b) { const aLineNumber = a.lineNumber | 0; const bLineNumber = b.lineNumber | 0; if (aLineNumber === bLineNumber) { const aColumn = a.column | 0; const bColumn = b.column | 0; return aColumn - bColumn; } return aLineNumber - bLineNumber; } /** * Clone this position. */ clone() { return new position_Position(this.lineNumber, this.column); } /** * Convert to a human-readable representation. */ toString() { return "(" + this.lineNumber + "," + this.column + ")"; } // --- /** * Create a `Position` from an `IPosition`. */ static lift(pos) { return new position_Position(pos.lineNumber, pos.column); } /** * Test if `obj` is an `IPosition`. */ static isIPosition(obj) { return (obj && (typeof obj.lineNumber === "number") && (typeof obj.column === "number")); } toJSON() { return { lineNumber: this.lineNumber, column: this.column }; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/range.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A range in the editor. (startLineNumber,startColumn) is <= (endLineNumber,endColumn) */ class range_Range { constructor(startLineNumber, startColumn, endLineNumber, endColumn) { if ((startLineNumber > endLineNumber) || (startLineNumber === endLineNumber && startColumn > endColumn)) { this.startLineNumber = endLineNumber; this.startColumn = endColumn; this.endLineNumber = startLineNumber; this.endColumn = startColumn; } else { this.startLineNumber = startLineNumber; this.startColumn = startColumn; this.endLineNumber = endLineNumber; this.endColumn = endColumn; } } /** * Test if this range is empty. */ isEmpty() { return range_Range.isEmpty(this); } /** * Test if `range` is empty. */ static isEmpty(range) { return (range.startLineNumber === range.endLineNumber && range.startColumn === range.endColumn); } /** * Test if position is in this range. If the position is at the edges, will return true. */ containsPosition(position) { return range_Range.containsPosition(this, position); } /** * Test if `position` is in `range`. If the position is at the edges, will return true. */ static containsPosition(range, position) { if (position.lineNumber < range.startLineNumber || position.lineNumber > range.endLineNumber) { return false; } if (position.lineNumber === range.startLineNumber && position.column < range.startColumn) { return false; } if (position.lineNumber === range.endLineNumber && position.column > range.endColumn) { return false; } return true; } /** * Test if `position` is in `range`. If the position is at the edges, will return false. * @internal */ static strictContainsPosition(range, position) { if (position.lineNumber < range.startLineNumber || position.lineNumber > range.endLineNumber) { return false; } if (position.lineNumber === range.startLineNumber && position.column <= range.startColumn) { return false; } if (position.lineNumber === range.endLineNumber && position.column >= range.endColumn) { return false; } return true; } /** * Test if range is in this range. If the range is equal to this range, will return true. */ containsRange(range) { return range_Range.containsRange(this, range); } /** * Test if `otherRange` is in `range`. If the ranges are equal, will return true. */ static containsRange(range, otherRange) { if (otherRange.startLineNumber < range.startLineNumber || otherRange.endLineNumber < range.startLineNumber) { return false; } if (otherRange.startLineNumber > range.endLineNumber || otherRange.endLineNumber > range.endLineNumber) { return false; } if (otherRange.startLineNumber === range.startLineNumber && otherRange.startColumn < range.startColumn) { return false; } if (otherRange.endLineNumber === range.endLineNumber && otherRange.endColumn > range.endColumn) { return false; } return true; } /** * Test if `range` is strictly in this range. `range` must start after and end before this range for the result to be true. */ strictContainsRange(range) { return range_Range.strictContainsRange(this, range); } /** * Test if `otherRange` is strictly in `range` (must start after, and end before). If the ranges are equal, will return false. */ static strictContainsRange(range, otherRange) { if (otherRange.startLineNumber < range.startLineNumber || otherRange.endLineNumber < range.startLineNumber) { return false; } if (otherRange.startLineNumber > range.endLineNumber || otherRange.endLineNumber > range.endLineNumber) { return false; } if (otherRange.startLineNumber === range.startLineNumber && otherRange.startColumn <= range.startColumn) { return false; } if (otherRange.endLineNumber === range.endLineNumber && otherRange.endColumn >= range.endColumn) { return false; } return true; } /** * A reunion of the two ranges. * The smallest position will be used as the start point, and the largest one as the end point. */ plusRange(range) { return range_Range.plusRange(this, range); } /** * A reunion of the two ranges. * The smallest position will be used as the start point, and the largest one as the end point. */ static plusRange(a, b) { let startLineNumber; let startColumn; let endLineNumber; let endColumn; if (b.startLineNumber < a.startLineNumber) { startLineNumber = b.startLineNumber; startColumn = b.startColumn; } else if (b.startLineNumber === a.startLineNumber) { startLineNumber = b.startLineNumber; startColumn = Math.min(b.startColumn, a.startColumn); } else { startLineNumber = a.startLineNumber; startColumn = a.startColumn; } if (b.endLineNumber > a.endLineNumber) { endLineNumber = b.endLineNumber; endColumn = b.endColumn; } else if (b.endLineNumber === a.endLineNumber) { endLineNumber = b.endLineNumber; endColumn = Math.max(b.endColumn, a.endColumn); } else { endLineNumber = a.endLineNumber; endColumn = a.endColumn; } return new range_Range(startLineNumber, startColumn, endLineNumber, endColumn); } /** * A intersection of the two ranges. */ intersectRanges(range) { return range_Range.intersectRanges(this, range); } /** * A intersection of the two ranges. */ static intersectRanges(a, b) { let resultStartLineNumber = a.startLineNumber; let resultStartColumn = a.startColumn; let resultEndLineNumber = a.endLineNumber; let resultEndColumn = a.endColumn; const otherStartLineNumber = b.startLineNumber; const otherStartColumn = b.startColumn; const otherEndLineNumber = b.endLineNumber; const otherEndColumn = b.endColumn; if (resultStartLineNumber < otherStartLineNumber) { resultStartLineNumber = otherStartLineNumber; resultStartColumn = otherStartColumn; } else if (resultStartLineNumber === otherStartLineNumber) { resultStartColumn = Math.max(resultStartColumn, otherStartColumn); } if (resultEndLineNumber > otherEndLineNumber) { resultEndLineNumber = otherEndLineNumber; resultEndColumn = otherEndColumn; } else if (resultEndLineNumber === otherEndLineNumber) { resultEndColumn = Math.min(resultEndColumn, otherEndColumn); } // Check if selection is now empty if (resultStartLineNumber > resultEndLineNumber) { return null; } if (resultStartLineNumber === resultEndLineNumber && resultStartColumn > resultEndColumn) { return null; } return new range_Range(resultStartLineNumber, resultStartColumn, resultEndLineNumber, resultEndColumn); } /** * Test if this range equals other. */ equalsRange(other) { return range_Range.equalsRange(this, other); } /** * Test if range `a` equals `b`. */ static equalsRange(a, b) { if (!a && !b) { return true; } return (!!a && !!b && a.startLineNumber === b.startLineNumber && a.startColumn === b.startColumn && a.endLineNumber === b.endLineNumber && a.endColumn === b.endColumn); } /** * Return the end position (which will be after or equal to the start position) */ getEndPosition() { return range_Range.getEndPosition(this); } /** * Return the end position (which will be after or equal to the start position) */ static getEndPosition(range) { return new position_Position(range.endLineNumber, range.endColumn); } /** * Return the start position (which will be before or equal to the end position) */ getStartPosition() { return range_Range.getStartPosition(this); } /** * Return the start position (which will be before or equal to the end position) */ static getStartPosition(range) { return new position_Position(range.startLineNumber, range.startColumn); } /** * Transform to a user presentable string representation. */ toString() { return "[" + this.startLineNumber + "," + this.startColumn + " -> " + this.endLineNumber + "," + this.endColumn + "]"; } /** * Create a new range using this range"s start position, and using endLineNumber and endColumn as the end position. */ setEndPosition(endLineNumber, endColumn) { return new range_Range(this.startLineNumber, this.startColumn, endLineNumber, endColumn); } /** * Create a new range using this range"s end position, and using startLineNumber and startColumn as the start position. */ setStartPosition(startLineNumber, startColumn) { return new range_Range(startLineNumber, startColumn, this.endLineNumber, this.endColumn); } /** * Create a new empty range using this range"s start position. */ collapseToStart() { return range_Range.collapseToStart(this); } /** * Create a new empty range using this range"s start position. */ static collapseToStart(range) { return new range_Range(range.startLineNumber, range.startColumn, range.startLineNumber, range.startColumn); } /** * Create a new empty range using this range"s end position. */ collapseToEnd() { return range_Range.collapseToEnd(this); } /** * Create a new empty range using this range"s end position. */ static collapseToEnd(range) { return new range_Range(range.endLineNumber, range.endColumn, range.endLineNumber, range.endColumn); } /** * Moves the range by the given amount of lines. */ delta(lineCount) { return new range_Range(this.startLineNumber + lineCount, this.startColumn, this.endLineNumber + lineCount, this.endColumn); } // --- static fromPositions(start, end = start) { return new range_Range(start.lineNumber, start.column, end.lineNumber, end.column); } static lift(range) { if (!range) { return null; } return new range_Range(range.startLineNumber, range.startColumn, range.endLineNumber, range.endColumn); } /** * Test if `obj` is an `IRange`. */ static isIRange(obj) { return (obj && (typeof obj.startLineNumber === "number") && (typeof obj.startColumn === "number") && (typeof obj.endLineNumber === "number") && (typeof obj.endColumn === "number")); } /** * Test if the two ranges are touching in any way. */ static areIntersectingOrTouching(a, b) { // Check if `a` is before `b` if (a.endLineNumber < b.startLineNumber || (a.endLineNumber === b.startLineNumber && a.endColumn < b.startColumn)) { return false; } // Check if `b` is before `a` if (b.endLineNumber < a.startLineNumber || (b.endLineNumber === a.startLineNumber && b.endColumn < a.startColumn)) { return false; } // These ranges must intersect return true; } /** * Test if the two ranges are intersecting. If the ranges are touching it returns true. */ static areIntersecting(a, b) { // Check if `a` is before `b` if (a.endLineNumber < b.startLineNumber || (a.endLineNumber === b.startLineNumber && a.endColumn <= b.startColumn)) { return false; } // Check if `b` is before `a` if (b.endLineNumber < a.startLineNumber || (b.endLineNumber === a.startLineNumber && b.endColumn <= a.startColumn)) { return false; } // These ranges must intersect return true; } /** * A function that compares ranges, useful for sorting ranges * It will first compare ranges on the startPosition and then on the endPosition */ static compareRangesUsingStarts(a, b) { if (a && b) { const aStartLineNumber = a.startLineNumber | 0; const bStartLineNumber = b.startLineNumber | 0; if (aStartLineNumber === bStartLineNumber) { const aStartColumn = a.startColumn | 0; const bStartColumn = b.startColumn | 0; if (aStartColumn === bStartColumn) { const aEndLineNumber = a.endLineNumber | 0; const bEndLineNumber = b.endLineNumber | 0; if (aEndLineNumber === bEndLineNumber) { const aEndColumn = a.endColumn | 0; const bEndColumn = b.endColumn | 0; return aEndColumn - bEndColumn; } return aEndLineNumber - bEndLineNumber; } return aStartColumn - bStartColumn; } return aStartLineNumber - bStartLineNumber; } const aExists = (a ? 1 : 0); const bExists = (b ? 1 : 0); return aExists - bExists; } /** * A function that compares ranges, useful for sorting ranges * It will first compare ranges on the endPosition and then on the startPosition */ static compareRangesUsingEnds(a, b) { if (a.endLineNumber === b.endLineNumber) { if (a.endColumn === b.endColumn) { if (a.startLineNumber === b.startLineNumber) { return a.startColumn - b.startColumn; } return a.startLineNumber - b.startLineNumber; } return a.endColumn - b.endColumn; } return a.endLineNumber - b.endLineNumber; } /** * Test if the range spans multiple lines. */ static spansMultipleLines(range) { return range.endLineNumber > range.startLineNumber; } toJSON() { return this; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/arrays.js /** * Returns the last element of an array. * @param array The array. * @param n Which element from the end (default is zero). */ function tail(array, n = 0) { return array[array.length - (1 + n)]; } function tail2(arr) { if (arr.length === 0) { throw new Error("Invalid tail call"); } return [arr.slice(0, arr.length - 1), arr[arr.length - 1]]; } function arrays_equals(one, other, itemEquals = (a, b) => a === b) { if (one === other) { return true; } if (!one || !other) { return false; } if (one.length !== other.length) { return false; } for (let i = 0, len = one.length; i < len; i++) { if (!itemEquals(one[i], other[i])) { return false; } } return true; } /** * Remove the element at `index` by replacing it with the last element. This is faster than `splice` * but changes the order of the array */ function removeFastWithoutKeepingOrder(array, index) { const last = array.length - 1; if (index < last) { array[index] = array[last]; } array.pop(); } /** * Performs a binary search algorithm over a sorted array. * * @param array The array being searched. * @param key The value we search for. * @param comparator A function that takes two array elements and returns zero * if they are equal, a negative number if the first element precedes the * second one in the sorting order, or a positive number if the second element * precedes the first one. * @return See {@link binarySearch2} */ function binarySearch(array, key, comparator) { return binarySearch2(array.length, i => comparator(array[i], key)); } /** * Performs a binary search algorithm over a sorted collection. Useful for cases * when we need to perform a binary search over something that isn"t actually an * array, and converting data to an array would defeat the use of binary search * in the first place. * * @param length The collection length. * @param compareToKey A function that takes an index of an element in the * collection and returns zero if the value at this index is equal to the * search key, a negative number if the value precedes the search key in the * sorting order, or a positive number if the search key precedes the value. * @return A non-negative index of an element, if found. If not found, the * result is -(n+1) (or ~n, using bitwise notation), where n is the index * where the key should be inserted to maintain the sorting order. */ function binarySearch2(length, compareToKey) { let low = 0, high = length - 1; while (low <= high) { const mid = ((low + high) / 2) | 0; const comp = compareToKey(mid); if (comp < 0) { low = mid + 1; } else if (comp > 0) { high = mid - 1; } else { return mid; } } return -(low + 1); } function quickSelect(nth, data, compare) { nth = nth | 0; if (nth >= data.length) { throw new TypeError("invalid index"); } const pivotValue = data[Math.floor(data.length * Math.random())]; const lower = []; const higher = []; const pivots = []; for (const value of data) { const val = compare(value, pivotValue); if (val < 0) { lower.push(value); } else if (val > 0) { higher.push(value); } else { pivots.push(value); } } if (nth < lower.length) { return quickSelect(nth, lower, compare); } else if (nth < lower.length + pivots.length) { return pivots[0]; } else { return quickSelect(nth - (lower.length + pivots.length), higher, compare); } } function groupBy(data, compare) { const result = []; let currentGroup = undefined; for (const element of data.slice(0).sort(compare)) { if (!currentGroup || compare(currentGroup[0], element) !== 0) { currentGroup = [element]; result.push(currentGroup); } else { currentGroup.push(element); } } return result; } /** * Splits the given items into a list of (non-empty) groups. * `shouldBeGrouped` is used to decide if two consecutive items should be in the same group. * The order of the items is preserved. */ function* groupAdjacentBy(items, shouldBeGrouped) { let currentGroup; let last; for (const item of items) { if (last !== undefined && shouldBeGrouped(last, item)) { currentGroup.push(item); } else { if (currentGroup) { yield currentGroup; } currentGroup = [item]; } last = item; } if (currentGroup) { yield currentGroup; } } function forEachAdjacent(arr, f) { for (let i = 0; i <= arr.length; i++) { f(i === 0 ? undefined : arr[i - 1], i === arr.length ? undefined : arr[i]); } } function forEachWithNeighbors(arr, f) { for (let i = 0; i < arr.length; i++) { f(i === 0 ? undefined : arr[i - 1], arr[i], i + 1 === arr.length ? undefined : arr[i + 1]); } } /** * @returns New array with all falsy values removed. The original array IS NOT modified. */ function coalesce(array) { return array.filter(e => !!e); } /** * Remove all falsy values from `array`. The original array IS modified. */ function coalesceInPlace(array) { let to = 0; for (let i = 0; i < array.length; i++) { if (!!array[i]) { array[to] = array[i]; to += 1; } } array.length = to; } /** * @returns false if the provided object is an array and not empty. */ function isFalsyOrEmpty(obj) { return !Array.isArray(obj) || obj.length === 0; } function isNonEmptyArray(obj) { return Array.isArray(obj) && obj.length > 0; } /** * Removes duplicates from the given array. The optional keyFn allows to specify * how elements are checked for equality by returning an alternate value for each. */ function distinct(array, keyFn = value => value) { const seen = new Set(); return array.filter(element => { const key = keyFn(element); if (seen.has(key)) { return false; } seen.add(key); return true; }); } function firstOrDefault(array, notFoundValue) { return array.length > 0 ? array[0] : notFoundValue; } function range(arg, to) { let from = typeof to === "number" ? arg : 0; if (typeof to === "number") { from = arg; } else { from = 0; to = arg; } const result = []; if (from <= to) { for (let i = from; i < to; i++) { result.push(i); } } else { for (let i = from; i > to; i--) { result.push(i); } } return result; } /** * Insert `insertArr` inside `target` at `insertIndex`. * Please don"t touch unless you understand https://jsperf.com/inserting-an-array-within-an-array */ function arrays_arrayInsert(target, insertIndex, insertArr) { const before = target.slice(0, insertIndex); const after = target.slice(insertIndex); return before.concat(insertArr, after); } /** * Pushes an element to the start of the array, if found. */ function pushToStart(arr, value) { const index = arr.indexOf(value); if (index > -1) { arr.splice(index, 1); arr.unshift(value); } } /** * Pushes an element to the end of the array, if found. */ function pushToEnd(arr, value) { const index = arr.indexOf(value); if (index > -1) { arr.splice(index, 1); arr.push(value); } } function pushMany(arr, items) { for (const item of items) { arr.push(item); } } function asArray(x) { return Array.isArray(x) ? x : [x]; } /** * Insert the new items in the array. * @param array The original array. * @param start The zero-based location in the array from which to start inserting elements. * @param newItems The items to be inserted */ function insertInto(array, start, newItems) { const startIdx = getActualStartIndex(array, start); const originalLength = array.length; const newItemsLength = newItems.length; array.length = originalLength + newItemsLength; // Move the items after the start index, start from the end so that we don"t overwrite any value. for (let i = originalLength - 1; i >= startIdx; i--) { array[i + newItemsLength] = array[i]; } for (let i = 0; i < newItemsLength; i++) { array[i + startIdx] = newItems[i]; } } /** * Removes elements from an array and inserts new elements in their place, returning the deleted elements. Alternative to the native Array.splice method, it * can only support limited number of items due to the maximum call stack size limit. * @param array The original array. * @param start The zero-based location in the array from which to start removing elements. * @param deleteCount The number of elements to remove. * @returns An array containing the elements that were deleted. */ function splice(array, start, deleteCount, newItems) { const index = getActualStartIndex(array, start); let result = array.splice(index, deleteCount); if (result === undefined) { // see https://bugs.webkit.org/show_bug.cgi?id=261140 result = []; } insertInto(array, index, newItems); return result; } /** * Determine the actual start index (same logic as the native splice() or slice()) * If greater than the length of the array, start will be set to the length of the array. In this case, no element will be deleted but the method will behave as an adding function, adding as many element as item[n*] provided. * If negative, it will begin that many elements from the end of the array. (In this case, the origin -1, meaning -n is the index of the nth last element, and is therefore equivalent to the index of array.length - n.) If array.length + start is less than 0, it will begin from index 0. * @param array The target array. * @param start The operation index. */ function getActualStartIndex(array, start) { return start < 0 ? Math.max(start + array.length, 0) : Math.min(start, array.length); } var CompareResult; (function (CompareResult) { function isLessThan(result) { return result < 0; } CompareResult.isLessThan = isLessThan; function isLessThanOrEqual(result) { return result <= 0; } CompareResult.isLessThanOrEqual = isLessThanOrEqual; function isGreaterThan(result) { return result > 0; } CompareResult.isGreaterThan = isGreaterThan; function isNeitherLessOrGreaterThan(result) { return result === 0; } CompareResult.isNeitherLessOrGreaterThan = isNeitherLessOrGreaterThan; CompareResult.greaterThan = 1; CompareResult.lessThan = -1; CompareResult.neitherLessOrGreaterThan = 0; })(CompareResult || (CompareResult = {})); function compareBy(selector, comparator) { return (a, b) => comparator(selector(a), selector(b)); } function tieBreakComparators(...comparators) { return (item1, item2) => { for (const comparator of comparators) { const result = comparator(item1, item2); if (!CompareResult.isNeitherLessOrGreaterThan(result)) { return result; } } return CompareResult.neitherLessOrGreaterThan; }; } /** * The natural order on numbers. */ const numberComparator = (a, b) => a - b; const booleanComparator = (a, b) => numberComparator(a ? 1 : 0, b ? 1 : 0); function reverseOrder(comparator) { return (a, b) => -comparator(a, b); } class ArrayQueue { /** * Constructs a queue that is backed by the given array. Runtime is O(1). */ constructor(items) { this.items = items; this.firstIdx = 0; this.lastIdx = this.items.length - 1; } get length() { return this.lastIdx - this.firstIdx + 1; } /** * Consumes elements from the beginning of the queue as long as the predicate returns true. * If no elements were consumed, `null` is returned. Has a runtime of O(result.length). */ takeWhile(predicate) { // P(k) := k <= this.lastIdx && predicate(this.items[k]) // Find s := min { k | k >= this.firstIdx && !P(k) } and return this.data[this.firstIdx...s) let startIdx = this.firstIdx; while (startIdx < this.items.length && predicate(this.items[startIdx])) { startIdx++; } const result = startIdx === this.firstIdx ? null : this.items.slice(this.firstIdx, startIdx); this.firstIdx = startIdx; return result; } /** * Consumes elements from the end of the queue as long as the predicate returns true. * If no elements were consumed, `null` is returned. * The result has the same order as the underlying array! */ takeFromEndWhile(predicate) { // P(k) := this.firstIdx >= k && predicate(this.items[k]) // Find s := max { k | k <= this.lastIdx && !P(k) } and return this.data(s...this.lastIdx] let endIdx = this.lastIdx; while (endIdx >= 0 && predicate(this.items[endIdx])) { endIdx--; } const result = endIdx === this.lastIdx ? null : this.items.slice(endIdx + 1, this.lastIdx + 1); this.lastIdx = endIdx; return result; } peek() { if (this.length === 0) { return undefined; } return this.items[this.firstIdx]; } dequeue() { const result = this.items[this.firstIdx]; this.firstIdx++; return result; } takeCount(count) { const result = this.items.slice(this.firstIdx, this.firstIdx + count); this.firstIdx += count; return result; } } /** * This class is faster than an iterator and array for lazy computed data. */ class CallbackIterable { constructor( /** * Calls the callback for every item. * Stops when the callback returns false. */ iterate) { this.iterate = iterate; } toArray() { const result = []; this.iterate(item => { result.push(item); return true; }); return result; } filter(predicate) { return new CallbackIterable(cb => this.iterate(item => predicate(item) ? cb(item) : true)); } map(mapFn) { return new CallbackIterable(cb => this.iterate(item => cb(mapFn(item)))); } findLast(predicate) { let result; this.iterate(item => { if (predicate(item)) { result = item; } return true; }); return result; } findLastMaxBy(comparator) { let result; let first = true; this.iterate(item => { if (first || CompareResult.isGreaterThan(comparator(item, result))) { first = false; result = item; } return true; }); return result; } } CallbackIterable.empty = new CallbackIterable(_callback => { }); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/uint.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function toUint8(v) { if (v < 0) { return 0; } if (v > 255 /* Constants.MAX_UINT_8 */) { return 255 /* Constants.MAX_UINT_8 */; } return v | 0; } function toUint32(v) { if (v < 0) { return 0; } if (v > 4294967295 /* Constants.MAX_UINT_32 */) { return 4294967295 /* Constants.MAX_UINT_32 */; } return v | 0; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/model/prefixSumComputer.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class PrefixSumComputer { constructor(values) { this.values = values; this.prefixSum = new Uint32Array(values.length); this.prefixSumValidIndex = new Int32Array(1); this.prefixSumValidIndex[0] = -1; } insertValues(insertIndex, insertValues) { insertIndex = toUint32(insertIndex); const oldValues = this.values; const oldPrefixSum = this.prefixSum; const insertValuesLen = insertValues.length; if (insertValuesLen === 0) { return false; } this.values = new Uint32Array(oldValues.length + insertValuesLen); this.values.set(oldValues.subarray(0, insertIndex), 0); this.values.set(oldValues.subarray(insertIndex), insertIndex + insertValuesLen); this.values.set(insertValues, insertIndex); if (insertIndex - 1 < this.prefixSumValidIndex[0]) { this.prefixSumValidIndex[0] = insertIndex - 1; } this.prefixSum = new Uint32Array(this.values.length); if (this.prefixSumValidIndex[0] >= 0) { this.prefixSum.set(oldPrefixSum.subarray(0, this.prefixSumValidIndex[0] + 1)); } return true; } setValue(index, value) { index = toUint32(index); value = toUint32(value); if (this.values[index] === value) { return false; } this.values[index] = value; if (index - 1 < this.prefixSumValidIndex[0]) { this.prefixSumValidIndex[0] = index - 1; } return true; } removeValues(startIndex, count) { startIndex = toUint32(startIndex); count = toUint32(count); const oldValues = this.values; const oldPrefixSum = this.prefixSum; if (startIndex >= oldValues.length) { return false; } const maxCount = oldValues.length - startIndex; if (count >= maxCount) { count = maxCount; } if (count === 0) { return false; } this.values = new Uint32Array(oldValues.length - count); this.values.set(oldValues.subarray(0, startIndex), 0); this.values.set(oldValues.subarray(startIndex + count), startIndex); this.prefixSum = new Uint32Array(this.values.length); if (startIndex - 1 < this.prefixSumValidIndex[0]) { this.prefixSumValidIndex[0] = startIndex - 1; } if (this.prefixSumValidIndex[0] >= 0) { this.prefixSum.set(oldPrefixSum.subarray(0, this.prefixSumValidIndex[0] + 1)); } return true; } getTotalSum() { if (this.values.length === 0) { return 0; } return this._getPrefixSum(this.values.length - 1); } /** * Returns the sum of the first `index + 1` many items. * @returns `SUM(0 <= j <= index, values[j])`. */ getPrefixSum(index) { if (index < 0) { return 0; } index = toUint32(index); return this._getPrefixSum(index); } _getPrefixSum(index) { if (index <= this.prefixSumValidIndex[0]) { return this.prefixSum[index]; } let startIndex = this.prefixSumValidIndex[0] + 1; if (startIndex === 0) { this.prefixSum[0] = this.values[0]; startIndex++; } if (index >= this.values.length) { index = this.values.length - 1; } for (let i = startIndex; i <= index; i++) { this.prefixSum[i] = this.prefixSum[i - 1] + this.values[i]; } this.prefixSumValidIndex[0] = Math.max(this.prefixSumValidIndex[0], index); return this.prefixSum[index]; } getIndexOf(sum) { sum = Math.floor(sum); // Compute all sums (to get a fully valid prefixSum) this.getTotalSum(); let low = 0; let high = this.values.length - 1; let mid = 0; let midStop = 0; let midStart = 0; while (low <= high) { mid = low + ((high - low) / 2) | 0; midStop = this.prefixSum[mid]; midStart = midStop - this.values[mid]; if (sum < midStart) { high = mid - 1; } else if (sum >= midStop) { low = mid + 1; } else { break; } } return new PrefixSumIndexOfResult(mid, sum - midStart); } } /** * {@link getIndexOf} has an amortized runtime complexity of O(1). * * ({@link PrefixSumComputer.getIndexOf} is just O(log n)) */ class ConstantTimePrefixSumComputer { constructor(values) { this._values = values; this._isValid = false; this._validEndIndex = -1; this._prefixSum = []; this._indexBySum = []; } /** * @returns SUM(0 <= j < values.length, values[j]) */ getTotalSum() { this._ensureValid(); return this._indexBySum.length; } /** * Returns the sum of the first `count` many items. * @returns `SUM(0 <= j < count, values[j])`. */ getPrefixSum(count) { this._ensureValid(); if (count === 0) { return 0; } return this._prefixSum[count - 1]; } /** * @returns `result`, such that `getPrefixSum(result.index) + result.remainder = sum` */ getIndexOf(sum) { this._ensureValid(); const idx = this._indexBySum[sum]; const viewLinesAbove = idx > 0 ? this._prefixSum[idx - 1] : 0; return new PrefixSumIndexOfResult(idx, sum - viewLinesAbove); } removeValues(start, deleteCount) { this._values.splice(start, deleteCount); this._invalidate(start); } insertValues(insertIndex, insertArr) { this._values = arrayInsert(this._values, insertIndex, insertArr); this._invalidate(insertIndex); } _invalidate(index) { this._isValid = false; this._validEndIndex = Math.min(this._validEndIndex, index - 1); } _ensureValid() { if (this._isValid) { return; } for (let i = this._validEndIndex + 1, len = this._values.length; i < len; i++) { const value = this._values[i]; const sumAbove = i > 0 ? this._prefixSum[i - 1] : 0; this._prefixSum[i] = sumAbove + value; for (let j = 0; j < value; j++) { this._indexBySum[sumAbove + j] = i; } } // trim things this._prefixSum.length = this._values.length; this._indexBySum.length = this._prefixSum[this._prefixSum.length - 1]; // mark as valid this._isValid = true; this._validEndIndex = this._values.length - 1; } setValue(index, value) { if (this._values[index] === value) { // no change return; } this._values[index] = value; this._invalidate(index); } } class PrefixSumIndexOfResult { constructor(index, remainder) { this.index = index; this.remainder = remainder; this._prefixSumIndexOfResultBrand = undefined; this.index = index; this.remainder = remainder; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/model/mirrorTextModel.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class MirrorTextModel { constructor(uri, lines, eol, versionId) { this._uri = uri; this._lines = lines; this._eol = eol; this._versionId = versionId; this._lineStarts = null; this._cachedTextValue = null; } dispose() { this._lines.length = 0; } get version() { return this._versionId; } getText() { if (this._cachedTextValue === null) { this._cachedTextValue = this._lines.join(this._eol); } return this._cachedTextValue; } onEvents(e) { if (e.eol && e.eol !== this._eol) { this._eol = e.eol; this._lineStarts = null; } // Update my lines const changes = e.changes; for (const change of changes) { this._acceptDeleteRange(change.range); this._acceptInsertText(new position_Position(change.range.startLineNumber, change.range.startColumn), change.text); } this._versionId = e.versionId; this._cachedTextValue = null; } _ensureLineStarts() { if (!this._lineStarts) { const eolLength = this._eol.length; const linesLength = this._lines.length; const lineStartValues = new Uint32Array(linesLength); for (let i = 0; i < linesLength; i++) { lineStartValues[i] = this._lines[i].length + eolLength; } this._lineStarts = new PrefixSumComputer(lineStartValues); } } /** * All changes to a line"s text go through this method */ _setLineText(lineIndex, newValue) { this._lines[lineIndex] = newValue; if (this._lineStarts) { // update prefix sum this._lineStarts.setValue(lineIndex, this._lines[lineIndex].length + this._eol.length); } } _acceptDeleteRange(range) { if (range.startLineNumber === range.endLineNumber) { if (range.startColumn === range.endColumn) { // Nothing to delete return; } // Delete text on the affected line this._setLineText(range.startLineNumber - 1, this._lines[range.startLineNumber - 1].substring(0, range.startColumn - 1) + this._lines[range.startLineNumber - 1].substring(range.endColumn - 1)); return; } // Take remaining text on last line and append it to remaining text on first line this._setLineText(range.startLineNumber - 1, this._lines[range.startLineNumber - 1].substring(0, range.startColumn - 1) + this._lines[range.endLineNumber - 1].substring(range.endColumn - 1)); // Delete middle lines this._lines.splice(range.startLineNumber, range.endLineNumber - range.startLineNumber); if (this._lineStarts) { // update prefix sum this._lineStarts.removeValues(range.startLineNumber, range.endLineNumber - range.startLineNumber); } } _acceptInsertText(position, insertText) { if (insertText.length === 0) { // Nothing to insert return; } const insertLines = splitLines(insertText); if (insertLines.length === 1) { // Inserting text on one line this._setLineText(position.lineNumber - 1, this._lines[position.lineNumber - 1].substring(0, position.column - 1) + insertLines[0] + this._lines[position.lineNumber - 1].substring(position.column - 1)); return; } // Append overflowing text from first line to the end of text to insert insertLines[insertLines.length - 1] += this._lines[position.lineNumber - 1].substring(position.column - 1); // Delete overflowing text from first line and insert text on first line this._setLineText(position.lineNumber - 1, this._lines[position.lineNumber - 1].substring(0, position.column - 1) + insertLines[0]); // Insert new lines & store lengths const newLengths = new Uint32Array(insertLines.length - 1); for (let i = 1; i < insertLines.length; i++) { this._lines.splice(position.lineNumber + i - 1, 0, insertLines[i]); newLengths[i - 1] = insertLines[i].length + this._eol.length; } if (this._lineStarts) { // update prefix sum this._lineStarts.insertValues(position.lineNumber, newLengths); } } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/wordHelper.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const USUAL_WORD_SEPARATORS = "`~!@#$%^&*()-=+[{]}\|;:"",.<>/?"; /** * Create a word definition regular expression based on default word separators. * Optionally provide allowed separators that should be included in words. * * The default would look like this: * /(-?d*.dw*)|([^`~!@#$\%^&*()-=+[{]}\|;:"",.<>/?s]+)/g */ function createWordRegExp(allowInWords = "") { let source = "(-?\d*\.\d\w*)|([^"; for (const sep of USUAL_WORD_SEPARATORS) { if (allowInWords.indexOf(sep) >= 0) { continue; } source += "\" + sep; } source += "\s]+)"; return new RegExp(source, "g"); } // catches numbers (including floating numbers) in the first group, and alphanum in the second const DEFAULT_WORD_REGEXP = createWordRegExp(); function ensureValidWordDefinition(wordDefinition) { let result = DEFAULT_WORD_REGEXP; if (wordDefinition && (wordDefinition instanceof RegExp)) { if (!wordDefinition.global) { let flags = "g"; if (wordDefinition.ignoreCase) { flags += "i"; } if (wordDefinition.multiline) { flags += "m"; } if (wordDefinition.unicode) { flags += "u"; } result = new RegExp(wordDefinition.source, flags); } else { result = wordDefinition; } } result.lastIndex = 0; return result; } const _defaultConfig = new LinkedList(); _defaultConfig.unshift({ maxLen: 1000, windowSize: 15, timeBudget: 150 }); function getWordAtText(column, wordDefinition, text, textOffset, config) { // Ensure the regex has the "g" flag, otherwise this will loop forever wordDefinition = ensureValidWordDefinition(wordDefinition); if (!config) { config = Iterable.first(_defaultConfig); } if (text.length > config.maxLen) { // don"t throw strings that long at the regexp // but use a sub-string in which a word must occur let start = column - config.maxLen / 2; if (start < 0) { start = 0; } else { textOffset += start; } text = text.substring(start, column + config.maxLen / 2); return getWordAtText(column, wordDefinition, text, textOffset, config); } const t1 = Date.now(); const pos = column - 1 - textOffset; let prevRegexIndex = -1; let match = null; for (let i = 1;; i++) { // check time budget if (Date.now() - t1 >= config.timeBudget) { break; } // reset the index at which the regexp should start matching, also know where it // should stop so that subsequent search don"t repeat previous searches const regexIndex = pos - config.windowSize * i; wordDefinition.lastIndex = Math.max(0, regexIndex); const thisMatch = _findRegexMatchEnclosingPosition(wordDefinition, text, pos, prevRegexIndex); if (!thisMatch && match) { // stop: we have something break; } match = thisMatch; // stop: searched at start if (regexIndex <= 0) { break; } prevRegexIndex = regexIndex; } if (match) { const result = { word: match[0], startColumn: textOffset + 1 + match.index, endColumn: textOffset + 1 + match.index + match[0].length }; wordDefinition.lastIndex = 0; return result; } return null; } function _findRegexMatchEnclosingPosition(wordDefinition, text, pos, stopPos) { let match; while (match = wordDefinition.exec(text)) { const matchIndex = match.index || 0; if (matchIndex <= pos && wordDefinition.lastIndex >= pos) { return match; } else if (stopPos > 0 && matchIndex > stopPos) { return null; } } return null; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/characterClassifier.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A fast character classifier that uses a compact array for ASCII values. */ class CharacterClassifier { constructor(_defaultValue) { const defaultValue = toUint8(_defaultValue); this._defaultValue = defaultValue; this._asciiMap = CharacterClassifier._createAsciiMap(defaultValue); this._map = new Map(); } static _createAsciiMap(defaultValue) { const asciiMap = new Uint8Array(256); asciiMap.fill(defaultValue); return asciiMap; } set(charCode, _value) { const value = toUint8(_value); if (charCode >= 0 && charCode < 256) { this._asciiMap[charCode] = value; } else { this._map.set(charCode, value); } } get(charCode) { if (charCode >= 0 && charCode < 256) { return this._asciiMap[charCode]; } else { return (this._map.get(charCode) || this._defaultValue); } } clear() { this._asciiMap.fill(this._defaultValue); this._map.clear(); } } class CharacterSet { constructor() { this._actual = new CharacterClassifier(0 /* Boolean.False */); } add(charCode) { this._actual.set(charCode, 1 /* Boolean.True */); } has(charCode) { return (this._actual.get(charCode) === 1 /* Boolean.True */); } clear() { return this._actual.clear(); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/languages/linkComputer.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class Uint8Matrix { constructor(rows, cols, defaultValue) { const data = new Uint8Array(rows * cols); for (let i = 0, len = rows * cols; i < len; i++) { data[i] = defaultValue; } this._data = data; this.rows = rows; this.cols = cols; } get(row, col) { return this._data[row * this.cols + col]; } set(row, col, value) { this._data[row * this.cols + col] = value; } } class StateMachine { constructor(edges) { let maxCharCode = 0; let maxState = 0 /* State.Invalid */; for (let i = 0, len = edges.length; i < len; i++) { const [from, chCode, to] = edges[i]; if (chCode > maxCharCode) { maxCharCode = chCode; } if (from > maxState) { maxState = from; } if (to > maxState) { maxState = to; } } maxCharCode++; maxState++; const states = new Uint8Matrix(maxState, maxCharCode, 0 /* State.Invalid */); for (let i = 0, len = edges.length; i < len; i++) { const [from, chCode, to] = edges[i]; states.set(from, chCode, to); } this._states = states; this._maxCharCode = maxCharCode; } nextState(currentState, chCode) { if (chCode < 0 || chCode >= this._maxCharCode) { return 0 /* State.Invalid */; } return this._states.get(currentState, chCode); } } // State machine for http:// or https:// or file:// let _stateMachine = null; function getStateMachine() { if (_stateMachine === null) { _stateMachine = new StateMachine([ [1 /* State.Start */, 104 /* CharCode.h */, 2 /* State.H */], [1 /* State.Start */, 72 /* CharCode.H */, 2 /* State.H */], [1 /* State.Start */, 102 /* CharCode.f */, 6 /* State.F */], [1 /* State.Start */, 70 /* CharCode.F */, 6 /* State.F */], [2 /* State.H */, 116 /* CharCode.t */, 3 /* State.HT */], [2 /* State.H */, 84 /* CharCode.T */, 3 /* State.HT */], [3 /* State.HT */, 116 /* CharCode.t */, 4 /* State.HTT */], [3 /* State.HT */, 84 /* CharCode.T */, 4 /* State.HTT */], [4 /* State.HTT */, 112 /* CharCode.p */, 5 /* State.HTTP */], [4 /* State.HTT */, 80 /* CharCode.P */, 5 /* State.HTTP */], [5 /* State.HTTP */, 115 /* CharCode.s */, 9 /* State.BeforeColon */], [5 /* State.HTTP */, 83 /* CharCode.S */, 9 /* State.BeforeColon */], [5 /* State.HTTP */, 58 /* CharCode.Colon */, 10 /* State.AfterColon */], [6 /* State.F */, 105 /* CharCode.i */, 7 /* State.FI */], [6 /* State.F */, 73 /* CharCode.I */, 7 /* State.FI */], [7 /* State.FI */, 108 /* CharCode.l */, 8 /* State.FIL */], [7 /* State.FI */, 76 /* CharCode.L */, 8 /* State.FIL */], [8 /* State.FIL */, 101 /* CharCode.e */, 9 /* State.BeforeColon */], [8 /* State.FIL */, 69 /* CharCode.E */, 9 /* State.BeforeColon */], [9 /* State.BeforeColon */, 58 /* CharCode.Colon */, 10 /* State.AfterColon */], [10 /* State.AfterColon */, 47 /* CharCode.Slash */, 11 /* State.AlmostThere */], [11 /* State.AlmostThere */, 47 /* CharCode.Slash */, 12 /* State.End */], ]); } return _stateMachine; } let _classifier = null; function getClassifier() { if (_classifier === null) { _classifier = new CharacterClassifier(0 /* CharacterClass.None */); // allow-any-unicode-next-line const FORCE_TERMINATION_CHARACTERS = " <>""、。。、,.:;‘〈「『〔([{「」}])〕』」〉’`~…"; for (let i = 0; i < FORCE_TERMINATION_CHARACTERS.length; i++) { _classifier.set(FORCE_TERMINATION_CHARACTERS.charCodeAt(i), 1 /* CharacterClass.ForceTermination */); } const CANNOT_END_WITH_CHARACTERS = ".,;:"; for (let i = 0; i < CANNOT_END_WITH_CHARACTERS.length; i++) { _classifier.set(CANNOT_END_WITH_CHARACTERS.charCodeAt(i), 2 /* CharacterClass.CannotEndIn */); } } return _classifier; } class LinkComputer { static _createLink(classifier, line, lineNumber, linkBeginIndex, linkEndIndex) { // Do not allow to end link in certain characters... let lastIncludedCharIndex = linkEndIndex - 1; do { const chCode = line.charCodeAt(lastIncludedCharIndex); const chClass = classifier.get(chCode); if (chClass !== 2 /* CharacterClass.CannotEndIn */) { break; } lastIncludedCharIndex--; } while (lastIncludedCharIndex > linkBeginIndex); // Handle links enclosed in parens, square brackets and curlys. if (linkBeginIndex > 0) { const charCodeBeforeLink = line.charCodeAt(linkBeginIndex - 1); const lastCharCodeInLink = line.charCodeAt(lastIncludedCharIndex); if ((charCodeBeforeLink === 40 /* CharCode.OpenParen */ && lastCharCodeInLink === 41 /* CharCode.CloseParen */) || (charCodeBeforeLink === 91 /* CharCode.OpenSquareBracket */ && lastCharCodeInLink === 93 /* CharCode.CloseSquareBracket */) || (charCodeBeforeLink === 123 /* CharCode.OpenCurlyBrace */ && lastCharCodeInLink === 125 /* CharCode.CloseCurlyBrace */)) { // Do not end in ) if ( is before the link start // Do not end in ] if [ is before the link start // Do not end in } if { is before the link start lastIncludedCharIndex--; } } return { range: { startLineNumber: lineNumber, startColumn: linkBeginIndex + 1, endLineNumber: lineNumber, endColumn: lastIncludedCharIndex + 2 }, url: line.substring(linkBeginIndex, lastIncludedCharIndex + 1) }; } static computeLinks(model, stateMachine = getStateMachine()) { const classifier = getClassifier(); const result = []; for (let i = 1, lineCount = model.getLineCount(); i <= lineCount; i++) { const line = model.getLineContent(i); const len = line.length; let j = 0; let linkBeginIndex = 0; let linkBeginChCode = 0; let state = 1 /* State.Start */; let hasOpenParens = false; let hasOpenSquareBracket = false; let inSquareBrackets = false; let hasOpenCurlyBracket = false; while (j < len) { let resetStateMachine = false; const chCode = line.charCodeAt(j); if (state === 13 /* State.Accept */) { let chClass; switch (chCode) { case 40 /* CharCode.OpenParen */: hasOpenParens = true; chClass = 0 /* CharacterClass.None */; break; case 41 /* CharCode.CloseParen */: chClass = (hasOpenParens ? 0 /* CharacterClass.None */ : 1 /* CharacterClass.ForceTermination */); break; case 91 /* CharCode.OpenSquareBracket */: inSquareBrackets = true; hasOpenSquareBracket = true; chClass = 0 /* CharacterClass.None */; break; case 93 /* CharCode.CloseSquareBracket */: inSquareBrackets = false; chClass = (hasOpenSquareBracket ? 0 /* CharacterClass.None */ : 1 /* CharacterClass.ForceTermination */); break; case 123 /* CharCode.OpenCurlyBrace */: hasOpenCurlyBracket = true; chClass = 0 /* CharacterClass.None */; break; case 125 /* CharCode.CloseCurlyBrace */: chClass = (hasOpenCurlyBracket ? 0 /* CharacterClass.None */ : 1 /* CharacterClass.ForceTermination */); break; // The following three rules make it that " or " or ` are allowed inside links // only if the link is wrapped by some other quote character case 39 /* CharCode.SingleQuote */: case 34 /* CharCode.DoubleQuote */: case 96 /* CharCode.BackTick */: if (linkBeginChCode === chCode) { chClass = 1 /* CharacterClass.ForceTermination */; } else if (linkBeginChCode === 39 /* CharCode.SingleQuote */ || linkBeginChCode === 34 /* CharCode.DoubleQuote */ || linkBeginChCode === 96 /* CharCode.BackTick */) { chClass = 0 /* CharacterClass.None */; } else { chClass = 1 /* CharacterClass.ForceTermination */; } break; case 42 /* CharCode.Asterisk */: // `*` terminates a link if the link began with `*` chClass = (linkBeginChCode === 42 /* CharCode.Asterisk */) ? 1 /* CharacterClass.ForceTermination */ : 0 /* CharacterClass.None */; break; case 124 /* CharCode.Pipe */: // `|` terminates a link if the link began with `|` chClass = (linkBeginChCode === 124 /* CharCode.Pipe */) ? 1 /* CharacterClass.ForceTermination */ : 0 /* CharacterClass.None */; break; case 32 /* CharCode.Space */: // ` ` allow space in between [ and ] chClass = (inSquareBrackets ? 0 /* CharacterClass.None */ : 1 /* CharacterClass.ForceTermination */); break; default: chClass = classifier.get(chCode); } // Check if character terminates link if (chClass === 1 /* CharacterClass.ForceTermination */) { result.push(LinkComputer._createLink(classifier, line, i, linkBeginIndex, j)); resetStateMachine = true; } } else if (state === 12 /* State.End */) { let chClass; if (chCode === 91 /* CharCode.OpenSquareBracket */) { // Allow for the authority part to contain ipv6 addresses which contain [ and ] hasOpenSquareBracket = true; chClass = 0 /* CharacterClass.None */; } else { chClass = classifier.get(chCode); } // Check if character terminates link if (chClass === 1 /* CharacterClass.ForceTermination */) { resetStateMachine = true; } else { state = 13 /* State.Accept */; } } else { state = stateMachine.nextState(state, chCode); if (state === 0 /* State.Invalid */) { resetStateMachine = true; } } if (resetStateMachine) { state = 1 /* State.Start */; hasOpenParens = false; hasOpenSquareBracket = false; hasOpenCurlyBracket = false; // Record where the link started linkBeginIndex = j + 1; linkBeginChCode = chCode; } j++; } if (state === 13 /* State.Accept */) { result.push(LinkComputer._createLink(classifier, line, i, linkBeginIndex, len)); } } return result; } } /** * Returns an array of all links contains in the provided * document. *Note* that this operation is computational * expensive and should not run in the UI thread. */ function computeLinks(model) { if (!model || typeof model.getLineCount !== "function" || typeof model.getLineContent !== "function") { // Unknown caller! return []; } return LinkComputer.computeLinks(model); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/languages/supports/inplaceReplaceSupport.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class BasicInplaceReplace { constructor() { this._defaultValueSet = [ ["true", "false"], ["True", "False"], ["Private", "Public", "Friend", "ReadOnly", "Partial", "Protected", "WriteOnly"], ["public", "protected", "private"], ]; } navigateValueSet(range1, text1, range2, text2, up) { if (range1 && text1) { const result = this.doNavigateValueSet(text1, up); if (result) { return { range: range1, value: result }; } } if (range2 && text2) { const result = this.doNavigateValueSet(text2, up); if (result) { return { range: range2, value: result }; } } return null; } doNavigateValueSet(text, up) { const numberResult = this.numberReplace(text, up); if (numberResult !== null) { return numberResult; } return this.textReplace(text, up); } numberReplace(value, up) { const precision = Math.pow(10, value.length - (value.lastIndexOf(".") + 1)); let n1 = Number(value); const n2 = parseFloat(value); if (!isNaN(n1) && !isNaN(n2) && n1 === n2) { if (n1 === 0 && !up) { return null; // don"t do negative // } else if(n1 === 9 && up) { // return null; // don"t insert 10 into a number } else { n1 = Math.floor(n1 * precision); n1 += up ? precision : -precision; return String(n1 / precision); } } return null; } textReplace(value, up) { return this.valueSetsReplace(this._defaultValueSet, value, up); } valueSetsReplace(valueSets, value, up) { let result = null; for (let i = 0, len = valueSets.length; result === null && i < len; i++) { result = this.valueSetReplace(valueSets[i], value, up); } return result; } valueSetReplace(valueSet, value, up) { let idx = valueSet.indexOf(value); if (idx >= 0) { idx += up ? +1 : -1; if (idx < 0) { idx = valueSet.length - 1; } else { idx %= valueSet.length; } return valueSet[idx]; } return null; } } BasicInplaceReplace.INSTANCE = new BasicInplaceReplace(); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/cancellation.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const shortcutEvent = Object.freeze(function (callback, context) { const handle = setTimeout(callback.bind(context), 0); return { dispose() { clearTimeout(handle); } }; }); var CancellationToken; (function (CancellationToken) { function isCancellationToken(thing) { if (thing === CancellationToken.None || thing === CancellationToken.Cancelled) { return true; } if (thing instanceof MutableToken) { return true; } if (!thing || typeof thing !== "object") { return false; } return typeof thing.isCancellationRequested === "boolean" && typeof thing.onCancellationRequested === "function"; } CancellationToken.isCancellationToken = isCancellationToken; CancellationToken.None = Object.freeze({ isCancellationRequested: false, onCancellationRequested: Event.None }); CancellationToken.Cancelled = Object.freeze({ isCancellationRequested: true, onCancellationRequested: shortcutEvent }); })(CancellationToken || (CancellationToken = {})); class MutableToken { constructor() { this._isCancelled = false; this._emitter = null; } cancel() { if (!this._isCancelled) { this._isCancelled = true; if (this._emitter) { this._emitter.fire(undefined); this.dispose(); } } } get isCancellationRequested() { return this._isCancelled; } get onCancellationRequested() { if (this._isCancelled) { return shortcutEvent; } if (!this._emitter) { this._emitter = new Emitter(); } return this._emitter.event; } dispose() { if (this._emitter) { this._emitter.dispose(); this._emitter = null; } } } class CancellationTokenSource { constructor(parent) { this._token = undefined; this._parentListener = undefined; this._parentListener = parent && parent.onCancellationRequested(this.cancel, this); } get token() { if (!this._token) { // be lazy and create the token only when // actually needed this._token = new MutableToken(); } return this._token; } cancel() { if (!this._token) { // save an object by returning the default // cancelled token when cancellation happens // before someone asks for the token this._token = CancellationToken.Cancelled; } else if (this._token instanceof MutableToken) { // actually cancel this._token.cancel(); } } dispose(cancel = false) { var _a; if (cancel) { this.cancel(); } (_a = this._parentListener) === null || _a === void 0 ? void 0 : _a.dispose(); if (!this._token) { // ensure to initialize with an empty token if we had none this._token = CancellationToken.None; } else if (this._token instanceof MutableToken) { // actually dispose this._token.dispose(); } } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/keyCodes.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class KeyCodeStrMap { constructor() { this._keyCodeToStr = []; this._strToKeyCode = Object.create(null); } define(keyCode, str) { this._keyCodeToStr[keyCode] = str; this._strToKeyCode[str.toLowerCase()] = keyCode; } keyCodeToStr(keyCode) { return this._keyCodeToStr[keyCode]; } strToKeyCode(str) { return this._strToKeyCode[str.toLowerCase()] || 0 /* KeyCode.Unknown */; } } const uiMap = new KeyCodeStrMap(); const userSettingsUSMap = new KeyCodeStrMap(); const userSettingsGeneralMap = new KeyCodeStrMap(); const EVENT_KEY_CODE_MAP = new Array(230); const NATIVE_WINDOWS_KEY_CODE_TO_KEY_CODE = {}; const scanCodeIntToStr = []; const scanCodeStrToInt = Object.create(null); const scanCodeLowerCaseStrToInt = Object.create(null); /** * -1 if a ScanCode => KeyCode mapping depends on kb layout. */ const IMMUTABLE_CODE_TO_KEY_CODE = []; /** * -1 if a KeyCode => ScanCode mapping depends on kb layout. */ const IMMUTABLE_KEY_CODE_TO_CODE = []; for (let i = 0; i <= 193 /* ScanCode.MAX_VALUE */; i++) { IMMUTABLE_CODE_TO_KEY_CODE[i] = -1 /* KeyCode.DependsOnKbLayout */; } for (let i = 0; i <= 132 /* KeyCode.MAX_VALUE */; i++) { IMMUTABLE_KEY_CODE_TO_CODE[i] = -1 /* ScanCode.DependsOnKbLayout */; } (function () { // See https://msdn.microsoft.com/en-us/library/windows/desktop/dd375731(v=vs.85).aspx // See https://github.com/microsoft/node-native-keymap/blob/88c0b0e5/deps/chromium/keyboard_codes_win.h const empty = ""; const mappings = [ // immutable, scanCode, scanCodeStr, keyCode, keyCodeStr, eventKeyCode, vkey, usUserSettingsLabel, generalUserSettingsLabel [1, 0 /* ScanCode.None */, "None", 0 /* KeyCode.Unknown */, "unknown", 0, "VK_UNKNOWN", empty, empty], [1, 1 /* ScanCode.Hyper */, "Hyper", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 2 /* ScanCode.Super */, "Super", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 3 /* ScanCode.Fn */, "Fn", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 4 /* ScanCode.FnLock */, "FnLock", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 5 /* ScanCode.Suspend */, "Suspend", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 6 /* ScanCode.Resume */, "Resume", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 7 /* ScanCode.Turbo */, "Turbo", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 8 /* ScanCode.Sleep */, "Sleep", 0 /* KeyCode.Unknown */, empty, 0, "VK_SLEEP", empty, empty], [1, 9 /* ScanCode.WakeUp */, "WakeUp", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [0, 10 /* ScanCode.KeyA */, "KeyA", 31 /* KeyCode.KeyA */, "A", 65, "VK_A", empty, empty], [0, 11 /* ScanCode.KeyB */, "KeyB", 32 /* KeyCode.KeyB */, "B", 66, "VK_B", empty, empty], [0, 12 /* ScanCode.KeyC */, "KeyC", 33 /* KeyCode.KeyC */, "C", 67, "VK_C", empty, empty], [0, 13 /* ScanCode.KeyD */, "KeyD", 34 /* KeyCode.KeyD */, "D", 68, "VK_D", empty, empty], [0, 14 /* ScanCode.KeyE */, "KeyE", 35 /* KeyCode.KeyE */, "E", 69, "VK_E", empty, empty], [0, 15 /* ScanCode.KeyF */, "KeyF", 36 /* KeyCode.KeyF */, "F", 70, "VK_F", empty, empty], [0, 16 /* ScanCode.KeyG */, "KeyG", 37 /* KeyCode.KeyG */, "G", 71, "VK_G", empty, empty], [0, 17 /* ScanCode.KeyH */, "KeyH", 38 /* KeyCode.KeyH */, "H", 72, "VK_H", empty, empty], [0, 18 /* ScanCode.KeyI */, "KeyI", 39 /* KeyCode.KeyI */, "I", 73, "VK_I", empty, empty], [0, 19 /* ScanCode.KeyJ */, "KeyJ", 40 /* KeyCode.KeyJ */, "J", 74, "VK_J", empty, empty], [0, 20 /* ScanCode.KeyK */, "KeyK", 41 /* KeyCode.KeyK */, "K", 75, "VK_K", empty, empty], [0, 21 /* ScanCode.KeyL */, "KeyL", 42 /* KeyCode.KeyL */, "L", 76, "VK_L", empty, empty], [0, 22 /* ScanCode.KeyM */, "KeyM", 43 /* KeyCode.KeyM */, "M", 77, "VK_M", empty, empty], [0, 23 /* ScanCode.KeyN */, "KeyN", 44 /* KeyCode.KeyN */, "N", 78, "VK_N", empty, empty], [0, 24 /* ScanCode.KeyO */, "KeyO", 45 /* KeyCode.KeyO */, "O", 79, "VK_O", empty, empty], [0, 25 /* ScanCode.KeyP */, "KeyP", 46 /* KeyCode.KeyP */, "P", 80, "VK_P", empty, empty], [0, 26 /* ScanCode.KeyQ */, "KeyQ", 47 /* KeyCode.KeyQ */, "Q", 81, "VK_Q", empty, empty], [0, 27 /* ScanCode.KeyR */, "KeyR", 48 /* KeyCode.KeyR */, "R", 82, "VK_R", empty, empty], [0, 28 /* ScanCode.KeyS */, "KeyS", 49 /* KeyCode.KeyS */, "S", 83, "VK_S", empty, empty], [0, 29 /* ScanCode.KeyT */, "KeyT", 50 /* KeyCode.KeyT */, "T", 84, "VK_T", empty, empty], [0, 30 /* ScanCode.KeyU */, "KeyU", 51 /* KeyCode.KeyU */, "U", 85, "VK_U", empty, empty], [0, 31 /* ScanCode.KeyV */, "KeyV", 52 /* KeyCode.KeyV */, "V", 86, "VK_V", empty, empty], [0, 32 /* ScanCode.KeyW */, "KeyW", 53 /* KeyCode.KeyW */, "W", 87, "VK_W", empty, empty], [0, 33 /* ScanCode.KeyX */, "KeyX", 54 /* KeyCode.KeyX */, "X", 88, "VK_X", empty, empty], [0, 34 /* ScanCode.KeyY */, "KeyY", 55 /* KeyCode.KeyY */, "Y", 89, "VK_Y", empty, empty], [0, 35 /* ScanCode.KeyZ */, "KeyZ", 56 /* KeyCode.KeyZ */, "Z", 90, "VK_Z", empty, empty], [0, 36 /* ScanCode.Digit1 */, "Digit1", 22 /* KeyCode.Digit1 */, "1", 49, "VK_1", empty, empty], [0, 37 /* ScanCode.Digit2 */, "Digit2", 23 /* KeyCode.Digit2 */, "2", 50, "VK_2", empty, empty], [0, 38 /* ScanCode.Digit3 */, "Digit3", 24 /* KeyCode.Digit3 */, "3", 51, "VK_3", empty, empty], [0, 39 /* ScanCode.Digit4 */, "Digit4", 25 /* KeyCode.Digit4 */, "4", 52, "VK_4", empty, empty], [0, 40 /* ScanCode.Digit5 */, "Digit5", 26 /* KeyCode.Digit5 */, "5", 53, "VK_5", empty, empty], [0, 41 /* ScanCode.Digit6 */, "Digit6", 27 /* KeyCode.Digit6 */, "6", 54, "VK_6", empty, empty], [0, 42 /* ScanCode.Digit7 */, "Digit7", 28 /* KeyCode.Digit7 */, "7", 55, "VK_7", empty, empty], [0, 43 /* ScanCode.Digit8 */, "Digit8", 29 /* KeyCode.Digit8 */, "8", 56, "VK_8", empty, empty], [0, 44 /* ScanCode.Digit9 */, "Digit9", 30 /* KeyCode.Digit9 */, "9", 57, "VK_9", empty, empty], [0, 45 /* ScanCode.Digit0 */, "Digit0", 21 /* KeyCode.Digit0 */, "0", 48, "VK_0", empty, empty], [1, 46 /* ScanCode.Enter */, "Enter", 3 /* KeyCode.Enter */, "Enter", 13, "VK_RETURN", empty, empty], [1, 47 /* ScanCode.Escape */, "Escape", 9 /* KeyCode.Escape */, "Escape", 27, "VK_ESCAPE", empty, empty], [1, 48 /* ScanCode.Backspace */, "Backspace", 1 /* KeyCode.Backspace */, "Backspace", 8, "VK_BACK", empty, empty], [1, 49 /* ScanCode.Tab */, "Tab", 2 /* KeyCode.Tab */, "Tab", 9, "VK_TAB", empty, empty], [1, 50 /* ScanCode.Space */, "Space", 10 /* KeyCode.Space */, "Space", 32, "VK_SPACE", empty, empty], [0, 51 /* ScanCode.Minus */, "Minus", 88 /* KeyCode.Minus */, "-", 189, "VK_OEM_MINUS", "-", "OEM_MINUS"], [0, 52 /* ScanCode.Equal */, "Equal", 86 /* KeyCode.Equal */, "=", 187, "VK_OEM_PLUS", "=", "OEM_PLUS"], [0, 53 /* ScanCode.BracketLeft */, "BracketLeft", 92 /* KeyCode.BracketLeft */, "[", 219, "VK_OEM_4", "[", "OEM_4"], [0, 54 /* ScanCode.BracketRight */, "BracketRight", 94 /* KeyCode.BracketRight */, "]", 221, "VK_OEM_6", "]", "OEM_6"], [0, 55 /* ScanCode.Backslash */, "Backslash", 93 /* KeyCode.Backslash */, "\", 220, "VK_OEM_5", "\", "OEM_5"], [0, 56 /* ScanCode.IntlHash */, "IntlHash", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], // has been dropped from the w3c spec [0, 57 /* ScanCode.Semicolon */, "Semicolon", 85 /* KeyCode.Semicolon */, ";", 186, "VK_OEM_1", ";", "OEM_1"], [0, 58 /* ScanCode.Quote */, "Quote", 95 /* KeyCode.Quote */, """, 222, "VK_OEM_7", """, "OEM_7"], [0, 59 /* ScanCode.Backquote */, "Backquote", 91 /* KeyCode.Backquote */, "`", 192, "VK_OEM_3", "`", "OEM_3"], [0, 60 /* ScanCode.Comma */, "Comma", 87 /* KeyCode.Comma */, ",", 188, "VK_OEM_COMMA", ",", "OEM_COMMA"], [0, 61 /* ScanCode.Period */, "Period", 89 /* KeyCode.Period */, ".", 190, "VK_OEM_PERIOD", ".", "OEM_PERIOD"], [0, 62 /* ScanCode.Slash */, "Slash", 90 /* KeyCode.Slash */, "/", 191, "VK_OEM_2", "/", "OEM_2"], [1, 63 /* ScanCode.CapsLock */, "CapsLock", 8 /* KeyCode.CapsLock */, "CapsLock", 20, "VK_CAPITAL", empty, empty], [1, 64 /* ScanCode.F1 */, "F1", 59 /* KeyCode.F1 */, "F1", 112, "VK_F1", empty, empty], [1, 65 /* ScanCode.F2 */, "F2", 60 /* KeyCode.F2 */, "F2", 113, "VK_F2", empty, empty], [1, 66 /* ScanCode.F3 */, "F3", 61 /* KeyCode.F3 */, "F3", 114, "VK_F3", empty, empty], [1, 67 /* ScanCode.F4 */, "F4", 62 /* KeyCode.F4 */, "F4", 115, "VK_F4", empty, empty], [1, 68 /* ScanCode.F5 */, "F5", 63 /* KeyCode.F5 */, "F5", 116, "VK_F5", empty, empty], [1, 69 /* ScanCode.F6 */, "F6", 64 /* KeyCode.F6 */, "F6", 117, "VK_F6", empty, empty], [1, 70 /* ScanCode.F7 */, "F7", 65 /* KeyCode.F7 */, "F7", 118, "VK_F7", empty, empty], [1, 71 /* ScanCode.F8 */, "F8", 66 /* KeyCode.F8 */, "F8", 119, "VK_F8", empty, empty], [1, 72 /* ScanCode.F9 */, "F9", 67 /* KeyCode.F9 */, "F9", 120, "VK_F9", empty, empty], [1, 73 /* ScanCode.F10 */, "F10", 68 /* KeyCode.F10 */, "F10", 121, "VK_F10", empty, empty], [1, 74 /* ScanCode.F11 */, "F11", 69 /* KeyCode.F11 */, "F11", 122, "VK_F11", empty, empty], [1, 75 /* ScanCode.F12 */, "F12", 70 /* KeyCode.F12 */, "F12", 123, "VK_F12", empty, empty], [1, 76 /* ScanCode.PrintScreen */, "PrintScreen", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 77 /* ScanCode.ScrollLock */, "ScrollLock", 84 /* KeyCode.ScrollLock */, "ScrollLock", 145, "VK_SCROLL", empty, empty], [1, 78 /* ScanCode.Pause */, "Pause", 7 /* KeyCode.PauseBreak */, "PauseBreak", 19, "VK_PAUSE", empty, empty], [1, 79 /* ScanCode.Insert */, "Insert", 19 /* KeyCode.Insert */, "Insert", 45, "VK_INSERT", empty, empty], [1, 80 /* ScanCode.Home */, "Home", 14 /* KeyCode.Home */, "Home", 36, "VK_HOME", empty, empty], [1, 81 /* ScanCode.PageUp */, "PageUp", 11 /* KeyCode.PageUp */, "PageUp", 33, "VK_PRIOR", empty, empty], [1, 82 /* ScanCode.Delete */, "Delete", 20 /* KeyCode.Delete */, "Delete", 46, "VK_DELETE", empty, empty], [1, 83 /* ScanCode.End */, "End", 13 /* KeyCode.End */, "End", 35, "VK_END", empty, empty], [1, 84 /* ScanCode.PageDown */, "PageDown", 12 /* KeyCode.PageDown */, "PageDown", 34, "VK_NEXT", empty, empty], [1, 85 /* ScanCode.ArrowRight */, "ArrowRight", 17 /* KeyCode.RightArrow */, "RightArrow", 39, "VK_RIGHT", "Right", empty], [1, 86 /* ScanCode.ArrowLeft */, "ArrowLeft", 15 /* KeyCode.LeftArrow */, "LeftArrow", 37, "VK_LEFT", "Left", empty], [1, 87 /* ScanCode.ArrowDown */, "ArrowDown", 18 /* KeyCode.DownArrow */, "DownArrow", 40, "VK_DOWN", "Down", empty], [1, 88 /* ScanCode.ArrowUp */, "ArrowUp", 16 /* KeyCode.UpArrow */, "UpArrow", 38, "VK_UP", "Up", empty], [1, 89 /* ScanCode.NumLock */, "NumLock", 83 /* KeyCode.NumLock */, "NumLock", 144, "VK_NUMLOCK", empty, empty], [1, 90 /* ScanCode.NumpadDivide */, "NumpadDivide", 113 /* KeyCode.NumpadDivide */, "NumPad_Divide", 111, "VK_DIVIDE", empty, empty], [1, 91 /* ScanCode.NumpadMultiply */, "NumpadMultiply", 108 /* KeyCode.NumpadMultiply */, "NumPad_Multiply", 106, "VK_MULTIPLY", empty, empty], [1, 92 /* ScanCode.NumpadSubtract */, "NumpadSubtract", 111 /* KeyCode.NumpadSubtract */, "NumPad_Subtract", 109, "VK_SUBTRACT", empty, empty], [1, 93 /* ScanCode.NumpadAdd */, "NumpadAdd", 109 /* KeyCode.NumpadAdd */, "NumPad_Add", 107, "VK_ADD", empty, empty], [1, 94 /* ScanCode.NumpadEnter */, "NumpadEnter", 3 /* KeyCode.Enter */, empty, 0, empty, empty, empty], [1, 95 /* ScanCode.Numpad1 */, "Numpad1", 99 /* KeyCode.Numpad1 */, "NumPad1", 97, "VK_NUMPAD1", empty, empty], [1, 96 /* ScanCode.Numpad2 */, "Numpad2", 100 /* KeyCode.Numpad2 */, "NumPad2", 98, "VK_NUMPAD2", empty, empty], [1, 97 /* ScanCode.Numpad3 */, "Numpad3", 101 /* KeyCode.Numpad3 */, "NumPad3", 99, "VK_NUMPAD3", empty, empty], [1, 98 /* ScanCode.Numpad4 */, "Numpad4", 102 /* KeyCode.Numpad4 */, "NumPad4", 100, "VK_NUMPAD4", empty, empty], [1, 99 /* ScanCode.Numpad5 */, "Numpad5", 103 /* KeyCode.Numpad5 */, "NumPad5", 101, "VK_NUMPAD5", empty, empty], [1, 100 /* ScanCode.Numpad6 */, "Numpad6", 104 /* KeyCode.Numpad6 */, "NumPad6", 102, "VK_NUMPAD6", empty, empty], [1, 101 /* ScanCode.Numpad7 */, "Numpad7", 105 /* KeyCode.Numpad7 */, "NumPad7", 103, "VK_NUMPAD7", empty, empty], [1, 102 /* ScanCode.Numpad8 */, "Numpad8", 106 /* KeyCode.Numpad8 */, "NumPad8", 104, "VK_NUMPAD8", empty, empty], [1, 103 /* ScanCode.Numpad9 */, "Numpad9", 107 /* KeyCode.Numpad9 */, "NumPad9", 105, "VK_NUMPAD9", empty, empty], [1, 104 /* ScanCode.Numpad0 */, "Numpad0", 98 /* KeyCode.Numpad0 */, "NumPad0", 96, "VK_NUMPAD0", empty, empty], [1, 105 /* ScanCode.NumpadDecimal */, "NumpadDecimal", 112 /* KeyCode.NumpadDecimal */, "NumPad_Decimal", 110, "VK_DECIMAL", empty, empty], [0, 106 /* ScanCode.IntlBackslash */, "IntlBackslash", 97 /* KeyCode.IntlBackslash */, "OEM_102", 226, "VK_OEM_102", empty, empty], [1, 107 /* ScanCode.ContextMenu */, "ContextMenu", 58 /* KeyCode.ContextMenu */, "ContextMenu", 93, empty, empty, empty], [1, 108 /* ScanCode.Power */, "Power", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 109 /* ScanCode.NumpadEqual */, "NumpadEqual", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 110 /* ScanCode.F13 */, "F13", 71 /* KeyCode.F13 */, "F13", 124, "VK_F13", empty, empty], [1, 111 /* ScanCode.F14 */, "F14", 72 /* KeyCode.F14 */, "F14", 125, "VK_F14", empty, empty], [1, 112 /* ScanCode.F15 */, "F15", 73 /* KeyCode.F15 */, "F15", 126, "VK_F15", empty, empty], [1, 113 /* ScanCode.F16 */, "F16", 74 /* KeyCode.F16 */, "F16", 127, "VK_F16", empty, empty], [1, 114 /* ScanCode.F17 */, "F17", 75 /* KeyCode.F17 */, "F17", 128, "VK_F17", empty, empty], [1, 115 /* ScanCode.F18 */, "F18", 76 /* KeyCode.F18 */, "F18", 129, "VK_F18", empty, empty], [1, 116 /* ScanCode.F19 */, "F19", 77 /* KeyCode.F19 */, "F19", 130, "VK_F19", empty, empty], [1, 117 /* ScanCode.F20 */, "F20", 78 /* KeyCode.F20 */, "F20", 131, "VK_F20", empty, empty], [1, 118 /* ScanCode.F21 */, "F21", 79 /* KeyCode.F21 */, "F21", 132, "VK_F21", empty, empty], [1, 119 /* ScanCode.F22 */, "F22", 80 /* KeyCode.F22 */, "F22", 133, "VK_F22", empty, empty], [1, 120 /* ScanCode.F23 */, "F23", 81 /* KeyCode.F23 */, "F23", 134, "VK_F23", empty, empty], [1, 121 /* ScanCode.F24 */, "F24", 82 /* KeyCode.F24 */, "F24", 135, "VK_F24", empty, empty], [1, 122 /* ScanCode.Open */, "Open", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 123 /* ScanCode.Help */, "Help", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 124 /* ScanCode.Select */, "Select", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 125 /* ScanCode.Again */, "Again", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 126 /* ScanCode.Undo */, "Undo", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 127 /* ScanCode.Cut */, "Cut", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 128 /* ScanCode.Copy */, "Copy", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 129 /* ScanCode.Paste */, "Paste", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 130 /* ScanCode.Find */, "Find", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 131 /* ScanCode.AudioVolumeMute */, "AudioVolumeMute", 117 /* KeyCode.AudioVolumeMute */, "AudioVolumeMute", 173, "VK_VOLUME_MUTE", empty, empty], [1, 132 /* ScanCode.AudioVolumeUp */, "AudioVolumeUp", 118 /* KeyCode.AudioVolumeUp */, "AudioVolumeUp", 175, "VK_VOLUME_UP", empty, empty], [1, 133 /* ScanCode.AudioVolumeDown */, "AudioVolumeDown", 119 /* KeyCode.AudioVolumeDown */, "AudioVolumeDown", 174, "VK_VOLUME_DOWN", empty, empty], [1, 134 /* ScanCode.NumpadComma */, "NumpadComma", 110 /* KeyCode.NUMPAD_SEPARATOR */, "NumPad_Separator", 108, "VK_SEPARATOR", empty, empty], [0, 135 /* ScanCode.IntlRo */, "IntlRo", 115 /* KeyCode.ABNT_C1 */, "ABNT_C1", 193, "VK_ABNT_C1", empty, empty], [1, 136 /* ScanCode.KanaMode */, "KanaMode", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [0, 137 /* ScanCode.IntlYen */, "IntlYen", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 138 /* ScanCode.Convert */, "Convert", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 139 /* ScanCode.NonConvert */, "NonConvert", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 140 /* ScanCode.Lang1 */, "Lang1", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 141 /* ScanCode.Lang2 */, "Lang2", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 142 /* ScanCode.Lang3 */, "Lang3", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 143 /* ScanCode.Lang4 */, "Lang4", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 144 /* ScanCode.Lang5 */, "Lang5", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 145 /* ScanCode.Abort */, "Abort", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 146 /* ScanCode.Props */, "Props", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 147 /* ScanCode.NumpadParenLeft */, "NumpadParenLeft", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 148 /* ScanCode.NumpadParenRight */, "NumpadParenRight", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 149 /* ScanCode.NumpadBackspace */, "NumpadBackspace", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 150 /* ScanCode.NumpadMemoryStore */, "NumpadMemoryStore", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 151 /* ScanCode.NumpadMemoryRecall */, "NumpadMemoryRecall", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 152 /* ScanCode.NumpadMemoryClear */, "NumpadMemoryClear", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 153 /* ScanCode.NumpadMemoryAdd */, "NumpadMemoryAdd", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 154 /* ScanCode.NumpadMemorySubtract */, "NumpadMemorySubtract", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 155 /* ScanCode.NumpadClear */, "NumpadClear", 131 /* KeyCode.Clear */, "Clear", 12, "VK_CLEAR", empty, empty], [1, 156 /* ScanCode.NumpadClearEntry */, "NumpadClearEntry", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 0 /* ScanCode.None */, empty, 5 /* KeyCode.Ctrl */, "Ctrl", 17, "VK_CONTROL", empty, empty], [1, 0 /* ScanCode.None */, empty, 4 /* KeyCode.Shift */, "Shift", 16, "VK_SHIFT", empty, empty], [1, 0 /* ScanCode.None */, empty, 6 /* KeyCode.Alt */, "Alt", 18, "VK_MENU", empty, empty], [1, 0 /* ScanCode.None */, empty, 57 /* KeyCode.Meta */, "Meta", 91, "VK_COMMAND", empty, empty], [1, 157 /* ScanCode.ControlLeft */, "ControlLeft", 5 /* KeyCode.Ctrl */, empty, 0, "VK_LCONTROL", empty, empty], [1, 158 /* ScanCode.ShiftLeft */, "ShiftLeft", 4 /* KeyCode.Shift */, empty, 0, "VK_LSHIFT", empty, empty], [1, 159 /* ScanCode.AltLeft */, "AltLeft", 6 /* KeyCode.Alt */, empty, 0, "VK_LMENU", empty, empty], [1, 160 /* ScanCode.MetaLeft */, "MetaLeft", 57 /* KeyCode.Meta */, empty, 0, "VK_LWIN", empty, empty], [1, 161 /* ScanCode.ControlRight */, "ControlRight", 5 /* KeyCode.Ctrl */, empty, 0, "VK_RCONTROL", empty, empty], [1, 162 /* ScanCode.ShiftRight */, "ShiftRight", 4 /* KeyCode.Shift */, empty, 0, "VK_RSHIFT", empty, empty], [1, 163 /* ScanCode.AltRight */, "AltRight", 6 /* KeyCode.Alt */, empty, 0, "VK_RMENU", empty, empty], [1, 164 /* ScanCode.MetaRight */, "MetaRight", 57 /* KeyCode.Meta */, empty, 0, "VK_RWIN", empty, empty], [1, 165 /* ScanCode.BrightnessUp */, "BrightnessUp", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 166 /* ScanCode.BrightnessDown */, "BrightnessDown", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 167 /* ScanCode.MediaPlay */, "MediaPlay", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 168 /* ScanCode.MediaRecord */, "MediaRecord", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 169 /* ScanCode.MediaFastForward */, "MediaFastForward", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 170 /* ScanCode.MediaRewind */, "MediaRewind", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 171 /* ScanCode.MediaTrackNext */, "MediaTrackNext", 124 /* KeyCode.MediaTrackNext */, "MediaTrackNext", 176, "VK_MEDIA_NEXT_TRACK", empty, empty], [1, 172 /* ScanCode.MediaTrackPrevious */, "MediaTrackPrevious", 125 /* KeyCode.MediaTrackPrevious */, "MediaTrackPrevious", 177, "VK_MEDIA_PREV_TRACK", empty, empty], [1, 173 /* ScanCode.MediaStop */, "MediaStop", 126 /* KeyCode.MediaStop */, "MediaStop", 178, "VK_MEDIA_STOP", empty, empty], [1, 174 /* ScanCode.Eject */, "Eject", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 175 /* ScanCode.MediaPlayPause */, "MediaPlayPause", 127 /* KeyCode.MediaPlayPause */, "MediaPlayPause", 179, "VK_MEDIA_PLAY_PAUSE", empty, empty], [1, 176 /* ScanCode.MediaSelect */, "MediaSelect", 128 /* KeyCode.LaunchMediaPlayer */, "LaunchMediaPlayer", 181, "VK_MEDIA_LAUNCH_MEDIA_SELECT", empty, empty], [1, 177 /* ScanCode.LaunchMail */, "LaunchMail", 129 /* KeyCode.LaunchMail */, "LaunchMail", 180, "VK_MEDIA_LAUNCH_MAIL", empty, empty], [1, 178 /* ScanCode.LaunchApp2 */, "LaunchApp2", 130 /* KeyCode.LaunchApp2 */, "LaunchApp2", 183, "VK_MEDIA_LAUNCH_APP2", empty, empty], [1, 179 /* ScanCode.LaunchApp1 */, "LaunchApp1", 0 /* KeyCode.Unknown */, empty, 0, "VK_MEDIA_LAUNCH_APP1", empty, empty], [1, 180 /* ScanCode.SelectTask */, "SelectTask", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 181 /* ScanCode.LaunchScreenSaver */, "LaunchScreenSaver", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 182 /* ScanCode.BrowserSearch */, "BrowserSearch", 120 /* KeyCode.BrowserSearch */, "BrowserSearch", 170, "VK_BROWSER_SEARCH", empty, empty], [1, 183 /* ScanCode.BrowserHome */, "BrowserHome", 121 /* KeyCode.BrowserHome */, "BrowserHome", 172, "VK_BROWSER_HOME", empty, empty], [1, 184 /* ScanCode.BrowserBack */, "BrowserBack", 122 /* KeyCode.BrowserBack */, "BrowserBack", 166, "VK_BROWSER_BACK", empty, empty], [1, 185 /* ScanCode.BrowserForward */, "BrowserForward", 123 /* KeyCode.BrowserForward */, "BrowserForward", 167, "VK_BROWSER_FORWARD", empty, empty], [1, 186 /* ScanCode.BrowserStop */, "BrowserStop", 0 /* KeyCode.Unknown */, empty, 0, "VK_BROWSER_STOP", empty, empty], [1, 187 /* ScanCode.BrowserRefresh */, "BrowserRefresh", 0 /* KeyCode.Unknown */, empty, 0, "VK_BROWSER_REFRESH", empty, empty], [1, 188 /* ScanCode.BrowserFavorites */, "BrowserFavorites", 0 /* KeyCode.Unknown */, empty, 0, "VK_BROWSER_FAVORITES", empty, empty], [1, 189 /* ScanCode.ZoomToggle */, "ZoomToggle", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 190 /* ScanCode.MailReply */, "MailReply", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 191 /* ScanCode.MailForward */, "MailForward", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], [1, 192 /* ScanCode.MailSend */, "MailSend", 0 /* KeyCode.Unknown */, empty, 0, empty, empty, empty], // See https://lists.w3.org/Archives/Public/www-dom/2010JulSep/att-0182/keyCode-spec.html // If an Input Method Editor is processing key input and the event is keydown, return 229. [1, 0 /* ScanCode.None */, empty, 114 /* KeyCode.KEY_IN_COMPOSITION */, "KeyInComposition", 229, empty, empty, empty], [1, 0 /* ScanCode.None */, empty, 116 /* KeyCode.ABNT_C2 */, "ABNT_C2", 194, "VK_ABNT_C2", empty, empty], [1, 0 /* ScanCode.None */, empty, 96 /* KeyCode.OEM_8 */, "OEM_8", 223, "VK_OEM_8", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_KANA", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_HANGUL", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_JUNJA", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_FINAL", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_HANJA", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_KANJI", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_CONVERT", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_NONCONVERT", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_ACCEPT", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_MODECHANGE", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_SELECT", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_PRINT", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_EXECUTE", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_SNAPSHOT", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_HELP", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_APPS", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_PROCESSKEY", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_PACKET", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_DBE_SBCSCHAR", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_DBE_DBCSCHAR", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_ATTN", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_CRSEL", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_EXSEL", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_EREOF", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_PLAY", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_ZOOM", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_NONAME", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_PA1", empty, empty], [1, 0 /* ScanCode.None */, empty, 0 /* KeyCode.Unknown */, empty, 0, "VK_OEM_CLEAR", empty, empty], ]; const seenKeyCode = []; const seenScanCode = []; for (const mapping of mappings) { const [immutable, scanCode, scanCodeStr, keyCode, keyCodeStr, eventKeyCode, vkey, usUserSettingsLabel, generalUserSettingsLabel] = mapping; if (!seenScanCode[scanCode]) { seenScanCode[scanCode] = true; scanCodeIntToStr[scanCode] = scanCodeStr; scanCodeStrToInt[scanCodeStr] = scanCode; scanCodeLowerCaseStrToInt[scanCodeStr.toLowerCase()] = scanCode; if (immutable) { IMMUTABLE_CODE_TO_KEY_CODE[scanCode] = keyCode; if ((keyCode !== 0 /* KeyCode.Unknown */) && (keyCode !== 3 /* KeyCode.Enter */) && (keyCode !== 5 /* KeyCode.Ctrl */) && (keyCode !== 4 /* KeyCode.Shift */) && (keyCode !== 6 /* KeyCode.Alt */) && (keyCode !== 57 /* KeyCode.Meta */)) { IMMUTABLE_KEY_CODE_TO_CODE[keyCode] = scanCode; } } } if (!seenKeyCode[keyCode]) { seenKeyCode[keyCode] = true; if (!keyCodeStr) { throw new Error(`String representation missing for key code ${keyCode} around scan code ${scanCodeStr}`); } uiMap.define(keyCode, keyCodeStr); userSettingsUSMap.define(keyCode, usUserSettingsLabel || keyCodeStr); userSettingsGeneralMap.define(keyCode, generalUserSettingsLabel || usUserSettingsLabel || keyCodeStr); } if (eventKeyCode) { EVENT_KEY_CODE_MAP[eventKeyCode] = keyCode; } if (vkey) { NATIVE_WINDOWS_KEY_CODE_TO_KEY_CODE[vkey] = keyCode; } } // Manually added due to the exclusion above (due to duplication with NumpadEnter) IMMUTABLE_KEY_CODE_TO_CODE[3 /* KeyCode.Enter */] = 46 /* ScanCode.Enter */; })(); var KeyCodeUtils; (function (KeyCodeUtils) { function toString(keyCode) { return uiMap.keyCodeToStr(keyCode); } KeyCodeUtils.toString = toString; function fromString(key) { return uiMap.strToKeyCode(key); } KeyCodeUtils.fromString = fromString; function toUserSettingsUS(keyCode) { return userSettingsUSMap.keyCodeToStr(keyCode); } KeyCodeUtils.toUserSettingsUS = toUserSettingsUS; function toUserSettingsGeneral(keyCode) { return userSettingsGeneralMap.keyCodeToStr(keyCode); } KeyCodeUtils.toUserSettingsGeneral = toUserSettingsGeneral; function fromUserSettings(key) { return userSettingsUSMap.strToKeyCode(key) || userSettingsGeneralMap.strToKeyCode(key); } KeyCodeUtils.fromUserSettings = fromUserSettings; function toElectronAccelerator(keyCode) { if (keyCode >= 98 /* KeyCode.Numpad0 */ && keyCode <= 113 /* KeyCode.NumpadDivide */) { // [Electron Accelerators] Electron is able to parse numpad keys, but unfortunately it // renders them just as regular keys in menus. For example, num0 is rendered as "0", // numdiv is rendered as "/", numsub is rendered as "-". // // This can lead to incredible confusion, as it makes numpad based keybindings indistinguishable // from keybindings based on regular keys. // // We therefore need to fall back to custom rendering for numpad keys. return null; } switch (keyCode) { case 16 /* KeyCode.UpArrow */: return "Up"; case 18 /* KeyCode.DownArrow */: return "Down"; case 15 /* KeyCode.LeftArrow */: return "Left"; case 17 /* KeyCode.RightArrow */: return "Right"; } return uiMap.keyCodeToStr(keyCode); } KeyCodeUtils.toElectronAccelerator = toElectronAccelerator; })(KeyCodeUtils || (KeyCodeUtils = {})); function KeyChord(firstPart, secondPart) { const chordPart = ((secondPart & 0x0000FFFF) << 16) >>> 0; return (firstPart | chordPart) >>> 0; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/selection.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A selection in the editor. * The selection is a range that has an orientation. */ class Selection extends range_Range { constructor(selectionStartLineNumber, selectionStartColumn, positionLineNumber, positionColumn) { super(selectionStartLineNumber, selectionStartColumn, positionLineNumber, positionColumn); this.selectionStartLineNumber = selectionStartLineNumber; this.selectionStartColumn = selectionStartColumn; this.positionLineNumber = positionLineNumber; this.positionColumn = positionColumn; } /** * Transform to a human-readable representation. */ toString() { return "[" + this.selectionStartLineNumber + "," + this.selectionStartColumn + " -> " + this.positionLineNumber + "," + this.positionColumn + "]"; } /** * Test if equals other selection. */ equalsSelection(other) { return (Selection.selectionsEqual(this, other)); } /** * Test if the two selections are equal. */ static selectionsEqual(a, b) { return (a.selectionStartLineNumber === b.selectionStartLineNumber && a.selectionStartColumn === b.selectionStartColumn && a.positionLineNumber === b.positionLineNumber && a.positionColumn === b.positionColumn); } /** * Get directions (LTR or RTL). */ getDirection() { if (this.selectionStartLineNumber === this.startLineNumber && this.selectionStartColumn === this.startColumn) { return 0 /* SelectionDirection.LTR */; } return 1 /* SelectionDirection.RTL */; } /** * Create a new selection with a different `positionLineNumber` and `positionColumn`. */ setEndPosition(endLineNumber, endColumn) { if (this.getDirection() === 0 /* SelectionDirection.LTR */) { return new Selection(this.startLineNumber, this.startColumn, endLineNumber, endColumn); } return new Selection(endLineNumber, endColumn, this.startLineNumber, this.startColumn); } /** * Get the position at `positionLineNumber` and `positionColumn`. */ getPosition() { return new position_Position(this.positionLineNumber, this.positionColumn); } /** * Get the position at the start of the selection. */ getSelectionStart() { return new position_Position(this.selectionStartLineNumber, this.selectionStartColumn); } /** * Create a new selection with a different `selectionStartLineNumber` and `selectionStartColumn`. */ setStartPosition(startLineNumber, startColumn) { if (this.getDirection() === 0 /* SelectionDirection.LTR */) { return new Selection(startLineNumber, startColumn, this.endLineNumber, this.endColumn); } return new Selection(this.endLineNumber, this.endColumn, startLineNumber, startColumn); } // ---- /** * Create a `Selection` from one or two positions */ static fromPositions(start, end = start) { return new Selection(start.lineNumber, start.column, end.lineNumber, end.column); } /** * Creates a `Selection` from a range, given a direction. */ static fromRange(range, direction) { if (direction === 0 /* SelectionDirection.LTR */) { return new Selection(range.startLineNumber, range.startColumn, range.endLineNumber, range.endColumn); } else { return new Selection(range.endLineNumber, range.endColumn, range.startLineNumber, range.startColumn); } } /** * Create a `Selection` from an `ISelection`. */ static liftSelection(sel) { return new Selection(sel.selectionStartLineNumber, sel.selectionStartColumn, sel.positionLineNumber, sel.positionColumn); } /** * `a` equals `b`. */ static selectionsArrEqual(a, b) { if (a && !b || !a && b) { return false; } if (!a && !b) { return true; } if (a.length !== b.length) { return false; } for (let i = 0, len = a.length; i < len; i++) { if (!this.selectionsEqual(a[i], b[i])) { return false; } } return true; } /** * Test if `obj` is an `ISelection`. */ static isISelection(obj) { return (obj && (typeof obj.selectionStartLineNumber === "number") && (typeof obj.selectionStartColumn === "number") && (typeof obj.positionLineNumber === "number") && (typeof obj.positionColumn === "number")); } /** * Create with a direction. */ static createWithDirection(startLineNumber, startColumn, endLineNumber, endColumn, direction) { if (direction === 0 /* SelectionDirection.LTR */) { return new Selection(startLineNumber, startColumn, endLineNumber, endColumn); } return new Selection(endLineNumber, endColumn, startLineNumber, startColumn); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/types.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * @returns whether the provided parameter is a JavaScript String or not. */ function isString(str) { return (typeof str === "string"); } /** * @returns whether the provided parameter is of type `object` but **not** * `null`, an `array`, a `regexp`, nor a `date`. */ function types_isObject(obj) { // The method can"t do a type cast since there are type (like strings) which // are subclasses of any put not positvely matched by the function. Hence type // narrowing results in wrong results. return typeof obj === "object" && obj !== null && !Array.isArray(obj) && !(obj instanceof RegExp) && !(obj instanceof Date); } /** * @returns whether the provided parameter is of type `Buffer` or Uint8Array dervived type */ function types_isTypedArray(obj) { const TypedArray = Object.getPrototypeOf(Uint8Array); return typeof obj === "object" && obj instanceof TypedArray; } /** * In **contrast** to just checking `typeof` this will return `false` for `NaN`. * @returns whether the provided parameter is a JavaScript Number or not. */ function isNumber(obj) { return (typeof obj === "number" && !isNaN(obj)); } /** * @returns whether the provided parameter is an Iterable, casting to the given generic */ function isIterable(obj) { return !!obj && typeof obj[Symbol.iterator] === "function"; } /** * @returns whether the provided parameter is a JavaScript Boolean or not. */ function isBoolean(obj) { return (obj === true || obj === false); } /** * @returns whether the provided parameter is undefined. */ function isUndefined(obj) { return (typeof obj === "undefined"); } /** * @returns whether the provided parameter is defined. */ function isDefined(arg) { return !types_isUndefinedOrNull(arg); } /** * @returns whether the provided parameter is undefined or null. */ function types_isUndefinedOrNull(obj) { return (isUndefined(obj) || obj === null); } function assertType(condition, type) { if (!condition) { throw new Error(type ? `Unexpected type, expected "${type}"` : "Unexpected type"); } } /** * Asserts that the argument passed in is neither undefined nor null. */ function assertIsDefined(arg) { if (types_isUndefinedOrNull(arg)) { throw new Error("Assertion Failed: argument is undefined or null"); } return arg; } /** * @returns whether the provided parameter is a JavaScript Function or not. */ function isFunction(obj) { return (typeof obj === "function"); } function validateConstraints(args, constraints) { const len = Math.min(args.length, constraints.length); for (let i = 0; i < len; i++) { validateConstraint(args[i], constraints[i]); } } function validateConstraint(arg, constraint) { if (isString(constraint)) { if (typeof arg !== constraint) { throw new Error(`argument does not match constraint: typeof ${constraint}`); } } else if (isFunction(constraint)) { try { if (arg instanceof constraint) { return; } } catch (_a) { // ignore } if (!types_isUndefinedOrNull(arg) && arg.constructor === constraint) { return; } if (constraint.length === 1 && constraint.call(undefined, arg) === true) { return; } throw new Error(`argument does not match one of these constraints: arg instanceof constraint, arg.constructor === constraint, nor constraint(arg) === true`); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/codicons.js const _codiconFontCharacters = Object.create(null); function register(id, fontCharacter) { if (isString(fontCharacter)) { const val = _codiconFontCharacters[fontCharacter]; if (val === undefined) { throw new Error(`${id} references an unknown codicon: ${fontCharacter}`); } fontCharacter = val; } _codiconFontCharacters[id] = fontCharacter; return { id }; } /** * Only to be used by the iconRegistry. */ function getCodiconFontCharacters() { return _codiconFontCharacters; } /** * The Codicon library is a set of default icons that are built-in in VS Code. * * In the product (outside of base) Codicons should only be used as defaults. In order to have all icons in VS Code * themeable, component should define new, UI component specific icons using `iconRegistry.registerIcon`. * In that call a Codicon can be named as default. */ const Codicon = { // built-in icons, with image name add: register("add", 0xea60), plus: register("plus", 0xea60), gistNew: register("gist-new", 0xea60), repoCreate: register("repo-create", 0xea60), lightbulb: register("lightbulb", 0xea61), lightBulb: register("light-bulb", 0xea61), repo: register("repo", 0xea62), repoDelete: register("repo-delete", 0xea62), gistFork: register("gist-fork", 0xea63), repoForked: register("repo-forked", 0xea63), gitPullRequest: register("git-pull-request", 0xea64), gitPullRequestAbandoned: register("git-pull-request-abandoned", 0xea64), recordKeys: register("record-keys", 0xea65), keyboard: register("keyboard", 0xea65), tag: register("tag", 0xea66), tagAdd: register("tag-add", 0xea66), tagRemove: register("tag-remove", 0xea66), gitPullRequestLabel: register("git-pull-request-label", 0xea66), person: register("person", 0xea67), personFollow: register("person-follow", 0xea67), personOutline: register("person-outline", 0xea67), personFilled: register("person-filled", 0xea67), gitBranch: register("git-branch", 0xea68), gitBranchCreate: register("git-branch-create", 0xea68), gitBranchDelete: register("git-branch-delete", 0xea68), sourceControl: register("source-control", 0xea68), mirror: register("mirror", 0xea69), mirrorPublic: register("mirror-public", 0xea69), star: register("star", 0xea6a), starAdd: register("star-add", 0xea6a), starDelete: register("star-delete", 0xea6a), starEmpty: register("star-empty", 0xea6a), comment: register("comment", 0xea6b), commentAdd: register("comment-add", 0xea6b), alert: register("alert", 0xea6c), warning: register("warning", 0xea6c), search: register("search", 0xea6d), searchSave: register("search-save", 0xea6d), logOut: register("log-out", 0xea6e), signOut: register("sign-out", 0xea6e), logIn: register("log-in", 0xea6f), signIn: register("sign-in", 0xea6f), eye: register("eye", 0xea70), eyeUnwatch: register("eye-unwatch", 0xea70), eyeWatch: register("eye-watch", 0xea70), circleFilled: register("circle-filled", 0xea71), primitiveDot: register("primitive-dot", 0xea71), closeDirty: register("close-dirty", 0xea71), debugBreakpoint: register("debug-breakpoint", 0xea71), debugBreakpointDisabled: register("debug-breakpoint-disabled", 0xea71), debugHint: register("debug-hint", 0xea71), primitiveSquare: register("primitive-square", 0xea72), edit: register("edit", 0xea73), pencil: register("pencil", 0xea73), info: register("info", 0xea74), issueOpened: register("issue-opened", 0xea74), gistPrivate: register("gist-private", 0xea75), gitForkPrivate: register("git-fork-private", 0xea75), lock: register("lock", 0xea75), mirrorPrivate: register("mirror-private", 0xea75), close: register("close", 0xea76), removeClose: register("remove-close", 0xea76), x: register("x", 0xea76), repoSync: register("repo-sync", 0xea77), sync: register("sync", 0xea77), clone: register("clone", 0xea78), desktopDownload: register("desktop-download", 0xea78), beaker: register("beaker", 0xea79), microscope: register("microscope", 0xea79), vm: register("vm", 0xea7a), deviceDesktop: register("device-desktop", 0xea7a), file: register("file", 0xea7b), fileText: register("file-text", 0xea7b), more: register("more", 0xea7c), ellipsis: register("ellipsis", 0xea7c), kebabHorizontal: register("kebab-horizontal", 0xea7c), mailReply: register("mail-reply", 0xea7d), reply: register("reply", 0xea7d), organization: register("organization", 0xea7e), organizationFilled: register("organization-filled", 0xea7e), organizationOutline: register("organization-outline", 0xea7e), newFile: register("new-file", 0xea7f), fileAdd: register("file-add", 0xea7f), newFolder: register("new-folder", 0xea80), fileDirectoryCreate: register("file-directory-create", 0xea80), trash: register("trash", 0xea81), trashcan: register("trashcan", 0xea81), history: register("history", 0xea82), clock: register("clock", 0xea82), folder: register("folder", 0xea83), fileDirectory: register("file-directory", 0xea83), symbolFolder: register("symbol-folder", 0xea83), logoGithub: register("logo-github", 0xea84), markGithub: register("mark-github", 0xea84), github: register("github", 0xea84), terminal: register("terminal", 0xea85), console: register("console", 0xea85), repl: register("repl", 0xea85), zap: register("zap", 0xea86), symbolEvent: register("symbol-event", 0xea86), error: register("error", 0xea87), stop: register("stop", 0xea87), variable: register("variable", 0xea88), symbolVariable: register("symbol-variable", 0xea88), array: register("array", 0xea8a), symbolArray: register("symbol-array", 0xea8a), symbolModule: register("symbol-module", 0xea8b), symbolPackage: register("symbol-package", 0xea8b), symbolNamespace: register("symbol-namespace", 0xea8b), symbolObject: register("symbol-object", 0xea8b), symbolMethod: register("symbol-method", 0xea8c), symbolFunction: register("symbol-function", 0xea8c), symbolConstructor: register("symbol-constructor", 0xea8c), symbolBoolean: register("symbol-boolean", 0xea8f), symbolNull: register("symbol-null", 0xea8f), symbolNumeric: register("symbol-numeric", 0xea90), symbolNumber: register("symbol-number", 0xea90), symbolStructure: register("symbol-structure", 0xea91), symbolStruct: register("symbol-struct", 0xea91), symbolParameter: register("symbol-parameter", 0xea92), symbolTypeParameter: register("symbol-type-parameter", 0xea92), symbolKey: register("symbol-key", 0xea93), symbolText: register("symbol-text", 0xea93), symbolReference: register("symbol-reference", 0xea94), goToFile: register("go-to-file", 0xea94), symbolEnum: register("symbol-enum", 0xea95), symbolValue: register("symbol-value", 0xea95), symbolRuler: register("symbol-ruler", 0xea96), symbolUnit: register("symbol-unit", 0xea96), activateBreakpoints: register("activate-breakpoints", 0xea97), archive: register("archive", 0xea98), arrowBoth: register("arrow-both", 0xea99), arrowDown: register("arrow-down", 0xea9a), arrowLeft: register("arrow-left", 0xea9b), arrowRight: register("arrow-right", 0xea9c), arrowSmallDown: register("arrow-small-down", 0xea9d), arrowSmallLeft: register("arrow-small-left", 0xea9e), arrowSmallRight: register("arrow-small-right", 0xea9f), arrowSmallUp: register("arrow-small-up", 0xeaa0), arrowUp: register("arrow-up", 0xeaa1), bell: register("bell", 0xeaa2), bold: register("bold", 0xeaa3), book: register("book", 0xeaa4), bookmark: register("bookmark", 0xeaa5), debugBreakpointConditionalUnverified: register("debug-breakpoint-conditional-unverified", 0xeaa6), debugBreakpointConditional: register("debug-breakpoint-conditional", 0xeaa7), debugBreakpointConditionalDisabled: register("debug-breakpoint-conditional-disabled", 0xeaa7), debugBreakpointDataUnverified: register("debug-breakpoint-data-unverified", 0xeaa8), debugBreakpointData: register("debug-breakpoint-data", 0xeaa9), debugBreakpointDataDisabled: register("debug-breakpoint-data-disabled", 0xeaa9), debugBreakpointLogUnverified: register("debug-breakpoint-log-unverified", 0xeaaa), debugBreakpointLog: register("debug-breakpoint-log", 0xeaab), debugBreakpointLogDisabled: register("debug-breakpoint-log-disabled", 0xeaab), briefcase: register("briefcase", 0xeaac), broadcast: register("broadcast", 0xeaad), browser: register("browser", 0xeaae), bug: register("bug", 0xeaaf), calendar: register("calendar", 0xeab0), caseSensitive: register("case-sensitive", 0xeab1), check: register("check", 0xeab2), checklist: register("checklist", 0xeab3), chevronDown: register("chevron-down", 0xeab4), dropDownButton: register("drop-down-button", 0xeab4), chevronLeft: register("chevron-left", 0xeab5), chevronRight: register("chevron-right", 0xeab6), chevronUp: register("chevron-up", 0xeab7), chromeClose: register("chrome-close", 0xeab8), chromeMaximize: register("chrome-maximize", 0xeab9), chromeMinimize: register("chrome-minimize", 0xeaba), chromeRestore: register("chrome-restore", 0xeabb), circle: register("circle", 0xeabc), circleOutline: register("circle-outline", 0xeabc), debugBreakpointUnverified: register("debug-breakpoint-unverified", 0xeabc), circleSlash: register("circle-slash", 0xeabd), circuitBoard: register("circuit-board", 0xeabe), clearAll: register("clear-all", 0xeabf), clippy: register("clippy", 0xeac0), closeAll: register("close-all", 0xeac1), cloudDownload: register("cloud-download", 0xeac2), cloudUpload: register("cloud-upload", 0xeac3), code: register("code", 0xeac4), collapseAll: register("collapse-all", 0xeac5), colorMode: register("color-mode", 0xeac6), commentDiscussion: register("comment-discussion", 0xeac7), compareChanges: register("compare-changes", 0xeafd), creditCard: register("credit-card", 0xeac9), dash: register("dash", 0xeacc), dashboard: register("dashboard", 0xeacd), database: register("database", 0xeace), debugContinue: register("debug-continue", 0xeacf), debugDisconnect: register("debug-disconnect", 0xead0), debugPause: register("debug-pause", 0xead1), debugRestart: register("debug-restart", 0xead2), debugStart: register("debug-start", 0xead3), debugStepInto: register("debug-step-into", 0xead4), debugStepOut: register("debug-step-out", 0xead5), debugStepOver: register("debug-step-over", 0xead6), debugStop: register("debug-stop", 0xead7), debug: register("debug", 0xead8), deviceCameraVideo: register("device-camera-video", 0xead9), deviceCamera: register("device-camera", 0xeada), deviceMobile: register("device-mobile", 0xeadb), diffAdded: register("diff-added", 0xeadc), diffIgnored: register("diff-ignored", 0xeadd), diffModified: register("diff-modified", 0xeade), diffRemoved: register("diff-removed", 0xeadf), diffRenamed: register("diff-renamed", 0xeae0), diff: register("diff", 0xeae1), discard: register("discard", 0xeae2), editorLayout: register("editor-layout", 0xeae3), emptyWindow: register("empty-window", 0xeae4), exclude: register("exclude", 0xeae5), extensions: register("extensions", 0xeae6), eyeClosed: register("eye-closed", 0xeae7), fileBinary: register("file-binary", 0xeae8), fileCode: register("file-code", 0xeae9), fileMedia: register("file-media", 0xeaea), filePdf: register("file-pdf", 0xeaeb), fileSubmodule: register("file-submodule", 0xeaec), fileSymlinkDirectory: register("file-symlink-directory", 0xeaed), fileSymlinkFile: register("file-symlink-file", 0xeaee), fileZip: register("file-zip", 0xeaef), files: register("files", 0xeaf0), filter: register("filter", 0xeaf1), flame: register("flame", 0xeaf2), foldDown: register("fold-down", 0xeaf3), foldUp: register("fold-up", 0xeaf4), fold: register("fold", 0xeaf5), folderActive: register("folder-active", 0xeaf6), folderOpened: register("folder-opened", 0xeaf7), gear: register("gear", 0xeaf8), gift: register("gift", 0xeaf9), gistSecret: register("gist-secret", 0xeafa), gist: register("gist", 0xeafb), gitCommit: register("git-commit", 0xeafc), gitCompare: register("git-compare", 0xeafd), gitMerge: register("git-merge", 0xeafe), githubAction: register("github-action", 0xeaff), githubAlt: register("github-alt", 0xeb00), globe: register("globe", 0xeb01), grabber: register("grabber", 0xeb02), graph: register("graph", 0xeb03), gripper: register("gripper", 0xeb04), heart: register("heart", 0xeb05), home: register("home", 0xeb06), horizontalRule: register("horizontal-rule", 0xeb07), hubot: register("hubot", 0xeb08), inbox: register("inbox", 0xeb09), issueClosed: register("issue-closed", 0xeba4), issueReopened: register("issue-reopened", 0xeb0b), issues: register("issues", 0xeb0c), italic: register("italic", 0xeb0d), jersey: register("jersey", 0xeb0e), json: register("json", 0xeb0f), bracket: register("bracket", 0xeb0f), kebabVertical: register("kebab-vertical", 0xeb10), key: register("key", 0xeb11), law: register("law", 0xeb12), lightbulbAutofix: register("lightbulb-autofix", 0xeb13), linkExternal: register("link-external", 0xeb14), link: register("link", 0xeb15), listOrdered: register("list-ordered", 0xeb16), listUnordered: register("list-unordered", 0xeb17), liveShare: register("live-share", 0xeb18), loading: register("loading", 0xeb19), location: register("location", 0xeb1a), mailRead: register("mail-read", 0xeb1b), mail: register("mail", 0xeb1c), markdown: register("markdown", 0xeb1d), megaphone: register("megaphone", 0xeb1e), mention: register("mention", 0xeb1f), milestone: register("milestone", 0xeb20), gitPullRequestMilestone: register("git-pull-request-milestone", 0xeb20), mortarBoard: register("mortar-board", 0xeb21), move: register("move", 0xeb22), multipleWindows: register("multiple-windows", 0xeb23), mute: register("mute", 0xeb24), noNewline: register("no-newline", 0xeb25), note: register("note", 0xeb26), octoface: register("octoface", 0xeb27), openPreview: register("open-preview", 0xeb28), package: register("package", 0xeb29), paintcan: register("paintcan", 0xeb2a), pin: register("pin", 0xeb2b), play: register("play", 0xeb2c), run: register("run", 0xeb2c), plug: register("plug", 0xeb2d), preserveCase: register("preserve-case", 0xeb2e), preview: register("preview", 0xeb2f), project: register("project", 0xeb30), pulse: register("pulse", 0xeb31), question: register("question", 0xeb32), quote: register("quote", 0xeb33), radioTower: register("radio-tower", 0xeb34), reactions: register("reactions", 0xeb35), references: register("references", 0xeb36), refresh: register("refresh", 0xeb37), regex: register("regex", 0xeb38), remoteExplorer: register("remote-explorer", 0xeb39), remote: register("remote", 0xeb3a), remove: register("remove", 0xeb3b), replaceAll: register("replace-all", 0xeb3c), replace: register("replace", 0xeb3d), repoClone: register("repo-clone", 0xeb3e), repoForcePush: register("repo-force-push", 0xeb3f), repoPull: register("repo-pull", 0xeb40), repoPush: register("repo-push", 0xeb41), report: register("report", 0xeb42), requestChanges: register("request-changes", 0xeb43), rocket: register("rocket", 0xeb44), rootFolderOpened: register("root-folder-opened", 0xeb45), rootFolder: register("root-folder", 0xeb46), rss: register("rss", 0xeb47), ruby: register("ruby", 0xeb48), saveAll: register("save-all", 0xeb49), saveAs: register("save-as", 0xeb4a), save: register("save", 0xeb4b), screenFull: register("screen-full", 0xeb4c), screenNormal: register("screen-normal", 0xeb4d), searchStop: register("search-stop", 0xeb4e), server: register("server", 0xeb50), settingsGear: register("settings-gear", 0xeb51), settings: register("settings", 0xeb52), shield: register("shield", 0xeb53), smiley: register("smiley", 0xeb54), sortPrecedence: register("sort-precedence", 0xeb55), splitHorizontal: register("split-horizontal", 0xeb56), splitVertical: register("split-vertical", 0xeb57), squirrel: register("squirrel", 0xeb58), starFull: register("star-full", 0xeb59), starHalf: register("star-half", 0xeb5a), symbolClass: register("symbol-class", 0xeb5b), symbolColor: register("symbol-color", 0xeb5c), symbolCustomColor: register("symbol-customcolor", 0xeb5c), symbolConstant: register("symbol-constant", 0xeb5d), symbolEnumMember: register("symbol-enum-member", 0xeb5e), symbolField: register("symbol-field", 0xeb5f), symbolFile: register("symbol-file", 0xeb60), symbolInterface: register("symbol-interface", 0xeb61), symbolKeyword: register("symbol-keyword", 0xeb62), symbolMisc: register("symbol-misc", 0xeb63), symbolOperator: register("symbol-operator", 0xeb64), symbolProperty: register("symbol-property", 0xeb65), wrench: register("wrench", 0xeb65), wrenchSubaction: register("wrench-subaction", 0xeb65), symbolSnippet: register("symbol-snippet", 0xeb66), tasklist: register("tasklist", 0xeb67), telescope: register("telescope", 0xeb68), textSize: register("text-size", 0xeb69), threeBars: register("three-bars", 0xeb6a), thumbsdown: register("thumbsdown", 0xeb6b), thumbsup: register("thumbsup", 0xeb6c), tools: register("tools", 0xeb6d), triangleDown: register("triangle-down", 0xeb6e), triangleLeft: register("triangle-left", 0xeb6f), triangleRight: register("triangle-right", 0xeb70), triangleUp: register("triangle-up", 0xeb71), twitter: register("twitter", 0xeb72), unfold: register("unfold", 0xeb73), unlock: register("unlock", 0xeb74), unmute: register("unmute", 0xeb75), unverified: register("unverified", 0xeb76), verified: register("verified", 0xeb77), versions: register("versions", 0xeb78), vmActive: register("vm-active", 0xeb79), vmOutline: register("vm-outline", 0xeb7a), vmRunning: register("vm-running", 0xeb7b), watch: register("watch", 0xeb7c), whitespace: register("whitespace", 0xeb7d), wholeWord: register("whole-word", 0xeb7e), window: register("window", 0xeb7f), wordWrap: register("word-wrap", 0xeb80), zoomIn: register("zoom-in", 0xeb81), zoomOut: register("zoom-out", 0xeb82), listFilter: register("list-filter", 0xeb83), listFlat: register("list-flat", 0xeb84), listSelection: register("list-selection", 0xeb85), selection: register("selection", 0xeb85), listTree: register("list-tree", 0xeb86), debugBreakpointFunctionUnverified: register("debug-breakpoint-function-unverified", 0xeb87), debugBreakpointFunction: register("debug-breakpoint-function", 0xeb88), debugBreakpointFunctionDisabled: register("debug-breakpoint-function-disabled", 0xeb88), debugStackframeActive: register("debug-stackframe-active", 0xeb89), circleSmallFilled: register("circle-small-filled", 0xeb8a), debugStackframeDot: register("debug-stackframe-dot", 0xeb8a), debugStackframe: register("debug-stackframe", 0xeb8b), debugStackframeFocused: register("debug-stackframe-focused", 0xeb8b), debugBreakpointUnsupported: register("debug-breakpoint-unsupported", 0xeb8c), symbolString: register("symbol-string", 0xeb8d), debugReverseContinue: register("debug-reverse-continue", 0xeb8e), debugStepBack: register("debug-step-back", 0xeb8f), debugRestartFrame: register("debug-restart-frame", 0xeb90), callIncoming: register("call-incoming", 0xeb92), callOutgoing: register("call-outgoing", 0xeb93), menu: register("menu", 0xeb94), expandAll: register("expand-all", 0xeb95), feedback: register("feedback", 0xeb96), gitPullRequestReviewer: register("git-pull-request-reviewer", 0xeb96), groupByRefType: register("group-by-ref-type", 0xeb97), ungroupByRefType: register("ungroup-by-ref-type", 0xeb98), account: register("account", 0xeb99), gitPullRequestAssignee: register("git-pull-request-assignee", 0xeb99), bellDot: register("bell-dot", 0xeb9a), debugConsole: register("debug-console", 0xeb9b), library: register("library", 0xeb9c), output: register("output", 0xeb9d), runAll: register("run-all", 0xeb9e), syncIgnored: register("sync-ignored", 0xeb9f), pinned: register("pinned", 0xeba0), githubInverted: register("github-inverted", 0xeba1), debugAlt: register("debug-alt", 0xeb91), serverProcess: register("server-process", 0xeba2), serverEnvironment: register("server-environment", 0xeba3), pass: register("pass", 0xeba4), stopCircle: register("stop-circle", 0xeba5), playCircle: register("play-circle", 0xeba6), record: register("record", 0xeba7), debugAltSmall: register("debug-alt-small", 0xeba8), vmConnect: register("vm-connect", 0xeba9), cloud: register("cloud", 0xebaa), merge: register("merge", 0xebab), exportIcon: register("export", 0xebac), graphLeft: register("graph-left", 0xebad), magnet: register("magnet", 0xebae), notebook: register("notebook", 0xebaf), redo: register("redo", 0xebb0), checkAll: register("check-all", 0xebb1), pinnedDirty: register("pinned-dirty", 0xebb2), passFilled: register("pass-filled", 0xebb3), circleLargeFilled: register("circle-large-filled", 0xebb4), circleLarge: register("circle-large", 0xebb5), circleLargeOutline: register("circle-large-outline", 0xebb5), combine: register("combine", 0xebb6), gather: register("gather", 0xebb6), table: register("table", 0xebb7), variableGroup: register("variable-group", 0xebb8), typeHierarchy: register("type-hierarchy", 0xebb9), typeHierarchySub: register("type-hierarchy-sub", 0xebba), typeHierarchySuper: register("type-hierarchy-super", 0xebbb), gitPullRequestCreate: register("git-pull-request-create", 0xebbc), runAbove: register("run-above", 0xebbd), runBelow: register("run-below", 0xebbe), notebookTemplate: register("notebook-template", 0xebbf), debugRerun: register("debug-rerun", 0xebc0), workspaceTrusted: register("workspace-trusted", 0xebc1), workspaceUntrusted: register("workspace-untrusted", 0xebc2), workspaceUnspecified: register("workspace-unspecified", 0xebc3), terminalCmd: register("terminal-cmd", 0xebc4), terminalDebian: register("terminal-debian", 0xebc5), terminalLinux: register("terminal-linux", 0xebc6), terminalPowershell: register("terminal-powershell", 0xebc7), terminalTmux: register("terminal-tmux", 0xebc8), terminalUbuntu: register("terminal-ubuntu", 0xebc9), terminalBash: register("terminal-bash", 0xebca), arrowSwap: register("arrow-swap", 0xebcb), copy: register("copy", 0xebcc), personAdd: register("person-add", 0xebcd), filterFilled: register("filter-filled", 0xebce), wand: register("wand", 0xebcf), debugLineByLine: register("debug-line-by-line", 0xebd0), inspect: register("inspect", 0xebd1), layers: register("layers", 0xebd2), layersDot: register("layers-dot", 0xebd3), layersActive: register("layers-active", 0xebd4), compass: register("compass", 0xebd5), compassDot: register("compass-dot", 0xebd6), compassActive: register("compass-active", 0xebd7), azure: register("azure", 0xebd8), issueDraft: register("issue-draft", 0xebd9), gitPullRequestClosed: register("git-pull-request-closed", 0xebda), gitPullRequestDraft: register("git-pull-request-draft", 0xebdb), debugAll: register("debug-all", 0xebdc), debugCoverage: register("debug-coverage", 0xebdd), runErrors: register("run-errors", 0xebde), folderLibrary: register("folder-library", 0xebdf), debugContinueSmall: register("debug-continue-small", 0xebe0), beakerStop: register("beaker-stop", 0xebe1), graphLine: register("graph-line", 0xebe2), graphScatter: register("graph-scatter", 0xebe3), pieChart: register("pie-chart", 0xebe4), bracketDot: register("bracket-dot", 0xebe5), bracketError: register("bracket-error", 0xebe6), lockSmall: register("lock-small", 0xebe7), azureDevops: register("azure-devops", 0xebe8), verifiedFilled: register("verified-filled", 0xebe9), newLine: register("newline", 0xebea), layout: register("layout", 0xebeb), layoutActivitybarLeft: register("layout-activitybar-left", 0xebec), layoutActivitybarRight: register("layout-activitybar-right", 0xebed), layoutPanelLeft: register("layout-panel-left", 0xebee), layoutPanelCenter: register("layout-panel-center", 0xebef), layoutPanelJustify: register("layout-panel-justify", 0xebf0), layoutPanelRight: register("layout-panel-right", 0xebf1), layoutPanel: register("layout-panel", 0xebf2), layoutSidebarLeft: register("layout-sidebar-left", 0xebf3), layoutSidebarRight: register("layout-sidebar-right", 0xebf4), layoutStatusbar: register("layout-statusbar", 0xebf5), layoutMenubar: register("layout-menubar", 0xebf6), layoutCentered: register("layout-centered", 0xebf7), layoutSidebarRightOff: register("layout-sidebar-right-off", 0xec00), layoutPanelOff: register("layout-panel-off", 0xec01), layoutSidebarLeftOff: register("layout-sidebar-left-off", 0xec02), target: register("target", 0xebf8), indent: register("indent", 0xebf9), recordSmall: register("record-small", 0xebfa), errorSmall: register("error-small", 0xebfb), arrowCircleDown: register("arrow-circle-down", 0xebfc), arrowCircleLeft: register("arrow-circle-left", 0xebfd), arrowCircleRight: register("arrow-circle-right", 0xebfe), arrowCircleUp: register("arrow-circle-up", 0xebff), heartFilled: register("heart-filled", 0xec04), map: register("map", 0xec05), mapFilled: register("map-filled", 0xec06), circleSmall: register("circle-small", 0xec07), bellSlash: register("bell-slash", 0xec08), bellSlashDot: register("bell-slash-dot", 0xec09), commentUnresolved: register("comment-unresolved", 0xec0a), gitPullRequestGoToChanges: register("git-pull-request-go-to-changes", 0xec0b), gitPullRequestNewChanges: register("git-pull-request-new-changes", 0xec0c), searchFuzzy: register("search-fuzzy", 0xec0d), commentDraft: register("comment-draft", 0xec0e), send: register("send", 0xec0f), sparkle: register("sparkle", 0xec10), insert: register("insert", 0xec11), mic: register("mic", 0xec12), thumbsDownFilled: register("thumbsdown-filled", 0xec13), thumbsUpFilled: register("thumbsup-filled", 0xec14), coffee: register("coffee", 0xec15), snake: register("snake", 0xec16), game: register("game", 0xec17), vr: register("vr", 0xec18), chip: register("chip", 0xec19), piano: register("piano", 0xec1a), music: register("music", 0xec1b), micFilled: register("mic-filled", 0xec1c), gitFetch: register("git-fetch", 0xec1d), copilot: register("copilot", 0xec1e), lightbulbSparkle: register("lightbulb-sparkle", 0xec1f), lightbulbSparkleAutofix: register("lightbulb-sparkle-autofix", 0xec1f), robot: register("robot", 0xec20), sparkleFilled: register("sparkle-filled", 0xec21), diffSingle: register("diff-single", 0xec22), diffMultiple: register("diff-multiple", 0xec23), // derived icons, that could become separate icons dialogError: register("dialog-error", "error"), dialogWarning: register("dialog-warning", "warning"), dialogInfo: register("dialog-info", "info"), dialogClose: register("dialog-close", "close"), treeItemExpanded: register("tree-item-expanded", "chevron-down"), // collapsed is done with rotation treeFilterOnTypeOn: register("tree-filter-on-type-on", "list-filter"), treeFilterOnTypeOff: register("tree-filter-on-type-off", "list-selection"), treeFilterClear: register("tree-filter-clear", "close"), treeItemLoading: register("tree-item-loading", "loading"), menuSelection: register("menu-selection", "check"), menuSubmenu: register("menu-submenu", "chevron-right"), menuBarMore: register("menubar-more", "more"), scrollbarButtonLeft: register("scrollbar-button-left", "triangle-left"), scrollbarButtonRight: register("scrollbar-button-right", "triangle-right"), scrollbarButtonUp: register("scrollbar-button-up", "triangle-up"), scrollbarButtonDown: register("scrollbar-button-down", "triangle-down"), toolBarMore: register("toolbar-more", "more"), quickInputBack: register("quick-input-back", "arrow-left") }; ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/tokenizationRegistry.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class TokenizationRegistry { constructor() { this._tokenizationSupports = new Map(); this._factories = new Map(); this._onDidChange = new Emitter(); this.onDidChange = this._onDidChange.event; this._colorMap = null; } handleChange(languageIds) { this._onDidChange.fire({ changedLanguages: languageIds, changedColorMap: false }); } register(languageId, support) { this._tokenizationSupports.set(languageId, support); this.handleChange([languageId]); return lifecycle_toDisposable(() => { if (this._tokenizationSupports.get(languageId) !== support) { return; } this._tokenizationSupports.delete(languageId); this.handleChange([languageId]); }); } get(languageId) { return this._tokenizationSupports.get(languageId) || null; } registerFactory(languageId, factory) { var _a; (_a = this._factories.get(languageId)) === null || _a === void 0 ? void 0 : _a.dispose(); const myData = new TokenizationSupportFactoryData(this, languageId, factory); this._factories.set(languageId, myData); return lifecycle_toDisposable(() => { const v = this._factories.get(languageId); if (!v || v !== myData) { return; } this._factories.delete(languageId); v.dispose(); }); } async getOrCreate(languageId) { // check first if the support is already set const tokenizationSupport = this.get(languageId); if (tokenizationSupport) { return tokenizationSupport; } const factory = this._factories.get(languageId); if (!factory || factory.isResolved) { // no factory or factory.resolve already finished return null; } await factory.resolve(); return this.get(languageId); } isResolved(languageId) { const tokenizationSupport = this.get(languageId); if (tokenizationSupport) { return true; } const factory = this._factories.get(languageId); if (!factory || factory.isResolved) { return true; } return false; } setColorMap(colorMap) { this._colorMap = colorMap; this._onDidChange.fire({ changedLanguages: Array.from(this._tokenizationSupports.keys()), changedColorMap: true }); } getColorMap() { return this._colorMap; } getDefaultBackground() { if (this._colorMap && this._colorMap.length > 2 /* ColorId.DefaultBackground */) { return this._colorMap[2 /* ColorId.DefaultBackground */]; } return null; } } class TokenizationSupportFactoryData extends lifecycle_Disposable { get isResolved() { return this._isResolved; } constructor(_registry, _languageId, _factory) { super(); this._registry = _registry; this._languageId = _languageId; this._factory = _factory; this._isDisposed = false; this._resolvePromise = null; this._isResolved = false; } dispose() { this._isDisposed = true; super.dispose(); } async resolve() { if (!this._resolvePromise) { this._resolvePromise = this._create(); } return this._resolvePromise; } async _create() { const value = await this._factory.tokenizationSupport; this._isResolved = true; if (value && !this._isDisposed) { this._register(this._registry.register(this._languageId, value)); } } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/languages.js class Token { constructor(offset, type, language) { this.offset = offset; this.type = type; this.language = language; this._tokenBrand = undefined; } toString() { return "(" + this.offset + ", " + this.type + ")"; } } /** * @internal */ class TokenizationResult { constructor(tokens, endState) { this.tokens = tokens; this.endState = endState; this._tokenizationResultBrand = undefined; } } /** * @internal */ class EncodedTokenizationResult { constructor( /** * The tokens in binary format. Each token occupies two array indices. For token i: * - at offset 2*i => startIndex * - at offset 2*i + 1 => metadata * */ tokens, endState) { this.tokens = tokens; this.endState = endState; this._encodedTokenizationResultBrand = undefined; } } /** * @internal */ var CompletionItemKinds; (function (CompletionItemKinds) { const byKind = new Map(); byKind.set(0 /* CompletionItemKind.Method */, Codicon.symbolMethod); byKind.set(1 /* CompletionItemKind.Function */, Codicon.symbolFunction); byKind.set(2 /* CompletionItemKind.Constructor */, Codicon.symbolConstructor); byKind.set(3 /* CompletionItemKind.Field */, Codicon.symbolField); byKind.set(4 /* CompletionItemKind.Variable */, Codicon.symbolVariable); byKind.set(5 /* CompletionItemKind.Class */, Codicon.symbolClass); byKind.set(6 /* CompletionItemKind.Struct */, Codicon.symbolStruct); byKind.set(7 /* CompletionItemKind.Interface */, Codicon.symbolInterface); byKind.set(8 /* CompletionItemKind.Module */, Codicon.symbolModule); byKind.set(9 /* CompletionItemKind.Property */, Codicon.symbolProperty); byKind.set(10 /* CompletionItemKind.Event */, Codicon.symbolEvent); byKind.set(11 /* CompletionItemKind.Operator */, Codicon.symbolOperator); byKind.set(12 /* CompletionItemKind.Unit */, Codicon.symbolUnit); byKind.set(13 /* CompletionItemKind.Value */, Codicon.symbolValue); byKind.set(15 /* CompletionItemKind.Enum */, Codicon.symbolEnum); byKind.set(14 /* CompletionItemKind.Constant */, Codicon.symbolConstant); byKind.set(15 /* CompletionItemKind.Enum */, Codicon.symbolEnum); byKind.set(16 /* CompletionItemKind.EnumMember */, Codicon.symbolEnumMember); byKind.set(17 /* CompletionItemKind.Keyword */, Codicon.symbolKeyword); byKind.set(27 /* CompletionItemKind.Snippet */, Codicon.symbolSnippet); byKind.set(18 /* CompletionItemKind.Text */, Codicon.symbolText); byKind.set(19 /* CompletionItemKind.Color */, Codicon.symbolColor); byKind.set(20 /* CompletionItemKind.File */, Codicon.symbolFile); byKind.set(21 /* CompletionItemKind.Reference */, Codicon.symbolReference); byKind.set(22 /* CompletionItemKind.Customcolor */, Codicon.symbolCustomColor); byKind.set(23 /* CompletionItemKind.Folder */, Codicon.symbolFolder); byKind.set(24 /* CompletionItemKind.TypeParameter */, Codicon.symbolTypeParameter); byKind.set(25 /* CompletionItemKind.User */, Codicon.account); byKind.set(26 /* CompletionItemKind.Issue */, Codicon.issues); /** * @internal */ function toIcon(kind) { let codicon = byKind.get(kind); if (!codicon) { console.info("No codicon found for CompletionItemKind " + kind); codicon = Codicon.symbolProperty; } return codicon; } CompletionItemKinds.toIcon = toIcon; const data = new Map(); data.set("method", 0 /* CompletionItemKind.Method */); data.set("function", 1 /* CompletionItemKind.Function */); data.set("constructor", 2 /* CompletionItemKind.Constructor */); data.set("field", 3 /* CompletionItemKind.Field */); data.set("variable", 4 /* CompletionItemKind.Variable */); data.set("class", 5 /* CompletionItemKind.Class */); data.set("struct", 6 /* CompletionItemKind.Struct */); data.set("interface", 7 /* CompletionItemKind.Interface */); data.set("module", 8 /* CompletionItemKind.Module */); data.set("property", 9 /* CompletionItemKind.Property */); data.set("event", 10 /* CompletionItemKind.Event */); data.set("operator", 11 /* CompletionItemKind.Operator */); data.set("unit", 12 /* CompletionItemKind.Unit */); data.set("value", 13 /* CompletionItemKind.Value */); data.set("constant", 14 /* CompletionItemKind.Constant */); data.set("enum", 15 /* CompletionItemKind.Enum */); data.set("enum-member", 16 /* CompletionItemKind.EnumMember */); data.set("enumMember", 16 /* CompletionItemKind.EnumMember */); data.set("keyword", 17 /* CompletionItemKind.Keyword */); data.set("snippet", 27 /* CompletionItemKind.Snippet */); data.set("text", 18 /* CompletionItemKind.Text */); data.set("color", 19 /* CompletionItemKind.Color */); data.set("file", 20 /* CompletionItemKind.File */); data.set("reference", 21 /* CompletionItemKind.Reference */); data.set("customcolor", 22 /* CompletionItemKind.Customcolor */); data.set("folder", 23 /* CompletionItemKind.Folder */); data.set("type-parameter", 24 /* CompletionItemKind.TypeParameter */); data.set("typeParameter", 24 /* CompletionItemKind.TypeParameter */); data.set("account", 25 /* CompletionItemKind.User */); data.set("issue", 26 /* CompletionItemKind.Issue */); /** * @internal */ function fromString(value, strict) { let res = data.get(value); if (typeof res === "undefined" && !strict) { res = 9 /* CompletionItemKind.Property */; } return res; } CompletionItemKinds.fromString = fromString; })(CompletionItemKinds || (CompletionItemKinds = {})); /** * How an {@link InlineCompletionsProvider inline completion provider} was triggered. */ var InlineCompletionTriggerKind; (function (InlineCompletionTriggerKind) { /** * Completion was triggered automatically while editing. * It is sufficient to return a single completion item in this case. */ InlineCompletionTriggerKind[InlineCompletionTriggerKind["Automatic"] = 0] = "Automatic"; /** * Completion was triggered explicitly by a user gesture. * Return multiple completion items to enable cycling through them. */ InlineCompletionTriggerKind[InlineCompletionTriggerKind["Explicit"] = 1] = "Explicit"; })(InlineCompletionTriggerKind || (InlineCompletionTriggerKind = {})); class SelectedSuggestionInfo { constructor(range, text, completionKind, isSnippetText) { this.range = range; this.text = text; this.completionKind = completionKind; this.isSnippetText = isSnippetText; } equals(other) { return Range.lift(this.range).equalsRange(other.range) && this.text === other.text && this.completionKind === other.completionKind && this.isSnippetText === other.isSnippetText; } } var SignatureHelpTriggerKind; (function (SignatureHelpTriggerKind) { SignatureHelpTriggerKind[SignatureHelpTriggerKind["Invoke"] = 1] = "Invoke"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["TriggerCharacter"] = 2] = "TriggerCharacter"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["ContentChange"] = 3] = "ContentChange"; })(SignatureHelpTriggerKind || (SignatureHelpTriggerKind = {})); /** * A document highlight kind. */ var DocumentHighlightKind; (function (DocumentHighlightKind) { /** * A textual occurrence. */ DocumentHighlightKind[DocumentHighlightKind["Text"] = 0] = "Text"; /** * Read-access of a symbol, like reading a variable. */ DocumentHighlightKind[DocumentHighlightKind["Read"] = 1] = "Read"; /** * Write-access of a symbol, like writing to a variable. */ DocumentHighlightKind[DocumentHighlightKind["Write"] = 2] = "Write"; })(DocumentHighlightKind || (DocumentHighlightKind = {})); /** * @internal */ function isLocationLink(thing) { return thing && URI.isUri(thing.uri) && Range.isIRange(thing.range) && (Range.isIRange(thing.originSelectionRange) || Range.isIRange(thing.targetSelectionRange)); } /** * @internal */ const symbolKindNames = { [17 /* SymbolKind.Array */]: nls_localize("Array", "array"), [16 /* SymbolKind.Boolean */]: nls_localize("Boolean", "boolean"), [4 /* SymbolKind.Class */]: nls_localize("Class", "class"), [13 /* SymbolKind.Constant */]: nls_localize("Constant", "constant"), [8 /* SymbolKind.Constructor */]: nls_localize("Constructor", "constructor"), [9 /* SymbolKind.Enum */]: nls_localize("Enum", "enumeration"), [21 /* SymbolKind.EnumMember */]: nls_localize("EnumMember", "enumeration member"), [23 /* SymbolKind.Event */]: nls_localize("Event", "event"), [7 /* SymbolKind.Field */]: nls_localize("Field", "field"), [0 /* SymbolKind.File */]: nls_localize("File", "file"), [11 /* SymbolKind.Function */]: nls_localize("Function", "function"), [10 /* SymbolKind.Interface */]: nls_localize("Interface", "interface"), [19 /* SymbolKind.Key */]: nls_localize("Key", "key"), [5 /* SymbolKind.Method */]: nls_localize("Method", "method"), [1 /* SymbolKind.Module */]: nls_localize("Module", "module"), [2 /* SymbolKind.Namespace */]: nls_localize("Namespace", "namespace"), [20 /* SymbolKind.Null */]: nls_localize("Null", "null"), [15 /* SymbolKind.Number */]: nls_localize("Number", "number"), [18 /* SymbolKind.Object */]: nls_localize("Object", "object"), [24 /* SymbolKind.Operator */]: nls_localize("Operator", "operator"), [3 /* SymbolKind.Package */]: nls_localize("Package", "package"), [6 /* SymbolKind.Property */]: nls_localize("Property", "property"), [14 /* SymbolKind.String */]: nls_localize("String", "string"), [22 /* SymbolKind.Struct */]: nls_localize("Struct", "struct"), [25 /* SymbolKind.TypeParameter */]: nls_localize("TypeParameter", "type parameter"), [12 /* SymbolKind.Variable */]: nls_localize("Variable", "variable"), }; /** * @internal */ function getAriaLabelForSymbol(symbolName, kind) { return localize("symbolAriaLabel", "{0} ({1})", symbolName, symbolKindNames[kind]); } /** * @internal */ var SymbolKinds; (function (SymbolKinds) { const byKind = new Map(); byKind.set(0 /* SymbolKind.File */, Codicon.symbolFile); byKind.set(1 /* SymbolKind.Module */, Codicon.symbolModule); byKind.set(2 /* SymbolKind.Namespace */, Codicon.symbolNamespace); byKind.set(3 /* SymbolKind.Package */, Codicon.symbolPackage); byKind.set(4 /* SymbolKind.Class */, Codicon.symbolClass); byKind.set(5 /* SymbolKind.Method */, Codicon.symbolMethod); byKind.set(6 /* SymbolKind.Property */, Codicon.symbolProperty); byKind.set(7 /* SymbolKind.Field */, Codicon.symbolField); byKind.set(8 /* SymbolKind.Constructor */, Codicon.symbolConstructor); byKind.set(9 /* SymbolKind.Enum */, Codicon.symbolEnum); byKind.set(10 /* SymbolKind.Interface */, Codicon.symbolInterface); byKind.set(11 /* SymbolKind.Function */, Codicon.symbolFunction); byKind.set(12 /* SymbolKind.Variable */, Codicon.symbolVariable); byKind.set(13 /* SymbolKind.Constant */, Codicon.symbolConstant); byKind.set(14 /* SymbolKind.String */, Codicon.symbolString); byKind.set(15 /* SymbolKind.Number */, Codicon.symbolNumber); byKind.set(16 /* SymbolKind.Boolean */, Codicon.symbolBoolean); byKind.set(17 /* SymbolKind.Array */, Codicon.symbolArray); byKind.set(18 /* SymbolKind.Object */, Codicon.symbolObject); byKind.set(19 /* SymbolKind.Key */, Codicon.symbolKey); byKind.set(20 /* SymbolKind.Null */, Codicon.symbolNull); byKind.set(21 /* SymbolKind.EnumMember */, Codicon.symbolEnumMember); byKind.set(22 /* SymbolKind.Struct */, Codicon.symbolStruct); byKind.set(23 /* SymbolKind.Event */, Codicon.symbolEvent); byKind.set(24 /* SymbolKind.Operator */, Codicon.symbolOperator); byKind.set(25 /* SymbolKind.TypeParameter */, Codicon.symbolTypeParameter); /** * @internal */ function toIcon(kind) { let icon = byKind.get(kind); if (!icon) { console.info("No codicon found for SymbolKind " + kind); icon = Codicon.symbolProperty; } return icon; } SymbolKinds.toIcon = toIcon; })(SymbolKinds || (SymbolKinds = {})); /** @internal */ class TextEdit { } class FoldingRangeKind { /** * Returns a {@link FoldingRangeKind} for the given value. * * @param value of the kind. */ static fromValue(value) { switch (value) { case "comment": return FoldingRangeKind.Comment; case "imports": return FoldingRangeKind.Imports; case "region": return FoldingRangeKind.Region; } return new FoldingRangeKind(value); } /** * Creates a new {@link FoldingRangeKind}. * * @param value of the kind. */ constructor(value) { this.value = value; } } /** * Kind for folding range representing a comment. The value of the kind is "comment". */ FoldingRangeKind.Comment = new FoldingRangeKind("comment"); /** * Kind for folding range representing a import. The value of the kind is "imports". */ FoldingRangeKind.Imports = new FoldingRangeKind("imports"); /** * Kind for folding range representing regions (for example marked by `#region`, `#endregion`). * The value of the kind is "region". */ FoldingRangeKind.Region = new FoldingRangeKind("region"); /** * @internal */ var Command; (function (Command) { /** * @internal */ function is(obj) { if (!obj || typeof obj !== "object") { return false; } return typeof obj.id === "string" && typeof obj.title === "string"; } Command.is = is; })(Command || (Command = {})); var InlayHintKind; (function (InlayHintKind) { InlayHintKind[InlayHintKind["Type"] = 1] = "Type"; InlayHintKind[InlayHintKind["Parameter"] = 2] = "Parameter"; })(InlayHintKind || (InlayHintKind = {})); /** * @internal */ class LazyTokenizationSupport { constructor(createSupport) { this.createSupport = createSupport; this._tokenizationSupport = null; } dispose() { if (this._tokenizationSupport) { this._tokenizationSupport.then((support) => { if (support) { support.dispose(); } }); } } get tokenizationSupport() { if (!this._tokenizationSupport) { this._tokenizationSupport = this.createSupport(); } return this._tokenizationSupport; } } /** * @internal */ const languages_TokenizationRegistry = new TokenizationRegistry(); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/standalone/standaloneEnums.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ // THIS IS A GENERATED FILE. DO NOT EDIT DIRECTLY. var AccessibilitySupport; (function (AccessibilitySupport) { /** * This should be the browser case where it is not known if a screen reader is attached or no. */ AccessibilitySupport[AccessibilitySupport["Unknown"] = 0] = "Unknown"; AccessibilitySupport[AccessibilitySupport["Disabled"] = 1] = "Disabled"; AccessibilitySupport[AccessibilitySupport["Enabled"] = 2] = "Enabled"; })(AccessibilitySupport || (AccessibilitySupport = {})); var CodeActionTriggerType; (function (CodeActionTriggerType) { CodeActionTriggerType[CodeActionTriggerType["Invoke"] = 1] = "Invoke"; CodeActionTriggerType[CodeActionTriggerType["Auto"] = 2] = "Auto"; })(CodeActionTriggerType || (CodeActionTriggerType = {})); var CompletionItemInsertTextRule; (function (CompletionItemInsertTextRule) { CompletionItemInsertTextRule[CompletionItemInsertTextRule["None"] = 0] = "None"; /** * Adjust whitespace/indentation of multiline insert texts to * match the current line indentation. */ CompletionItemInsertTextRule[CompletionItemInsertTextRule["KeepWhitespace"] = 1] = "KeepWhitespace"; /** * `insertText` is a snippet. */ CompletionItemInsertTextRule[CompletionItemInsertTextRule["InsertAsSnippet"] = 4] = "InsertAsSnippet"; })(CompletionItemInsertTextRule || (CompletionItemInsertTextRule = {})); var CompletionItemKind; (function (CompletionItemKind) { CompletionItemKind[CompletionItemKind["Method"] = 0] = "Method"; CompletionItemKind[CompletionItemKind["Function"] = 1] = "Function"; CompletionItemKind[CompletionItemKind["Constructor"] = 2] = "Constructor"; CompletionItemKind[CompletionItemKind["Field"] = 3] = "Field"; CompletionItemKind[CompletionItemKind["Variable"] = 4] = "Variable"; CompletionItemKind[CompletionItemKind["Class"] = 5] = "Class"; CompletionItemKind[CompletionItemKind["Struct"] = 6] = "Struct"; CompletionItemKind[CompletionItemKind["Interface"] = 7] = "Interface"; CompletionItemKind[CompletionItemKind["Module"] = 8] = "Module"; CompletionItemKind[CompletionItemKind["Property"] = 9] = "Property"; CompletionItemKind[CompletionItemKind["Event"] = 10] = "Event"; CompletionItemKind[CompletionItemKind["Operator"] = 11] = "Operator"; CompletionItemKind[CompletionItemKind["Unit"] = 12] = "Unit"; CompletionItemKind[CompletionItemKind["Value"] = 13] = "Value"; CompletionItemKind[CompletionItemKind["Constant"] = 14] = "Constant"; CompletionItemKind[CompletionItemKind["Enum"] = 15] = "Enum"; CompletionItemKind[CompletionItemKind["EnumMember"] = 16] = "EnumMember"; CompletionItemKind[CompletionItemKind["Keyword"] = 17] = "Keyword"; CompletionItemKind[CompletionItemKind["Text"] = 18] = "Text"; CompletionItemKind[CompletionItemKind["Color"] = 19] = "Color"; CompletionItemKind[CompletionItemKind["File"] = 20] = "File"; CompletionItemKind[CompletionItemKind["Reference"] = 21] = "Reference"; CompletionItemKind[CompletionItemKind["Customcolor"] = 22] = "Customcolor"; CompletionItemKind[CompletionItemKind["Folder"] = 23] = "Folder"; CompletionItemKind[CompletionItemKind["TypeParameter"] = 24] = "TypeParameter"; CompletionItemKind[CompletionItemKind["User"] = 25] = "User"; CompletionItemKind[CompletionItemKind["Issue"] = 26] = "Issue"; CompletionItemKind[CompletionItemKind["Snippet"] = 27] = "Snippet"; })(CompletionItemKind || (CompletionItemKind = {})); var CompletionItemTag; (function (CompletionItemTag) { CompletionItemTag[CompletionItemTag["Deprecated"] = 1] = "Deprecated"; })(CompletionItemTag || (CompletionItemTag = {})); /** * How a suggest provider was triggered. */ var CompletionTriggerKind; (function (CompletionTriggerKind) { CompletionTriggerKind[CompletionTriggerKind["Invoke"] = 0] = "Invoke"; CompletionTriggerKind[CompletionTriggerKind["TriggerCharacter"] = 1] = "TriggerCharacter"; CompletionTriggerKind[CompletionTriggerKind["TriggerForIncompleteCompletions"] = 2] = "TriggerForIncompleteCompletions"; })(CompletionTriggerKind || (CompletionTriggerKind = {})); /** * A positioning preference for rendering content widgets. */ var ContentWidgetPositionPreference; (function (ContentWidgetPositionPreference) { /** * Place the content widget exactly at a position */ ContentWidgetPositionPreference[ContentWidgetPositionPreference["EXACT"] = 0] = "EXACT"; /** * Place the content widget above a position */ ContentWidgetPositionPreference[ContentWidgetPositionPreference["ABOVE"] = 1] = "ABOVE"; /** * Place the content widget below a position */ ContentWidgetPositionPreference[ContentWidgetPositionPreference["BELOW"] = 2] = "BELOW"; })(ContentWidgetPositionPreference || (ContentWidgetPositionPreference = {})); /** * Describes the reason the cursor has changed its position. */ var CursorChangeReason; (function (CursorChangeReason) { /** * Unknown or not set. */ CursorChangeReason[CursorChangeReason["NotSet"] = 0] = "NotSet"; /** * A `model.setValue()` was called. */ CursorChangeReason[CursorChangeReason["ContentFlush"] = 1] = "ContentFlush"; /** * The `model` has been changed outside of this cursor and the cursor recovers its position from associated markers. */ CursorChangeReason[CursorChangeReason["RecoverFromMarkers"] = 2] = "RecoverFromMarkers"; /** * There was an explicit user gesture. */ CursorChangeReason[CursorChangeReason["Explicit"] = 3] = "Explicit"; /** * There was a Paste. */ CursorChangeReason[CursorChangeReason["Paste"] = 4] = "Paste"; /** * There was an Undo. */ CursorChangeReason[CursorChangeReason["Undo"] = 5] = "Undo"; /** * There was a Redo. */ CursorChangeReason[CursorChangeReason["Redo"] = 6] = "Redo"; })(CursorChangeReason || (CursorChangeReason = {})); /** * The default end of line to use when instantiating models. */ var DefaultEndOfLine; (function (DefaultEndOfLine) { /** * Use line feed ( ) as the end of line character. */ DefaultEndOfLine[DefaultEndOfLine["LF"] = 1] = "LF"; /** * Use carriage return and line feed ( ) as the end of line character. */ DefaultEndOfLine[DefaultEndOfLine["CRLF"] = 2] = "CRLF"; })(DefaultEndOfLine || (DefaultEndOfLine = {})); /** * A document highlight kind. */ var standaloneEnums_DocumentHighlightKind; (function (DocumentHighlightKind) { /** * A textual occurrence. */ DocumentHighlightKind[DocumentHighlightKind["Text"] = 0] = "Text"; /** * Read-access of a symbol, like reading a variable. */ DocumentHighlightKind[DocumentHighlightKind["Read"] = 1] = "Read"; /** * Write-access of a symbol, like writing to a variable. */ DocumentHighlightKind[DocumentHighlightKind["Write"] = 2] = "Write"; })(standaloneEnums_DocumentHighlightKind || (standaloneEnums_DocumentHighlightKind = {})); /** * Configuration options for auto indentation in the editor */ var EditorAutoIndentStrategy; (function (EditorAutoIndentStrategy) { EditorAutoIndentStrategy[EditorAutoIndentStrategy["None"] = 0] = "None"; EditorAutoIndentStrategy[EditorAutoIndentStrategy["Keep"] = 1] = "Keep"; EditorAutoIndentStrategy[EditorAutoIndentStrategy["Brackets"] = 2] = "Brackets"; EditorAutoIndentStrategy[EditorAutoIndentStrategy["Advanced"] = 3] = "Advanced"; EditorAutoIndentStrategy[EditorAutoIndentStrategy["Full"] = 4] = "Full"; })(EditorAutoIndentStrategy || (EditorAutoIndentStrategy = {})); var EditorOption; (function (EditorOption) { EditorOption[EditorOption["acceptSuggestionOnCommitCharacter"] = 0] = "acceptSuggestionOnCommitCharacter"; EditorOption[EditorOption["acceptSuggestionOnEnter"] = 1] = "acceptSuggestionOnEnter"; EditorOption[EditorOption["accessibilitySupport"] = 2] = "accessibilitySupport"; EditorOption[EditorOption["accessibilityPageSize"] = 3] = "accessibilityPageSize"; EditorOption[EditorOption["ariaLabel"] = 4] = "ariaLabel"; EditorOption[EditorOption["ariaRequired"] = 5] = "ariaRequired"; EditorOption[EditorOption["autoClosingBrackets"] = 6] = "autoClosingBrackets"; EditorOption[EditorOption["autoClosingComments"] = 7] = "autoClosingComments"; EditorOption[EditorOption["screenReaderAnnounceInlineSuggestion"] = 8] = "screenReaderAnnounceInlineSuggestion"; EditorOption[EditorOption["autoClosingDelete"] = 9] = "autoClosingDelete"; EditorOption[EditorOption["autoClosingOvertype"] = 10] = "autoClosingOvertype"; EditorOption[EditorOption["autoClosingQuotes"] = 11] = "autoClosingQuotes"; EditorOption[EditorOption["autoIndent"] = 12] = "autoIndent"; EditorOption[EditorOption["automaticLayout"] = 13] = "automaticLayout"; EditorOption[EditorOption["autoSurround"] = 14] = "autoSurround"; EditorOption[EditorOption["bracketPairColorization"] = 15] = "bracketPairColorization"; EditorOption[EditorOption["guides"] = 16] = "guides"; EditorOption[EditorOption["codeLens"] = 17] = "codeLens"; EditorOption[EditorOption["codeLensFontFamily"] = 18] = "codeLensFontFamily"; EditorOption[EditorOption["codeLensFontSize"] = 19] = "codeLensFontSize"; EditorOption[EditorOption["colorDecorators"] = 20] = "colorDecorators"; EditorOption[EditorOption["colorDecoratorsLimit"] = 21] = "colorDecoratorsLimit"; EditorOption[EditorOption["columnSelection"] = 22] = "columnSelection"; EditorOption[EditorOption["comments"] = 23] = "comments"; EditorOption[EditorOption["contextmenu"] = 24] = "contextmenu"; EditorOption[EditorOption["copyWithSyntaxHighlighting"] = 25] = "copyWithSyntaxHighlighting"; EditorOption[EditorOption["cursorBlinking"] = 26] = "cursorBlinking"; EditorOption[EditorOption["cursorSmoothCaretAnimation"] = 27] = "cursorSmoothCaretAnimation"; EditorOption[EditorOption["cursorStyle"] = 28] = "cursorStyle"; EditorOption[EditorOption["cursorSurroundingLines"] = 29] = "cursorSurroundingLines"; EditorOption[EditorOption["cursorSurroundingLinesStyle"] = 30] = "cursorSurroundingLinesStyle"; EditorOption[EditorOption["cursorWidth"] = 31] = "cursorWidth"; EditorOption[EditorOption["disableLayerHinting"] = 32] = "disableLayerHinting"; EditorOption[EditorOption["disableMonospaceOptimizations"] = 33] = "disableMonospaceOptimizations"; EditorOption[EditorOption["domReadOnly"] = 34] = "domReadOnly"; EditorOption[EditorOption["dragAndDrop"] = 35] = "dragAndDrop"; EditorOption[EditorOption["dropIntoEditor"] = 36] = "dropIntoEditor"; EditorOption[EditorOption["emptySelectionClipboard"] = 37] = "emptySelectionClipboard"; EditorOption[EditorOption["experimentalWhitespaceRendering"] = 38] = "experimentalWhitespaceRendering"; EditorOption[EditorOption["extraEditorClassName"] = 39] = "extraEditorClassName"; EditorOption[EditorOption["fastScrollSensitivity"] = 40] = "fastScrollSensitivity"; EditorOption[EditorOption["find"] = 41] = "find"; EditorOption[EditorOption["fixedOverflowWidgets"] = 42] = "fixedOverflowWidgets"; EditorOption[EditorOption["folding"] = 43] = "folding"; EditorOption[EditorOption["foldingStrategy"] = 44] = "foldingStrategy"; EditorOption[EditorOption["foldingHighlight"] = 45] = "foldingHighlight"; EditorOption[EditorOption["foldingImportsByDefault"] = 46] = "foldingImportsByDefault"; EditorOption[EditorOption["foldingMaximumRegions"] = 47] = "foldingMaximumRegions"; EditorOption[EditorOption["unfoldOnClickAfterEndOfLine"] = 48] = "unfoldOnClickAfterEndOfLine"; EditorOption[EditorOption["fontFamily"] = 49] = "fontFamily"; EditorOption[EditorOption["fontInfo"] = 50] = "fontInfo"; EditorOption[EditorOption["fontLigatures"] = 51] = "fontLigatures"; EditorOption[EditorOption["fontSize"] = 52] = "fontSize"; EditorOption[EditorOption["fontWeight"] = 53] = "fontWeight"; EditorOption[EditorOption["fontVariations"] = 54] = "fontVariations"; EditorOption[EditorOption["formatOnPaste"] = 55] = "formatOnPaste"; EditorOption[EditorOption["formatOnType"] = 56] = "formatOnType"; EditorOption[EditorOption["glyphMargin"] = 57] = "glyphMargin"; EditorOption[EditorOption["gotoLocation"] = 58] = "gotoLocation"; EditorOption[EditorOption["hideCursorInOverviewRuler"] = 59] = "hideCursorInOverviewRuler"; EditorOption[EditorOption["hover"] = 60] = "hover"; EditorOption[EditorOption["inDiffEditor"] = 61] = "inDiffEditor"; EditorOption[EditorOption["inlineSuggest"] = 62] = "inlineSuggest"; EditorOption[EditorOption["letterSpacing"] = 63] = "letterSpacing"; EditorOption[EditorOption["lightbulb"] = 64] = "lightbulb"; EditorOption[EditorOption["lineDecorationsWidth"] = 65] = "lineDecorationsWidth"; EditorOption[EditorOption["lineHeight"] = 66] = "lineHeight"; EditorOption[EditorOption["lineNumbers"] = 67] = "lineNumbers"; EditorOption[EditorOption["lineNumbersMinChars"] = 68] = "lineNumbersMinChars"; EditorOption[EditorOption["linkedEditing"] = 69] = "linkedEditing"; EditorOption[EditorOption["links"] = 70] = "links"; EditorOption[EditorOption["matchBrackets"] = 71] = "matchBrackets"; EditorOption[EditorOption["minimap"] = 72] = "minimap"; EditorOption[EditorOption["mouseStyle"] = 73] = "mouseStyle"; EditorOption[EditorOption["mouseWheelScrollSensitivity"] = 74] = "mouseWheelScrollSensitivity"; EditorOption[EditorOption["mouseWheelZoom"] = 75] = "mouseWheelZoom"; EditorOption[EditorOption["multiCursorMergeOverlapping"] = 76] = "multiCursorMergeOverlapping"; EditorOption[EditorOption["multiCursorModifier"] = 77] = "multiCursorModifier"; EditorOption[EditorOption["multiCursorPaste"] = 78] = "multiCursorPaste"; EditorOption[EditorOption["multiCursorLimit"] = 79] = "multiCursorLimit"; EditorOption[EditorOption["occurrencesHighlight"] = 80] = "occurrencesHighlight"; EditorOption[EditorOption["overviewRulerBorder"] = 81] = "overviewRulerBorder"; EditorOption[EditorOption["overviewRulerLanes"] = 82] = "overviewRulerLanes"; EditorOption[EditorOption["padding"] = 83] = "padding"; EditorOption[EditorOption["pasteAs"] = 84] = "pasteAs"; EditorOption[EditorOption["parameterHints"] = 85] = "parameterHints"; EditorOption[EditorOption["peekWidgetDefaultFocus"] = 86] = "peekWidgetDefaultFocus"; EditorOption[EditorOption["definitionLinkOpensInPeek"] = 87] = "definitionLinkOpensInPeek"; EditorOption[EditorOption["quickSuggestions"] = 88] = "quickSuggestions"; EditorOption[EditorOption["quickSuggestionsDelay"] = 89] = "quickSuggestionsDelay"; EditorOption[EditorOption["readOnly"] = 90] = "readOnly"; EditorOption[EditorOption["readOnlyMessage"] = 91] = "readOnlyMessage"; EditorOption[EditorOption["renameOnType"] = 92] = "renameOnType"; EditorOption[EditorOption["renderControlCharacters"] = 93] = "renderControlCharacters"; EditorOption[EditorOption["renderFinalNewline"] = 94] = "renderFinalNewline"; EditorOption[EditorOption["renderLineHighlight"] = 95] = "renderLineHighlight"; EditorOption[EditorOption["renderLineHighlightOnlyWhenFocus"] = 96] = "renderLineHighlightOnlyWhenFocus"; EditorOption[EditorOption["renderValidationDecorations"] = 97] = "renderValidationDecorations"; EditorOption[EditorOption["renderWhitespace"] = 98] = "renderWhitespace"; EditorOption[EditorOption["revealHorizontalRightPadding"] = 99] = "revealHorizontalRightPadding"; EditorOption[EditorOption["roundedSelection"] = 100] = "roundedSelection"; EditorOption[EditorOption["rulers"] = 101] = "rulers"; EditorOption[EditorOption["scrollbar"] = 102] = "scrollbar"; EditorOption[EditorOption["scrollBeyondLastColumn"] = 103] = "scrollBeyondLastColumn"; EditorOption[EditorOption["scrollBeyondLastLine"] = 104] = "scrollBeyondLastLine"; EditorOption[EditorOption["scrollPredominantAxis"] = 105] = "scrollPredominantAxis"; EditorOption[EditorOption["selectionClipboard"] = 106] = "selectionClipboard"; EditorOption[EditorOption["selectionHighlight"] = 107] = "selectionHighlight"; EditorOption[EditorOption["selectOnLineNumbers"] = 108] = "selectOnLineNumbers"; EditorOption[EditorOption["showFoldingControls"] = 109] = "showFoldingControls"; EditorOption[EditorOption["showUnused"] = 110] = "showUnused"; EditorOption[EditorOption["snippetSuggestions"] = 111] = "snippetSuggestions"; EditorOption[EditorOption["smartSelect"] = 112] = "smartSelect"; EditorOption[EditorOption["smoothScrolling"] = 113] = "smoothScrolling"; EditorOption[EditorOption["stickyScroll"] = 114] = "stickyScroll"; EditorOption[EditorOption["stickyTabStops"] = 115] = "stickyTabStops"; EditorOption[EditorOption["stopRenderingLineAfter"] = 116] = "stopRenderingLineAfter"; EditorOption[EditorOption["suggest"] = 117] = "suggest"; EditorOption[EditorOption["suggestFontSize"] = 118] = "suggestFontSize"; EditorOption[EditorOption["suggestLineHeight"] = 119] = "suggestLineHeight"; EditorOption[EditorOption["suggestOnTriggerCharacters"] = 120] = "suggestOnTriggerCharacters"; EditorOption[EditorOption["suggestSelection"] = 121] = "suggestSelection"; EditorOption[EditorOption["tabCompletion"] = 122] = "tabCompletion"; EditorOption[EditorOption["tabIndex"] = 123] = "tabIndex"; EditorOption[EditorOption["unicodeHighlighting"] = 124] = "unicodeHighlighting"; EditorOption[EditorOption["unusualLineTerminators"] = 125] = "unusualLineTerminators"; EditorOption[EditorOption["useShadowDOM"] = 126] = "useShadowDOM"; EditorOption[EditorOption["useTabStops"] = 127] = "useTabStops"; EditorOption[EditorOption["wordBreak"] = 128] = "wordBreak"; EditorOption[EditorOption["wordSeparators"] = 129] = "wordSeparators"; EditorOption[EditorOption["wordWrap"] = 130] = "wordWrap"; EditorOption[EditorOption["wordWrapBreakAfterCharacters"] = 131] = "wordWrapBreakAfterCharacters"; EditorOption[EditorOption["wordWrapBreakBeforeCharacters"] = 132] = "wordWrapBreakBeforeCharacters"; EditorOption[EditorOption["wordWrapColumn"] = 133] = "wordWrapColumn"; EditorOption[EditorOption["wordWrapOverride1"] = 134] = "wordWrapOverride1"; EditorOption[EditorOption["wordWrapOverride2"] = 135] = "wordWrapOverride2"; EditorOption[EditorOption["wrappingIndent"] = 136] = "wrappingIndent"; EditorOption[EditorOption["wrappingStrategy"] = 137] = "wrappingStrategy"; EditorOption[EditorOption["showDeprecated"] = 138] = "showDeprecated"; EditorOption[EditorOption["inlayHints"] = 139] = "inlayHints"; EditorOption[EditorOption["editorClassName"] = 140] = "editorClassName"; EditorOption[EditorOption["pixelRatio"] = 141] = "pixelRatio"; EditorOption[EditorOption["tabFocusMode"] = 142] = "tabFocusMode"; EditorOption[EditorOption["layoutInfo"] = 143] = "layoutInfo"; EditorOption[EditorOption["wrappingInfo"] = 144] = "wrappingInfo"; EditorOption[EditorOption["defaultColorDecorators"] = 145] = "defaultColorDecorators"; EditorOption[EditorOption["colorDecoratorsActivatedOn"] = 146] = "colorDecoratorsActivatedOn"; EditorOption[EditorOption["inlineCompletionsAccessibilityVerbose"] = 147] = "inlineCompletionsAccessibilityVerbose"; })(EditorOption || (EditorOption = {})); /** * End of line character preference. */ var EndOfLinePreference; (function (EndOfLinePreference) { /** * Use the end of line character identified in the text buffer. */ EndOfLinePreference[EndOfLinePreference["TextDefined"] = 0] = "TextDefined"; /** * Use line feed ( ) as the end of line character. */ EndOfLinePreference[EndOfLinePreference["LF"] = 1] = "LF"; /** * Use carriage return and line feed ( ) as the end of line character. */ EndOfLinePreference[EndOfLinePreference["CRLF"] = 2] = "CRLF"; })(EndOfLinePreference || (EndOfLinePreference = {})); /** * End of line character preference. */ var EndOfLineSequence; (function (EndOfLineSequence) { /** * Use line feed ( ) as the end of line character. */ EndOfLineSequence[EndOfLineSequence["LF"] = 0] = "LF"; /** * Use carriage return and line feed ( ) as the end of line character. */ EndOfLineSequence[EndOfLineSequence["CRLF"] = 1] = "CRLF"; })(EndOfLineSequence || (EndOfLineSequence = {})); /** * Vertical Lane in the glyph margin of the editor. */ var GlyphMarginLane; (function (GlyphMarginLane) { GlyphMarginLane[GlyphMarginLane["Left"] = 1] = "Left"; GlyphMarginLane[GlyphMarginLane["Right"] = 2] = "Right"; })(GlyphMarginLane || (GlyphMarginLane = {})); /** * Describes what to do with the indentation when pressing Enter. */ var IndentAction; (function (IndentAction) { /** * Insert new line and copy the previous line"s indentation. */ IndentAction[IndentAction["None"] = 0] = "None"; /** * Insert new line and indent once (relative to the previous line"s indentation). */ IndentAction[IndentAction["Indent"] = 1] = "Indent"; /** * Insert two new lines: * - the first one indented which will hold the cursor * - the second one at the same indentation level */ IndentAction[IndentAction["IndentOutdent"] = 2] = "IndentOutdent"; /** * Insert new line and outdent once (relative to the previous line"s indentation). */ IndentAction[IndentAction["Outdent"] = 3] = "Outdent"; })(IndentAction || (IndentAction = {})); var InjectedTextCursorStops; (function (InjectedTextCursorStops) { InjectedTextCursorStops[InjectedTextCursorStops["Both"] = 0] = "Both"; InjectedTextCursorStops[InjectedTextCursorStops["Right"] = 1] = "Right"; InjectedTextCursorStops[InjectedTextCursorStops["Left"] = 2] = "Left"; InjectedTextCursorStops[InjectedTextCursorStops["None"] = 3] = "None"; })(InjectedTextCursorStops || (InjectedTextCursorStops = {})); var standaloneEnums_InlayHintKind; (function (InlayHintKind) { InlayHintKind[InlayHintKind["Type"] = 1] = "Type"; InlayHintKind[InlayHintKind["Parameter"] = 2] = "Parameter"; })(standaloneEnums_InlayHintKind || (standaloneEnums_InlayHintKind = {})); /** * How an {@link InlineCompletionsProvider inline completion provider} was triggered. */ var standaloneEnums_InlineCompletionTriggerKind; (function (InlineCompletionTriggerKind) { /** * Completion was triggered automatically while editing. * It is sufficient to return a single completion item in this case. */ InlineCompletionTriggerKind[InlineCompletionTriggerKind["Automatic"] = 0] = "Automatic"; /** * Completion was triggered explicitly by a user gesture. * Return multiple completion items to enable cycling through them. */ InlineCompletionTriggerKind[InlineCompletionTriggerKind["Explicit"] = 1] = "Explicit"; })(standaloneEnums_InlineCompletionTriggerKind || (standaloneEnums_InlineCompletionTriggerKind = {})); /** * Virtual Key Codes, the value does not hold any inherent meaning. * Inspired somewhat from https://msdn.microsoft.com/en-us/library/windows/desktop/dd375731(v=vs.85).aspx * But these are "more general", as they should work across browsers & OS`s. */ var KeyCode; (function (KeyCode) { KeyCode[KeyCode["DependsOnKbLayout"] = -1] = "DependsOnKbLayout"; /** * Placed first to cover the 0 value of the enum. */ KeyCode[KeyCode["Unknown"] = 0] = "Unknown"; KeyCode[KeyCode["Backspace"] = 1] = "Backspace"; KeyCode[KeyCode["Tab"] = 2] = "Tab"; KeyCode[KeyCode["Enter"] = 3] = "Enter"; KeyCode[KeyCode["Shift"] = 4] = "Shift"; KeyCode[KeyCode["Ctrl"] = 5] = "Ctrl"; KeyCode[KeyCode["Alt"] = 6] = "Alt"; KeyCode[KeyCode["PauseBreak"] = 7] = "PauseBreak"; KeyCode[KeyCode["CapsLock"] = 8] = "CapsLock"; KeyCode[KeyCode["Escape"] = 9] = "Escape"; KeyCode[KeyCode["Space"] = 10] = "Space"; KeyCode[KeyCode["PageUp"] = 11] = "PageUp"; KeyCode[KeyCode["PageDown"] = 12] = "PageDown"; KeyCode[KeyCode["End"] = 13] = "End"; KeyCode[KeyCode["Home"] = 14] = "Home"; KeyCode[KeyCode["LeftArrow"] = 15] = "LeftArrow"; KeyCode[KeyCode["UpArrow"] = 16] = "UpArrow"; KeyCode[KeyCode["RightArrow"] = 17] = "RightArrow"; KeyCode[KeyCode["DownArrow"] = 18] = "DownArrow"; KeyCode[KeyCode["Insert"] = 19] = "Insert"; KeyCode[KeyCode["Delete"] = 20] = "Delete"; KeyCode[KeyCode["Digit0"] = 21] = "Digit0"; KeyCode[KeyCode["Digit1"] = 22] = "Digit1"; KeyCode[KeyCode["Digit2"] = 23] = "Digit2"; KeyCode[KeyCode["Digit3"] = 24] = "Digit3"; KeyCode[KeyCode["Digit4"] = 25] = "Digit4"; KeyCode[KeyCode["Digit5"] = 26] = "Digit5"; KeyCode[KeyCode["Digit6"] = 27] = "Digit6"; KeyCode[KeyCode["Digit7"] = 28] = "Digit7"; KeyCode[KeyCode["Digit8"] = 29] = "Digit8"; KeyCode[KeyCode["Digit9"] = 30] = "Digit9"; KeyCode[KeyCode["KeyA"] = 31] = "KeyA"; KeyCode[KeyCode["KeyB"] = 32] = "KeyB"; KeyCode[KeyCode["KeyC"] = 33] = "KeyC"; KeyCode[KeyCode["KeyD"] = 34] = "KeyD"; KeyCode[KeyCode["KeyE"] = 35] = "KeyE"; KeyCode[KeyCode["KeyF"] = 36] = "KeyF"; KeyCode[KeyCode["KeyG"] = 37] = "KeyG"; KeyCode[KeyCode["KeyH"] = 38] = "KeyH"; KeyCode[KeyCode["KeyI"] = 39] = "KeyI"; KeyCode[KeyCode["KeyJ"] = 40] = "KeyJ"; KeyCode[KeyCode["KeyK"] = 41] = "KeyK"; KeyCode[KeyCode["KeyL"] = 42] = "KeyL"; KeyCode[KeyCode["KeyM"] = 43] = "KeyM"; KeyCode[KeyCode["KeyN"] = 44] = "KeyN"; KeyCode[KeyCode["KeyO"] = 45] = "KeyO"; KeyCode[KeyCode["KeyP"] = 46] = "KeyP"; KeyCode[KeyCode["KeyQ"] = 47] = "KeyQ"; KeyCode[KeyCode["KeyR"] = 48] = "KeyR"; KeyCode[KeyCode["KeyS"] = 49] = "KeyS"; KeyCode[KeyCode["KeyT"] = 50] = "KeyT"; KeyCode[KeyCode["KeyU"] = 51] = "KeyU"; KeyCode[KeyCode["KeyV"] = 52] = "KeyV"; KeyCode[KeyCode["KeyW"] = 53] = "KeyW"; KeyCode[KeyCode["KeyX"] = 54] = "KeyX"; KeyCode[KeyCode["KeyY"] = 55] = "KeyY"; KeyCode[KeyCode["KeyZ"] = 56] = "KeyZ"; KeyCode[KeyCode["Meta"] = 57] = "Meta"; KeyCode[KeyCode["ContextMenu"] = 58] = "ContextMenu"; KeyCode[KeyCode["F1"] = 59] = "F1"; KeyCode[KeyCode["F2"] = 60] = "F2"; KeyCode[KeyCode["F3"] = 61] = "F3"; KeyCode[KeyCode["F4"] = 62] = "F4"; KeyCode[KeyCode["F5"] = 63] = "F5"; KeyCode[KeyCode["F6"] = 64] = "F6"; KeyCode[KeyCode["F7"] = 65] = "F7"; KeyCode[KeyCode["F8"] = 66] = "F8"; KeyCode[KeyCode["F9"] = 67] = "F9"; KeyCode[KeyCode["F10"] = 68] = "F10"; KeyCode[KeyCode["F11"] = 69] = "F11"; KeyCode[KeyCode["F12"] = 70] = "F12"; KeyCode[KeyCode["F13"] = 71] = "F13"; KeyCode[KeyCode["F14"] = 72] = "F14"; KeyCode[KeyCode["F15"] = 73] = "F15"; KeyCode[KeyCode["F16"] = 74] = "F16"; KeyCode[KeyCode["F17"] = 75] = "F17"; KeyCode[KeyCode["F18"] = 76] = "F18"; KeyCode[KeyCode["F19"] = 77] = "F19"; KeyCode[KeyCode["F20"] = 78] = "F20"; KeyCode[KeyCode["F21"] = 79] = "F21"; KeyCode[KeyCode["F22"] = 80] = "F22"; KeyCode[KeyCode["F23"] = 81] = "F23"; KeyCode[KeyCode["F24"] = 82] = "F24"; KeyCode[KeyCode["NumLock"] = 83] = "NumLock"; KeyCode[KeyCode["ScrollLock"] = 84] = "ScrollLock"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the ";:" key */ KeyCode[KeyCode["Semicolon"] = 85] = "Semicolon"; /** * For any country/region, the "+" key * For the US standard keyboard, the "=+" key */ KeyCode[KeyCode["Equal"] = 86] = "Equal"; /** * For any country/region, the "," key * For the US standard keyboard, the ",<" key */ KeyCode[KeyCode["Comma"] = 87] = "Comma"; /** * For any country/region, the "-" key * For the US standard keyboard, the "-_" key */ KeyCode[KeyCode["Minus"] = 88] = "Minus"; /** * For any country/region, the "." key * For the US standard keyboard, the ".>" key */ KeyCode[KeyCode["Period"] = 89] = "Period"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the "/?" key */ KeyCode[KeyCode["Slash"] = 90] = "Slash"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the "`~" key */ KeyCode[KeyCode["Backquote"] = 91] = "Backquote"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the "[{" key */ KeyCode[KeyCode["BracketLeft"] = 92] = "BracketLeft"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the "|" key */ KeyCode[KeyCode["Backslash"] = 93] = "Backslash"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the "]}" key */ KeyCode[KeyCode["BracketRight"] = 94] = "BracketRight"; /** * Used for miscellaneous characters; it can vary by keyboard. * For the US standard keyboard, the """" key */ KeyCode[KeyCode["Quote"] = 95] = "Quote"; /** * Used for miscellaneous characters; it can vary by keyboard. */ KeyCode[KeyCode["OEM_8"] = 96] = "OEM_8"; /** * Either the angle bracket key or the backslash key on the RT 102-key keyboard. */ KeyCode[KeyCode["IntlBackslash"] = 97] = "IntlBackslash"; KeyCode[KeyCode["Numpad0"] = 98] = "Numpad0"; KeyCode[KeyCode["Numpad1"] = 99] = "Numpad1"; KeyCode[KeyCode["Numpad2"] = 100] = "Numpad2"; KeyCode[KeyCode["Numpad3"] = 101] = "Numpad3"; KeyCode[KeyCode["Numpad4"] = 102] = "Numpad4"; KeyCode[KeyCode["Numpad5"] = 103] = "Numpad5"; KeyCode[KeyCode["Numpad6"] = 104] = "Numpad6"; KeyCode[KeyCode["Numpad7"] = 105] = "Numpad7"; KeyCode[KeyCode["Numpad8"] = 106] = "Numpad8"; KeyCode[KeyCode["Numpad9"] = 107] = "Numpad9"; KeyCode[KeyCode["NumpadMultiply"] = 108] = "NumpadMultiply"; KeyCode[KeyCode["NumpadAdd"] = 109] = "NumpadAdd"; KeyCode[KeyCode["NUMPAD_SEPARATOR"] = 110] = "NUMPAD_SEPARATOR"; KeyCode[KeyCode["NumpadSubtract"] = 111] = "NumpadSubtract"; KeyCode[KeyCode["NumpadDecimal"] = 112] = "NumpadDecimal"; KeyCode[KeyCode["NumpadDivide"] = 113] = "NumpadDivide"; /** * Cover all key codes when IME is processing input. */ KeyCode[KeyCode["KEY_IN_COMPOSITION"] = 114] = "KEY_IN_COMPOSITION"; KeyCode[KeyCode["ABNT_C1"] = 115] = "ABNT_C1"; KeyCode[KeyCode["ABNT_C2"] = 116] = "ABNT_C2"; KeyCode[KeyCode["AudioVolumeMute"] = 117] = "AudioVolumeMute"; KeyCode[KeyCode["AudioVolumeUp"] = 118] = "AudioVolumeUp"; KeyCode[KeyCode["AudioVolumeDown"] = 119] = "AudioVolumeDown"; KeyCode[KeyCode["BrowserSearch"] = 120] = "BrowserSearch"; KeyCode[KeyCode["BrowserHome"] = 121] = "BrowserHome"; KeyCode[KeyCode["BrowserBack"] = 122] = "BrowserBack"; KeyCode[KeyCode["BrowserForward"] = 123] = "BrowserForward"; KeyCode[KeyCode["MediaTrackNext"] = 124] = "MediaTrackNext"; KeyCode[KeyCode["MediaTrackPrevious"] = 125] = "MediaTrackPrevious"; KeyCode[KeyCode["MediaStop"] = 126] = "MediaStop"; KeyCode[KeyCode["MediaPlayPause"] = 127] = "MediaPlayPause"; KeyCode[KeyCode["LaunchMediaPlayer"] = 128] = "LaunchMediaPlayer"; KeyCode[KeyCode["LaunchMail"] = 129] = "LaunchMail"; KeyCode[KeyCode["LaunchApp2"] = 130] = "LaunchApp2"; /** * VK_CLEAR, 0x0C, CLEAR key */ KeyCode[KeyCode["Clear"] = 131] = "Clear"; /** * Placed last to cover the length of the enum. * Please do not depend on this value! */ KeyCode[KeyCode["MAX_VALUE"] = 132] = "MAX_VALUE"; })(KeyCode || (KeyCode = {})); var MarkerSeverity; (function (MarkerSeverity) { MarkerSeverity[MarkerSeverity["Hint"] = 1] = "Hint"; MarkerSeverity[MarkerSeverity["Info"] = 2] = "Info"; MarkerSeverity[MarkerSeverity["Warning"] = 4] = "Warning"; MarkerSeverity[MarkerSeverity["Error"] = 8] = "Error"; })(MarkerSeverity || (MarkerSeverity = {})); var MarkerTag; (function (MarkerTag) { MarkerTag[MarkerTag["Unnecessary"] = 1] = "Unnecessary"; MarkerTag[MarkerTag["Deprecated"] = 2] = "Deprecated"; })(MarkerTag || (MarkerTag = {})); /** * Position in the minimap to render the decoration. */ var MinimapPosition; (function (MinimapPosition) { MinimapPosition[MinimapPosition["Inline"] = 1] = "Inline"; MinimapPosition[MinimapPosition["Gutter"] = 2] = "Gutter"; })(MinimapPosition || (MinimapPosition = {})); /** * Type of hit element with the mouse in the editor. */ var MouseTargetType; (function (MouseTargetType) { /** * Mouse is on top of an unknown element. */ MouseTargetType[MouseTargetType["UNKNOWN"] = 0] = "UNKNOWN"; /** * Mouse is on top of the textarea used for input. */ MouseTargetType[MouseTargetType["TEXTAREA"] = 1] = "TEXTAREA"; /** * Mouse is on top of the glyph margin */ MouseTargetType[MouseTargetType["GUTTER_GLYPH_MARGIN"] = 2] = "GUTTER_GLYPH_MARGIN"; /** * Mouse is on top of the line numbers */ MouseTargetType[MouseTargetType["GUTTER_LINE_NUMBERS"] = 3] = "GUTTER_LINE_NUMBERS"; /** * Mouse is on top of the line decorations */ MouseTargetType[MouseTargetType["GUTTER_LINE_DECORATIONS"] = 4] = "GUTTER_LINE_DECORATIONS"; /** * Mouse is on top of the whitespace left in the gutter by a view zone. */ MouseTargetType[MouseTargetType["GUTTER_VIEW_ZONE"] = 5] = "GUTTER_VIEW_ZONE"; /** * Mouse is on top of text in the content. */ MouseTargetType[MouseTargetType["CONTENT_TEXT"] = 6] = "CONTENT_TEXT"; /** * Mouse is on top of empty space in the content (e.g. after line text or below last line) */ MouseTargetType[MouseTargetType["CONTENT_EMPTY"] = 7] = "CONTENT_EMPTY"; /** * Mouse is on top of a view zone in the content. */ MouseTargetType[MouseTargetType["CONTENT_VIEW_ZONE"] = 8] = "CONTENT_VIEW_ZONE"; /** * Mouse is on top of a content widget. */ MouseTargetType[MouseTargetType["CONTENT_WIDGET"] = 9] = "CONTENT_WIDGET"; /** * Mouse is on top of the decorations overview ruler. */ MouseTargetType[MouseTargetType["OVERVIEW_RULER"] = 10] = "OVERVIEW_RULER"; /** * Mouse is on top of a scrollbar. */ MouseTargetType[MouseTargetType["SCROLLBAR"] = 11] = "SCROLLBAR"; /** * Mouse is on top of an overlay widget. */ MouseTargetType[MouseTargetType["OVERLAY_WIDGET"] = 12] = "OVERLAY_WIDGET"; /** * Mouse is outside of the editor. */ MouseTargetType[MouseTargetType["OUTSIDE_EDITOR"] = 13] = "OUTSIDE_EDITOR"; })(MouseTargetType || (MouseTargetType = {})); /** * A positioning preference for rendering overlay widgets. */ var OverlayWidgetPositionPreference; (function (OverlayWidgetPositionPreference) { /** * Position the overlay widget in the top right corner */ OverlayWidgetPositionPreference[OverlayWidgetPositionPreference["TOP_RIGHT_CORNER"] = 0] = "TOP_RIGHT_CORNER"; /** * Position the overlay widget in the bottom right corner */ OverlayWidgetPositionPreference[OverlayWidgetPositionPreference["BOTTOM_RIGHT_CORNER"] = 1] = "BOTTOM_RIGHT_CORNER"; /** * Position the overlay widget in the top center */ OverlayWidgetPositionPreference[OverlayWidgetPositionPreference["TOP_CENTER"] = 2] = "TOP_CENTER"; })(OverlayWidgetPositionPreference || (OverlayWidgetPositionPreference = {})); /** * Vertical Lane in the overview ruler of the editor. */ var OverviewRulerLane; (function (OverviewRulerLane) { OverviewRulerLane[OverviewRulerLane["Left"] = 1] = "Left"; OverviewRulerLane[OverviewRulerLane["Center"] = 2] = "Center"; OverviewRulerLane[OverviewRulerLane["Right"] = 4] = "Right"; OverviewRulerLane[OverviewRulerLane["Full"] = 7] = "Full"; })(OverviewRulerLane || (OverviewRulerLane = {})); var PositionAffinity; (function (PositionAffinity) { /** * Prefers the left most position. */ PositionAffinity[PositionAffinity["Left"] = 0] = "Left"; /** * Prefers the right most position. */ PositionAffinity[PositionAffinity["Right"] = 1] = "Right"; /** * No preference. */ PositionAffinity[PositionAffinity["None"] = 2] = "None"; /** * If the given position is on injected text, prefers the position left of it. */ PositionAffinity[PositionAffinity["LeftOfInjectedText"] = 3] = "LeftOfInjectedText"; /** * If the given position is on injected text, prefers the position right of it. */ PositionAffinity[PositionAffinity["RightOfInjectedText"] = 4] = "RightOfInjectedText"; })(PositionAffinity || (PositionAffinity = {})); var RenderLineNumbersType; (function (RenderLineNumbersType) { RenderLineNumbersType[RenderLineNumbersType["Off"] = 0] = "Off"; RenderLineNumbersType[RenderLineNumbersType["On"] = 1] = "On"; RenderLineNumbersType[RenderLineNumbersType["Relative"] = 2] = "Relative"; RenderLineNumbersType[RenderLineNumbersType["Interval"] = 3] = "Interval"; RenderLineNumbersType[RenderLineNumbersType["Custom"] = 4] = "Custom"; })(RenderLineNumbersType || (RenderLineNumbersType = {})); var RenderMinimap; (function (RenderMinimap) { RenderMinimap[RenderMinimap["None"] = 0] = "None"; RenderMinimap[RenderMinimap["Text"] = 1] = "Text"; RenderMinimap[RenderMinimap["Blocks"] = 2] = "Blocks"; })(RenderMinimap || (RenderMinimap = {})); var ScrollType; (function (ScrollType) { ScrollType[ScrollType["Smooth"] = 0] = "Smooth"; ScrollType[ScrollType["Immediate"] = 1] = "Immediate"; })(ScrollType || (ScrollType = {})); var ScrollbarVisibility; (function (ScrollbarVisibility) { ScrollbarVisibility[ScrollbarVisibility["Auto"] = 1] = "Auto"; ScrollbarVisibility[ScrollbarVisibility["Hidden"] = 2] = "Hidden"; ScrollbarVisibility[ScrollbarVisibility["Visible"] = 3] = "Visible"; })(ScrollbarVisibility || (ScrollbarVisibility = {})); /** * The direction of a selection. */ var SelectionDirection; (function (SelectionDirection) { /** * The selection starts above where it ends. */ SelectionDirection[SelectionDirection["LTR"] = 0] = "LTR"; /** * The selection starts below where it ends. */ SelectionDirection[SelectionDirection["RTL"] = 1] = "RTL"; })(SelectionDirection || (SelectionDirection = {})); var ShowAiIconMode; (function (ShowAiIconMode) { ShowAiIconMode["Off"] = "off"; ShowAiIconMode["OnCode"] = "onCode"; ShowAiIconMode["On"] = "on"; })(ShowAiIconMode || (ShowAiIconMode = {})); var standaloneEnums_SignatureHelpTriggerKind; (function (SignatureHelpTriggerKind) { SignatureHelpTriggerKind[SignatureHelpTriggerKind["Invoke"] = 1] = "Invoke"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["TriggerCharacter"] = 2] = "TriggerCharacter"; SignatureHelpTriggerKind[SignatureHelpTriggerKind["ContentChange"] = 3] = "ContentChange"; })(standaloneEnums_SignatureHelpTriggerKind || (standaloneEnums_SignatureHelpTriggerKind = {})); /** * A symbol kind. */ var SymbolKind; (function (SymbolKind) { SymbolKind[SymbolKind["File"] = 0] = "File"; SymbolKind[SymbolKind["Module"] = 1] = "Module"; SymbolKind[SymbolKind["Namespace"] = 2] = "Namespace"; SymbolKind[SymbolKind["Package"] = 3] = "Package"; SymbolKind[SymbolKind["Class"] = 4] = "Class"; SymbolKind[SymbolKind["Method"] = 5] = "Method"; SymbolKind[SymbolKind["Property"] = 6] = "Property"; SymbolKind[SymbolKind["Field"] = 7] = "Field"; SymbolKind[SymbolKind["Constructor"] = 8] = "Constructor"; SymbolKind[SymbolKind["Enum"] = 9] = "Enum"; SymbolKind[SymbolKind["Interface"] = 10] = "Interface"; SymbolKind[SymbolKind["Function"] = 11] = "Function"; SymbolKind[SymbolKind["Variable"] = 12] = "Variable"; SymbolKind[SymbolKind["Constant"] = 13] = "Constant"; SymbolKind[SymbolKind["String"] = 14] = "String"; SymbolKind[SymbolKind["Number"] = 15] = "Number"; SymbolKind[SymbolKind["Boolean"] = 16] = "Boolean"; SymbolKind[SymbolKind["Array"] = 17] = "Array"; SymbolKind[SymbolKind["Object"] = 18] = "Object"; SymbolKind[SymbolKind["Key"] = 19] = "Key"; SymbolKind[SymbolKind["Null"] = 20] = "Null"; SymbolKind[SymbolKind["EnumMember"] = 21] = "EnumMember"; SymbolKind[SymbolKind["Struct"] = 22] = "Struct"; SymbolKind[SymbolKind["Event"] = 23] = "Event"; SymbolKind[SymbolKind["Operator"] = 24] = "Operator"; SymbolKind[SymbolKind["TypeParameter"] = 25] = "TypeParameter"; })(SymbolKind || (SymbolKind = {})); var SymbolTag; (function (SymbolTag) { SymbolTag[SymbolTag["Deprecated"] = 1] = "Deprecated"; })(SymbolTag || (SymbolTag = {})); /** * The kind of animation in which the editor"s cursor should be rendered. */ var TextEditorCursorBlinkingStyle; (function (TextEditorCursorBlinkingStyle) { /** * Hidden */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Hidden"] = 0] = "Hidden"; /** * Blinking */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Blink"] = 1] = "Blink"; /** * Blinking with smooth fading */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Smooth"] = 2] = "Smooth"; /** * Blinking with prolonged filled state and smooth fading */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Phase"] = 3] = "Phase"; /** * Expand collapse animation on the y axis */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Expand"] = 4] = "Expand"; /** * No-Blinking */ TextEditorCursorBlinkingStyle[TextEditorCursorBlinkingStyle["Solid"] = 5] = "Solid"; })(TextEditorCursorBlinkingStyle || (TextEditorCursorBlinkingStyle = {})); /** * The style in which the editor"s cursor should be rendered. */ var TextEditorCursorStyle; (function (TextEditorCursorStyle) { /** * As a vertical line (sitting between two characters). */ TextEditorCursorStyle[TextEditorCursorStyle["Line"] = 1] = "Line"; /** * As a block (sitting on top of a character). */ TextEditorCursorStyle[TextEditorCursorStyle["Block"] = 2] = "Block"; /** * As a horizontal line (sitting under a character). */ TextEditorCursorStyle[TextEditorCursorStyle["Underline"] = 3] = "Underline"; /** * As a thin vertical line (sitting between two characters). */ TextEditorCursorStyle[TextEditorCursorStyle["LineThin"] = 4] = "LineThin"; /** * As an outlined block (sitting on top of a character). */ TextEditorCursorStyle[TextEditorCursorStyle["BlockOutline"] = 5] = "BlockOutline"; /** * As a thin horizontal line (sitting under a character). */ TextEditorCursorStyle[TextEditorCursorStyle["UnderlineThin"] = 6] = "UnderlineThin"; })(TextEditorCursorStyle || (TextEditorCursorStyle = {})); /** * Describes the behavior of decorations when typing/editing near their edges. * Note: Please do not edit the values, as they very carefully match `DecorationRangeBehavior` */ var TrackedRangeStickiness; (function (TrackedRangeStickiness) { TrackedRangeStickiness[TrackedRangeStickiness["AlwaysGrowsWhenTypingAtEdges"] = 0] = "AlwaysGrowsWhenTypingAtEdges"; TrackedRangeStickiness[TrackedRangeStickiness["NeverGrowsWhenTypingAtEdges"] = 1] = "NeverGrowsWhenTypingAtEdges"; TrackedRangeStickiness[TrackedRangeStickiness["GrowsOnlyWhenTypingBefore"] = 2] = "GrowsOnlyWhenTypingBefore"; TrackedRangeStickiness[TrackedRangeStickiness["GrowsOnlyWhenTypingAfter"] = 3] = "GrowsOnlyWhenTypingAfter"; })(TrackedRangeStickiness || (TrackedRangeStickiness = {})); /** * Describes how to indent wrapped lines. */ var WrappingIndent; (function (WrappingIndent) { /** * No indentation => wrapped lines begin at column 1. */ WrappingIndent[WrappingIndent["None"] = 0] = "None"; /** * Same => wrapped lines get the same indentation as the parent. */ WrappingIndent[WrappingIndent["Same"] = 1] = "Same"; /** * Indent => wrapped lines get +1 indentation toward the parent. */ WrappingIndent[WrappingIndent["Indent"] = 2] = "Indent"; /** * DeepIndent => wrapped lines get +2 indentation toward the parent. */ WrappingIndent[WrappingIndent["DeepIndent"] = 3] = "DeepIndent"; })(WrappingIndent || (WrappingIndent = {})); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/services/editorBaseApi.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class KeyMod { static chord(firstPart, secondPart) { return KeyChord(firstPart, secondPart); } } KeyMod.CtrlCmd = 2048 /* ConstKeyMod.CtrlCmd */; KeyMod.Shift = 1024 /* ConstKeyMod.Shift */; KeyMod.Alt = 512 /* ConstKeyMod.Alt */; KeyMod.WinCtrl = 256 /* ConstKeyMod.WinCtrl */; function createMonacoBaseAPI() { return { editor: undefined, // undefined override expected here languages: undefined, // undefined override expected here CancellationTokenSource: CancellationTokenSource, Emitter: Emitter, KeyCode: KeyCode, KeyMod: KeyMod, Position: position_Position, Range: range_Range, Selection: Selection, SelectionDirection: SelectionDirection, MarkerSeverity: MarkerSeverity, MarkerTag: MarkerTag, Uri: uri_URI, Token: Token }; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/wordCharacterClassifier.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class WordCharacterClassifier extends CharacterClassifier { constructor(wordSeparators) { super(0 /* WordCharacterClass.Regular */); for (let i = 0, len = wordSeparators.length; i < len; i++) { this.set(wordSeparators.charCodeAt(i), 2 /* WordCharacterClass.WordSeparator */); } this.set(32 /* CharCode.Space */, 1 /* WordCharacterClass.Whitespace */); this.set(9 /* CharCode.Tab */, 1 /* WordCharacterClass.Whitespace */); } } function once(computeFn) { const cache = {}; // TODO@Alex unbounded cache return (input) => { if (!cache.hasOwnProperty(input)) { cache[input] = computeFn(input); } return cache[input]; }; } const wordCharacterClassifier_getMapForWordSeparators = once((input) => new WordCharacterClassifier(input)); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/model.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Vertical Lane in the overview ruler of the editor. */ var model_OverviewRulerLane; (function (OverviewRulerLane) { OverviewRulerLane[OverviewRulerLane["Left"] = 1] = "Left"; OverviewRulerLane[OverviewRulerLane["Center"] = 2] = "Center"; OverviewRulerLane[OverviewRulerLane["Right"] = 4] = "Right"; OverviewRulerLane[OverviewRulerLane["Full"] = 7] = "Full"; })(model_OverviewRulerLane || (model_OverviewRulerLane = {})); /** * Vertical Lane in the glyph margin of the editor. */ var model_GlyphMarginLane; (function (GlyphMarginLane) { GlyphMarginLane[GlyphMarginLane["Left"] = 1] = "Left"; GlyphMarginLane[GlyphMarginLane["Right"] = 2] = "Right"; })(model_GlyphMarginLane || (model_GlyphMarginLane = {})); /** * Position in the minimap to render the decoration. */ var model_MinimapPosition; (function (MinimapPosition) { MinimapPosition[MinimapPosition["Inline"] = 1] = "Inline"; MinimapPosition[MinimapPosition["Gutter"] = 2] = "Gutter"; })(model_MinimapPosition || (model_MinimapPosition = {})); var model_InjectedTextCursorStops; (function (InjectedTextCursorStops) { InjectedTextCursorStops[InjectedTextCursorStops["Both"] = 0] = "Both"; InjectedTextCursorStops[InjectedTextCursorStops["Right"] = 1] = "Right"; InjectedTextCursorStops[InjectedTextCursorStops["Left"] = 2] = "Left"; InjectedTextCursorStops[InjectedTextCursorStops["None"] = 3] = "None"; })(model_InjectedTextCursorStops || (model_InjectedTextCursorStops = {})); class TextModelResolvedOptions { get originalIndentSize() { return this._indentSizeIsTabSize ? "tabSize" : this.indentSize; } /** * @internal */ constructor(src) { this._textModelResolvedOptionsBrand = undefined; this.tabSize = Math.max(1, src.tabSize | 0); if (src.indentSize === "tabSize") { this.indentSize = this.tabSize; this._indentSizeIsTabSize = true; } else { this.indentSize = Math.max(1, src.indentSize | 0); this._indentSizeIsTabSize = false; } this.insertSpaces = Boolean(src.insertSpaces); this.defaultEOL = src.defaultEOL | 0; this.trimAutoWhitespace = Boolean(src.trimAutoWhitespace); this.bracketPairColorizationOptions = src.bracketPairColorizationOptions; } /** * @internal */ equals(other) { return (this.tabSize === other.tabSize && this._indentSizeIsTabSize === other._indentSizeIsTabSize && this.indentSize === other.indentSize && this.insertSpaces === other.insertSpaces && this.defaultEOL === other.defaultEOL && this.trimAutoWhitespace === other.trimAutoWhitespace && equals(this.bracketPairColorizationOptions, other.bracketPairColorizationOptions)); } /** * @internal */ createChangeEvent(newOpts) { return { tabSize: this.tabSize !== newOpts.tabSize, indentSize: this.indentSize !== newOpts.indentSize, insertSpaces: this.insertSpaces !== newOpts.insertSpaces, trimAutoWhitespace: this.trimAutoWhitespace !== newOpts.trimAutoWhitespace, }; } } class model_FindMatch { /** * @internal */ constructor(range, matches) { this._findMatchBrand = undefined; this.range = range; this.matches = matches; } } /** * @internal */ function isITextSnapshot(obj) { return (obj && typeof obj.read === "function"); } /** * @internal */ class ValidAnnotatedEditOperation { constructor(identifier, range, text, forceMoveMarkers, isAutoWhitespaceEdit, _isTracked) { this.identifier = identifier; this.range = range; this.text = text; this.forceMoveMarkers = forceMoveMarkers; this.isAutoWhitespaceEdit = isAutoWhitespaceEdit; this._isTracked = _isTracked; } } /** * @internal */ class model_SearchData { constructor(regex, wordSeparators, simpleSearch) { this.regex = regex; this.wordSeparators = wordSeparators; this.simpleSearch = simpleSearch; } } /** * @internal */ class ApplyEditsResult { constructor(reverseEdits, changes, trimAutoWhitespaceLineNumbers) { this.reverseEdits = reverseEdits; this.changes = changes; this.trimAutoWhitespaceLineNumbers = trimAutoWhitespaceLineNumbers; } } /** * @internal */ function shouldSynchronizeModel(model) { return (!model.isTooLargeForSyncing() && !model.isForSimpleWidget); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/model/textModelSearch.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const LIMIT_FIND_COUNT = 999; class SearchParams { constructor(searchString, isRegex, matchCase, wordSeparators) { this.searchString = searchString; this.isRegex = isRegex; this.matchCase = matchCase; this.wordSeparators = wordSeparators; } parseSearchRequest() { if (this.searchString === "") { return null; } // Try to create a RegExp out of the params let multiline; if (this.isRegex) { multiline = isMultilineRegexSource(this.searchString); } else { multiline = (this.searchString.indexOf(" ") >= 0); } let regex = null; try { regex = strings.createRegExp(this.searchString, this.isRegex, { matchCase: this.matchCase, wholeWord: false, multiline: multiline, global: true, unicode: true }); } catch (err) { return null; } if (!regex) { return null; } let canUseSimpleSearch = (!this.isRegex && !multiline); if (canUseSimpleSearch && this.searchString.toLowerCase() !== this.searchString.toUpperCase()) { // casing might make a difference canUseSimpleSearch = this.matchCase; } return new SearchData(regex, this.wordSeparators ? getMapForWordSeparators(this.wordSeparators) : null, canUseSimpleSearch ? this.searchString : null); } } function isMultilineRegexSource(searchString) { if (!searchString || searchString.length === 0) { return false; } for (let i = 0, len = searchString.length; i < len; i++) { const chCode = searchString.charCodeAt(i); if (chCode === 10 /* CharCode.LineFeed */) { return true; } if (chCode === 92 /* CharCode.Backslash */) { // move to next char i++; if (i >= len) { // string ends with a break; } const nextChCode = searchString.charCodeAt(i); if (nextChCode === 110 /* CharCode.n */ || nextChCode === 114 /* CharCode.r */ || nextChCode === 87 /* CharCode.W */) { return true; } } } return false; } function createFindMatch(range, rawMatches, captureMatches) { if (!captureMatches) { return new FindMatch(range, null); } const matches = []; for (let i = 0, len = rawMatches.length; i < len; i++) { matches[i] = rawMatches[i]; } return new FindMatch(range, matches); } class LineFeedCounter { constructor(text) { const lineFeedsOffsets = []; let lineFeedsOffsetsLen = 0; for (let i = 0, textLen = text.length; i < textLen; i++) { if (text.charCodeAt(i) === 10 /* CharCode.LineFeed */) { lineFeedsOffsets[lineFeedsOffsetsLen++] = i; } } this._lineFeedsOffsets = lineFeedsOffsets; } findLineFeedCountBeforeOffset(offset) { const lineFeedsOffsets = this._lineFeedsOffsets; let min = 0; let max = lineFeedsOffsets.length - 1; if (max === -1) { // no line feeds return 0; } if (offset <= lineFeedsOffsets[0]) { // before first line feed return 0; } while (min < max) { const mid = min + ((max - min) / 2 >> 0); if (lineFeedsOffsets[mid] >= offset) { max = mid - 1; } else { if (lineFeedsOffsets[mid + 1] >= offset) { // bingo! min = mid; max = mid; } else { min = mid + 1; } } } return min + 1; } } class TextModelSearch { static findMatches(model, searchParams, searchRange, captureMatches, limitResultCount) { const searchData = searchParams.parseSearchRequest(); if (!searchData) { return []; } if (searchData.regex.multiline) { return this._doFindMatchesMultiline(model, searchRange, new Searcher(searchData.wordSeparators, searchData.regex), captureMatches, limitResultCount); } return this._doFindMatchesLineByLine(model, searchRange, searchData, captureMatches, limitResultCount); } /** * Multiline search always executes on the lines concatenated with . * We must therefore compensate for the count of in case the model is CRLF */ static _getMultilineMatchRange(model, deltaOffset, text, lfCounter, matchIndex, match0) { let startOffset; let lineFeedCountBeforeMatch = 0; if (lfCounter) { lineFeedCountBeforeMatch = lfCounter.findLineFeedCountBeforeOffset(matchIndex); startOffset = deltaOffset + matchIndex + lineFeedCountBeforeMatch /* add as many as there were */; } else { startOffset = deltaOffset + matchIndex; } let endOffset; if (lfCounter) { const lineFeedCountBeforeEndOfMatch = lfCounter.findLineFeedCountBeforeOffset(matchIndex + match0.length); const lineFeedCountInMatch = lineFeedCountBeforeEndOfMatch - lineFeedCountBeforeMatch; endOffset = startOffset + match0.length + lineFeedCountInMatch /* add as many as there were */; } else { endOffset = startOffset + match0.length; } const startPosition = model.getPositionAt(startOffset); const endPosition = model.getPositionAt(endOffset); return new Range(startPosition.lineNumber, startPosition.column, endPosition.lineNumber, endPosition.column); } static _doFindMatchesMultiline(model, searchRange, searcher, captureMatches, limitResultCount) { const deltaOffset = model.getOffsetAt(searchRange.getStartPosition()); // We always execute multiline search over the lines joined with // This makes it that will match the EOL for both CRLF and LF models // We compensate for offset errors in `_getMultilineMatchRange` const text = model.getValueInRange(searchRange, 1 /* EndOfLinePreference.LF */); const lfCounter = (model.getEOL() === " " ? new LineFeedCounter(text) : null); const result = []; let counter = 0; let m; searcher.reset(0); while ((m = searcher.next(text))) { result[counter++] = createFindMatch(this._getMultilineMatchRange(model, deltaOffset, text, lfCounter, m.index, m[0]), m, captureMatches); if (counter >= limitResultCount) { return result; } } return result; } static _doFindMatchesLineByLine(model, searchRange, searchData, captureMatches, limitResultCount) { const result = []; let resultLen = 0; // Early case for a search range that starts & stops on the same line number if (searchRange.startLineNumber === searchRange.endLineNumber) { const text = model.getLineContent(searchRange.startLineNumber).substring(searchRange.startColumn - 1, searchRange.endColumn - 1); resultLen = this._findMatchesInLine(searchData, text, searchRange.startLineNumber, searchRange.startColumn - 1, resultLen, result, captureMatches, limitResultCount); return result; } // Collect results from first line const text = model.getLineContent(searchRange.startLineNumber).substring(searchRange.startColumn - 1); resultLen = this._findMatchesInLine(searchData, text, searchRange.startLineNumber, searchRange.startColumn - 1, resultLen, result, captureMatches, limitResultCount); // Collect results from middle lines for (let lineNumber = searchRange.startLineNumber + 1; lineNumber < searchRange.endLineNumber && resultLen < limitResultCount; lineNumber++) { resultLen = this._findMatchesInLine(searchData, model.getLineContent(lineNumber), lineNumber, 0, resultLen, result, captureMatches, limitResultCount); } // Collect results from last line if (resultLen < limitResultCount) { const text = model.getLineContent(searchRange.endLineNumber).substring(0, searchRange.endColumn - 1); resultLen = this._findMatchesInLine(searchData, text, searchRange.endLineNumber, 0, resultLen, result, captureMatches, limitResultCount); } return result; } static _findMatchesInLine(searchData, text, lineNumber, deltaOffset, resultLen, result, captureMatches, limitResultCount) { const wordSeparators = searchData.wordSeparators; if (!captureMatches && searchData.simpleSearch) { const searchString = searchData.simpleSearch; const searchStringLen = searchString.length; const textLength = text.length; let lastMatchIndex = -searchStringLen; while ((lastMatchIndex = text.indexOf(searchString, lastMatchIndex + searchStringLen)) !== -1) { if (!wordSeparators || isValidMatch(wordSeparators, text, textLength, lastMatchIndex, searchStringLen)) { result[resultLen++] = new FindMatch(new Range(lineNumber, lastMatchIndex + 1 + deltaOffset, lineNumber, lastMatchIndex + 1 + searchStringLen + deltaOffset), null); if (resultLen >= limitResultCount) { return resultLen; } } } return resultLen; } const searcher = new Searcher(searchData.wordSeparators, searchData.regex); let m; // Reset regex to search from the beginning searcher.reset(0); do { m = searcher.next(text); if (m) { result[resultLen++] = createFindMatch(new Range(lineNumber, m.index + 1 + deltaOffset, lineNumber, m.index + 1 + m[0].length + deltaOffset), m, captureMatches); if (resultLen >= limitResultCount) { return resultLen; } } } while (m); return resultLen; } static findNextMatch(model, searchParams, searchStart, captureMatches) { const searchData = searchParams.parseSearchRequest(); if (!searchData) { return null; } const searcher = new Searcher(searchData.wordSeparators, searchData.regex); if (searchData.regex.multiline) { return this._doFindNextMatchMultiline(model, searchStart, searcher, captureMatches); } return this._doFindNextMatchLineByLine(model, searchStart, searcher, captureMatches); } static _doFindNextMatchMultiline(model, searchStart, searcher, captureMatches) { const searchTextStart = new Position(searchStart.lineNumber, 1); const deltaOffset = model.getOffsetAt(searchTextStart); const lineCount = model.getLineCount(); // We always execute multiline search over the lines joined with // This makes it that will match the EOL for both CRLF and LF models // We compensate for offset errors in `_getMultilineMatchRange` const text = model.getValueInRange(new Range(searchTextStart.lineNumber, searchTextStart.column, lineCount, model.getLineMaxColumn(lineCount)), 1 /* EndOfLinePreference.LF */); const lfCounter = (model.getEOL() === " " ? new LineFeedCounter(text) : null); searcher.reset(searchStart.column - 1); const m = searcher.next(text); if (m) { return createFindMatch(this._getMultilineMatchRange(model, deltaOffset, text, lfCounter, m.index, m[0]), m, captureMatches); } if (searchStart.lineNumber !== 1 || searchStart.column !== 1) { // Try again from the top return this._doFindNextMatchMultiline(model, new Position(1, 1), searcher, captureMatches); } return null; } static _doFindNextMatchLineByLine(model, searchStart, searcher, captureMatches) { const lineCount = model.getLineCount(); const startLineNumber = searchStart.lineNumber; // Look in first line const text = model.getLineContent(startLineNumber); const r = this._findFirstMatchInLine(searcher, text, startLineNumber, searchStart.column, captureMatches); if (r) { return r; } for (let i = 1; i <= lineCount; i++) { const lineIndex = (startLineNumber + i - 1) % lineCount; const text = model.getLineContent(lineIndex + 1); const r = this._findFirstMatchInLine(searcher, text, lineIndex + 1, 1, captureMatches); if (r) { return r; } } return null; } static _findFirstMatchInLine(searcher, text, lineNumber, fromColumn, captureMatches) { // Set regex to search from column searcher.reset(fromColumn - 1); const m = searcher.next(text); if (m) { return createFindMatch(new Range(lineNumber, m.index + 1, lineNumber, m.index + 1 + m[0].length), m, captureMatches); } return null; } static findPreviousMatch(model, searchParams, searchStart, captureMatches) { const searchData = searchParams.parseSearchRequest(); if (!searchData) { return null; } const searcher = new Searcher(searchData.wordSeparators, searchData.regex); if (searchData.regex.multiline) { return this._doFindPreviousMatchMultiline(model, searchStart, searcher, captureMatches); } return this._doFindPreviousMatchLineByLine(model, searchStart, searcher, captureMatches); } static _doFindPreviousMatchMultiline(model, searchStart, searcher, captureMatches) { const matches = this._doFindMatchesMultiline(model, new Range(1, 1, searchStart.lineNumber, searchStart.column), searcher, captureMatches, 10 * LIMIT_FIND_COUNT); if (matches.length > 0) { return matches[matches.length - 1]; } const lineCount = model.getLineCount(); if (searchStart.lineNumber !== lineCount || searchStart.column !== model.getLineMaxColumn(lineCount)) { // Try again with all content return this._doFindPreviousMatchMultiline(model, new Position(lineCount, model.getLineMaxColumn(lineCount)), searcher, captureMatches); } return null; } static _doFindPreviousMatchLineByLine(model, searchStart, searcher, captureMatches) { const lineCount = model.getLineCount(); const startLineNumber = searchStart.lineNumber; // Look in first line const text = model.getLineContent(startLineNumber).substring(0, searchStart.column - 1); const r = this._findLastMatchInLine(searcher, text, startLineNumber, captureMatches); if (r) { return r; } for (let i = 1; i <= lineCount; i++) { const lineIndex = (lineCount + startLineNumber - i - 1) % lineCount; const text = model.getLineContent(lineIndex + 1); const r = this._findLastMatchInLine(searcher, text, lineIndex + 1, captureMatches); if (r) { return r; } } return null; } static _findLastMatchInLine(searcher, text, lineNumber, captureMatches) { let bestResult = null; let m; searcher.reset(0); while ((m = searcher.next(text))) { bestResult = createFindMatch(new Range(lineNumber, m.index + 1, lineNumber, m.index + 1 + m[0].length), m, captureMatches); } return bestResult; } } function leftIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength) { if (matchStartIndex === 0) { // Match starts at start of string return true; } const charBefore = text.charCodeAt(matchStartIndex - 1); if (wordSeparators.get(charBefore) !== 0 /* WordCharacterClass.Regular */) { // The character before the match is a word separator return true; } if (charBefore === 13 /* CharCode.CarriageReturn */ || charBefore === 10 /* CharCode.LineFeed */) { // The character before the match is line break or carriage return. return true; } if (matchLength > 0) { const firstCharInMatch = text.charCodeAt(matchStartIndex); if (wordSeparators.get(firstCharInMatch) !== 0 /* WordCharacterClass.Regular */) { // The first character inside the match is a word separator return true; } } return false; } function rightIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength) { if (matchStartIndex + matchLength === textLength) { // Match ends at end of string return true; } const charAfter = text.charCodeAt(matchStartIndex + matchLength); if (wordSeparators.get(charAfter) !== 0 /* WordCharacterClass.Regular */) { // The character after the match is a word separator return true; } if (charAfter === 13 /* CharCode.CarriageReturn */ || charAfter === 10 /* CharCode.LineFeed */) { // The character after the match is line break or carriage return. return true; } if (matchLength > 0) { const lastCharInMatch = text.charCodeAt(matchStartIndex + matchLength - 1); if (wordSeparators.get(lastCharInMatch) !== 0 /* WordCharacterClass.Regular */) { // The last character in the match is a word separator return true; } } return false; } function isValidMatch(wordSeparators, text, textLength, matchStartIndex, matchLength) { return (leftIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength) && rightIsWordBounday(wordSeparators, text, textLength, matchStartIndex, matchLength)); } class Searcher { constructor(wordSeparators, searchRegex) { this._wordSeparators = wordSeparators; this._searchRegex = searchRegex; this._prevMatchStartIndex = -1; this._prevMatchLength = 0; } reset(lastIndex) { this._searchRegex.lastIndex = lastIndex; this._prevMatchStartIndex = -1; this._prevMatchLength = 0; } next(text) { const textLength = text.length; let m; do { if (this._prevMatchStartIndex + this._prevMatchLength === textLength) { // Reached the end of the line return null; } m = this._searchRegex.exec(text); if (!m) { return null; } const matchStartIndex = m.index; const matchLength = m[0].length; if (matchStartIndex === this._prevMatchStartIndex && matchLength === this._prevMatchLength) { if (matchLength === 0) { // the search result is an empty string and won"t advance `regex.lastIndex`, so `regex.exec` will stuck here // we attempt to recover from that by advancing by two if surrogate pair found and by one otherwise if (getNextCodePoint(text, textLength, this._searchRegex.lastIndex) > 0xFFFF) { this._searchRegex.lastIndex += 2; } else { this._searchRegex.lastIndex += 1; } continue; } // Exit early if the regex matches the same range twice return null; } this._prevMatchStartIndex = matchStartIndex; this._prevMatchLength = matchLength; if (!this._wordSeparators || isValidMatch(this._wordSeparators, text, textLength, matchStartIndex, matchLength)) { return m; } } while (m); return null; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/assert.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Throws an error with the provided message if the provided value does not evaluate to a true Javascript value. * * @deprecated Use `assert(...)` instead. * This method is usually used like this: * ```ts * import * as assert from "vs/base/common/assert"; * assert.ok(...); * ``` * * However, `assert` in that example is a user chosen name. * There is no tooling for generating such an import statement. * Thus, the `assert(...)` function should be used instead. */ function ok(value, message) { if (!value) { throw new Error(message ? `Assertion failed (${message})` : "Assertion Failed"); } } function assertNever(value, message = "Unreachable") { throw new Error(message); } /** * condition must be side-effect free! */ function assertFn(condition) { if (!condition()) { // eslint-disable-next-line no-debugger debugger; // Reevaluate `condition` again to make debugging easier condition(); onUnexpectedError(new BugIndicatingError("Assertion Failed")); } } function checkAdjacentItems(items, predicate) { let i = 0; while (i < items.length - 1) { const a = items[i]; const b = items[i + 1]; if (!predicate(a, b)) { return false; } i++; } return true; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/services/unicodeTextModelHighlighter.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class UnicodeTextModelHighlighter { static computeUnicodeHighlights(model, options, range) { const startLine = range ? range.startLineNumber : 1; const endLine = range ? range.endLineNumber : model.getLineCount(); const codePointHighlighter = new CodePointHighlighter(options); const candidates = codePointHighlighter.getCandidateCodePoints(); let regex; if (candidates === "allNonBasicAscii") { regex = new RegExp("[^\t\n\r\x20-\x7E]", "g"); } else { regex = new RegExp(`${buildRegExpCharClassExpr(Array.from(candidates))}`, "g"); } const searcher = new Searcher(null, regex); const ranges = []; let hasMore = false; let m; let ambiguousCharacterCount = 0; let invisibleCharacterCount = 0; let nonBasicAsciiCharacterCount = 0; forLoop: for (let lineNumber = startLine, lineCount = endLine; lineNumber <= lineCount; lineNumber++) { const lineContent = model.getLineContent(lineNumber); const lineLength = lineContent.length; // Reset regex to search from the beginning searcher.reset(0); do { m = searcher.next(lineContent); if (m) { let startIndex = m.index; let endIndex = m.index + m[0].length; // Extend range to entire code point if (startIndex > 0) { const charCodeBefore = lineContent.charCodeAt(startIndex - 1); if (isHighSurrogate(charCodeBefore)) { startIndex--; } } if (endIndex + 1 < lineLength) { const charCodeBefore = lineContent.charCodeAt(endIndex - 1); if (isHighSurrogate(charCodeBefore)) { endIndex++; } } const str = lineContent.substring(startIndex, endIndex); let word = getWordAtText(startIndex + 1, DEFAULT_WORD_REGEXP, lineContent, 0); if (word && word.endColumn <= startIndex + 1) { // The word does not include the problematic character, ignore the word word = null; } const highlightReason = codePointHighlighter.shouldHighlightNonBasicASCII(str, word ? word.word : null); if (highlightReason !== 0 /* SimpleHighlightReason.None */) { if (highlightReason === 3 /* SimpleHighlightReason.Ambiguous */) { ambiguousCharacterCount++; } else if (highlightReason === 2 /* SimpleHighlightReason.Invisible */) { invisibleCharacterCount++; } else if (highlightReason === 1 /* SimpleHighlightReason.NonBasicASCII */) { nonBasicAsciiCharacterCount++; } else { assertNever(highlightReason); } const MAX_RESULT_LENGTH = 1000; if (ranges.length >= MAX_RESULT_LENGTH) { hasMore = true; break forLoop; } ranges.push(new range_Range(lineNumber, startIndex + 1, lineNumber, endIndex + 1)); } } } while (m); } return { ranges, hasMore, ambiguousCharacterCount, invisibleCharacterCount, nonBasicAsciiCharacterCount }; } static computeUnicodeHighlightReason(char, options) { const codePointHighlighter = new CodePointHighlighter(options); const reason = codePointHighlighter.shouldHighlightNonBasicASCII(char, null); switch (reason) { case 0 /* SimpleHighlightReason.None */: return null; case 2 /* SimpleHighlightReason.Invisible */: return { kind: 1 /* UnicodeHighlighterReasonKind.Invisible */ }; case 3 /* SimpleHighlightReason.Ambiguous */: { const codePoint = char.codePointAt(0); const primaryConfusable = codePointHighlighter.ambiguousCharacters.getPrimaryConfusable(codePoint); const notAmbiguousInLocales = AmbiguousCharacters.getLocales().filter((l) => !AmbiguousCharacters.getInstance(new Set([...options.allowedLocales, l])).isAmbiguous(codePoint)); return { kind: 0 /* UnicodeHighlighterReasonKind.Ambiguous */, confusableWith: String.fromCodePoint(primaryConfusable), notAmbiguousInLocales }; } case 1 /* SimpleHighlightReason.NonBasicASCII */: return { kind: 2 /* UnicodeHighlighterReasonKind.NonBasicAscii */ }; } } } function buildRegExpCharClassExpr(codePoints, flags) { const src = `[${escapeRegExpCharacters(codePoints.map((i) => String.fromCodePoint(i)).join(""))}]`; return src; } class CodePointHighlighter { constructor(options) { this.options = options; this.allowedCodePoints = new Set(options.allowedCodePoints); this.ambiguousCharacters = AmbiguousCharacters.getInstance(new Set(options.allowedLocales)); } getCandidateCodePoints() { if (this.options.nonBasicASCII) { return "allNonBasicAscii"; } const set = new Set(); if (this.options.invisibleCharacters) { for (const cp of InvisibleCharacters.codePoints) { if (!isAllowedInvisibleCharacter(String.fromCodePoint(cp))) { set.add(cp); } } } if (this.options.ambiguousCharacters) { for (const cp of this.ambiguousCharacters.getConfusableCodePoints()) { set.add(cp); } } for (const cp of this.allowedCodePoints) { set.delete(cp); } return set; } shouldHighlightNonBasicASCII(character, wordContext) { const codePoint = character.codePointAt(0); if (this.allowedCodePoints.has(codePoint)) { return 0 /* SimpleHighlightReason.None */; } if (this.options.nonBasicASCII) { return 1 /* SimpleHighlightReason.NonBasicASCII */; } let hasBasicASCIICharacters = false; let hasNonConfusableNonBasicAsciiCharacter = false; if (wordContext) { for (const char of wordContext) { const codePoint = char.codePointAt(0); const isBasicASCII = strings_isBasicASCII(char); hasBasicASCIICharacters = hasBasicASCIICharacters || isBasicASCII; if (!isBasicASCII && !this.ambiguousCharacters.isAmbiguous(codePoint) && !InvisibleCharacters.isInvisibleCharacter(codePoint)) { hasNonConfusableNonBasicAsciiCharacter = true; } } } if ( /* Don"t allow mixing weird looking characters with ASCII */ !hasBasicASCIICharacters && /* Is there an obviously weird looking character? */ hasNonConfusableNonBasicAsciiCharacter) { return 0 /* SimpleHighlightReason.None */; } if (this.options.invisibleCharacters) { // TODO check for emojis if (!isAllowedInvisibleCharacter(character) && InvisibleCharacters.isInvisibleCharacter(codePoint)) { return 2 /* SimpleHighlightReason.Invisible */; } } if (this.options.ambiguousCharacters) { if (this.ambiguousCharacters.isAmbiguous(codePoint)) { return 3 /* SimpleHighlightReason.Ambiguous */; } } return 0 /* SimpleHighlightReason.None */; } } function isAllowedInvisibleCharacter(character) { return character === " " || character === " " || character === " "; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/linesDiffComputer.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class LinesDiff { constructor(changes, /** * Sorted by original line ranges. * The original line ranges and the modified line ranges must be disjoint (but can be touching). */ moves, /** * Indicates if the time out was reached. * In that case, the diffs might be an approximation and the user should be asked to rerun the diff with more time. */ hitTimeout) { this.changes = changes; this.moves = moves; this.hitTimeout = hitTimeout; } } class MovedText { constructor(lineRangeMapping, changes) { this.lineRangeMapping = lineRangeMapping; this.changes = changes; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/offsetRange.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A range of offsets (0-based). */ class OffsetRange { static addRange(range, sortedRanges) { let i = 0; while (i < sortedRanges.length && sortedRanges[i].endExclusive < range.start) { i++; } let j = i; while (j < sortedRanges.length && sortedRanges[j].start <= range.endExclusive) { j++; } if (i === j) { sortedRanges.splice(i, 0, range); } else { const start = Math.min(range.start, sortedRanges[i].start); const end = Math.max(range.endExclusive, sortedRanges[j - 1].endExclusive); sortedRanges.splice(i, j - i, new OffsetRange(start, end)); } } static tryCreate(start, endExclusive) { if (start > endExclusive) { return undefined; } return new OffsetRange(start, endExclusive); } static ofLength(length) { return new OffsetRange(0, length); } static ofStartAndLength(start, length) { return new OffsetRange(start, start + length); } constructor(start, endExclusive) { this.start = start; this.endExclusive = endExclusive; if (start > endExclusive) { throw new BugIndicatingError(`Invalid range: ${this.toString()}`); } } get isEmpty() { return this.start === this.endExclusive; } delta(offset) { return new OffsetRange(this.start + offset, this.endExclusive + offset); } deltaStart(offset) { return new OffsetRange(this.start + offset, this.endExclusive); } deltaEnd(offset) { return new OffsetRange(this.start, this.endExclusive + offset); } get length() { return this.endExclusive - this.start; } toString() { return `[${this.start}, ${this.endExclusive})`; } equals(other) { return this.start === other.start && this.endExclusive === other.endExclusive; } containsRange(other) { return this.start <= other.start && other.endExclusive <= this.endExclusive; } contains(offset) { return this.start <= offset && offset < this.endExclusive; } /** * for all numbers n: range1.contains(n) or range2.contains(n) => range1.join(range2).contains(n) * The joined range is the smallest range that contains both ranges. */ join(other) { return new OffsetRange(Math.min(this.start, other.start), Math.max(this.endExclusive, other.endExclusive)); } /** * for all numbers n: range1.contains(n) and range2.contains(n) <=> range1.intersect(range2).contains(n) * * The resulting range is empty if the ranges do not intersect, but touch. * If the ranges don"t even touch, the result is undefined. */ intersect(other) { const start = Math.max(this.start, other.start); const end = Math.min(this.endExclusive, other.endExclusive); if (start <= end) { return new OffsetRange(start, end); } return undefined; } isBefore(other) { return this.endExclusive <= other.start; } isAfter(other) { return this.start >= other.endExclusive; } slice(arr) { return arr.slice(this.start, this.endExclusive); } /** * Returns the given value if it is contained in this instance, otherwise the closest value that is contained. * The range must not be empty. */ clip(value) { if (this.isEmpty) { throw new BugIndicatingError(`Invalid clipping range: ${this.toString()}`); } return Math.max(this.start, Math.min(this.endExclusive - 1, value)); } /** * Returns `r := value + k * length` such that `r` is contained in this range. * The range must not be empty. * * E.g. `[5, 10).clipCyclic(10) === 5`, `[5, 10).clipCyclic(11) === 6` and `[5, 10).clipCyclic(4) === 9`. */ clipCyclic(value) { if (this.isEmpty) { throw new BugIndicatingError(`Invalid clipping range: ${this.toString()}`); } if (value < this.start) { return this.endExclusive - ((this.start - value) % this.length); } if (value >= this.endExclusive) { return this.start + ((value - this.start) % this.length); } return value; } forEach(f) { for (let i = this.start; i < this.endExclusive; i++) { f(i); } } } class OffsetRangeSet { constructor() { this._sortedRanges = []; } addRange(range) { let i = 0; while (i < this._sortedRanges.length && this._sortedRanges[i].endExclusive < range.start) { i++; } let j = i; while (j < this._sortedRanges.length && this._sortedRanges[j].start <= range.endExclusive) { j++; } if (i === j) { this._sortedRanges.splice(i, 0, range); } else { const start = Math.min(range.start, this._sortedRanges[i].start); const end = Math.max(range.endExclusive, this._sortedRanges[j - 1].endExclusive); this._sortedRanges.splice(i, j - i, new OffsetRange(start, end)); } } toString() { return this._sortedRanges.map(r => r.toString()).join(", "); } /** * Returns of there is a value that is contained in this instance and the given range. */ intersectsStrict(other) { // TODO use binary search let i = 0; while (i < this._sortedRanges.length && this._sortedRanges[i].endExclusive <= other.start) { i++; } return i < this._sortedRanges.length && this._sortedRanges[i].start < other.endExclusive; } intersectWithRange(other) { // TODO use binary search + slice const result = new OffsetRangeSet(); for (const range of this._sortedRanges) { const intersection = range.intersect(other); if (intersection) { result.addRange(intersection); } } return result; } intersectWithRangeLength(other) { return this.intersectWithRange(other).length; } get length() { return this._sortedRanges.reduce((prev, cur) => prev + cur.length, 0); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/arraysFind.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function findLast(array, predicate, fromIdx) { const idx = findLastIdx(array, predicate); if (idx === -1) { return undefined; } return array[idx]; } function findLastIdx(array, predicate, fromIndex = array.length - 1) { for (let i = fromIndex; i >= 0; i--) { const element = array[i]; if (predicate(element)) { return i; } } return -1; } /** * Finds the last item where predicate is true using binary search. * `predicate` must be monotonous, i.e. `arr.map(predicate)` must be like `[true, ..., true, false, ..., false]`! * * @returns `undefined` if no item matches, otherwise the last item that matches the predicate. */ function findLastMonotonous(array, predicate) { const idx = findLastIdxMonotonous(array, predicate); return idx === -1 ? undefined : array[idx]; } /** * Finds the last item where predicate is true using binary search. * `predicate` must be monotonous, i.e. `arr.map(predicate)` must be like `[true, ..., true, false, ..., false]`! * * @returns `startIdx - 1` if predicate is false for all items, otherwise the index of the last item that matches the predicate. */ function findLastIdxMonotonous(array, predicate, startIdx = 0, endIdxEx = array.length) { let i = startIdx; let j = endIdxEx; while (i < j) { const k = Math.floor((i + j) / 2); if (predicate(array[k])) { i = k + 1; } else { j = k; } } return i - 1; } /** * Finds the first item where predicate is true using binary search. * `predicate` must be monotonous, i.e. `arr.map(predicate)` must be like `[false, ..., false, true, ..., true]`! * * @returns `undefined` if no item matches, otherwise the first item that matches the predicate. */ function findFirstMonotonous(array, predicate) { const idx = findFirstIdxMonotonousOrArrLen(array, predicate); return idx === array.length ? undefined : array[idx]; } /** * Finds the first item where predicate is true using binary search. * `predicate` must be monotonous, i.e. `arr.map(predicate)` must be like `[false, ..., false, true, ..., true]`! * * @returns `endIdxEx` if predicate is false for all items, otherwise the index of the first item that matches the predicate. */ function findFirstIdxMonotonousOrArrLen(array, predicate, startIdx = 0, endIdxEx = array.length) { let i = startIdx; let j = endIdxEx; while (i < j) { const k = Math.floor((i + j) / 2); if (predicate(array[k])) { j = k; } else { i = k + 1; } } return i; } /** * Use this when * * You have a sorted array * * You query this array with a monotonous predicate to find the last item that has a certain property. * * You query this array multiple times with monotonous predicates that get weaker and weaker. */ class MonotonousArray { constructor(_array) { this._array = _array; this._findLastMonotonousLastIdx = 0; } /** * The predicate must be monotonous, i.e. `arr.map(predicate)` must be like `[true, ..., true, false, ..., false]`! * For subsequent calls, current predicate must be weaker than (or equal to) the previous predicate, i.e. more entries must be `true`. */ findLastMonotonous(predicate) { if (MonotonousArray.assertInvariants) { if (this._prevFindLastPredicate) { for (const item of this._array) { if (this._prevFindLastPredicate(item) && !predicate(item)) { throw new Error("MonotonousArray: current predicate must be weaker than (or equal to) the previous predicate."); } } } this._prevFindLastPredicate = predicate; } const idx = findLastIdxMonotonous(this._array, predicate, this._findLastMonotonousLastIdx); this._findLastMonotonousLastIdx = idx + 1; return idx === -1 ? undefined : this._array[idx]; } } MonotonousArray.assertInvariants = false; /** * Returns the first item that is equal to or greater than every other item. */ function findFirstMaxBy(array, comparator) { if (array.length === 0) { return undefined; } let max = array[0]; for (let i = 1; i < array.length; i++) { const item = array[i]; if (comparator(item, max) > 0) { max = item; } } return max; } /** * Returns the last item that is equal to or greater than every other item. */ function findLastMaxBy(array, comparator) { if (array.length === 0) { return undefined; } let max = array[0]; for (let i = 1; i < array.length; i++) { const item = array[i]; if (comparator(item, max) >= 0) { max = item; } } return max; } /** * Returns the first item that is equal to or less than every other item. */ function findFirstMinBy(array, comparator) { return findFirstMaxBy(array, (a, b) => -comparator(a, b)); } function findMaxIdxBy(array, comparator) { if (array.length === 0) { return -1; } let maxIdx = 0; for (let i = 1; i < array.length; i++) { const item = array[i]; if (comparator(item, array[maxIdx]) > 0) { maxIdx = i; } } return maxIdx; } /** * Returns the first mapped value of the array which is not undefined. */ function mapFindFirst(items, mapFn) { for (const value of items) { const mapped = mapFn(value); if (mapped !== undefined) { return mapped; } } return undefined; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/core/lineRange.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A range of lines (1-based). */ class LineRange { static fromRange(range) { return new LineRange(range.startLineNumber, range.endLineNumber); } static fromRangeInclusive(range) { return new LineRange(range.startLineNumber, range.endLineNumber + 1); } /** * @param lineRanges An array of sorted line ranges. */ static joinMany(lineRanges) { if (lineRanges.length === 0) { return []; } let result = new LineRangeSet(lineRanges[0].slice()); for (let i = 1; i < lineRanges.length; i++) { result = result.getUnion(new LineRangeSet(lineRanges[i].slice())); } return result.ranges; } static ofLength(startLineNumber, length) { return new LineRange(startLineNumber, startLineNumber + length); } /** * @internal */ static deserialize(lineRange) { return new LineRange(lineRange[0], lineRange[1]); } constructor(startLineNumber, endLineNumberExclusive) { if (startLineNumber > endLineNumberExclusive) { throw new BugIndicatingError(`startLineNumber ${startLineNumber} cannot be after endLineNumberExclusive ${endLineNumberExclusive}`); } this.startLineNumber = startLineNumber; this.endLineNumberExclusive = endLineNumberExclusive; } /** * Indicates if this line range contains the given line number. */ contains(lineNumber) { return this.startLineNumber <= lineNumber && lineNumber < this.endLineNumberExclusive; } /** * Indicates if this line range is empty. */ get isEmpty() { return this.startLineNumber === this.endLineNumberExclusive; } /** * Moves this line range by the given offset of line numbers. */ delta(offset) { return new LineRange(this.startLineNumber + offset, this.endLineNumberExclusive + offset); } deltaLength(offset) { return new LineRange(this.startLineNumber, this.endLineNumberExclusive + offset); } /** * The number of lines this line range spans. */ get length() { return this.endLineNumberExclusive - this.startLineNumber; } /** * Creates a line range that combines this and the given line range. */ join(other) { return new LineRange(Math.min(this.startLineNumber, other.startLineNumber), Math.max(this.endLineNumberExclusive, other.endLineNumberExclusive)); } toString() { return `[${this.startLineNumber},${this.endLineNumberExclusive})`; } /** * The resulting range is empty if the ranges do not intersect, but touch. * If the ranges don"t even touch, the result is undefined. */ intersect(other) { const startLineNumber = Math.max(this.startLineNumber, other.startLineNumber); const endLineNumberExclusive = Math.min(this.endLineNumberExclusive, other.endLineNumberExclusive); if (startLineNumber <= endLineNumberExclusive) { return new LineRange(startLineNumber, endLineNumberExclusive); } return undefined; } intersectsStrict(other) { return this.startLineNumber < other.endLineNumberExclusive && other.startLineNumber < this.endLineNumberExclusive; } overlapOrTouch(other) { return this.startLineNumber <= other.endLineNumberExclusive && other.startLineNumber <= this.endLineNumberExclusive; } equals(b) { return this.startLineNumber === b.startLineNumber && this.endLineNumberExclusive === b.endLineNumberExclusive; } toInclusiveRange() { if (this.isEmpty) { return null; } return new range_Range(this.startLineNumber, 1, this.endLineNumberExclusive - 1, Number.MAX_SAFE_INTEGER); } toExclusiveRange() { return new range_Range(this.startLineNumber, 1, this.endLineNumberExclusive, 1); } mapToLineArray(f) { const result = []; for (let lineNumber = this.startLineNumber; lineNumber < this.endLineNumberExclusive; lineNumber++) { result.push(f(lineNumber)); } return result; } forEach(f) { for (let lineNumber = this.startLineNumber; lineNumber < this.endLineNumberExclusive; lineNumber++) { f(lineNumber); } } /** * @internal */ serialize() { return [this.startLineNumber, this.endLineNumberExclusive]; } includes(lineNumber) { return this.startLineNumber <= lineNumber && lineNumber < this.endLineNumberExclusive; } /** * Converts this 1-based line range to a 0-based offset range (subtracts 1!). * @internal */ toOffsetRange() { return new OffsetRange(this.startLineNumber - 1, this.endLineNumberExclusive - 1); } } class LineRangeSet { constructor( /** * Sorted by start line number. * No two line ranges are touching or intersecting. */ _normalizedRanges = []) { this._normalizedRanges = _normalizedRanges; } get ranges() { return this._normalizedRanges; } addRange(range) { if (range.length === 0) { return; } // Idea: Find joinRange such that: // replaceRange = _normalizedRanges.replaceRange(joinRange, range.joinAll(joinRange.map(idx => this._normalizedRanges[idx]))) // idx of first element that touches range or that is after range const joinRangeStartIdx = findFirstIdxMonotonousOrArrLen(this._normalizedRanges, r => r.endLineNumberExclusive >= range.startLineNumber); // idx of element after { last element that touches range or that is before range } const joinRangeEndIdxExclusive = findLastIdxMonotonous(this._normalizedRanges, r => r.startLineNumber <= range.endLineNumberExclusive) + 1; if (joinRangeStartIdx === joinRangeEndIdxExclusive) { // If there is no element that touches range, then joinRangeStartIdx === joinRangeEndIdxExclusive and that value is the index of the element after range this._normalizedRanges.splice(joinRangeStartIdx, 0, range); } else if (joinRangeStartIdx === joinRangeEndIdxExclusive - 1) { // Else, there is an element that touches range and in this case it is both the first and last element. Thus we can replace it const joinRange = this._normalizedRanges[joinRangeStartIdx]; this._normalizedRanges[joinRangeStartIdx] = joinRange.join(range); } else { // First and last element are different - we need to replace the entire range const joinRange = this._normalizedRanges[joinRangeStartIdx].join(this._normalizedRanges[joinRangeEndIdxExclusive - 1]).join(range); this._normalizedRanges.splice(joinRangeStartIdx, joinRangeEndIdxExclusive - joinRangeStartIdx, joinRange); } } contains(lineNumber) { const rangeThatStartsBeforeEnd = findLastMonotonous(this._normalizedRanges, r => r.startLineNumber <= lineNumber); return !!rangeThatStartsBeforeEnd && rangeThatStartsBeforeEnd.endLineNumberExclusive > lineNumber; } intersects(range) { const rangeThatStartsBeforeEnd = findLastMonotonous(this._normalizedRanges, r => r.startLineNumber < range.endLineNumberExclusive); return !!rangeThatStartsBeforeEnd && rangeThatStartsBeforeEnd.endLineNumberExclusive > range.startLineNumber; } getUnion(other) { if (this._normalizedRanges.length === 0) { return other; } if (other._normalizedRanges.length === 0) { return this; } const result = []; let i1 = 0; let i2 = 0; let current = null; while (i1 < this._normalizedRanges.length || i2 < other._normalizedRanges.length) { let next = null; if (i1 < this._normalizedRanges.length && i2 < other._normalizedRanges.length) { const lineRange1 = this._normalizedRanges[i1]; const lineRange2 = other._normalizedRanges[i2]; if (lineRange1.startLineNumber < lineRange2.startLineNumber) { next = lineRange1; i1++; } else { next = lineRange2; i2++; } } else if (i1 < this._normalizedRanges.length) { next = this._normalizedRanges[i1]; i1++; } else { next = other._normalizedRanges[i2]; i2++; } if (current === null) { current = next; } else { if (current.endLineNumberExclusive >= next.startLineNumber) { // merge current = new LineRange(current.startLineNumber, Math.max(current.endLineNumberExclusive, next.endLineNumberExclusive)); } else { // push result.push(current); current = next; } } } if (current !== null) { result.push(current); } return new LineRangeSet(result); } /** * Subtracts all ranges in this set from `range` and returns the result. */ subtractFrom(range) { // idx of first element that touches range or that is after range const joinRangeStartIdx = findFirstIdxMonotonousOrArrLen(this._normalizedRanges, r => r.endLineNumberExclusive >= range.startLineNumber); // idx of element after { last element that touches range or that is before range } const joinRangeEndIdxExclusive = findLastIdxMonotonous(this._normalizedRanges, r => r.startLineNumber <= range.endLineNumberExclusive) + 1; if (joinRangeStartIdx === joinRangeEndIdxExclusive) { return new LineRangeSet([range]); } const result = []; let startLineNumber = range.startLineNumber; for (let i = joinRangeStartIdx; i < joinRangeEndIdxExclusive; i++) { const r = this._normalizedRanges[i]; if (r.startLineNumber > startLineNumber) { result.push(new LineRange(startLineNumber, r.startLineNumber)); } startLineNumber = r.endLineNumberExclusive; } if (startLineNumber < range.endLineNumberExclusive) { result.push(new LineRange(startLineNumber, range.endLineNumberExclusive)); } return new LineRangeSet(result); } toString() { return this._normalizedRanges.map(r => r.toString()).join(", "); } getIntersection(other) { const result = []; let i1 = 0; let i2 = 0; while (i1 < this._normalizedRanges.length && i2 < other._normalizedRanges.length) { const r1 = this._normalizedRanges[i1]; const r2 = other._normalizedRanges[i2]; const i = r1.intersect(r2); if (i && !i.isEmpty) { result.push(i); } if (r1.endLineNumberExclusive < r2.endLineNumberExclusive) { i1++; } else { i2++; } } return new LineRangeSet(result); } getWithDelta(value) { return new LineRangeSet(this._normalizedRanges.map(r => r.delta(value))); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/rangeMapping.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * Maps a line range in the original text model to a line range in the modified text model. */ class LineRangeMapping { static inverse(mapping, originalLineCount, modifiedLineCount) { const result = []; let lastOriginalEndLineNumber = 1; let lastModifiedEndLineNumber = 1; for (const m of mapping) { const r = new DetailedLineRangeMapping(new LineRange(lastOriginalEndLineNumber, m.original.startLineNumber), new LineRange(lastModifiedEndLineNumber, m.modified.startLineNumber), undefined); if (!r.modified.isEmpty) { result.push(r); } lastOriginalEndLineNumber = m.original.endLineNumberExclusive; lastModifiedEndLineNumber = m.modified.endLineNumberExclusive; } const r = new DetailedLineRangeMapping(new LineRange(lastOriginalEndLineNumber, originalLineCount + 1), new LineRange(lastModifiedEndLineNumber, modifiedLineCount + 1), undefined); if (!r.modified.isEmpty) { result.push(r); } return result; } constructor(originalRange, modifiedRange) { this.original = originalRange; this.modified = modifiedRange; } toString() { return `{${this.original.toString()}->${this.modified.toString()}}`; } flip() { return new LineRangeMapping(this.modified, this.original); } join(other) { return new LineRangeMapping(this.original.join(other.original), this.modified.join(other.modified)); } } /** * Maps a line range in the original text model to a line range in the modified text model. * Also contains inner range mappings. */ class DetailedLineRangeMapping extends LineRangeMapping { constructor(originalRange, modifiedRange, innerChanges) { super(originalRange, modifiedRange); this.innerChanges = innerChanges; } flip() { var _a; return new DetailedLineRangeMapping(this.modified, this.original, (_a = this.innerChanges) === null || _a === void 0 ? void 0 : _a.map(c => c.flip())); } } /** * Maps a range in the original text model to a range in the modified text model. */ class RangeMapping { constructor(originalRange, modifiedRange) { this.originalRange = originalRange; this.modifiedRange = modifiedRange; } toString() { return `{${this.originalRange.toString()}->${this.modifiedRange.toString()}}`; } flip() { return new RangeMapping(this.modifiedRange, this.originalRange); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/legacyLinesDiffComputer.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const MINIMUM_MATCHING_CHARACTER_LENGTH = 3; class LegacyLinesDiffComputer { computeDiff(originalLines, modifiedLines, options) { var _a; const diffComputer = new DiffComputer(originalLines, modifiedLines, { maxComputationTime: options.maxComputationTimeMs, shouldIgnoreTrimWhitespace: options.ignoreTrimWhitespace, shouldComputeCharChanges: true, shouldMakePrettyDiff: true, shouldPostProcessCharChanges: true, }); const result = diffComputer.computeDiff(); const changes = []; let lastChange = null; for (const c of result.changes) { let originalRange; if (c.originalEndLineNumber === 0) { // Insertion originalRange = new LineRange(c.originalStartLineNumber + 1, c.originalStartLineNumber + 1); } else { originalRange = new LineRange(c.originalStartLineNumber, c.originalEndLineNumber + 1); } let modifiedRange; if (c.modifiedEndLineNumber === 0) { // Deletion modifiedRange = new LineRange(c.modifiedStartLineNumber + 1, c.modifiedStartLineNumber + 1); } else { modifiedRange = new LineRange(c.modifiedStartLineNumber, c.modifiedEndLineNumber + 1); } let change = new DetailedLineRangeMapping(originalRange, modifiedRange, (_a = c.charChanges) === null || _a === void 0 ? void 0 : _a.map(c => new RangeMapping(new range_Range(c.originalStartLineNumber, c.originalStartColumn, c.originalEndLineNumber, c.originalEndColumn), new range_Range(c.modifiedStartLineNumber, c.modifiedStartColumn, c.modifiedEndLineNumber, c.modifiedEndColumn)))); if (lastChange) { if (lastChange.modified.endLineNumberExclusive === change.modified.startLineNumber || lastChange.original.endLineNumberExclusive === change.original.startLineNumber) { // join touching diffs. Probably moving diffs up/down in the algorithm causes touching diffs. change = new DetailedLineRangeMapping(lastChange.original.join(change.original), lastChange.modified.join(change.modified), lastChange.innerChanges && change.innerChanges ? lastChange.innerChanges.concat(change.innerChanges) : undefined); changes.pop(); } } changes.push(change); lastChange = change; } assertFn(() => { return checkAdjacentItems(changes, (m1, m2) => m2.original.startLineNumber - m1.original.endLineNumberExclusive === m2.modified.startLineNumber - m1.modified.endLineNumberExclusive && // There has to be an unchanged line in between (otherwise both diffs should have been joined) m1.original.endLineNumberExclusive < m2.original.startLineNumber && m1.modified.endLineNumberExclusive < m2.modified.startLineNumber); }); return new LinesDiff(changes, [], result.quitEarly); } } function computeDiff(originalSequence, modifiedSequence, continueProcessingPredicate, pretty) { const diffAlgo = new LcsDiff(originalSequence, modifiedSequence, continueProcessingPredicate); return diffAlgo.ComputeDiff(pretty); } class LineSequence { constructor(lines) { const startColumns = []; const endColumns = []; for (let i = 0, length = lines.length; i < length; i++) { startColumns[i] = getFirstNonBlankColumn(lines[i], 1); endColumns[i] = getLastNonBlankColumn(lines[i], 1); } this.lines = lines; this._startColumns = startColumns; this._endColumns = endColumns; } getElements() { const elements = []; for (let i = 0, len = this.lines.length; i < len; i++) { elements[i] = this.lines[i].substring(this._startColumns[i] - 1, this._endColumns[i] - 1); } return elements; } getStrictElement(index) { return this.lines[index]; } getStartLineNumber(i) { return i + 1; } getEndLineNumber(i) { return i + 1; } createCharSequence(shouldIgnoreTrimWhitespace, startIndex, endIndex) { const charCodes = []; const lineNumbers = []; const columns = []; let len = 0; for (let index = startIndex; index <= endIndex; index++) { const lineContent = this.lines[index]; const startColumn = (shouldIgnoreTrimWhitespace ? this._startColumns[index] : 1); const endColumn = (shouldIgnoreTrimWhitespace ? this._endColumns[index] : lineContent.length + 1); for (let col = startColumn; col < endColumn; col++) { charCodes[len] = lineContent.charCodeAt(col - 1); lineNumbers[len] = index + 1; columns[len] = col; len++; } if (!shouldIgnoreTrimWhitespace && index < endIndex) { // Add if trim whitespace is not ignored charCodes[len] = 10 /* CharCode.LineFeed */; lineNumbers[len] = index + 1; columns[len] = lineContent.length + 1; len++; } } return new CharSequence(charCodes, lineNumbers, columns); } } class CharSequence { constructor(charCodes, lineNumbers, columns) { this._charCodes = charCodes; this._lineNumbers = lineNumbers; this._columns = columns; } toString() { return ("[" + this._charCodes.map((s, idx) => (s === 10 /* CharCode.LineFeed */ ? "\n" : String.fromCharCode(s)) + `-(${this._lineNumbers[idx]},${this._columns[idx]})`).join(", ") + "]"); } _assertIndex(index, arr) { if (index < 0 || index >= arr.length) { throw new Error(`Illegal index`); } } getElements() { return this._charCodes; } getStartLineNumber(i) { if (i > 0 && i === this._lineNumbers.length) { // the start line number of the element after the last element // is the end line number of the last element return this.getEndLineNumber(i - 1); } this._assertIndex(i, this._lineNumbers); return this._lineNumbers[i]; } getEndLineNumber(i) { if (i === -1) { // the end line number of the element before the first element // is the start line number of the first element return this.getStartLineNumber(i + 1); } this._assertIndex(i, this._lineNumbers); if (this._charCodes[i] === 10 /* CharCode.LineFeed */) { return this._lineNumbers[i] + 1; } return this._lineNumbers[i]; } getStartColumn(i) { if (i > 0 && i === this._columns.length) { // the start column of the element after the last element // is the end column of the last element return this.getEndColumn(i - 1); } this._assertIndex(i, this._columns); return this._columns[i]; } getEndColumn(i) { if (i === -1) { // the end column of the element before the first element // is the start column of the first element return this.getStartColumn(i + 1); } this._assertIndex(i, this._columns); if (this._charCodes[i] === 10 /* CharCode.LineFeed */) { return 1; } return this._columns[i] + 1; } } class CharChange { constructor(originalStartLineNumber, originalStartColumn, originalEndLineNumber, originalEndColumn, modifiedStartLineNumber, modifiedStartColumn, modifiedEndLineNumber, modifiedEndColumn) { this.originalStartLineNumber = originalStartLineNumber; this.originalStartColumn = originalStartColumn; this.originalEndLineNumber = originalEndLineNumber; this.originalEndColumn = originalEndColumn; this.modifiedStartLineNumber = modifiedStartLineNumber; this.modifiedStartColumn = modifiedStartColumn; this.modifiedEndLineNumber = modifiedEndLineNumber; this.modifiedEndColumn = modifiedEndColumn; } static createFromDiffChange(diffChange, originalCharSequence, modifiedCharSequence) { const originalStartLineNumber = originalCharSequence.getStartLineNumber(diffChange.originalStart); const originalStartColumn = originalCharSequence.getStartColumn(diffChange.originalStart); const originalEndLineNumber = originalCharSequence.getEndLineNumber(diffChange.originalStart + diffChange.originalLength - 1); const originalEndColumn = originalCharSequence.getEndColumn(diffChange.originalStart + diffChange.originalLength - 1); const modifiedStartLineNumber = modifiedCharSequence.getStartLineNumber(diffChange.modifiedStart); const modifiedStartColumn = modifiedCharSequence.getStartColumn(diffChange.modifiedStart); const modifiedEndLineNumber = modifiedCharSequence.getEndLineNumber(diffChange.modifiedStart + diffChange.modifiedLength - 1); const modifiedEndColumn = modifiedCharSequence.getEndColumn(diffChange.modifiedStart + diffChange.modifiedLength - 1); return new CharChange(originalStartLineNumber, originalStartColumn, originalEndLineNumber, originalEndColumn, modifiedStartLineNumber, modifiedStartColumn, modifiedEndLineNumber, modifiedEndColumn); } } function postProcessCharChanges(rawChanges) { if (rawChanges.length <= 1) { return rawChanges; } const result = [rawChanges[0]]; let prevChange = result[0]; for (let i = 1, len = rawChanges.length; i < len; i++) { const currChange = rawChanges[i]; const originalMatchingLength = currChange.originalStart - (prevChange.originalStart + prevChange.originalLength); const modifiedMatchingLength = currChange.modifiedStart - (prevChange.modifiedStart + prevChange.modifiedLength); // Both of the above should be equal, but the continueProcessingPredicate may prevent this from being true const matchingLength = Math.min(originalMatchingLength, modifiedMatchingLength); if (matchingLength < MINIMUM_MATCHING_CHARACTER_LENGTH) { // Merge the current change into the previous one prevChange.originalLength = (currChange.originalStart + currChange.originalLength) - prevChange.originalStart; prevChange.modifiedLength = (currChange.modifiedStart + currChange.modifiedLength) - prevChange.modifiedStart; } else { // Add the current change result.push(currChange); prevChange = currChange; } } return result; } class LineChange { constructor(originalStartLineNumber, originalEndLineNumber, modifiedStartLineNumber, modifiedEndLineNumber, charChanges) { this.originalStartLineNumber = originalStartLineNumber; this.originalEndLineNumber = originalEndLineNumber; this.modifiedStartLineNumber = modifiedStartLineNumber; this.modifiedEndLineNumber = modifiedEndLineNumber; this.charChanges = charChanges; } static createFromDiffResult(shouldIgnoreTrimWhitespace, diffChange, originalLineSequence, modifiedLineSequence, continueCharDiff, shouldComputeCharChanges, shouldPostProcessCharChanges) { let originalStartLineNumber; let originalEndLineNumber; let modifiedStartLineNumber; let modifiedEndLineNumber; let charChanges = undefined; if (diffChange.originalLength === 0) { originalStartLineNumber = originalLineSequence.getStartLineNumber(diffChange.originalStart) - 1; originalEndLineNumber = 0; } else { originalStartLineNumber = originalLineSequence.getStartLineNumber(diffChange.originalStart); originalEndLineNumber = originalLineSequence.getEndLineNumber(diffChange.originalStart + diffChange.originalLength - 1); } if (diffChange.modifiedLength === 0) { modifiedStartLineNumber = modifiedLineSequence.getStartLineNumber(diffChange.modifiedStart) - 1; modifiedEndLineNumber = 0; } else { modifiedStartLineNumber = modifiedLineSequence.getStartLineNumber(diffChange.modifiedStart); modifiedEndLineNumber = modifiedLineSequence.getEndLineNumber(diffChange.modifiedStart + diffChange.modifiedLength - 1); } if (shouldComputeCharChanges && diffChange.originalLength > 0 && diffChange.originalLength < 20 && diffChange.modifiedLength > 0 && diffChange.modifiedLength < 20 && continueCharDiff()) { // Compute character changes for diff chunks of at most 20 lines... const originalCharSequence = originalLineSequence.createCharSequence(shouldIgnoreTrimWhitespace, diffChange.originalStart, diffChange.originalStart + diffChange.originalLength - 1); const modifiedCharSequence = modifiedLineSequence.createCharSequence(shouldIgnoreTrimWhitespace, diffChange.modifiedStart, diffChange.modifiedStart + diffChange.modifiedLength - 1); if (originalCharSequence.getElements().length > 0 && modifiedCharSequence.getElements().length > 0) { let rawChanges = computeDiff(originalCharSequence, modifiedCharSequence, continueCharDiff, true).changes; if (shouldPostProcessCharChanges) { rawChanges = postProcessCharChanges(rawChanges); } charChanges = []; for (let i = 0, length = rawChanges.length; i < length; i++) { charChanges.push(CharChange.createFromDiffChange(rawChanges[i], originalCharSequence, modifiedCharSequence)); } } } return new LineChange(originalStartLineNumber, originalEndLineNumber, modifiedStartLineNumber, modifiedEndLineNumber, charChanges); } } class DiffComputer { constructor(originalLines, modifiedLines, opts) { this.shouldComputeCharChanges = opts.shouldComputeCharChanges; this.shouldPostProcessCharChanges = opts.shouldPostProcessCharChanges; this.shouldIgnoreTrimWhitespace = opts.shouldIgnoreTrimWhitespace; this.shouldMakePrettyDiff = opts.shouldMakePrettyDiff; this.originalLines = originalLines; this.modifiedLines = modifiedLines; this.original = new LineSequence(originalLines); this.modified = new LineSequence(modifiedLines); this.continueLineDiff = createContinueProcessingPredicate(opts.maxComputationTime); this.continueCharDiff = createContinueProcessingPredicate(opts.maxComputationTime === 0 ? 0 : Math.min(opts.maxComputationTime, 5000)); // never run after 5s for character changes... } computeDiff() { if (this.original.lines.length === 1 && this.original.lines[0].length === 0) { // empty original => fast path if (this.modified.lines.length === 1 && this.modified.lines[0].length === 0) { return { quitEarly: false, changes: [] }; } return { quitEarly: false, changes: [{ originalStartLineNumber: 1, originalEndLineNumber: 1, modifiedStartLineNumber: 1, modifiedEndLineNumber: this.modified.lines.length, charChanges: undefined }] }; } if (this.modified.lines.length === 1 && this.modified.lines[0].length === 0) { // empty modified => fast path return { quitEarly: false, changes: [{ originalStartLineNumber: 1, originalEndLineNumber: this.original.lines.length, modifiedStartLineNumber: 1, modifiedEndLineNumber: 1, charChanges: undefined }] }; } const diffResult = computeDiff(this.original, this.modified, this.continueLineDiff, this.shouldMakePrettyDiff); const rawChanges = diffResult.changes; const quitEarly = diffResult.quitEarly; // The diff is always computed with ignoring trim whitespace // This ensures we get the prettiest diff if (this.shouldIgnoreTrimWhitespace) { const lineChanges = []; for (let i = 0, length = rawChanges.length; i < length; i++) { lineChanges.push(LineChange.createFromDiffResult(this.shouldIgnoreTrimWhitespace, rawChanges[i], this.original, this.modified, this.continueCharDiff, this.shouldComputeCharChanges, this.shouldPostProcessCharChanges)); } return { quitEarly: quitEarly, changes: lineChanges }; } // Need to post-process and introduce changes where the trim whitespace is different // Note that we are looping starting at -1 to also cover the lines before the first change const result = []; let originalLineIndex = 0; let modifiedLineIndex = 0; for (let i = -1 /* !!!! */, len = rawChanges.length; i < len; i++) { const nextChange = (i + 1 < len ? rawChanges[i + 1] : null); const originalStop = (nextChange ? nextChange.originalStart : this.originalLines.length); const modifiedStop = (nextChange ? nextChange.modifiedStart : this.modifiedLines.length); while (originalLineIndex < originalStop && modifiedLineIndex < modifiedStop) { const originalLine = this.originalLines[originalLineIndex]; const modifiedLine = this.modifiedLines[modifiedLineIndex]; if (originalLine !== modifiedLine) { // These lines differ only in trim whitespace // Check the leading whitespace { let originalStartColumn = getFirstNonBlankColumn(originalLine, 1); let modifiedStartColumn = getFirstNonBlankColumn(modifiedLine, 1); while (originalStartColumn > 1 && modifiedStartColumn > 1) { const originalChar = originalLine.charCodeAt(originalStartColumn - 2); const modifiedChar = modifiedLine.charCodeAt(modifiedStartColumn - 2); if (originalChar !== modifiedChar) { break; } originalStartColumn--; modifiedStartColumn--; } if (originalStartColumn > 1 || modifiedStartColumn > 1) { this._pushTrimWhitespaceCharChange(result, originalLineIndex + 1, 1, originalStartColumn, modifiedLineIndex + 1, 1, modifiedStartColumn); } } // Check the trailing whitespace { let originalEndColumn = getLastNonBlankColumn(originalLine, 1); let modifiedEndColumn = getLastNonBlankColumn(modifiedLine, 1); const originalMaxColumn = originalLine.length + 1; const modifiedMaxColumn = modifiedLine.length + 1; while (originalEndColumn < originalMaxColumn && modifiedEndColumn < modifiedMaxColumn) { const originalChar = originalLine.charCodeAt(originalEndColumn - 1); const modifiedChar = originalLine.charCodeAt(modifiedEndColumn - 1); if (originalChar !== modifiedChar) { break; } originalEndColumn++; modifiedEndColumn++; } if (originalEndColumn < originalMaxColumn || modifiedEndColumn < modifiedMaxColumn) { this._pushTrimWhitespaceCharChange(result, originalLineIndex + 1, originalEndColumn, originalMaxColumn, modifiedLineIndex + 1, modifiedEndColumn, modifiedMaxColumn); } } } originalLineIndex++; modifiedLineIndex++; } if (nextChange) { // Emit the actual change result.push(LineChange.createFromDiffResult(this.shouldIgnoreTrimWhitespace, nextChange, this.original, this.modified, this.continueCharDiff, this.shouldComputeCharChanges, this.shouldPostProcessCharChanges)); originalLineIndex += nextChange.originalLength; modifiedLineIndex += nextChange.modifiedLength; } } return { quitEarly: quitEarly, changes: result }; } _pushTrimWhitespaceCharChange(result, originalLineNumber, originalStartColumn, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedEndColumn) { if (this._mergeTrimWhitespaceCharChange(result, originalLineNumber, originalStartColumn, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedEndColumn)) { // Merged into previous return; } let charChanges = undefined; if (this.shouldComputeCharChanges) { charChanges = [new CharChange(originalLineNumber, originalStartColumn, originalLineNumber, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedLineNumber, modifiedEndColumn)]; } result.push(new LineChange(originalLineNumber, originalLineNumber, modifiedLineNumber, modifiedLineNumber, charChanges)); } _mergeTrimWhitespaceCharChange(result, originalLineNumber, originalStartColumn, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedEndColumn) { const len = result.length; if (len === 0) { return false; } const prevChange = result[len - 1]; if (prevChange.originalEndLineNumber === 0 || prevChange.modifiedEndLineNumber === 0) { // Don"t merge with inserts/deletes return false; } if (prevChange.originalEndLineNumber === originalLineNumber && prevChange.modifiedEndLineNumber === modifiedLineNumber) { if (this.shouldComputeCharChanges && prevChange.charChanges) { prevChange.charChanges.push(new CharChange(originalLineNumber, originalStartColumn, originalLineNumber, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedLineNumber, modifiedEndColumn)); } return true; } if (prevChange.originalEndLineNumber + 1 === originalLineNumber && prevChange.modifiedEndLineNumber + 1 === modifiedLineNumber) { prevChange.originalEndLineNumber = originalLineNumber; prevChange.modifiedEndLineNumber = modifiedLineNumber; if (this.shouldComputeCharChanges && prevChange.charChanges) { prevChange.charChanges.push(new CharChange(originalLineNumber, originalStartColumn, originalLineNumber, originalEndColumn, modifiedLineNumber, modifiedStartColumn, modifiedLineNumber, modifiedEndColumn)); } return true; } return false; } } function getFirstNonBlankColumn(txt, defaultValue) { const r = firstNonWhitespaceIndex(txt); if (r === -1) { return defaultValue; } return r + 1; } function getLastNonBlankColumn(txt, defaultValue) { const r = lastNonWhitespaceIndex(txt); if (r === -1) { return defaultValue; } return r + 2; } function createContinueProcessingPredicate(maximumRuntime) { if (maximumRuntime === 0) { return () => true; } const startTime = Date.now(); return () => { return Date.now() - startTime < maximumRuntime; }; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/algorithms/diffAlgorithm.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class DiffAlgorithmResult { static trivial(seq1, seq2) { return new DiffAlgorithmResult([new SequenceDiff(OffsetRange.ofLength(seq1.length), OffsetRange.ofLength(seq2.length))], false); } static trivialTimedOut(seq1, seq2) { return new DiffAlgorithmResult([new SequenceDiff(OffsetRange.ofLength(seq1.length), OffsetRange.ofLength(seq2.length))], true); } constructor(diffs, /** * Indicates if the time out was reached. * In that case, the diffs might be an approximation and the user should be asked to rerun the diff with more time. */ hitTimeout) { this.diffs = diffs; this.hitTimeout = hitTimeout; } } class SequenceDiff { static invert(sequenceDiffs, doc1Length) { const result = []; forEachAdjacent(sequenceDiffs, (a, b) => { result.push(SequenceDiff.fromOffsetPairs(a ? a.getEndExclusives() : OffsetPair.zero, b ? b.getStarts() : new OffsetPair(doc1Length, (a ? a.seq2Range.endExclusive - a.seq1Range.endExclusive : 0) + doc1Length))); }); return result; } static fromOffsetPairs(start, endExclusive) { return new SequenceDiff(new OffsetRange(start.offset1, endExclusive.offset1), new OffsetRange(start.offset2, endExclusive.offset2)); } constructor(seq1Range, seq2Range) { this.seq1Range = seq1Range; this.seq2Range = seq2Range; } swap() { return new SequenceDiff(this.seq2Range, this.seq1Range); } toString() { return `${this.seq1Range} <-> ${this.seq2Range}`; } join(other) { return new SequenceDiff(this.seq1Range.join(other.seq1Range), this.seq2Range.join(other.seq2Range)); } delta(offset) { if (offset === 0) { return this; } return new SequenceDiff(this.seq1Range.delta(offset), this.seq2Range.delta(offset)); } deltaStart(offset) { if (offset === 0) { return this; } return new SequenceDiff(this.seq1Range.deltaStart(offset), this.seq2Range.deltaStart(offset)); } deltaEnd(offset) { if (offset === 0) { return this; } return new SequenceDiff(this.seq1Range.deltaEnd(offset), this.seq2Range.deltaEnd(offset)); } intersect(other) { const i1 = this.seq1Range.intersect(other.seq1Range); const i2 = this.seq2Range.intersect(other.seq2Range); if (!i1 || !i2) { return undefined; } return new SequenceDiff(i1, i2); } getStarts() { return new OffsetPair(this.seq1Range.start, this.seq2Range.start); } getEndExclusives() { return new OffsetPair(this.seq1Range.endExclusive, this.seq2Range.endExclusive); } } class OffsetPair { constructor(offset1, offset2) { this.offset1 = offset1; this.offset2 = offset2; } toString() { return `${this.offset1} <-> ${this.offset2}`; } } OffsetPair.zero = new OffsetPair(0, 0); OffsetPair.max = new OffsetPair(Number.MAX_SAFE_INTEGER, Number.MAX_SAFE_INTEGER); class InfiniteTimeout { isValid() { return true; } } InfiniteTimeout.instance = new InfiniteTimeout(); class DateTimeout { constructor(timeout) { this.timeout = timeout; this.startTime = Date.now(); this.valid = true; if (timeout <= 0) { throw new BugIndicatingError("timeout must be positive"); } } // Recommendation: Set a log-point `{this.disable()}` in the body isValid() { const valid = Date.now() - this.startTime < this.timeout; if (!valid && this.valid) { this.valid = false; // timeout reached // eslint-disable-next-line no-debugger debugger; // WARNING: Most likely debugging caused the timeout. Call `this.disable()` to continue without timing out. } return this.valid; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/utils.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class Array2D { constructor(width, height) { this.width = width; this.height = height; this.array = []; this.array = new Array(width * height); } get(x, y) { return this.array[x + y * this.width]; } set(x, y, value) { this.array[x + y * this.width] = value; } } function isSpace(charCode) { return charCode === 32 /* CharCode.Space */ || charCode === 9 /* CharCode.Tab */; } class LineRangeFragment { static getKey(chr) { let key = this.chrKeys.get(chr); if (key === undefined) { key = this.chrKeys.size; this.chrKeys.set(chr, key); } return key; } constructor(range, lines, source) { this.range = range; this.lines = lines; this.source = source; this.histogram = []; let counter = 0; for (let i = range.startLineNumber - 1; i < range.endLineNumberExclusive - 1; i++) { const line = lines[i]; for (let j = 0; j < line.length; j++) { counter++; const chr = line[j]; const key = LineRangeFragment.getKey(chr); this.histogram[key] = (this.histogram[key] || 0) + 1; } counter++; const key = LineRangeFragment.getKey(" "); this.histogram[key] = (this.histogram[key] || 0) + 1; } this.totalCount = counter; } computeSimilarity(other) { var _a, _b; let sumDifferences = 0; const maxLength = Math.max(this.histogram.length, other.histogram.length); for (let i = 0; i < maxLength; i++) { sumDifferences += Math.abs(((_a = this.histogram[i]) !== null && _a !== void 0 ? _a : 0) - ((_b = other.histogram[i]) !== null && _b !== void 0 ? _b : 0)); } return 1 - (sumDifferences / (this.totalCount + other.totalCount)); } } LineRangeFragment.chrKeys = new Map(); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/algorithms/dynamicProgrammingDiffing.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * A O(MN) diffing algorithm that supports a score function. * The algorithm can be improved by processing the 2d array diagonally. */ class DynamicProgrammingDiffing { compute(sequence1, sequence2, timeout = InfiniteTimeout.instance, equalityScore) { if (sequence1.length === 0 || sequence2.length === 0) { return DiffAlgorithmResult.trivial(sequence1, sequence2); } /** * lcsLengths.get(i, j): Length of the longest common subsequence of sequence1.substring(0, i + 1) and sequence2.substring(0, j + 1). */ const lcsLengths = new Array2D(sequence1.length, sequence2.length); const directions = new Array2D(sequence1.length, sequence2.length); const lengths = new Array2D(sequence1.length, sequence2.length); // ==== Initializing lcsLengths ==== for (let s1 = 0; s1 < sequence1.length; s1++) { for (let s2 = 0; s2 < sequence2.length; s2++) { if (!timeout.isValid()) { return DiffAlgorithmResult.trivialTimedOut(sequence1, sequence2); } const horizontalLen = s1 === 0 ? 0 : lcsLengths.get(s1 - 1, s2); const verticalLen = s2 === 0 ? 0 : lcsLengths.get(s1, s2 - 1); let extendedSeqScore; if (sequence1.getElement(s1) === sequence2.getElement(s2)) { if (s1 === 0 || s2 === 0) { extendedSeqScore = 0; } else { extendedSeqScore = lcsLengths.get(s1 - 1, s2 - 1); } if (s1 > 0 && s2 > 0 && directions.get(s1 - 1, s2 - 1) === 3) { // Prefer consecutive diagonals extendedSeqScore += lengths.get(s1 - 1, s2 - 1); } extendedSeqScore += (equalityScore ? equalityScore(s1, s2) : 1); } else { extendedSeqScore = -1; } const newValue = Math.max(horizontalLen, verticalLen, extendedSeqScore); if (newValue === extendedSeqScore) { // Prefer diagonals const prevLen = s1 > 0 && s2 > 0 ? lengths.get(s1 - 1, s2 - 1) : 0; lengths.set(s1, s2, prevLen + 1); directions.set(s1, s2, 3); } else if (newValue === horizontalLen) { lengths.set(s1, s2, 0); directions.set(s1, s2, 1); } else if (newValue === verticalLen) { lengths.set(s1, s2, 0); directions.set(s1, s2, 2); } lcsLengths.set(s1, s2, newValue); } } // ==== Backtracking ==== const result = []; let lastAligningPosS1 = sequence1.length; let lastAligningPosS2 = sequence2.length; function reportDecreasingAligningPositions(s1, s2) { if (s1 + 1 !== lastAligningPosS1 || s2 + 1 !== lastAligningPosS2) { result.push(new SequenceDiff(new OffsetRange(s1 + 1, lastAligningPosS1), new OffsetRange(s2 + 1, lastAligningPosS2))); } lastAligningPosS1 = s1; lastAligningPosS2 = s2; } let s1 = sequence1.length - 1; let s2 = sequence2.length - 1; while (s1 >= 0 && s2 >= 0) { if (directions.get(s1, s2) === 3) { reportDecreasingAligningPositions(s1, s2); s1--; s2--; } else { if (directions.get(s1, s2) === 1) { s1--; } else { s2--; } } } reportDecreasingAligningPositions(-1, -1); result.reverse(); return new DiffAlgorithmResult(result, false); } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/algorithms/myersDiffAlgorithm.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * An O(ND) diff algorithm that has a quadratic space worst-case complexity. */ class MyersDiffAlgorithm { compute(seq1, seq2, timeout = InfiniteTimeout.instance) { // These are common special cases. // The early return improves performance dramatically. if (seq1.length === 0 || seq2.length === 0) { return DiffAlgorithmResult.trivial(seq1, seq2); } const seqX = seq1; // Text on the x axis const seqY = seq2; // Text on the y axis function getXAfterSnake(x, y) { while (x < seqX.length && y < seqY.length && seqX.getElement(x) === seqY.getElement(y)) { x++; y++; } return x; } let d = 0; // V[k]: X value of longest d-line that ends in diagonal k. // d-line: path from (0,0) to (x,y) that uses exactly d non-diagonals. // diagonal k: Set of points (x,y) with x-y = k. // k=1 -> (1,0),(2,1) const V = new FastInt32Array(); V.set(0, getXAfterSnake(0, 0)); const paths = new FastArrayNegativeIndices(); paths.set(0, V.get(0) === 0 ? null : new SnakePath(null, 0, 0, V.get(0))); let k = 0; loop: while (true) { d++; if (!timeout.isValid()) { return DiffAlgorithmResult.trivialTimedOut(seqX, seqY); } // The paper has `for (k = -d; k <= d; k += 2)`, but we can ignore diagonals that cannot influence the result. const lowerBound = -Math.min(d, seqY.length + (d % 2)); const upperBound = Math.min(d, seqX.length + (d % 2)); for (k = lowerBound; k <= upperBound; k += 2) { let step = 0; // We can use the X values of (d-1)-lines to compute X value of the longest d-lines. const maxXofDLineTop = k === upperBound ? -1 : V.get(k + 1); // We take a vertical non-diagonal (add a symbol in seqX) const maxXofDLineLeft = k === lowerBound ? -1 : V.get(k - 1) + 1; // We take a horizontal non-diagonal (+1 x) (delete a symbol in seqX) step++; const x = Math.min(Math.max(maxXofDLineTop, maxXofDLineLeft), seqX.length); const y = x - k; step++; if (x > seqX.length || y > seqY.length) { // This diagonal is irrelevant for the result. // TODO: Don"t pay the cost for this in the next iteration. continue; } const newMaxX = getXAfterSnake(x, y); V.set(k, newMaxX); const lastPath = x === maxXofDLineTop ? paths.get(k + 1) : paths.get(k - 1); paths.set(k, newMaxX !== x ? new SnakePath(lastPath, x, y, newMaxX - x) : lastPath); if (V.get(k) === seqX.length && V.get(k) - k === seqY.length) { break loop; } } } let path = paths.get(k); const result = []; let lastAligningPosS1 = seqX.length; let lastAligningPosS2 = seqY.length; while (true) { const endX = path ? path.x + path.length : 0; const endY = path ? path.y + path.length : 0; if (endX !== lastAligningPosS1 || endY !== lastAligningPosS2) { result.push(new SequenceDiff(new OffsetRange(endX, lastAligningPosS1), new OffsetRange(endY, lastAligningPosS2))); } if (!path) { break; } lastAligningPosS1 = path.x; lastAligningPosS2 = path.y; path = path.prev; } result.reverse(); return new DiffAlgorithmResult(result, false); } } class SnakePath { constructor(prev, x, y, length) { this.prev = prev; this.x = x; this.y = y; this.length = length; } } /** * An array that supports fast negative indices. */ class FastInt32Array { constructor() { this.positiveArr = new Int32Array(10); this.negativeArr = new Int32Array(10); } get(idx) { if (idx < 0) { idx = -idx - 1; return this.negativeArr[idx]; } else { return this.positiveArr[idx]; } } set(idx, value) { if (idx < 0) { idx = -idx - 1; if (idx >= this.negativeArr.length) { const arr = this.negativeArr; this.negativeArr = new Int32Array(arr.length * 2); this.negativeArr.set(arr); } this.negativeArr[idx] = value; } else { if (idx >= this.positiveArr.length) { const arr = this.positiveArr; this.positiveArr = new Int32Array(arr.length * 2); this.positiveArr.set(arr); } this.positiveArr[idx] = value; } } } /** * An array that supports fast negative indices. */ class FastArrayNegativeIndices { constructor() { this.positiveArr = []; this.negativeArr = []; } get(idx) { if (idx < 0) { idx = -idx - 1; return this.negativeArr[idx]; } else { return this.positiveArr[idx]; } } set(idx, value) { if (idx < 0) { idx = -idx - 1; this.negativeArr[idx] = value; } else { this.positiveArr[idx] = value; } } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/map.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ var map_a, _b; class ResourceMapEntry { constructor(uri, value) { this.uri = uri; this.value = value; } } function isEntries(arg) { return Array.isArray(arg); } class ResourceMap { constructor(arg, toKey) { this[map_a] = "ResourceMap"; if (arg instanceof ResourceMap) { this.map = new Map(arg.map); this.toKey = toKey !== null && toKey !== void 0 ? toKey : ResourceMap.defaultToKey; } else if (isEntries(arg)) { this.map = new Map(); this.toKey = toKey !== null && toKey !== void 0 ? toKey : ResourceMap.defaultToKey; for (const [resource, value] of arg) { this.set(resource, value); } } else { this.map = new Map(); this.toKey = arg !== null && arg !== void 0 ? arg : ResourceMap.defaultToKey; } } set(resource, value) { this.map.set(this.toKey(resource), new ResourceMapEntry(resource, value)); return this; } get(resource) { var _c; return (_c = this.map.get(this.toKey(resource))) === null || _c === void 0 ? void 0 : _c.value; } has(resource) { return this.map.has(this.toKey(resource)); } get size() { return this.map.size; } clear() { this.map.clear(); } delete(resource) { return this.map.delete(this.toKey(resource)); } forEach(clb, thisArg) { if (typeof thisArg !== "undefined") { clb = clb.bind(thisArg); } for (const [_, entry] of this.map) { clb(entry.value, entry.uri, this); } } *values() { for (const entry of this.map.values()) { yield entry.value; } } *keys() { for (const entry of this.map.values()) { yield entry.uri; } } *entries() { for (const entry of this.map.values()) { yield [entry.uri, entry.value]; } } *[(map_a = Symbol.toStringTag, Symbol.iterator)]() { for (const [, entry] of this.map) { yield [entry.uri, entry.value]; } } } ResourceMap.defaultToKey = (resource) => resource.toString(); class LinkedMap { constructor() { this[_b] = "LinkedMap"; this._map = new Map(); this._head = undefined; this._tail = undefined; this._size = 0; this._state = 0; } clear() { this._map.clear(); this._head = undefined; this._tail = undefined; this._size = 0; this._state++; } isEmpty() { return !this._head && !this._tail; } get size() { return this._size; } get first() { var _c; return (_c = this._head) === null || _c === void 0 ? void 0 : _c.value; } get last() { var _c; return (_c = this._tail) === null || _c === void 0 ? void 0 : _c.value; } has(key) { return this._map.has(key); } get(key, touch = 0 /* Touch.None */) { const item = this._map.get(key); if (!item) { return undefined; } if (touch !== 0 /* Touch.None */) { this.touch(item, touch); } return item.value; } set(key, value, touch = 0 /* Touch.None */) { let item = this._map.get(key); if (item) { item.value = value; if (touch !== 0 /* Touch.None */) { this.touch(item, touch); } } else { item = { key, value, next: undefined, previous: undefined }; switch (touch) { case 0 /* Touch.None */: this.addItemLast(item); break; case 1 /* Touch.AsOld */: this.addItemFirst(item); break; case 2 /* Touch.AsNew */: this.addItemLast(item); break; default: this.addItemLast(item); break; } this._map.set(key, item); this._size++; } return this; } delete(key) { return !!this.remove(key); } remove(key) { const item = this._map.get(key); if (!item) { return undefined; } this._map.delete(key); this.removeItem(item); this._size--; return item.value; } shift() { if (!this._head && !this._tail) { return undefined; } if (!this._head || !this._tail) { throw new Error("Invalid list"); } const item = this._head; this._map.delete(item.key); this.removeItem(item); this._size--; return item.value; } forEach(callbackfn, thisArg) { const state = this._state; let current = this._head; while (current) { if (thisArg) { callbackfn.bind(thisArg)(current.value, current.key, this); } else { callbackfn(current.value, current.key, this); } if (this._state !== state) { throw new Error(`LinkedMap got modified during iteration.`); } current = current.next; } } keys() { const map = this; const state = this._state; let current = this._head; const iterator = { [Symbol.iterator]() { return iterator; }, next() { if (map._state !== state) { throw new Error(`LinkedMap got modified during iteration.`); } if (current) { const result = { value: current.key, done: false }; current = current.next; return result; } else { return { value: undefined, done: true }; } } }; return iterator; } values() { const map = this; const state = this._state; let current = this._head; const iterator = { [Symbol.iterator]() { return iterator; }, next() { if (map._state !== state) { throw new Error(`LinkedMap got modified during iteration.`); } if (current) { const result = { value: current.value, done: false }; current = current.next; return result; } else { return { value: undefined, done: true }; } } }; return iterator; } entries() { const map = this; const state = this._state; let current = this._head; const iterator = { [Symbol.iterator]() { return iterator; }, next() { if (map._state !== state) { throw new Error(`LinkedMap got modified during iteration.`); } if (current) { const result = { value: [current.key, current.value], done: false }; current = current.next; return result; } else { return { value: undefined, done: true }; } } }; return iterator; } [(_b = Symbol.toStringTag, Symbol.iterator)]() { return this.entries(); } trimOld(newSize) { if (newSize >= this.size) { return; } if (newSize === 0) { this.clear(); return; } let current = this._head; let currentSize = this.size; while (current && currentSize > newSize) { this._map.delete(current.key); current = current.next; currentSize--; } this._head = current; this._size = currentSize; if (current) { current.previous = undefined; } this._state++; } addItemFirst(item) { // First time Insert if (!this._head && !this._tail) { this._tail = item; } else if (!this._head) { throw new Error("Invalid list"); } else { item.next = this._head; this._head.previous = item; } this._head = item; this._state++; } addItemLast(item) { // First time Insert if (!this._head && !this._tail) { this._head = item; } else if (!this._tail) { throw new Error("Invalid list"); } else { item.previous = this._tail; this._tail.next = item; } this._tail = item; this._state++; } removeItem(item) { if (item === this._head && item === this._tail) { this._head = undefined; this._tail = undefined; } else if (item === this._head) { // This can only happen if size === 1 which is handled // by the case above. if (!item.next) { throw new Error("Invalid list"); } item.next.previous = undefined; this._head = item.next; } else if (item === this._tail) { // This can only happen if size === 1 which is handled // by the case above. if (!item.previous) { throw new Error("Invalid list"); } item.previous.next = undefined; this._tail = item.previous; } else { const next = item.next; const previous = item.previous; if (!next || !previous) { throw new Error("Invalid list"); } next.previous = previous; previous.next = next; } item.next = undefined; item.previous = undefined; this._state++; } touch(item, touch) { if (!this._head || !this._tail) { throw new Error("Invalid list"); } if ((touch !== 1 /* Touch.AsOld */ && touch !== 2 /* Touch.AsNew */)) { return; } if (touch === 1 /* Touch.AsOld */) { if (item === this._head) { return; } const next = item.next; const previous = item.previous; // Unlink the item if (item === this._tail) { // previous must be defined since item was not head but is tail // So there are more than on item in the map previous.next = undefined; this._tail = previous; } else { // Both next and previous are not undefined since item was neither head nor tail. next.previous = previous; previous.next = next; } // Insert the node at head item.previous = undefined; item.next = this._head; this._head.previous = item; this._head = item; this._state++; } else if (touch === 2 /* Touch.AsNew */) { if (item === this._tail) { return; } const next = item.next; const previous = item.previous; // Unlink the item. if (item === this._head) { // next must be defined since item was not tail but is head // So there are more than on item in the map next.previous = undefined; this._head = next; } else { // Both next and previous are not undefined since item was neither head nor tail. next.previous = previous; previous.next = next; } item.next = undefined; item.previous = this._tail; this._tail.next = item; this._tail = item; this._state++; } } toJSON() { const data = []; this.forEach((value, key) => { data.push([key, value]); }); return data; } fromJSON(data) { this.clear(); for (const [key, value] of data) { this.set(key, value); } } } class LRUCache extends LinkedMap { constructor(limit, ratio = 1) { super(); this._limit = limit; this._ratio = Math.min(Math.max(0, ratio), 1); } get limit() { return this._limit; } set limit(limit) { this._limit = limit; this.checkTrim(); } get(key, touch = 2 /* Touch.AsNew */) { return super.get(key, touch); } peek(key) { return super.get(key, 0 /* Touch.None */); } set(key, value) { super.set(key, value, 2 /* Touch.AsNew */); this.checkTrim(); return this; } checkTrim() { if (this.size > this._limit) { this.trimOld(Math.round(this._limit * this._ratio)); } } } /** * A map that allows access both by keys and values. * **NOTE**: values need to be unique. */ class BidirectionalMap { constructor(entries) { this._m1 = new Map(); this._m2 = new Map(); if (entries) { for (const [key, value] of entries) { this.set(key, value); } } } clear() { this._m1.clear(); this._m2.clear(); } set(key, value) { this._m1.set(key, value); this._m2.set(value, key); } get(key) { return this._m1.get(key); } getKey(value) { return this._m2.get(value); } delete(key) { const value = this._m1.get(key); if (value === undefined) { return false; } this._m1.delete(key); this._m2.delete(value); return true; } keys() { return this._m1.keys(); } values() { return this._m1.values(); } } class SetMap { constructor() { this.map = new Map(); } add(key, value) { let values = this.map.get(key); if (!values) { values = new Set(); this.map.set(key, values); } values.add(value); } delete(key, value) { const values = this.map.get(key); if (!values) { return; } values.delete(value); if (values.size === 0) { this.map.delete(key); } } forEach(key, fn) { const values = this.map.get(key); if (!values) { return; } values.forEach(fn); } get(key) { const values = this.map.get(key); if (!values) { return new Set(); } return values; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/linesSliceCharSequence.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class LinesSliceCharSequence { constructor(lines, lineRange, considerWhitespaceChanges) { // This slice has to have lineRange.length many ! (otherwise diffing against an empty slice will be problematic) // (Unless it covers the entire document, in that case the other slice also has to cover the entire document ands it"s okay) this.lines = lines; this.considerWhitespaceChanges = considerWhitespaceChanges; this.elements = []; this.firstCharOffsetByLine = []; // To account for trimming this.additionalOffsetByLine = []; // If the slice covers the end, but does not start at the beginning, we include just the of the previous line. let trimFirstLineFully = false; if (lineRange.start > 0 && lineRange.endExclusive >= lines.length) { lineRange = new OffsetRange(lineRange.start - 1, lineRange.endExclusive); trimFirstLineFully = true; } this.lineRange = lineRange; this.firstCharOffsetByLine[0] = 0; for (let i = this.lineRange.start; i < this.lineRange.endExclusive; i++) { let line = lines[i]; let offset = 0; if (trimFirstLineFully) { offset = line.length; line = ""; trimFirstLineFully = false; } else if (!considerWhitespaceChanges) { const trimmedStartLine = line.trimStart(); offset = line.length - trimmedStartLine.length; line = trimmedStartLine.trimEnd(); } this.additionalOffsetByLine.push(offset); for (let i = 0; i < line.length; i++) { this.elements.push(line.charCodeAt(i)); } // Don"t add an that does not exist in the document. if (i < lines.length - 1) { this.elements.push(" ".charCodeAt(0)); this.firstCharOffsetByLine[i - this.lineRange.start + 1] = this.elements.length; } } // To account for the last line this.additionalOffsetByLine.push(0); } toString() { return `Slice: "${this.text}"`; } get text() { return this.getText(new OffsetRange(0, this.length)); } getText(range) { return this.elements.slice(range.start, range.endExclusive).map(e => String.fromCharCode(e)).join(""); } getElement(offset) { return this.elements[offset]; } get length() { return this.elements.length; } getBoundaryScore(length) { // a b c , d e f // 11 0 0 12 15 6 13 0 0 11 const prevCategory = getCategory(length > 0 ? this.elements[length - 1] : -1); const nextCategory = getCategory(length < this.elements.length ? this.elements[length] : -1); if (prevCategory === 7 /* CharBoundaryCategory.LineBreakCR */ && nextCategory === 8 /* CharBoundaryCategory.LineBreakLF */) { // don"t break between and return 0; } let score = 0; if (prevCategory !== nextCategory) { score += 10; if (prevCategory === 0 /* CharBoundaryCategory.WordLower */ && nextCategory === 1 /* CharBoundaryCategory.WordUpper */) { score += 1; } } score += getCategoryBoundaryScore(prevCategory); score += getCategoryBoundaryScore(nextCategory); return score; } translateOffset(offset) { // find smallest i, so that lineBreakOffsets[i] <= offset using binary search if (this.lineRange.isEmpty) { return new position_Position(this.lineRange.start + 1, 1); } const i = findLastIdxMonotonous(this.firstCharOffsetByLine, (value) => value <= offset); return new position_Position(this.lineRange.start + i + 1, offset - this.firstCharOffsetByLine[i] + this.additionalOffsetByLine[i] + 1); } translateRange(range) { return range_Range.fromPositions(this.translateOffset(range.start), this.translateOffset(range.endExclusive)); } /** * Finds the word that contains the character at the given offset */ findWordContaining(offset) { if (offset < 0 || offset >= this.elements.length) { return undefined; } if (!isWordChar(this.elements[offset])) { return undefined; } // find start let start = offset; while (start > 0 && isWordChar(this.elements[start - 1])) { start--; } // find end let end = offset; while (end < this.elements.length && isWordChar(this.elements[end])) { end++; } return new OffsetRange(start, end); } countLinesIn(range) { return this.translateOffset(range.endExclusive).lineNumber - this.translateOffset(range.start).lineNumber; } isStronglyEqual(offset1, offset2) { return this.elements[offset1] === this.elements[offset2]; } extendToFullLines(range) { var _a, _b; const start = (_a = findLastMonotonous(this.firstCharOffsetByLine, x => x <= range.start)) !== null && _a !== void 0 ? _a : 0; const end = (_b = findFirstMonotonous(this.firstCharOffsetByLine, x => range.endExclusive <= x)) !== null && _b !== void 0 ? _b : this.elements.length; return new OffsetRange(start, end); } } function isWordChar(charCode) { return charCode >= 97 /* CharCode.a */ && charCode <= 122 /* CharCode.z */ || charCode >= 65 /* CharCode.A */ && charCode <= 90 /* CharCode.Z */ || charCode >= 48 /* CharCode.Digit0 */ && charCode <= 57 /* CharCode.Digit9 */; } const score = { [0 /* CharBoundaryCategory.WordLower */]: 0, [1 /* CharBoundaryCategory.WordUpper */]: 0, [2 /* CharBoundaryCategory.WordNumber */]: 0, [3 /* CharBoundaryCategory.End */]: 10, [4 /* CharBoundaryCategory.Other */]: 2, [5 /* CharBoundaryCategory.Separator */]: 3, [6 /* CharBoundaryCategory.Space */]: 3, [7 /* CharBoundaryCategory.LineBreakCR */]: 10, [8 /* CharBoundaryCategory.LineBreakLF */]: 10, }; function getCategoryBoundaryScore(category) { return score[category]; } function getCategory(charCode) { if (charCode === 10 /* CharCode.LineFeed */) { return 8 /* CharBoundaryCategory.LineBreakLF */; } else if (charCode === 13 /* CharCode.CarriageReturn */) { return 7 /* CharBoundaryCategory.LineBreakCR */; } else if (isSpace(charCode)) { return 6 /* CharBoundaryCategory.Space */; } else if (charCode >= 97 /* CharCode.a */ && charCode <= 122 /* CharCode.z */) { return 0 /* CharBoundaryCategory.WordLower */; } else if (charCode >= 65 /* CharCode.A */ && charCode <= 90 /* CharCode.Z */) { return 1 /* CharBoundaryCategory.WordUpper */; } else if (charCode >= 48 /* CharCode.Digit0 */ && charCode <= 57 /* CharCode.Digit9 */) { return 2 /* CharBoundaryCategory.WordNumber */; } else if (charCode === -1) { return 3 /* CharBoundaryCategory.End */; } else if (charCode === 44 /* CharCode.Comma */ || charCode === 59 /* CharCode.Semicolon */) { return 5 /* CharBoundaryCategory.Separator */; } else { return 4 /* CharBoundaryCategory.Other */; } } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/computeMovedLines.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function computeMovedLines(changes, originalLines, modifiedLines, hashedOriginalLines, hashedModifiedLines, timeout) { let { moves, excludedChanges } = computeMovesFromSimpleDeletionsToSimpleInsertions(changes, originalLines, modifiedLines, timeout); if (!timeout.isValid()) { return []; } const filteredChanges = changes.filter(c => !excludedChanges.has(c)); const unchangedMoves = computeUnchangedMoves(filteredChanges, hashedOriginalLines, hashedModifiedLines, originalLines, modifiedLines, timeout); pushMany(moves, unchangedMoves); moves = joinCloseConsecutiveMoves(moves); // Ignore too short moves moves = moves.filter(current => { const lines = current.original.toOffsetRange().slice(originalLines).map(l => l.trim()); const originalText = lines.join(" "); return originalText.length >= 15 && countWhere(lines, l => l.length >= 2) >= 2; }); moves = removeMovesInSameDiff(changes, moves); return moves; } function countWhere(arr, predicate) { let count = 0; for (const t of arr) { if (predicate(t)) { count++; } } return count; } function computeMovesFromSimpleDeletionsToSimpleInsertions(changes, originalLines, modifiedLines, timeout) { const moves = []; const deletions = changes .filter(c => c.modified.isEmpty && c.original.length >= 3) .map(d => new LineRangeFragment(d.original, originalLines, d)); const insertions = new Set(changes .filter(c => c.original.isEmpty && c.modified.length >= 3) .map(d => new LineRangeFragment(d.modified, modifiedLines, d))); const excludedChanges = new Set(); for (const deletion of deletions) { let highestSimilarity = -1; let best; for (const insertion of insertions) { const similarity = deletion.computeSimilarity(insertion); if (similarity > highestSimilarity) { highestSimilarity = similarity; best = insertion; } } if (highestSimilarity > 0.90 && best) { insertions.delete(best); moves.push(new LineRangeMapping(deletion.range, best.range)); excludedChanges.add(deletion.source); excludedChanges.add(best.source); } if (!timeout.isValid()) { return { moves, excludedChanges }; } } return { moves, excludedChanges }; } function computeUnchangedMoves(changes, hashedOriginalLines, hashedModifiedLines, originalLines, modifiedLines, timeout) { const moves = []; const original3LineHashes = new SetMap(); for (const change of changes) { for (let i = change.original.startLineNumber; i < change.original.endLineNumberExclusive - 2; i++) { const key = `${hashedOriginalLines[i - 1]}:${hashedOriginalLines[i + 1 - 1]}:${hashedOriginalLines[i + 2 - 1]}`; original3LineHashes.add(key, { range: new LineRange(i, i + 3) }); } } const possibleMappings = []; changes.sort(compareBy(c => c.modified.startLineNumber, numberComparator)); for (const change of changes) { let lastMappings = []; for (let i = change.modified.startLineNumber; i < change.modified.endLineNumberExclusive - 2; i++) { const key = `${hashedModifiedLines[i - 1]}:${hashedModifiedLines[i + 1 - 1]}:${hashedModifiedLines[i + 2 - 1]}`; const currentModifiedRange = new LineRange(i, i + 3); const nextMappings = []; original3LineHashes.forEach(key, ({ range }) => { for (const lastMapping of lastMappings) { // does this match extend some last match? if (lastMapping.originalLineRange.endLineNumberExclusive + 1 === range.endLineNumberExclusive && lastMapping.modifiedLineRange.endLineNumberExclusive + 1 === currentModifiedRange.endLineNumberExclusive) { lastMapping.originalLineRange = new LineRange(lastMapping.originalLineRange.startLineNumber, range.endLineNumberExclusive); lastMapping.modifiedLineRange = new LineRange(lastMapping.modifiedLineRange.startLineNumber, currentModifiedRange.endLineNumberExclusive); nextMappings.push(lastMapping); return; } } const mapping = { modifiedLineRange: currentModifiedRange, originalLineRange: range, }; possibleMappings.push(mapping); nextMappings.push(mapping); }); lastMappings = nextMappings; } if (!timeout.isValid()) { return []; } } possibleMappings.sort(reverseOrder(compareBy(m => m.modifiedLineRange.length, numberComparator))); const modifiedSet = new LineRangeSet(); const originalSet = new LineRangeSet(); for (const mapping of possibleMappings) { const diffOrigToMod = mapping.modifiedLineRange.startLineNumber - mapping.originalLineRange.startLineNumber; const modifiedSections = modifiedSet.subtractFrom(mapping.modifiedLineRange); const originalTranslatedSections = originalSet.subtractFrom(mapping.originalLineRange).getWithDelta(diffOrigToMod); const modifiedIntersectedSections = modifiedSections.getIntersection(originalTranslatedSections); for (const s of modifiedIntersectedSections.ranges) { if (s.length < 3) { continue; } const modifiedLineRange = s; const originalLineRange = s.delta(-diffOrigToMod); moves.push(new LineRangeMapping(originalLineRange, modifiedLineRange)); modifiedSet.addRange(modifiedLineRange); originalSet.addRange(originalLineRange); } } moves.sort(compareBy(m => m.original.startLineNumber, numberComparator)); const monotonousChanges = new MonotonousArray(changes); for (let i = 0; i < moves.length; i++) { const move = moves[i]; const firstTouchingChangeOrig = monotonousChanges.findLastMonotonous(c => c.original.startLineNumber <= move.original.startLineNumber); const firstTouchingChangeMod = findLastMonotonous(changes, c => c.modified.startLineNumber <= move.modified.startLineNumber); const linesAbove = Math.max(move.original.startLineNumber - firstTouchingChangeOrig.original.startLineNumber, move.modified.startLineNumber - firstTouchingChangeMod.modified.startLineNumber); const lastTouchingChangeOrig = monotonousChanges.findLastMonotonous(c => c.original.startLineNumber < move.original.endLineNumberExclusive); const lastTouchingChangeMod = findLastMonotonous(changes, c => c.modified.startLineNumber < move.modified.endLineNumberExclusive); const linesBelow = Math.max(lastTouchingChangeOrig.original.endLineNumberExclusive - move.original.endLineNumberExclusive, lastTouchingChangeMod.modified.endLineNumberExclusive - move.modified.endLineNumberExclusive); let extendToTop; for (extendToTop = 0; extendToTop < linesAbove; extendToTop++) { const origLine = move.original.startLineNumber - extendToTop - 1; const modLine = move.modified.startLineNumber - extendToTop - 1; if (origLine > originalLines.length || modLine > modifiedLines.length) { break; } if (modifiedSet.contains(modLine) || originalSet.contains(origLine)) { break; } if (!areLinesSimilar(originalLines[origLine - 1], modifiedLines[modLine - 1], timeout)) { break; } } if (extendToTop > 0) { originalSet.addRange(new LineRange(move.original.startLineNumber - extendToTop, move.original.startLineNumber)); modifiedSet.addRange(new LineRange(move.modified.startLineNumber - extendToTop, move.modified.startLineNumber)); } let extendToBottom; for (extendToBottom = 0; extendToBottom < linesBelow; extendToBottom++) { const origLine = move.original.endLineNumberExclusive + extendToBottom; const modLine = move.modified.endLineNumberExclusive + extendToBottom; if (origLine > originalLines.length || modLine > modifiedLines.length) { break; } if (modifiedSet.contains(modLine) || originalSet.contains(origLine)) { break; } if (!areLinesSimilar(originalLines[origLine - 1], modifiedLines[modLine - 1], timeout)) { break; } } if (extendToBottom > 0) { originalSet.addRange(new LineRange(move.original.endLineNumberExclusive, move.original.endLineNumberExclusive + extendToBottom)); modifiedSet.addRange(new LineRange(move.modified.endLineNumberExclusive, move.modified.endLineNumberExclusive + extendToBottom)); } if (extendToTop > 0 || extendToBottom > 0) { moves[i] = new LineRangeMapping(new LineRange(move.original.startLineNumber - extendToTop, move.original.endLineNumberExclusive + extendToBottom), new LineRange(move.modified.startLineNumber - extendToTop, move.modified.endLineNumberExclusive + extendToBottom)); } } return moves; } function areLinesSimilar(line1, line2, timeout) { if (line1.trim() === line2.trim()) { return true; } if (line1.length > 300 && line2.length > 300) { return false; } const myersDiffingAlgorithm = new MyersDiffAlgorithm(); const result = myersDiffingAlgorithm.compute(new LinesSliceCharSequence([line1], new OffsetRange(0, 1), false), new LinesSliceCharSequence([line2], new OffsetRange(0, 1), false), timeout); let commonNonSpaceCharCount = 0; const inverted = SequenceDiff.invert(result.diffs, line1.length); for (const seq of inverted) { seq.seq1Range.forEach(idx => { if (!isSpace(line1.charCodeAt(idx))) { commonNonSpaceCharCount++; } }); } function countNonWsChars(str) { let count = 0; for (let i = 0; i < line1.length; i++) { if (!isSpace(str.charCodeAt(i))) { count++; } } return count; } const longerLineLength = countNonWsChars(line1.length > line2.length ? line1 : line2); const r = commonNonSpaceCharCount / longerLineLength > 0.6 && longerLineLength > 10; return r; } function joinCloseConsecutiveMoves(moves) { if (moves.length === 0) { return moves; } moves.sort(compareBy(m => m.original.startLineNumber, numberComparator)); const result = [moves[0]]; for (let i = 1; i < moves.length; i++) { const last = result[result.length - 1]; const current = moves[i]; const originalDist = current.original.startLineNumber - last.original.endLineNumberExclusive; const modifiedDist = current.modified.startLineNumber - last.modified.endLineNumberExclusive; const currentMoveAfterLast = originalDist >= 0 && modifiedDist >= 0; if (currentMoveAfterLast && originalDist + modifiedDist <= 2) { result[result.length - 1] = last.join(current); continue; } result.push(current); } return result; } function removeMovesInSameDiff(changes, moves) { const changesMonotonous = new MonotonousArray(changes); moves = moves.filter(m => { const diffBeforeEndOfMoveOriginal = changesMonotonous.findLastMonotonous(c => c.original.startLineNumber < m.original.endLineNumberExclusive) || new LineRangeMapping(new LineRange(1, 1), new LineRange(1, 1)); const diffBeforeEndOfMoveModified = findLastMonotonous(changes, c => c.modified.startLineNumber < m.modified.endLineNumberExclusive); const differentDiffs = diffBeforeEndOfMoveOriginal !== diffBeforeEndOfMoveModified; return differentDiffs; }); return moves; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/heuristicSequenceOptimizations.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function optimizeSequenceDiffs(sequence1, sequence2, sequenceDiffs) { let result = sequenceDiffs; result = joinSequenceDiffsByShifting(sequence1, sequence2, result); // Sometimes, calling this function twice improves the result. // Uncomment the second invocation and run the tests to see the difference. result = joinSequenceDiffsByShifting(sequence1, sequence2, result); result = shiftSequenceDiffs(sequence1, sequence2, result); return result; } /** * This function fixes issues like this: * ``` * import { Baz, Bar } from "foo"; * ``` * <-> * ``` * import { Baz, Bar, Foo } from "foo"; * ``` * Computed diff: [ {Add "," after Bar}, {Add "Foo " after space} } * Improved diff: [{Add ", Foo" after Bar}] */ function joinSequenceDiffsByShifting(sequence1, sequence2, sequenceDiffs) { if (sequenceDiffs.length === 0) { return sequenceDiffs; } const result = []; result.push(sequenceDiffs[0]); // First move them all to the left as much as possible and join them if possible for (let i = 1; i < sequenceDiffs.length; i++) { const prevResult = result[result.length - 1]; let cur = sequenceDiffs[i]; if (cur.seq1Range.isEmpty || cur.seq2Range.isEmpty) { const length = cur.seq1Range.start - prevResult.seq1Range.endExclusive; let d; for (d = 1; d <= length; d++) { if (sequence1.getElement(cur.seq1Range.start - d) !== sequence1.getElement(cur.seq1Range.endExclusive - d) || sequence2.getElement(cur.seq2Range.start - d) !== sequence2.getElement(cur.seq2Range.endExclusive - d)) { break; } } d--; if (d === length) { // Merge previous and current diff result[result.length - 1] = new SequenceDiff(new OffsetRange(prevResult.seq1Range.start, cur.seq1Range.endExclusive - length), new OffsetRange(prevResult.seq2Range.start, cur.seq2Range.endExclusive - length)); continue; } cur = cur.delta(-d); } result.push(cur); } const result2 = []; // Then move them all to the right and join them again if possible for (let i = 0; i < result.length - 1; i++) { const nextResult = result[i + 1]; let cur = result[i]; if (cur.seq1Range.isEmpty || cur.seq2Range.isEmpty) { const length = nextResult.seq1Range.start - cur.seq1Range.endExclusive; let d; for (d = 0; d < length; d++) { if (!sequence1.isStronglyEqual(cur.seq1Range.start + d, cur.seq1Range.endExclusive + d) || !sequence2.isStronglyEqual(cur.seq2Range.start + d, cur.seq2Range.endExclusive + d)) { break; } } if (d === length) { // Merge previous and current diff, write to result! result[i + 1] = new SequenceDiff(new OffsetRange(cur.seq1Range.start + length, nextResult.seq1Range.endExclusive), new OffsetRange(cur.seq2Range.start + length, nextResult.seq2Range.endExclusive)); continue; } if (d > 0) { cur = cur.delta(d); } } result2.push(cur); } if (result.length > 0) { result2.push(result[result.length - 1]); } return result2; } // align character level diffs at whitespace characters // import { IBar } from "foo"; // import { I[Arr, I]Bar } from "foo"; // -> // import { [IArr, ]IBar } from "foo"; // import { ITransaction, observableValue, transaction } from "vs/base/common/observable"; // import { ITransaction, observable[FromEvent, observable]Value, transaction } from "vs/base/common/observable"; // -> // import { ITransaction, [observableFromEvent, ]observableValue, transaction } from "vs/base/common/observable"; // collectBrackets(level + 1, levelPerBracketType); // collectBrackets(level + 1, levelPerBracket[ + 1, levelPerBracket]Type); // -> // collectBrackets(level + 1, [levelPerBracket + 1, ]levelPerBracketType); function shiftSequenceDiffs(sequence1, sequence2, sequenceDiffs) { if (!sequence1.getBoundaryScore || !sequence2.getBoundaryScore) { return sequenceDiffs; } for (let i = 0; i < sequenceDiffs.length; i++) { const prevDiff = (i > 0 ? sequenceDiffs[i - 1] : undefined); const diff = sequenceDiffs[i]; const nextDiff = (i + 1 < sequenceDiffs.length ? sequenceDiffs[i + 1] : undefined); const seq1ValidRange = new OffsetRange(prevDiff ? prevDiff.seq1Range.start + 1 : 0, nextDiff ? nextDiff.seq1Range.endExclusive - 1 : sequence1.length); const seq2ValidRange = new OffsetRange(prevDiff ? prevDiff.seq2Range.start + 1 : 0, nextDiff ? nextDiff.seq2Range.endExclusive - 1 : sequence2.length); if (diff.seq1Range.isEmpty) { sequenceDiffs[i] = shiftDiffToBetterPosition(diff, sequence1, sequence2, seq1ValidRange, seq2ValidRange); } else if (diff.seq2Range.isEmpty) { sequenceDiffs[i] = shiftDiffToBetterPosition(diff.swap(), sequence2, sequence1, seq2ValidRange, seq1ValidRange).swap(); } } return sequenceDiffs; } function shiftDiffToBetterPosition(diff, sequence1, sequence2, seq1ValidRange, seq2ValidRange) { const maxShiftLimit = 100; // To prevent performance issues // don"t touch previous or next! let deltaBefore = 1; while (diff.seq1Range.start - deltaBefore >= seq1ValidRange.start && diff.seq2Range.start - deltaBefore >= seq2ValidRange.start && sequence2.isStronglyEqual(diff.seq2Range.start - deltaBefore, diff.seq2Range.endExclusive - deltaBefore) && deltaBefore < maxShiftLimit) { deltaBefore++; } deltaBefore--; let deltaAfter = 0; while (diff.seq1Range.start + deltaAfter < seq1ValidRange.endExclusive && diff.seq2Range.endExclusive + deltaAfter < seq2ValidRange.endExclusive && sequence2.isStronglyEqual(diff.seq2Range.start + deltaAfter, diff.seq2Range.endExclusive + deltaAfter) && deltaAfter < maxShiftLimit) { deltaAfter++; } if (deltaBefore === 0 && deltaAfter === 0) { return diff; } // Visualize `[sequence1.text, diff.seq1Range.start + deltaAfter]` // and `[sequence2.text, diff.seq2Range.start + deltaAfter, diff.seq2Range.endExclusive + deltaAfter]` let bestDelta = 0; let bestScore = -1; // find best scored delta for (let delta = -deltaBefore; delta <= deltaAfter; delta++) { const seq2OffsetStart = diff.seq2Range.start + delta; const seq2OffsetEndExclusive = diff.seq2Range.endExclusive + delta; const seq1Offset = diff.seq1Range.start + delta; const score = sequence1.getBoundaryScore(seq1Offset) + sequence2.getBoundaryScore(seq2OffsetStart) + sequence2.getBoundaryScore(seq2OffsetEndExclusive); if (score > bestScore) { bestScore = score; bestDelta = delta; } } return diff.delta(bestDelta); } function removeShortMatches(sequence1, sequence2, sequenceDiffs) { const result = []; for (const s of sequenceDiffs) { const last = result[result.length - 1]; if (!last) { result.push(s); continue; } if (s.seq1Range.start - last.seq1Range.endExclusive <= 2 || s.seq2Range.start - last.seq2Range.endExclusive <= 2) { result[result.length - 1] = new SequenceDiff(last.seq1Range.join(s.seq1Range), last.seq2Range.join(s.seq2Range)); } else { result.push(s); } } return result; } function extendDiffsToEntireWordIfAppropriate(sequence1, sequence2, sequenceDiffs) { const additional = []; let lastModifiedWord = undefined; function maybePushWordToAdditional() { if (!lastModifiedWord) { return; } const originalLength1 = lastModifiedWord.s1Range.length - lastModifiedWord.deleted; const originalLength2 = lastModifiedWord.s2Range.length - lastModifiedWord.added; if (originalLength1 !== originalLength2) { // TODO figure out why this happens } if (Math.max(lastModifiedWord.deleted, lastModifiedWord.added) + (lastModifiedWord.count - 1) > originalLength1) { additional.push(new SequenceDiff(lastModifiedWord.s1Range, lastModifiedWord.s2Range)); } lastModifiedWord = undefined; } for (const s of sequenceDiffs) { function processWord(s1Range, s2Range) { var _a, _b, _c, _d; if (!lastModifiedWord || !lastModifiedWord.s1Range.containsRange(s1Range) || !lastModifiedWord.s2Range.containsRange(s2Range)) { if (lastModifiedWord && !(lastModifiedWord.s1Range.endExclusive < s1Range.start && lastModifiedWord.s2Range.endExclusive < s2Range.start)) { const s1Added = OffsetRange.tryCreate(lastModifiedWord.s1Range.endExclusive, s1Range.start); const s2Added = OffsetRange.tryCreate(lastModifiedWord.s2Range.endExclusive, s2Range.start); lastModifiedWord.deleted += (_a = s1Added === null || s1Added === void 0 ? void 0 : s1Added.length) !== null && _a !== void 0 ? _a : 0; lastModifiedWord.added += (_b = s2Added === null || s2Added === void 0 ? void 0 : s2Added.length) !== null && _b !== void 0 ? _b : 0; lastModifiedWord.s1Range = lastModifiedWord.s1Range.join(s1Range); lastModifiedWord.s2Range = lastModifiedWord.s2Range.join(s2Range); } else { maybePushWordToAdditional(); lastModifiedWord = { added: 0, deleted: 0, count: 0, s1Range: s1Range, s2Range: s2Range }; } } const changedS1 = s1Range.intersect(s.seq1Range); const changedS2 = s2Range.intersect(s.seq2Range); lastModifiedWord.count++; lastModifiedWord.deleted += (_c = changedS1 === null || changedS1 === void 0 ? void 0 : changedS1.length) !== null && _c !== void 0 ? _c : 0; lastModifiedWord.added += (_d = changedS2 === null || changedS2 === void 0 ? void 0 : changedS2.length) !== null && _d !== void 0 ? _d : 0; } const w1Before = sequence1.findWordContaining(s.seq1Range.start - 1); const w2Before = sequence2.findWordContaining(s.seq2Range.start - 1); const w1After = sequence1.findWordContaining(s.seq1Range.endExclusive); const w2After = sequence2.findWordContaining(s.seq2Range.endExclusive); if (w1Before && w1After && w2Before && w2After && w1Before.equals(w1After) && w2Before.equals(w2After)) { processWord(w1Before, w2Before); } else { if (w1Before && w2Before) { processWord(w1Before, w2Before); } if (w1After && w2After) { processWord(w1After, w2After); } } } maybePushWordToAdditional(); const merged = mergeSequenceDiffs(sequenceDiffs, additional); return merged; } function mergeSequenceDiffs(sequenceDiffs1, sequenceDiffs2) { const result = []; while (sequenceDiffs1.length > 0 || sequenceDiffs2.length > 0) { const sd1 = sequenceDiffs1[0]; const sd2 = sequenceDiffs2[0]; let next; if (sd1 && (!sd2 || sd1.seq1Range.start < sd2.seq1Range.start)) { next = sequenceDiffs1.shift(); } else { next = sequenceDiffs2.shift(); } if (result.length > 0 && result[result.length - 1].seq1Range.endExclusive >= next.seq1Range.start) { result[result.length - 1] = result[result.length - 1].join(next); } else { result.push(next); } } return result; } function removeVeryShortMatchingLinesBetweenDiffs(sequence1, _sequence2, sequenceDiffs) { let diffs = sequenceDiffs; if (diffs.length === 0) { return diffs; } let counter = 0; let shouldRepeat; do { shouldRepeat = false; const result = [ diffs[0] ]; for (let i = 1; i < diffs.length; i++) { const cur = diffs[i]; const lastResult = result[result.length - 1]; function shouldJoinDiffs(before, after) { const unchangedRange = new OffsetRange(lastResult.seq1Range.endExclusive, cur.seq1Range.start); const unchangedText = sequence1.getText(unchangedRange); const unchangedTextWithoutWs = unchangedText.replace(/s/g, ""); if (unchangedTextWithoutWs.length <= 4 && (before.seq1Range.length + before.seq2Range.length > 5 || after.seq1Range.length + after.seq2Range.length > 5)) { return true; } return false; } const shouldJoin = shouldJoinDiffs(lastResult, cur); if (shouldJoin) { shouldRepeat = true; result[result.length - 1] = result[result.length - 1].join(cur); } else { result.push(cur); } } diffs = result; } while (counter++ < 10 && shouldRepeat); return diffs; } function removeVeryShortMatchingTextBetweenLongDiffs(sequence1, sequence2, sequenceDiffs) { let diffs = sequenceDiffs; if (diffs.length === 0) { return diffs; } let counter = 0; let shouldRepeat; do { shouldRepeat = false; const result = [ diffs[0] ]; for (let i = 1; i < diffs.length; i++) { const cur = diffs[i]; const lastResult = result[result.length - 1]; function shouldJoinDiffs(before, after) { const unchangedRange = new OffsetRange(lastResult.seq1Range.endExclusive, cur.seq1Range.start); const unchangedLineCount = sequence1.countLinesIn(unchangedRange); if (unchangedLineCount > 5 || unchangedRange.length > 500) { return false; } const unchangedText = sequence1.getText(unchangedRange).trim(); if (unchangedText.length > 20 || unchangedText.split(/ | | /).length > 1) { return false; } const beforeLineCount1 = sequence1.countLinesIn(before.seq1Range); const beforeSeq1Length = before.seq1Range.length; const beforeLineCount2 = sequence2.countLinesIn(before.seq2Range); const beforeSeq2Length = before.seq2Range.length; const afterLineCount1 = sequence1.countLinesIn(after.seq1Range); const afterSeq1Length = after.seq1Range.length; const afterLineCount2 = sequence2.countLinesIn(after.seq2Range); const afterSeq2Length = after.seq2Range.length; // TODO: Maybe a neural net can be used to derive the result from these numbers const max = 2 * 40 + 50; function cap(v) { return Math.min(v, max); } if (Math.pow(Math.pow(cap(beforeLineCount1 * 40 + beforeSeq1Length), 1.5) + Math.pow(cap(beforeLineCount2 * 40 + beforeSeq2Length), 1.5), 1.5) + Math.pow(Math.pow(cap(afterLineCount1 * 40 + afterSeq1Length), 1.5) + Math.pow(cap(afterLineCount2 * 40 + afterSeq2Length), 1.5), 1.5) > ((max ** 1.5) ** 1.5) * 1.3) { return true; } return false; } const shouldJoin = shouldJoinDiffs(lastResult, cur); if (shouldJoin) { shouldRepeat = true; result[result.length - 1] = result[result.length - 1].join(cur); } else { result.push(cur); } } diffs = result; } while (counter++ < 10 && shouldRepeat); const newDiffs = []; // Remove short suffixes/prefixes forEachWithNeighbors(diffs, (prev, cur, next) => { let newDiff = cur; function shouldMarkAsChanged(text) { return text.length > 0 && text.trim().length <= 3 && cur.seq1Range.length + cur.seq2Range.length > 100; } const fullRange1 = sequence1.extendToFullLines(cur.seq1Range); const prefix = sequence1.getText(new OffsetRange(fullRange1.start, cur.seq1Range.start)); if (shouldMarkAsChanged(prefix)) { newDiff = newDiff.deltaStart(-prefix.length); } const suffix = sequence1.getText(new OffsetRange(cur.seq1Range.endExclusive, fullRange1.endExclusive)); if (shouldMarkAsChanged(suffix)) { newDiff = newDiff.deltaEnd(suffix.length); } const availableSpace = SequenceDiff.fromOffsetPairs(prev ? prev.getEndExclusives() : OffsetPair.zero, next ? next.getStarts() : OffsetPair.max); const result = newDiff.intersect(availableSpace); newDiffs.push(result); }); return newDiffs; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/lineSequence.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class lineSequence_LineSequence { constructor(trimmedHash, lines) { this.trimmedHash = trimmedHash; this.lines = lines; } getElement(offset) { return this.trimmedHash[offset]; } get length() { return this.trimmedHash.length; } getBoundaryScore(length) { const indentationBefore = length === 0 ? 0 : getIndentation(this.lines[length - 1]); const indentationAfter = length === this.lines.length ? 0 : getIndentation(this.lines[length]); return 1000 - (indentationBefore + indentationAfter); } getText(range) { return this.lines.slice(range.start, range.endExclusive).join(" "); } isStronglyEqual(offset1, offset2) { return this.lines[offset1] === this.lines[offset2]; } } function getIndentation(str) { let i = 0; while (i < str.length && (str.charCodeAt(i) === 32 /* CharCode.Space */ || str.charCodeAt(i) === 9 /* CharCode.Tab */)) { i++; } return i; } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/defaultLinesDiffComputer/defaultLinesDiffComputer.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ class DefaultLinesDiffComputer { constructor() { this.dynamicProgrammingDiffing = new DynamicProgrammingDiffing(); this.myersDiffingAlgorithm = new MyersDiffAlgorithm(); } computeDiff(originalLines, modifiedLines, options) { if (originalLines.length <= 1 && arrays_equals(originalLines, modifiedLines, (a, b) => a === b)) { return new LinesDiff([], [], false); } if (originalLines.length === 1 && originalLines[0].length === 0 || modifiedLines.length === 1 && modifiedLines[0].length === 0) { return new LinesDiff([ new DetailedLineRangeMapping(new LineRange(1, originalLines.length + 1), new LineRange(1, modifiedLines.length + 1), [ new RangeMapping(new range_Range(1, 1, originalLines.length, originalLines[0].length + 1), new range_Range(1, 1, modifiedLines.length, modifiedLines[0].length + 1)) ]) ], [], false); } const timeout = options.maxComputationTimeMs === 0 ? InfiniteTimeout.instance : new DateTimeout(options.maxComputationTimeMs); const considerWhitespaceChanges = !options.ignoreTrimWhitespace; const perfectHashes = new Map(); function getOrCreateHash(text) { let hash = perfectHashes.get(text); if (hash === undefined) { hash = perfectHashes.size; perfectHashes.set(text, hash); } return hash; } const originalLinesHashes = originalLines.map((l) => getOrCreateHash(l.trim())); const modifiedLinesHashes = modifiedLines.map((l) => getOrCreateHash(l.trim())); const sequence1 = new lineSequence_LineSequence(originalLinesHashes, originalLines); const sequence2 = new lineSequence_LineSequence(modifiedLinesHashes, modifiedLines); const lineAlignmentResult = (() => { if (sequence1.length + sequence2.length < 1700) { // Use the improved algorithm for small files return this.dynamicProgrammingDiffing.compute(sequence1, sequence2, timeout, (offset1, offset2) => originalLines[offset1] === modifiedLines[offset2] ? modifiedLines[offset2].length === 0 ? 0.1 : 1 + Math.log(1 + modifiedLines[offset2].length) : 0.99); } return this.myersDiffingAlgorithm.compute(sequence1, sequence2); })(); let lineAlignments = lineAlignmentResult.diffs; let hitTimeout = lineAlignmentResult.hitTimeout; lineAlignments = optimizeSequenceDiffs(sequence1, sequence2, lineAlignments); lineAlignments = removeVeryShortMatchingLinesBetweenDiffs(sequence1, sequence2, lineAlignments); const alignments = []; const scanForWhitespaceChanges = (equalLinesCount) => { if (!considerWhitespaceChanges) { return; } for (let i = 0; i < equalLinesCount; i++) { const seq1Offset = seq1LastStart + i; const seq2Offset = seq2LastStart + i; if (originalLines[seq1Offset] !== modifiedLines[seq2Offset]) { // This is because of whitespace changes, diff these lines const characterDiffs = this.refineDiff(originalLines, modifiedLines, new SequenceDiff(new OffsetRange(seq1Offset, seq1Offset + 1), new OffsetRange(seq2Offset, seq2Offset + 1)), timeout, considerWhitespaceChanges); for (const a of characterDiffs.mappings) { alignments.push(a); } if (characterDiffs.hitTimeout) { hitTimeout = true; } } } }; let seq1LastStart = 0; let seq2LastStart = 0; for (const diff of lineAlignments) { assertFn(() => diff.seq1Range.start - seq1LastStart === diff.seq2Range.start - seq2LastStart); const equalLinesCount = diff.seq1Range.start - seq1LastStart; scanForWhitespaceChanges(equalLinesCount); seq1LastStart = diff.seq1Range.endExclusive; seq2LastStart = diff.seq2Range.endExclusive; const characterDiffs = this.refineDiff(originalLines, modifiedLines, diff, timeout, considerWhitespaceChanges); if (characterDiffs.hitTimeout) { hitTimeout = true; } for (const a of characterDiffs.mappings) { alignments.push(a); } } scanForWhitespaceChanges(originalLines.length - seq1LastStart); const changes = lineRangeMappingFromRangeMappings(alignments, originalLines, modifiedLines); let moves = []; if (options.computeMoves) { moves = this.computeMoves(changes, originalLines, modifiedLines, originalLinesHashes, modifiedLinesHashes, timeout, considerWhitespaceChanges); } // Make sure all ranges are valid assertFn(() => { function validatePosition(pos, lines) { if (pos.lineNumber < 1 || pos.lineNumber > lines.length) { return false; } const line = lines[pos.lineNumber - 1]; if (pos.column < 1 || pos.column > line.length + 1) { return false; } return true; } function validateRange(range, lines) { if (range.startLineNumber < 1 || range.startLineNumber > lines.length + 1) { return false; } if (range.endLineNumberExclusive < 1 || range.endLineNumberExclusive > lines.length + 1) { return false; } return true; } for (const c of changes) { if (!c.innerChanges) { return false; } for (const ic of c.innerChanges) { const valid = validatePosition(ic.modifiedRange.getStartPosition(), modifiedLines) && validatePosition(ic.modifiedRange.getEndPosition(), modifiedLines) && validatePosition(ic.originalRange.getStartPosition(), originalLines) && validatePosition(ic.originalRange.getEndPosition(), originalLines); if (!valid) { return false; } } if (!validateRange(c.modified, modifiedLines) || !validateRange(c.original, originalLines)) { return false; } } return true; }); return new LinesDiff(changes, moves, hitTimeout); } computeMoves(changes, originalLines, modifiedLines, hashedOriginalLines, hashedModifiedLines, timeout, considerWhitespaceChanges) { const moves = computeMovedLines(changes, originalLines, modifiedLines, hashedOriginalLines, hashedModifiedLines, timeout); const movesWithDiffs = moves.map(m => { const moveChanges = this.refineDiff(originalLines, modifiedLines, new SequenceDiff(m.original.toOffsetRange(), m.modified.toOffsetRange()), timeout, considerWhitespaceChanges); const mappings = lineRangeMappingFromRangeMappings(moveChanges.mappings, originalLines, modifiedLines, true); return new MovedText(m, mappings); }); return movesWithDiffs; } refineDiff(originalLines, modifiedLines, diff, timeout, considerWhitespaceChanges) { const slice1 = new LinesSliceCharSequence(originalLines, diff.seq1Range, considerWhitespaceChanges); const slice2 = new LinesSliceCharSequence(modifiedLines, diff.seq2Range, considerWhitespaceChanges); const diffResult = slice1.length + slice2.length < 500 ? this.dynamicProgrammingDiffing.compute(slice1, slice2, timeout) : this.myersDiffingAlgorithm.compute(slice1, slice2, timeout); let diffs = diffResult.diffs; diffs = optimizeSequenceDiffs(slice1, slice2, diffs); diffs = extendDiffsToEntireWordIfAppropriate(slice1, slice2, diffs); diffs = removeShortMatches(slice1, slice2, diffs); diffs = removeVeryShortMatchingTextBetweenLongDiffs(slice1, slice2, diffs); const result = diffs.map((d) => new RangeMapping(slice1.translateRange(d.seq1Range), slice2.translateRange(d.seq2Range))); // Assert: result applied on original should be the same as diff applied to original return { mappings: result, hitTimeout: diffResult.hitTimeout, }; } } function lineRangeMappingFromRangeMappings(alignments, originalLines, modifiedLines, dontAssertStartLine = false) { const changes = []; for (const g of groupAdjacentBy(alignments.map(a => getLineRangeMapping(a, originalLines, modifiedLines)), (a1, a2) => a1.original.overlapOrTouch(a2.original) || a1.modified.overlapOrTouch(a2.modified))) { const first = g[0]; const last = g[g.length - 1]; changes.push(new DetailedLineRangeMapping(first.original.join(last.original), first.modified.join(last.modified), g.map(a => a.innerChanges[0]))); } assertFn(() => { if (!dontAssertStartLine) { if (changes.length > 0 && changes[0].original.startLineNumber !== changes[0].modified.startLineNumber) { return false; } } return checkAdjacentItems(changes, (m1, m2) => m2.original.startLineNumber - m1.original.endLineNumberExclusive === m2.modified.startLineNumber - m1.modified.endLineNumberExclusive && // There has to be an unchanged line in between (otherwise both diffs should have been joined) m1.original.endLineNumberExclusive < m2.original.startLineNumber && m1.modified.endLineNumberExclusive < m2.modified.startLineNumber); }); return changes; } function getLineRangeMapping(rangeMapping, originalLines, modifiedLines) { let lineStartDelta = 0; let lineEndDelta = 0; // rangeMapping describes the edit that replaces `rangeMapping.originalRange` with `newText := getText(modifiedLines, rangeMapping.modifiedRange)`. // original: ]xxx <- this line is not modified // modified: ]xx if (rangeMapping.modifiedRange.endColumn === 1 && rangeMapping.originalRange.endColumn === 1 && rangeMapping.originalRange.startLineNumber + lineStartDelta <= rangeMapping.originalRange.endLineNumber && rangeMapping.modifiedRange.startLineNumber + lineStartDelta <= rangeMapping.modifiedRange.endLineNumber) { // We can only do this if the range is not empty yet lineEndDelta = -1; } // original: xxx[ <- this line is not modified // modified: xxx[ if (rangeMapping.modifiedRange.startColumn - 1 >= modifiedLines[rangeMapping.modifiedRange.startLineNumber - 1].length && rangeMapping.originalRange.startColumn - 1 >= originalLines[rangeMapping.originalRange.startLineNumber - 1].length && rangeMapping.originalRange.startLineNumber <= rangeMapping.originalRange.endLineNumber + lineEndDelta && rangeMapping.modifiedRange.startLineNumber <= rangeMapping.modifiedRange.endLineNumber + lineEndDelta) { // We can only do this if the range is not empty yet lineStartDelta = 1; } const originalLineRange = new LineRange(rangeMapping.originalRange.startLineNumber + lineStartDelta, rangeMapping.originalRange.endLineNumber + 1 + lineEndDelta); const modifiedLineRange = new LineRange(rangeMapping.modifiedRange.startLineNumber + lineStartDelta, rangeMapping.modifiedRange.endLineNumber + 1 + lineEndDelta); return new DetailedLineRangeMapping(originalLineRange, modifiedLineRange, [rangeMapping]); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/diff/linesDiffComputers.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ const linesDiffComputers = { getLegacy: () => new LegacyLinesDiffComputer(), getDefault: () => new DefaultLinesDiffComputer(), }; ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/base/common/color.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function roundFloat(number, decimalPoints) { const decimal = Math.pow(10, decimalPoints); return Math.round(number * decimal) / decimal; } class RGBA { constructor(r, g, b, a = 1) { this._rgbaBrand = undefined; this.r = Math.min(255, Math.max(0, r)) | 0; this.g = Math.min(255, Math.max(0, g)) | 0; this.b = Math.min(255, Math.max(0, b)) | 0; this.a = roundFloat(Math.max(Math.min(1, a), 0), 3); } static equals(a, b) { return a.r === b.r && a.g === b.g && a.b === b.b && a.a === b.a; } } class HSLA { constructor(h, s, l, a) { this._hslaBrand = undefined; this.h = Math.max(Math.min(360, h), 0) | 0; this.s = roundFloat(Math.max(Math.min(1, s), 0), 3); this.l = roundFloat(Math.max(Math.min(1, l), 0), 3); this.a = roundFloat(Math.max(Math.min(1, a), 0), 3); } static equals(a, b) { return a.h === b.h && a.s === b.s && a.l === b.l && a.a === b.a; } /** * Converts an RGB color value to HSL. Conversion formula * adapted from http://en.wikipedia.org/wiki/HSL_color_space. * Assumes r, g, and b are contained in the set [0, 255] and * returns h in the set [0, 360], s, and l in the set [0, 1]. */ static fromRGBA(rgba) { const r = rgba.r / 255; const g = rgba.g / 255; const b = rgba.b / 255; const a = rgba.a; const max = Math.max(r, g, b); const min = Math.min(r, g, b); let h = 0; let s = 0; const l = (min + max) / 2; const chroma = max - min; if (chroma > 0) { s = Math.min((l <= 0.5 ? chroma / (2 * l) : chroma / (2 - (2 * l))), 1); switch (max) { case r: h = (g - b) / chroma + (g < b ? 6 : 0); break; case g: h = (b - r) / chroma + 2; break; case b: h = (r - g) / chroma + 4; break; } h *= 60; h = Math.round(h); } return new HSLA(h, s, l, a); } static _hue2rgb(p, q, t) { if (t < 0) { t += 1; } if (t > 1) { t -= 1; } if (t < 1 / 6) { return p + (q - p) * 6 * t; } if (t < 1 / 2) { return q; } if (t < 2 / 3) { return p + (q - p) * (2 / 3 - t) * 6; } return p; } /** * Converts an HSL color value to RGB. Conversion formula * adapted from http://en.wikipedia.org/wiki/HSL_color_space. * Assumes h in the set [0, 360] s, and l are contained in the set [0, 1] and * returns r, g, and b in the set [0, 255]. */ static toRGBA(hsla) { const h = hsla.h / 360; const { s, l, a } = hsla; let r, g, b; if (s === 0) { r = g = b = l; // achromatic } else { const q = l < 0.5 ? l * (1 + s) : l + s - l * s; const p = 2 * l - q; r = HSLA._hue2rgb(p, q, h + 1 / 3); g = HSLA._hue2rgb(p, q, h); b = HSLA._hue2rgb(p, q, h - 1 / 3); } return new RGBA(Math.round(r * 255), Math.round(g * 255), Math.round(b * 255), a); } } class HSVA { constructor(h, s, v, a) { this._hsvaBrand = undefined; this.h = Math.max(Math.min(360, h), 0) | 0; this.s = roundFloat(Math.max(Math.min(1, s), 0), 3); this.v = roundFloat(Math.max(Math.min(1, v), 0), 3); this.a = roundFloat(Math.max(Math.min(1, a), 0), 3); } static equals(a, b) { return a.h === b.h && a.s === b.s && a.v === b.v && a.a === b.a; } // from http://www.rapidtables.com/convert/color/rgb-to-hsv.htm static fromRGBA(rgba) { const r = rgba.r / 255; const g = rgba.g / 255; const b = rgba.b / 255; const cmax = Math.max(r, g, b); const cmin = Math.min(r, g, b); const delta = cmax - cmin; const s = cmax === 0 ? 0 : (delta / cmax); let m; if (delta === 0) { m = 0; } else if (cmax === r) { m = ((((g - b) / delta) % 6) + 6) % 6; } else if (cmax === g) { m = ((b - r) / delta) + 2; } else { m = ((r - g) / delta) + 4; } return new HSVA(Math.round(m * 60), s, cmax, rgba.a); } // from http://www.rapidtables.com/convert/color/hsv-to-rgb.htm static toRGBA(hsva) { const { h, s, v, a } = hsva; const c = v * s; const x = c * (1 - Math.abs((h / 60) % 2 - 1)); const m = v - c; let [r, g, b] = [0, 0, 0]; if (h < 60) { r = c; g = x; } else if (h < 120) { r = x; g = c; } else if (h < 180) { g = c; b = x; } else if (h < 240) { g = x; b = c; } else if (h < 300) { r = x; b = c; } else if (h <= 360) { r = c; b = x; } r = Math.round((r + m) * 255); g = Math.round((g + m) * 255); b = Math.round((b + m) * 255); return new RGBA(r, g, b, a); } } class Color { static fromHex(hex) { return Color.Format.CSS.parseHex(hex) || Color.red; } static equals(a, b) { if (!a && !b) { return true; } if (!a || !b) { return false; } return a.equals(b); } get hsla() { if (this._hsla) { return this._hsla; } else { return HSLA.fromRGBA(this.rgba); } } get hsva() { if (this._hsva) { return this._hsva; } return HSVA.fromRGBA(this.rgba); } constructor(arg) { if (!arg) { throw new Error("Color needs a value"); } else if (arg instanceof RGBA) { this.rgba = arg; } else if (arg instanceof HSLA) { this._hsla = arg; this.rgba = HSLA.toRGBA(arg); } else if (arg instanceof HSVA) { this._hsva = arg; this.rgba = HSVA.toRGBA(arg); } else { throw new Error("Invalid color ctor argument"); } } equals(other) { return !!other && RGBA.equals(this.rgba, other.rgba) && HSLA.equals(this.hsla, other.hsla) && HSVA.equals(this.hsva, other.hsva); } /** * http://www.w3.org/TR/WCAG20/#relativeluminancedef * Returns the number in the set [0, 1]. O => Darkest Black. 1 => Lightest white. */ getRelativeLuminance() { const R = Color._relativeLuminanceForComponent(this.rgba.r); const G = Color._relativeLuminanceForComponent(this.rgba.g); const B = Color._relativeLuminanceForComponent(this.rgba.b); const luminance = 0.2126 * R + 0.7152 * G + 0.0722 * B; return roundFloat(luminance, 4); } static _relativeLuminanceForComponent(color) { const c = color / 255; return (c <= 0.03928) ? c / 12.92 : Math.pow(((c + 0.055) / 1.055), 2.4); } /** * http://24ways.org/2010/calculating-color-contrast * Return "true" if lighter color otherwise "false" */ isLighter() { const yiq = (this.rgba.r * 299 + this.rgba.g * 587 + this.rgba.b * 114) / 1000; return yiq >= 128; } isLighterThan(another) { const lum1 = this.getRelativeLuminance(); const lum2 = another.getRelativeLuminance(); return lum1 > lum2; } isDarkerThan(another) { const lum1 = this.getRelativeLuminance(); const lum2 = another.getRelativeLuminance(); return lum1 < lum2; } lighten(factor) { return new Color(new HSLA(this.hsla.h, this.hsla.s, this.hsla.l + this.hsla.l * factor, this.hsla.a)); } darken(factor) { return new Color(new HSLA(this.hsla.h, this.hsla.s, this.hsla.l - this.hsla.l * factor, this.hsla.a)); } transparent(factor) { const { r, g, b, a } = this.rgba; return new Color(new RGBA(r, g, b, a * factor)); } isTransparent() { return this.rgba.a === 0; } isOpaque() { return this.rgba.a === 1; } opposite() { return new Color(new RGBA(255 - this.rgba.r, 255 - this.rgba.g, 255 - this.rgba.b, this.rgba.a)); } makeOpaque(opaqueBackground) { if (this.isOpaque() || opaqueBackground.rgba.a !== 1) { // only allow to blend onto a non-opaque color onto a opaque color return this; } const { r, g, b, a } = this.rgba; // https://stackoverflow.com/questions/12228548/finding-equivalent-color-with-opacity return new Color(new RGBA(opaqueBackground.rgba.r - a * (opaqueBackground.rgba.r - r), opaqueBackground.rgba.g - a * (opaqueBackground.rgba.g - g), opaqueBackground.rgba.b - a * (opaqueBackground.rgba.b - b), 1)); } toString() { if (!this._toString) { this._toString = Color.Format.CSS.format(this); } return this._toString; } static getLighterColor(of, relative, factor) { if (of.isLighterThan(relative)) { return of; } factor = factor ? factor : 0.5; const lum1 = of.getRelativeLuminance(); const lum2 = relative.getRelativeLuminance(); factor = factor * (lum2 - lum1) / lum2; return of.lighten(factor); } static getDarkerColor(of, relative, factor) { if (of.isDarkerThan(relative)) { return of; } factor = factor ? factor : 0.5; const lum1 = of.getRelativeLuminance(); const lum2 = relative.getRelativeLuminance(); factor = factor * (lum1 - lum2) / lum1; return of.darken(factor); } } Color.white = new Color(new RGBA(255, 255, 255, 1)); Color.black = new Color(new RGBA(0, 0, 0, 1)); Color.red = new Color(new RGBA(255, 0, 0, 1)); Color.blue = new Color(new RGBA(0, 0, 255, 1)); Color.green = new Color(new RGBA(0, 255, 0, 1)); Color.cyan = new Color(new RGBA(0, 255, 255, 1)); Color.lightgrey = new Color(new RGBA(211, 211, 211, 1)); Color.transparent = new Color(new RGBA(0, 0, 0, 0)); (function (Color) { let Format; (function (Format) { let CSS; (function (CSS) { function formatRGB(color) { if (color.rgba.a === 1) { return `rgb(${color.rgba.r}, ${color.rgba.g}, ${color.rgba.b})`; } return Color.Format.CSS.formatRGBA(color); } CSS.formatRGB = formatRGB; function formatRGBA(color) { return `rgba(${color.rgba.r}, ${color.rgba.g}, ${color.rgba.b}, ${+(color.rgba.a).toFixed(2)})`; } CSS.formatRGBA = formatRGBA; function formatHSL(color) { if (color.hsla.a === 1) { return `hsl(${color.hsla.h}, ${(color.hsla.s * 100).toFixed(2)}%, ${(color.hsla.l * 100).toFixed(2)}%)`; } return Color.Format.CSS.formatHSLA(color); } CSS.formatHSL = formatHSL; function formatHSLA(color) { return `hsla(${color.hsla.h}, ${(color.hsla.s * 100).toFixed(2)}%, ${(color.hsla.l * 100).toFixed(2)}%, ${color.hsla.a.toFixed(2)})`; } CSS.formatHSLA = formatHSLA; function _toTwoDigitHex(n) { const r = n.toString(16); return r.length !== 2 ? "0" + r : r; } /** * Formats the color as #RRGGBB */ function formatHex(color) { return `#${_toTwoDigitHex(color.rgba.r)}${_toTwoDigitHex(color.rgba.g)}${_toTwoDigitHex(color.rgba.b)}`; } CSS.formatHex = formatHex; /** * Formats the color as #RRGGBBAA * If "compact" is set, colors without transparancy will be printed as #RRGGBB */ function formatHexA(color, compact = false) { if (compact && color.rgba.a === 1) { return Color.Format.CSS.formatHex(color); } return `#${_toTwoDigitHex(color.rgba.r)}${_toTwoDigitHex(color.rgba.g)}${_toTwoDigitHex(color.rgba.b)}${_toTwoDigitHex(Math.round(color.rgba.a * 255))}`; } CSS.formatHexA = formatHexA; /** * The default format will use HEX if opaque and RGBA otherwise. */ function format(color) { if (color.isOpaque()) { return Color.Format.CSS.formatHex(color); } return Color.Format.CSS.formatRGBA(color); } CSS.format = format; /** * Converts an Hex color value to a Color. * returns r, g, and b are contained in the set [0, 255] * @param hex string (#RGB, #RGBA, #RRGGBB or #RRGGBBAA). */ function parseHex(hex) { const length = hex.length; if (length === 0) { // Invalid color return null; } if (hex.charCodeAt(0) !== 35 /* CharCode.Hash */) { // Does not begin with a # return null; } if (length === 7) { // #RRGGBB format const r = 16 * _parseHexDigit(hex.charCodeAt(1)) + _parseHexDigit(hex.charCodeAt(2)); const g = 16 * _parseHexDigit(hex.charCodeAt(3)) + _parseHexDigit(hex.charCodeAt(4)); const b = 16 * _parseHexDigit(hex.charCodeAt(5)) + _parseHexDigit(hex.charCodeAt(6)); return new Color(new RGBA(r, g, b, 1)); } if (length === 9) { // #RRGGBBAA format const r = 16 * _parseHexDigit(hex.charCodeAt(1)) + _parseHexDigit(hex.charCodeAt(2)); const g = 16 * _parseHexDigit(hex.charCodeAt(3)) + _parseHexDigit(hex.charCodeAt(4)); const b = 16 * _parseHexDigit(hex.charCodeAt(5)) + _parseHexDigit(hex.charCodeAt(6)); const a = 16 * _parseHexDigit(hex.charCodeAt(7)) + _parseHexDigit(hex.charCodeAt(8)); return new Color(new RGBA(r, g, b, a / 255)); } if (length === 4) { // #RGB format const r = _parseHexDigit(hex.charCodeAt(1)); const g = _parseHexDigit(hex.charCodeAt(2)); const b = _parseHexDigit(hex.charCodeAt(3)); return new Color(new RGBA(16 * r + r, 16 * g + g, 16 * b + b)); } if (length === 5) { // #RGBA format const r = _parseHexDigit(hex.charCodeAt(1)); const g = _parseHexDigit(hex.charCodeAt(2)); const b = _parseHexDigit(hex.charCodeAt(3)); const a = _parseHexDigit(hex.charCodeAt(4)); return new Color(new RGBA(16 * r + r, 16 * g + g, 16 * b + b, (16 * a + a) / 255)); } // Invalid color return null; } CSS.parseHex = parseHex; function _parseHexDigit(charCode) { switch (charCode) { case 48 /* CharCode.Digit0 */: return 0; case 49 /* CharCode.Digit1 */: return 1; case 50 /* CharCode.Digit2 */: return 2; case 51 /* CharCode.Digit3 */: return 3; case 52 /* CharCode.Digit4 */: return 4; case 53 /* CharCode.Digit5 */: return 5; case 54 /* CharCode.Digit6 */: return 6; case 55 /* CharCode.Digit7 */: return 7; case 56 /* CharCode.Digit8 */: return 8; case 57 /* CharCode.Digit9 */: return 9; case 97 /* CharCode.a */: return 10; case 65 /* CharCode.A */: return 10; case 98 /* CharCode.b */: return 11; case 66 /* CharCode.B */: return 11; case 99 /* CharCode.c */: return 12; case 67 /* CharCode.C */: return 12; case 100 /* CharCode.d */: return 13; case 68 /* CharCode.D */: return 13; case 101 /* CharCode.e */: return 14; case 69 /* CharCode.E */: return 14; case 102 /* CharCode.f */: return 15; case 70 /* CharCode.F */: return 15; } return 0; } })(CSS = Format.CSS || (Format.CSS = {})); })(Format = Color.Format || (Color.Format = {})); })(Color || (Color = {})); ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/languages/defaultDocumentColorsComputer.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ function _parseCaptureGroups(captureGroups) { const values = []; for (const captureGroup of captureGroups) { const parsedNumber = Number(captureGroup); if (parsedNumber || parsedNumber === 0 && captureGroup.replace(/s/g, "") !== "") { values.push(parsedNumber); } } return values; } function _toIColor(r, g, b, a) { return { red: r / 255, blue: b / 255, green: g / 255, alpha: a }; } function _findRange(model, match) { const index = match.index; const length = match[0].length; if (!index) { return; } const startPosition = model.positionAt(index); const range = { startLineNumber: startPosition.lineNumber, startColumn: startPosition.column, endLineNumber: startPosition.lineNumber, endColumn: startPosition.column + length }; return range; } function _findHexColorInformation(range, hexValue) { if (!range) { return; } const parsedHexColor = Color.Format.CSS.parseHex(hexValue); if (!parsedHexColor) { return; } return { range: range, color: _toIColor(parsedHexColor.rgba.r, parsedHexColor.rgba.g, parsedHexColor.rgba.b, parsedHexColor.rgba.a) }; } function _findRGBColorInformation(range, matches, isAlpha) { if (!range || matches.length !== 1) { return; } const match = matches[0]; const captureGroups = match.values(); const parsedRegex = _parseCaptureGroups(captureGroups); return { range: range, color: _toIColor(parsedRegex[0], parsedRegex[1], parsedRegex[2], isAlpha ? parsedRegex[3] : 1) }; } function _findHSLColorInformation(range, matches, isAlpha) { if (!range || matches.length !== 1) { return; } const match = matches[0]; const captureGroups = match.values(); const parsedRegex = _parseCaptureGroups(captureGroups); const colorEquivalent = new Color(new HSLA(parsedRegex[0], parsedRegex[1] / 100, parsedRegex[2] / 100, isAlpha ? parsedRegex[3] : 1)); return { range: range, color: _toIColor(colorEquivalent.rgba.r, colorEquivalent.rgba.g, colorEquivalent.rgba.b, colorEquivalent.rgba.a) }; } function _findMatches(model, regex) { if (typeof model === "string") { return [...model.matchAll(regex)]; } else { return model.findMatches(regex); } } function computeColors(model) { const result = []; // Early validation for RGB and HSL const initialValidationRegex = /(rgb|rgba|hsl|hsla)(([0-9s,.\%]*))|(#)([A-Fa-f0-9]{3})|(#)([A-Fa-f0-9]{4})|(#)([A-Fa-f0-9]{6})|(#)([A-Fa-f0-9]{8})/gm; const initialValidationMatches = _findMatches(model, initialValidationRegex); // Potential colors have been found, validate the parameters if (initialValidationMatches.length > 0) { for (const initialMatch of initialValidationMatches) { const initialCaptureGroups = initialMatch.filter(captureGroup => captureGroup !== undefined); const colorScheme = initialCaptureGroups[1]; const colorParameters = initialCaptureGroups[2]; if (!colorParameters) { continue; } let colorInformation; if (colorScheme === "rgb") { const regexParameters = /^(s*(25[0-5]|2[0-4][0-9]|1[0-9]{2}|[1-9][0-9]|[0-9])s*,s*(25[0-5]|2[0-4][0-9]|1[0-9]{2}|[1-9][0-9]|[0-9])s*,s*(25[0-5]|2[0-4][0-9]|1[0-9]{2}|[1-9][0-9]|[0-9])s*)$/gm; colorInformation = _findRGBColorInformation(_findRange(model, initialMatch), _findMatches(colorParameters, regexParameters), false); } else if (colorScheme === "rgba") { const regexParameters = /^(s*(25[0-5]|2[0-4][0-9]|1[0-9]{2}|[1-9][0-9]|[0-9])s*,s*(25[0-5]|2[0-4][0-9]|1[0-9]{2}|[1-9][0-9]|[0-9])s*,s*(25[0-5]|2[0-4][0-9]|1[0-9]{2}|[1-9][0-9]|[0-9])s*,s*(0[.][0-9]+|[.][0-9]+|[01][.]|[01])s*)$/gm; colorInformation = _findRGBColorInformation(_findRange(model, initialMatch), _findMatches(colorParameters, regexParameters), true); } else if (colorScheme === "hsl") { const regexParameters = /^(s*(36[0]|3[0-5][0-9]|[12][0-9][0-9]|[1-9]?[0-9])s*,s*(100|d{1,2}[.]d*|d{1,2})%s*,s*(100|d{1,2}[.]d*|d{1,2})%s*)$/gm; colorInformation = _findHSLColorInformation(_findRange(model, initialMatch), _findMatches(colorParameters, regexParameters), false); } else if (colorScheme === "hsla") { const regexParameters = /^(s*(36[0]|3[0-5][0-9]|[12][0-9][0-9]|[1-9]?[0-9])s*,s*(100|d{1,2}[.]d*|d{1,2})%s*,s*(100|d{1,2}[.]d*|d{1,2})%s*,s*(0[.][0-9]+|[.][0-9]+|[01][.]|[01])s*)$/gm; colorInformation = _findHSLColorInformation(_findRange(model, initialMatch), _findMatches(colorParameters, regexParameters), true); } else if (colorScheme === "#") { colorInformation = _findHexColorInformation(_findRange(model, initialMatch), colorScheme + colorParameters); } if (colorInformation) { result.push(colorInformation); } } } return result; } /** * Returns an array of all default document colors in the provided document */ function computeDefaultDocumentColors(model) { if (!model || typeof model.getValue !== "function" || typeof model.positionAt !== "function") { // Unknown caller! return []; } return computeColors(model); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/common/services/editorSimpleWorker.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ /** * @internal */ class MirrorModel extends MirrorTextModel { get uri() { return this._uri; } get eol() { return this._eol; } getValue() { return this.getText(); } findMatches(regex) { const matches = []; for (let i = 0; i < this._lines.length; i++) { const line = this._lines[i]; const offsetToAdd = this.offsetAt(new position_Position(i + 1, 1)); const iteratorOverMatches = line.matchAll(regex); for (const match of iteratorOverMatches) { if (match.index || match.index === 0) { match.index = match.index + offsetToAdd; } matches.push(match); } } return matches; } getLinesContent() { return this._lines.slice(0); } getLineCount() { return this._lines.length; } getLineContent(lineNumber) { return this._lines[lineNumber - 1]; } getWordAtPosition(position, wordDefinition) { const wordAtText = getWordAtText(position.column, ensureValidWordDefinition(wordDefinition), this._lines[position.lineNumber - 1], 0); if (wordAtText) { return new range_Range(position.lineNumber, wordAtText.startColumn, position.lineNumber, wordAtText.endColumn); } return null; } words(wordDefinition) { const lines = this._lines; const wordenize = this._wordenize.bind(this); let lineNumber = 0; let lineText = ""; let wordRangesIdx = 0; let wordRanges = []; return { *[Symbol.iterator]() { while (true) { if (wordRangesIdx < wordRanges.length) { const value = lineText.substring(wordRanges[wordRangesIdx].start, wordRanges[wordRangesIdx].end); wordRangesIdx += 1; yield value; } else { if (lineNumber < lines.length) { lineText = lines[lineNumber]; wordRanges = wordenize(lineText, wordDefinition); wordRangesIdx = 0; lineNumber += 1; } else { break; } } } } }; } getLineWords(lineNumber, wordDefinition) { const content = this._lines[lineNumber - 1]; const ranges = this._wordenize(content, wordDefinition); const words = []; for (const range of ranges) { words.push({ word: content.substring(range.start, range.end), startColumn: range.start + 1, endColumn: range.end + 1 }); } return words; } _wordenize(content, wordDefinition) { const result = []; let match; wordDefinition.lastIndex = 0; // reset lastIndex just to be sure while (match = wordDefinition.exec(content)) { if (match[0].length === 0) { // it did match the empty string break; } result.push({ start: match.index, end: match.index + match[0].length }); } return result; } getValueInRange(range) { range = this._validateRange(range); if (range.startLineNumber === range.endLineNumber) { return this._lines[range.startLineNumber - 1].substring(range.startColumn - 1, range.endColumn - 1); } const lineEnding = this._eol; const startLineIndex = range.startLineNumber - 1; const endLineIndex = range.endLineNumber - 1; const resultLines = []; resultLines.push(this._lines[startLineIndex].substring(range.startColumn - 1)); for (let i = startLineIndex + 1; i < endLineIndex; i++) { resultLines.push(this._lines[i]); } resultLines.push(this._lines[endLineIndex].substring(0, range.endColumn - 1)); return resultLines.join(lineEnding); } offsetAt(position) { position = this._validatePosition(position); this._ensureLineStarts(); return this._lineStarts.getPrefixSum(position.lineNumber - 2) + (position.column - 1); } positionAt(offset) { offset = Math.floor(offset); offset = Math.max(0, offset); this._ensureLineStarts(); const out = this._lineStarts.getIndexOf(offset); const lineLength = this._lines[out.index].length; // Ensure we return a valid position return { lineNumber: 1 + out.index, column: 1 + Math.min(out.remainder, lineLength) }; } _validateRange(range) { const start = this._validatePosition({ lineNumber: range.startLineNumber, column: range.startColumn }); const end = this._validatePosition({ lineNumber: range.endLineNumber, column: range.endColumn }); if (start.lineNumber !== range.startLineNumber || start.column !== range.startColumn || end.lineNumber !== range.endLineNumber || end.column !== range.endColumn) { return { startLineNumber: start.lineNumber, startColumn: start.column, endLineNumber: end.lineNumber, endColumn: end.column }; } return range; } _validatePosition(position) { if (!position_Position.isIPosition(position)) { throw new Error("bad position"); } let { lineNumber, column } = position; let hasChanged = false; if (lineNumber < 1) { lineNumber = 1; column = 1; hasChanged = true; } else if (lineNumber > this._lines.length) { lineNumber = this._lines.length; column = this._lines[lineNumber - 1].length + 1; hasChanged = true; } else { const maxCharacter = this._lines[lineNumber - 1].length + 1; if (column < 1) { column = 1; hasChanged = true; } else if (column > maxCharacter) { column = maxCharacter; hasChanged = true; } } if (!hasChanged) { return position; } else { return { lineNumber, column }; } } } /** * @internal */ class EditorSimpleWorker { constructor(host, foreignModuleFactory) { this._host = host; this._models = Object.create(null); this._foreignModuleFactory = foreignModuleFactory; this._foreignModule = null; } dispose() { this._models = Object.create(null); } _getModel(uri) { return this._models[uri]; } _getModels() { const all = []; Object.keys(this._models).forEach((key) => all.push(this._models[key])); return all; } acceptNewModel(data) { this._models[data.url] = new MirrorModel(uri_URI.parse(data.url), data.lines, data.EOL, data.versionId); } acceptModelChanged(strURL, e) { if (!this._models[strURL]) { return; } const model = this._models[strURL]; model.onEvents(e); } acceptRemovedModel(strURL) { if (!this._models[strURL]) { return; } delete this._models[strURL]; } async computeUnicodeHighlights(url, options, range) { const model = this._getModel(url); if (!model) { return { ranges: [], hasMore: false, ambiguousCharacterCount: 0, invisibleCharacterCount: 0, nonBasicAsciiCharacterCount: 0 }; } return UnicodeTextModelHighlighter.computeUnicodeHighlights(model, options, range); } // ---- BEGIN diff -------------------------------------------------------------------------- async computeDiff(originalUrl, modifiedUrl, options, algorithm) { const original = this._getModel(originalUrl); const modified = this._getModel(modifiedUrl); if (!original || !modified) { return null; } return EditorSimpleWorker.computeDiff(original, modified, options, algorithm); } static computeDiff(originalTextModel, modifiedTextModel, options, algorithm) { const diffAlgorithm = algorithm === "advanced" ? linesDiffComputers.getDefault() : linesDiffComputers.getLegacy(); const originalLines = originalTextModel.getLinesContent(); const modifiedLines = modifiedTextModel.getLinesContent(); const result = diffAlgorithm.computeDiff(originalLines, modifiedLines, options); const identical = (result.changes.length > 0 ? false : this._modelsAreIdentical(originalTextModel, modifiedTextModel)); function getLineChanges(changes) { return changes.map(m => { var _a; return ([m.original.startLineNumber, m.original.endLineNumberExclusive, m.modified.startLineNumber, m.modified.endLineNumberExclusive, (_a = m.innerChanges) === null || _a === void 0 ? void 0 : _a.map(m => [ m.originalRange.startLineNumber, m.originalRange.startColumn, m.originalRange.endLineNumber, m.originalRange.endColumn, m.modifiedRange.startLineNumber, m.modifiedRange.startColumn, m.modifiedRange.endLineNumber, m.modifiedRange.endColumn, ])]); }); } return { identical, quitEarly: result.hitTimeout, changes: getLineChanges(result.changes), moves: result.moves.map(m => ([ m.lineRangeMapping.original.startLineNumber, m.lineRangeMapping.original.endLineNumberExclusive, m.lineRangeMapping.modified.startLineNumber, m.lineRangeMapping.modified.endLineNumberExclusive, getLineChanges(m.changes) ])), }; } static _modelsAreIdentical(original, modified) { const originalLineCount = original.getLineCount(); const modifiedLineCount = modified.getLineCount(); if (originalLineCount !== modifiedLineCount) { return false; } for (let line = 1; line <= originalLineCount; line++) { const originalLine = original.getLineContent(line); const modifiedLine = modified.getLineContent(line); if (originalLine !== modifiedLine) { return false; } } return true; } async computeMoreMinimalEdits(modelUrl, edits, pretty) { const model = this._getModel(modelUrl); if (!model) { return edits; } const result = []; let lastEol = undefined; edits = edits.slice(0).sort((a, b) => { if (a.range && b.range) { return range_Range.compareRangesUsingStarts(a.range, b.range); } // eol only changes should go to the end const aRng = a.range ? 0 : 1; const bRng = b.range ? 0 : 1; return aRng - bRng; }); // merge adjacent edits let writeIndex = 0; for (let readIndex = 1; readIndex < edits.length; readIndex++) { if (range_Range.getEndPosition(edits[writeIndex].range).equals(range_Range.getStartPosition(edits[readIndex].range))) { edits[writeIndex].range = range_Range.fromPositions(range_Range.getStartPosition(edits[writeIndex].range), range_Range.getEndPosition(edits[readIndex].range)); edits[writeIndex].text += edits[readIndex].text; } else { writeIndex++; edits[writeIndex] = edits[readIndex]; } } edits.length = writeIndex + 1; for (let { range, text, eol } of edits) { if (typeof eol === "number") { lastEol = eol; } if (range_Range.isEmpty(range) && !text) { // empty change continue; } const original = model.getValueInRange(range); text = text.replace(/ | | /g, model.eol); if (original === text) { // noop continue; } // make sure diff won"t take too long if (Math.max(text.length, original.length) > EditorSimpleWorker._diffLimit) { result.push({ range, text }); continue; } // compute diff between original and edit.text const changes = stringDiff(original, text, pretty); const editOffset = model.offsetAt(range_Range.lift(range).getStartPosition()); for (const change of changes) { const start = model.positionAt(editOffset + change.originalStart); const end = model.positionAt(editOffset + change.originalStart + change.originalLength); const newEdit = { text: text.substr(change.modifiedStart, change.modifiedLength), range: { startLineNumber: start.lineNumber, startColumn: start.column, endLineNumber: end.lineNumber, endColumn: end.column } }; if (model.getValueInRange(newEdit.range) !== newEdit.text) { result.push(newEdit); } } } if (typeof lastEol === "number") { result.push({ eol: lastEol, text: "", range: { startLineNumber: 0, startColumn: 0, endLineNumber: 0, endColumn: 0 } }); } return result; } // ---- END minimal edits --------------------------------------------------------------- async computeLinks(modelUrl) { const model = this._getModel(modelUrl); if (!model) { return null; } return computeLinks(model); } // --- BEGIN default document colors ----------------------------------------------------------- async computeDefaultDocumentColors(modelUrl) { const model = this._getModel(modelUrl); if (!model) { return null; } return computeDefaultDocumentColors(model); } async textualSuggest(modelUrls, leadingWord, wordDef, wordDefFlags) { const sw = new StopWatch(); const wordDefRegExp = new RegExp(wordDef, wordDefFlags); const seen = new Set(); outer: for (const url of modelUrls) { const model = this._getModel(url); if (!model) { continue; } for (const word of model.words(wordDefRegExp)) { if (word === leadingWord || !isNaN(Number(word))) { continue; } seen.add(word); if (seen.size > EditorSimpleWorker._suggestionsLimit) { break outer; } } } return { words: Array.from(seen), duration: sw.elapsed() }; } // ---- END suggest -------------------------------------------------------------------------- //#region -- word ranges -- async computeWordRanges(modelUrl, range, wordDef, wordDefFlags) { const model = this._getModel(modelUrl); if (!model) { return Object.create(null); } const wordDefRegExp = new RegExp(wordDef, wordDefFlags); const result = Object.create(null); for (let line = range.startLineNumber; line < range.endLineNumber; line++) { const words = model.getLineWords(line, wordDefRegExp); for (const word of words) { if (!isNaN(Number(word.word))) { continue; } let array = result[word.word]; if (!array) { array = []; result[word.word] = array; } array.push({ startLineNumber: line, startColumn: word.startColumn, endLineNumber: line, endColumn: word.endColumn }); } } return result; } //#endregion async navigateValueSet(modelUrl, range, up, wordDef, wordDefFlags) { const model = this._getModel(modelUrl); if (!model) { return null; } const wordDefRegExp = new RegExp(wordDef, wordDefFlags); if (range.startColumn === range.endColumn) { range = { startLineNumber: range.startLineNumber, startColumn: range.startColumn, endLineNumber: range.endLineNumber, endColumn: range.endColumn + 1 }; } const selectionText = model.getValueInRange(range); const wordRange = model.getWordAtPosition({ lineNumber: range.startLineNumber, column: range.startColumn }, wordDefRegExp); if (!wordRange) { return null; } const word = model.getValueInRange(wordRange); const result = BasicInplaceReplace.INSTANCE.navigateValueSet(range, selectionText, wordRange, word, up); return result; } // ---- BEGIN foreign module support -------------------------------------------------------------------------- loadForeignModule(moduleId, createData, foreignHostMethods) { const proxyMethodRequest = (method, args) => { return this._host.fhr(method, args); }; const foreignHost = createProxyObject(foreignHostMethods, proxyMethodRequest); const ctx = { host: foreignHost, getMirrorModels: () => { return this._getModels(); } }; if (this._foreignModuleFactory) { this._foreignModule = this._foreignModuleFactory(ctx, createData); // static foreing module return Promise.resolve(getAllMethodNames(this._foreignModule)); } // ESM-comment-begin // return new Promise((resolve, reject) => { // require([moduleId], (foreignModule: { create: IForeignModuleFactory }) => { // this._foreignModule = foreignModule.create(ctx, createData); // // resolve(getAllMethodNames(this._foreignModule)); // // }, reject); // }); // ESM-comment-end // ESM-uncomment-begin return Promise.reject(new Error(`Unexpected usage`)); // ESM-uncomment-end } // foreign method request fmr(method, args) { if (!this._foreignModule || typeof this._foreignModule[method] !== "function") { return Promise.reject(new Error("Missing requestHandler or method: " + method)); } try { return Promise.resolve(this._foreignModule[method].apply(this._foreignModule, args)); } catch (e) { return Promise.reject(e); } } } // ---- END diff -------------------------------------------------------------------------- // ---- BEGIN minimal edits --------------------------------------------------------------- EditorSimpleWorker._diffLimit = 100000; // ---- BEGIN suggest -------------------------------------------------------------------------- EditorSimpleWorker._suggestionsLimit = 10000; /** * Called on the worker side * @internal */ function editorSimpleWorker_create(host) { return new EditorSimpleWorker(host, null); } if (typeof importScripts === "function") { // Running in a web worker globalThis.monaco = createMonacoBaseAPI(); } ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/editor/editor.worker.js /*--------------------------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT License. See License.txt in the project root for license information. *--------------------------------------------------------------------------------------------*/ let initialized = false; function initialize(foreignModule) { if (initialized) { return; } initialized = true; const simpleWorker = new SimpleWorkerServer((msg) => { globalThis.postMessage(msg); }, (host) => new EditorSimpleWorker(host, foreignModule)); globalThis.onmessage = (e) => { simpleWorker.onmessage(e.data); }; } globalThis.onmessage = (e) => { // Ignore first message in this case and initialize if not yet initialized if (!initialized) { initialize(null); } }; ;// CONCATENATED MODULE: ./node_modules/monaco-editor/esm/vs/language/typescript/ts.worker.js var ts_worker_filename = "/index.js"; var ts_worker_dirname = "/"; /*!----------------------------------------------------------------------------- * Copyright (c) Microsoft Corporation. All rights reserved. * Version: 0.45.0(5e5af013f8d295555a7210df0d5f2cea0bf5dd56) * Released under the MIT license * https://github.com/microsoft/monaco-editor/blob/main/LICENSE.txt *-----------------------------------------------------------------------------*/ var __defProp = Object.defineProperty; var __export = (target, all) => { for (var name in all) __defProp(target, name, { get: all[name], enumerable: true }); }; // src/language/typescript/ts.worker.ts // src/language/typescript/lib/typescriptServices.js var typescriptServices_exports = {}; __export(typescriptServices_exports, { EndOfLineState: () => EndOfLineState, IndentStyle: () => IndentStyle, ScriptKind: () => ScriptKind, ScriptTarget: () => ScriptTarget, TokenClass: () => TokenClass, createClassifier: () => createClassifier, createLanguageService: () => createLanguageService, displayPartsToString: () => displayPartsToString, flattenDiagnosticMessageText: () => flattenDiagnosticMessageText, typescript: () => typescript }); var require2 = void 0; var ts_worker_module = { exports: {} }; var ts = (() => { var __defProp2 = Object.defineProperty; var __getOwnPropNames = Object.getOwnPropertyNames; 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 __export2 = (target, all) => { for (var name in all) __defProp2(target, name, { get: all[name], enumerable: true }); }; var versionMajorMinor, version, Comparison; var init_corePublic = __esm({ "src/compiler/corePublic.ts"() { "use strict"; versionMajorMinor = "5.0"; version = "5.0.2"; Comparison = /* @__PURE__ */ ((Comparison3) => { Comparison3[Comparison3["LessThan"] = -1] = "LessThan"; Comparison3[Comparison3["EqualTo"] = 0] = "EqualTo"; Comparison3[Comparison3["GreaterThan"] = 1] = "GreaterThan"; return Comparison3; })(Comparison || {}); } }); 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 != null ? 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 != null ? 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 != null ? 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 != null ? 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 (isArray(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 (isArray(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 (isArray(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 || isArray(mapped)) { if (!result) { result = array.slice(0, i); } if (isArray(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, allowDuplicates) { if (array.length === 0) { array.push(insert); return true; } const insertIndex = binarySearch(array, insert, identity, compare); if (insertIndex < 0) { 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 detectSortCaseSensitivity(array, getString, compareStringsCaseSensitive2, compareStringsCaseInsensitive2) { let kind = 3; if (array.length < 2) return kind; let prevElement = getString(array[0]); for (let i = 1, len = array.length; i < len && kind !== 0; i++) { const element = getString(array[i]); if (kind & 1 && compareStringsCaseSensitive2(prevElement, element) > 0) { kind &= ~1; } if (kind & 2 && compareStringsCaseInsensitive2(prevElement, element) > 0) { kind &= ~2; } prevElement = element; } return kind; } 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); } loopA: for (const startA = offsetA; offsetA < arrayA.length; offsetA++) { if (offsetA > startA) { Debug.assertGreaterThanOrEqual(comparer(arrayA[offsetA], arrayA[offsetA - 1]), 0); } 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 (isArray(xs)) return isArray(ys) ? concatenate(xs, ys) : append(xs, ys); if (isArray(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; } 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; } function hasProperty(map2, key) { return hasOwnProperty.call(map2, key); } function getProperty(map2, key) { return hasOwnProperty.call(map2, key) ? map2[key] : void 0; } function getOwnKeys(map2) { const keys = []; for (const key in map2) { if (hasOwnProperty.call(map2, key)) { keys.push(key); } } return keys; } 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 (hasOwnProperty.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 (hasOwnProperty.call(left, key)) { if (!hasOwnProperty.call(right, key)) return false; if (!equalityComparer(left[key], right[key])) return false; } } for (const key in right) { if (hasOwnProperty.call(right, key)) { if (!hasOwnProperty.call(left, key)) return false; } } return true; } function arrayToMap(array, makeKey, makeValue = identity) { 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 = identity) { const result = []; for (const value of array) { result[makeKey(value)] = makeValue(value); } return result; } function arrayToMultiMap(values, makeKey, makeValue = identity) { const result = createMultiMap(); for (const value of values) { result.add(makeKey(value), makeValue(value)); } return result; } function group(values, getGroupId, resultSelector = identity) { return arrayFrom(arrayToMultiMap(values, getGroupId).values(), resultSelector); } function groupBy(values, keySelector) { var _a2; const result = {}; if (values) { for (const value of values) { const key = `${keySelector(value)}`; const array = (_a2 = result[key]) != null ? _a2 : result[key] = []; array.push(value); } } return result; } function clone(object) { const result = {}; for (const id in object) { if (hasOwnProperty.call(object, id)) { result[id] = object[id]; } } return result; } function extend(first2, second) { const result = {}; for (const id in second) { if (hasOwnProperty.call(second, id)) { result[id] = second[id]; } } for (const id in first2) { if (hasOwnProperty.call(first2, id)) { result[id] = first2[id]; } } return result; } function copyProperties(first2, second) { for (const id in second) { if (hasOwnProperty.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 createUnderscoreEscapedMultiMap() { return createMultiMap(); } function createQueue(items) { const elements = (items == null ? void 0 : items.slice()) || []; let headIndex = 0; function isEmpty() { return headIndex === elements.length; } function enqueue(...items2) { elements.push(...items2); } function dequeue() { if (isEmpty()) { 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(0, headIndex); elements.length = newLength; headIndex = 0; } return result; } return { enqueue, dequeue, isEmpty }; } function createSet(getHashCode, equals) { const multiMap = /* @__PURE__ */ new Map(); let size = 0; function* getElementIterator() { for (const value of multiMap.values()) { if (isArray(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 (!isArray(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 (isArray(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 (isArray(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 (isArray(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 isArray(value) { return Array.isArray(value); } function toArray(value) { return isArray(value) ? value : [value]; } function isString(text) { return typeof text === "string"; } function isNumber(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 noop(_) { } function returnFalse() { return false; } function returnTrue() { return true; } function returnUndefined() { return void 0; } function identity(x) { return x; } function toLowerCase(x) { return x.toLowerCase(); } 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; } } 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; } 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(previous[j] + 1, current[j - 1] + 1, 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) { const expectedPos = str.length - suffix.length; return expectedPos >= 0 && 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 stringContains(str, substring) { return str.indexOf(substring) !== -1; } 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(useCaseSensitiveFileNames) { return useCaseSensitiveFileNames ? identity : 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 startsWith(str, prefix) { return str.lastIndexOf(prefix, 0) === 0; } function removePrefix(str, prefix) { return startsWith(str, prefix) ? str.substr(prefix.length) : str; } function tryRemovePrefix(str, prefix, getCanonicalFileName = identity) { return startsWith(getCanonicalFileName(str), getCanonicalFileName(prefix)) ? str.substring(prefix.length) : void 0; } function isPatternMatch({ prefix, suffix }, candidate) { return candidate.length >= prefix.length + suffix.length && startsWith(candidate, prefix) && endsWith(candidate, suffix); } function and(f, g) { return (arg) => f(arg) && g(arg); } function or(...fs) { return (...args) => { let lastResult; for (const f of fs) { 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 || noop; 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, 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 padLeft(s, length2, padString = " ") { return length2 <= s.length ? s : padString.repeat(length2 - s.length) + s; } function padRight(s, length2, padString = " ") { return length2 <= s.length ? s : s + padString.repeat(length2 - s.length); } 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 trimEndImpl(s) { let end = s.length - 1; while (end >= 0) { if (!isWhiteSpaceLike(s.charCodeAt(end))) break; end--; } return s.slice(0, end + 1); } function isNodeLikeSystem() { return typeof process !== "undefined" && process.nextTick && !process.browser && typeof ts_worker_module === "object"; } var emptyArray, emptyMap, emptySet, SortKind, elementAt, hasOwnProperty, noopPush, fileNameLowerCaseRegExp, AssertionLevel, createUIStringComparer, uiComparerCaseSensitive, uiLocale, trimString, trimStringEnd, trimStringStart; var init_core = __esm({ "src/compiler/core.ts"() { "use strict"; init_ts2(); emptyArray = []; emptyMap = /* @__PURE__ */ new Map(); emptySet = /* @__PURE__ */ new Set(); SortKind = /* @__PURE__ */ ((SortKind2) => { SortKind2[SortKind2["None"] = 0] = "None"; SortKind2[SortKind2["CaseSensitive"] = 1] = "CaseSensitive"; SortKind2[SortKind2["CaseInsensitive"] = 2] = "CaseInsensitive"; SortKind2[SortKind2["Both"] = 3] = "Both"; return SortKind2; })(SortKind || {}); 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; }; hasOwnProperty = Object.prototype.hasOwnProperty; noopPush = { push: noop, length: 0 }; fileNameLowerCaseRegExp = /[^u0130u0131u00DFa-z0-9\/:-_. ]+/g; 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 || {}); createUIStringComparer = (() => { let defaultComparer; let enUSComparer; const stringComparerFactory = getStringComparerFactory(); return createStringComparer; 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" }).compare; return (a, b) => compareWithCallback(a, b, comparer); } function createLocaleCompareStringComparer(locale) { if (locale !== void 0) return createFallbackStringComparer(); return (a, b) => compareWithCallback(a, b, compareStrings); function compareStrings(a, b) { return a.localeCompare(b); } } function createFallbackStringComparer() { return (a, b) => compareWithCallback(a, b, compareDictionaryOrder); function compareDictionaryOrder(a, b) { return compareStrings(a.toUpperCase(), b.toUpperCase()) || compareStrings(a, b); } function compareStrings(a, b) { return a < b ? -1 : a > b ? 1 : 0; } } function getStringComparerFactory() { if (typeof Intl === "object" && typeof Intl.Collator === "function") { return createIntlCollatorStringComparer; } if (typeof String.prototype.localeCompare === "function" && typeof String.prototype.toLocaleUpperCase === "function" && "a".localeCompare("B") < 0) { return createLocaleCompareStringComparer; } return createFallbackStringComparer; } function createStringComparer(locale) { if (locale === void 0) { return defaultComparer || (defaultComparer = stringComparerFactory(locale)); } else if (locale === "en-US") { return enUSComparer || (enUSComparer = stringComparerFactory(locale)); } else { return stringComparerFactory(locale); } } })(); trimString = !!String.prototype.trim ? (s) => s.trim() : (s) => trimStringEnd(trimStringStart(s)); trimStringEnd = !!String.prototype.trimEnd ? (s) => s.trimEnd() : trimEndImpl; trimStringStart = !!String.prototype.trimStart ? (s) => s.trimStart() : (s) => s.replace(/^s+/g, ""); } }); var LogLevel, Debug; var init_debug = __esm({ "src/compiler/debug.ts"() { "use strict"; init_ts2(); init_ts2(); LogLevel = /* @__PURE__ */ ((LogLevel2) => { LogLevel2[LogLevel2["Off"] = 0] = "Off"; LogLevel2[LogLevel2["Error"] = 1] = "Error"; LogLevel2[LogLevel2["Warning"] = 2] = "Warning"; LogLevel2[LogLevel2["Info"] = 3] = "Info"; LogLevel2[LogLevel2["Verbose"] = 4] = "Verbose"; return LogLevel2; })(LogLevel || {}); ((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 error(s) { logMessage(1, s); } _log.error = error; 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] = noop; return false; } return true; } function fail(message, stackCrawlMark) { 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."} Node ${formatSyntaxKind(node.kind)} was unexpected.`, stackCrawlMark || failBadSyntaxKind); } Debug2.failBadSyntaxKind = failBadSyntaxKind; function assert(expression, message, verboseDebugInfo, stackCrawlMark) { if (!expression) { message = message ? `False expression: ${message}` : "False expression."; if (verboseDebugInfo) { message += " Verbose Debug Information: " + (typeof verboseDebugInfo === "string" ? verboseDebugInfo : verboseDebugInfo()); } fail(message, stackCrawlMark || assert); } } Debug2.assert = assert; 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")) { assert(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")) { assert(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")) { assert(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")) { assert(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")) { assert(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")) { assert(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 = /^functions+([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, false); } Debug2.formatSyntaxKind = formatSyntaxKind; function formatSnippetKind(kind) { return formatEnum(kind, SnippetKind, false); } Debug2.formatSnippetKind = formatSnippetKind; function formatNodeFlags(flags) { return formatEnum(flags, NodeFlags, true); } Debug2.formatNodeFlags = formatNodeFlags; function formatModifierFlags(flags) { return formatEnum(flags, ModifierFlags, true); } Debug2.formatModifierFlags = formatModifierFlags; function formatTransformFlags(flags) { return formatEnum(flags, TransformFlags, true); } Debug2.formatTransformFlags = formatTransformFlags; function formatEmitFlags(flags) { return formatEnum(flags, EmitFlags, true); } Debug2.formatEmitFlags = formatEmitFlags; function formatSymbolFlags(flags) { return formatEnum(flags, SymbolFlags, true); } Debug2.formatSymbolFlags = formatSymbolFlags; function formatTypeFlags(flags) { return formatEnum(flags, TypeFlags, true); } Debug2.formatTypeFlags = formatTypeFlags; function formatSignatureFlags(flags) { return formatEnum(flags, SignatureFlags, true); } Debug2.formatSignatureFlags = formatSignatureFlags; function formatObjectFlags(flags) { return formatEnum(flags, ObjectFlags, true); } Debug2.formatObjectFlags = formatObjectFlags; function formatFlowFlags(flags) { return formatEnum(flags, FlowFlags, true); } Debug2.formatFlowFlags = formatFlowFlags; function formatRelationComparisonResult(result) { return formatEnum(result, RelationComparisonResult, true); } Debug2.formatRelationComparisonResult = formatRelationComparisonResult; function formatCheckMode(mode) { return formatEnum(mode, CheckMode, true); } Debug2.formatCheckMode = formatCheckMode; function formatSignatureCheckMode(mode) { return formatEnum(mode, SignatureCheckMode, true); } Debug2.formatSignatureCheckMode = formatSignatureCheckMode; function formatTypeFacts(facts) { return formatEnum(facts, TypeFacts, true); } Debug2.formatTypeFacts = formatTypeFacts; let isDebugInfoEnabled = false; let flowNodeProto; function attachFlowNodeDebugInfoWorker(flowNode) { if (!("__debugFlowFlags" in flowNode)) { Object.defineProperties(flowNode, { __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, 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); } } } Debug2.attachFlowNodeDebugInfo = attachFlowNodeDebugInfo; let nodeArrayProto; function attachNodeArrayDebugInfoWorker(array) { if (!("__tsDebuggerDisplay" in array)) { Object.defineProperties(array, { __tsDebuggerDisplay: { value(defaultValue) { defaultValue = String(defaultValue).replace(/(?:,[swd_]+:[^,]+)+]$/, "]"); 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, { __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, { __tsDebuggerDisplay: { value() { const typeHeader = 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 & 67359327 ? `IntrinsicType ${this.intrinsicName}` : 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 _a2; return (_a2 = this.checker) == null ? void 0 : _a2.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, { __tsDebuggerDisplay: { value() { const nodeHeader = isGeneratedIdentifier(this) ? "GeneratedIdentifier" : isIdentifier(this) ? `Identifier "${idText(this)}"` : isPrivateIdentifier(this) ? `PrivateIdentifier "${idText(this)}"` : isStringLiteral(this) ? `StringLiteral ${JSON.stringify(this.text.length < 10 ? this.text : this.text.slice(10) + "...")}` : isNumericLiteral(this) ? `NumericLiteral ${this.text}` : isBigIntLiteral(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 _a2; type(this); switch (this.kind) { case 3: return ((_a2 = this.debugInfo) == null ? void 0 : _a2.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(" ").join(" ")} m2: ${this.mapper2.__debugToString().split(" ").join(" ")}`; 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(null); const nodes = []; const edges = []; const root = buildGraphNode(flowNode, /* @__PURE__ */ new Set()); for (const node of nodes) { node.text = renderFlowNode(node.flowNode, node.circular); computeLevel(node); } const height = computeHeight(root); const columnWidths = computeColumnWidths(height); computeLanes(root, 0); return renderGraph(); function isFlowSwitchClause(f) { return !!(f.flags & 128); } function hasAntecedents(f) { return !!(f.flags & 12) && !!f.antecedents; } 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.antecedents) { 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 getHeader(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, false); } function renderFlowNode(flowNode2, circular) { let text = getHeader(flowNode2.flags); if (circular) { text = `${text}#${getDebugFlowNodeId(flowNode2)}`; } if (hasNode(flowNode2)) { if (flowNode2.node) { text += ` (${getNodeText(flowNode2.node)})`; } } else if (isFlowSwitchClause(flowNode2)) { const clauses = []; for (let i = flowNode2.clauseStart; i < flowNode2.clauseEnd; i++) { const clause = flowNode2.switchStatement.caseBlock.clauses[i]; if (isDefaultClause(clause)) { clauses.push("default"); } else { clauses.push(getNodeText(clause.expression)); } } text += ` (${clauses.join(", ")})`; } 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(" ")} `; 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 = {})); } }); 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); } function parseRange(text) { const alternatives = []; for (let range of trimString(text).split(logicalOrRegExp)) { if (!range) continue; const comparators = []; range = trimString(range); 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(trimString(simple)); 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}`; } var versionRegExp, prereleaseRegExp, prereleasePartRegExp, buildRegExp, buildPartRegExp, numericIdentifierRegExp, _Version, Version, VersionRange, logicalOrRegExp, whitespaceRegExp, partialRegExp, hyphenRegExp, rangeRegExp; var init_semver = __esm({ "src/compiler/semver.ts"() { "use strict"; init_ts2(); versionRegExp = /^(0|[1-9]d*)(?:.(0|[1-9]d*)(?:.(0|[1-9]d*)(?:-([a-z0-9-.]+))?(?:+([a-z0-9-.]+))?)?)?$/i; prereleaseRegExp = /^(?:0|[1-9]d*|[a-z-][a-z0-9-]*)(?:.(?:0|[1-9]d*|[a-z-][a-z0-9-]*))*$/i; prereleasePartRegExp = /^(?:0|[1-9]d*|[a-z-][a-z0-9-]*)$/i; buildRegExp = /^[a-z0-9-]+(?:.[a-z0-9-]+)*$/i; buildPartRegExp = /^[a-z0-9-]+$/i; numericIdentifierRegExp = /^(0|[1-9]d*)$/; _Version = class { 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 ? isArray(prerelease) ? prerelease : prerelease.split(".") : emptyArray; const buildArray = build2 ? isArray(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 _Version(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 _Version(this.major + 1, 0, 0); case "minor": return new _Version(this.major, this.minor + 1, 0); case "patch": return new _Version(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 _Version(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 = _Version; Version.zero = new _Version(0, 0, 0, ["0"]); VersionRange = class { 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; } test(version2) { if (typeof version2 === "string") version2 = new Version(version2); return testDisjunction(version2, this._alternatives); } toString() { return formatDisjunction(this._alternatives); } }; logicalOrRegExp = /||/g; whitespaceRegExp = /s+/g; partialRegExp = /^([xX*0]|[1-9]d*)(?:.([xX*0]|[1-9]d*)(?:.([xX*0]|[1-9]d*)(?:-([a-z0-9-.]+))?(?:+([a-z0-9-.]+))?)?)?$/i; hyphenRegExp = /^s*([a-z0-9-+.*]+)s+-s+([a-z0-9-+.*]+)s*$/i; rangeRegExp = /^(~|^|<|<=|>|>=|=)?s*([a-z0-9-+.*]+)$/i; } }); function hasRequiredAPI(performance2, PerformanceObserver2) { return typeof performance2 === "object" && typeof performance2.timeOrigin === "number" && typeof performance2.mark === "function" && typeof performance2.measure === "function" && typeof performance2.now === "function" && typeof performance2.clearMarks === "function" && typeof performance2.clearMeasures === "function" && typeof PerformanceObserver2 === "function"; } function tryGetWebPerformanceHooks() { if (typeof performance === "object" && typeof PerformanceObserver === "function" && hasRequiredAPI(performance, PerformanceObserver)) { return { shouldWriteNativeEvents: true, performance, PerformanceObserver }; } } function tryGetNodePerformanceHooks() { if (isNodeLikeSystem()) { try { let performance2; const { performance: nodePerformance, PerformanceObserver: PerformanceObserver2 } = require2("perf_hooks"); if (hasRequiredAPI(nodePerformance, PerformanceObserver2)) { performance2 = nodePerformance; const version2 = new Version(process.versions.node); const range = new VersionRange("<12.16.3 || 13 <13.13"); if (range.test(version2)) { performance2 = { get timeOrigin() { return nodePerformance.timeOrigin; }, now() { return nodePerformance.now(); }, mark(name) { return nodePerformance.mark(name); }, measure(name, start = "nodeStart", end) { if (end === void 0) { end = "__performance.measure-fix__"; nodePerformance.mark(end); } nodePerformance.measure(name, start, end); if (end === "__performance.measure-fix__") { nodePerformance.clearMarks("__performance.measure-fix__"); } }, clearMarks(name) { return nodePerformance.clearMarks(name); }, clearMeasures(name) { return nodePerformance.clearMeasures(name); } }; } return { shouldWriteNativeEvents: false, performance: performance2, PerformanceObserver: PerformanceObserver2 }; } } catch (e) { } } } function tryGetNativePerformanceHooks() { return nativePerformanceHooks; } var nativePerformanceHooks, nativePerformance, timestamp; var init_performanceCore = __esm({ "src/compiler/performanceCore.ts"() { "use strict"; init_ts2(); nativePerformanceHooks = tryGetWebPerformanceHooks() || tryGetNodePerformanceHooks(); nativePerformance = nativePerformanceHooks == null ? void 0 : nativePerformanceHooks.performance; timestamp = nativePerformance ? () => nativePerformance.now() : Date.now ? Date.now : () => +/* @__PURE__ */ new Date(); } }); var nullLogger, etwModule, _a, perfLogger; var init_perfLogger = __esm({ "src/compiler/perfLogger.ts"() { "use strict"; init_ts2(); nullLogger = { logEvent: noop, logErrEvent: noop, logPerfEvent: noop, logInfoEvent: noop, logStartCommand: noop, logStopCommand: noop, logStartUpdateProgram: noop, logStopUpdateProgram: noop, logStartUpdateGraph: noop, logStopUpdateGraph: noop, logStartResolveModule: noop, logStopResolveModule: noop, logStartParseSourceFile: noop, logStopParseSourceFile: noop, logStartReadFile: noop, logStopReadFile: noop, logStartBindFile: noop, logStopBindFile: noop, logStartScheduledOperation: noop, logStopScheduledOperation: noop }; try { const etwModulePath = (_a = process.env.TS_ETW_MODULE_PATH) != null ? _a : "./node_modules/@microsoft/typescript-etw"; etwModule = require2(etwModulePath); } catch (e) { etwModule = void 0; } perfLogger = (etwModule == null ? void 0 : etwModule.logEvent) ? etwModule : nullLogger; } }); 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."); } } } function mark(markName) { var _a2; if (enabled) { const count = (_a2 = counts.get(markName)) != null ? _a2 : 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) { var _a2, _b; if (enabled) { const end = (_a2 = endMarkName !== void 0 ? marks.get(endMarkName) : void 0) != null ? _a2 : timestamp(); const start = (_b = startMarkName !== void 0 ? marks.get(startMarkName) : void 0) != null ? _b : 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 _a2; if (!enabled) { enabled = true; perfHooks || (perfHooks = tryGetNativePerformanceHooks()); if (perfHooks) { timeorigin = perfHooks.performance.timeOrigin; if (perfHooks.shouldWriteNativeEvents || ((_a2 = system == null ? void 0 : system.cpuProfilingEnabled) == null ? void 0 : _a2.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 perfHooks, performanceImpl, nullTimer, enabled, timeorigin, marks, counts, durations; var init_performance = __esm({ "src/compiler/performance.ts"() { "use strict"; init_ts2(); nullTimer = { enter: noop, exit: noop }; enabled = false; timeorigin = timestamp(); marks = /* @__PURE__ */ new Map(); counts = /* @__PURE__ */ new Map(); durations = /* @__PURE__ */ new Map(); } }); 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 init_ts_performance = __esm({ "src/compiler/_namespaces/ts.performance.ts"() { "use strict"; init_performance(); } }); var tracing, tracingEnabled, startTracing, dumpTracingLegend; var init_tracing = __esm({ "src/compiler/tracing.ts"() { "use strict"; init_ts2(); init_ts_performance(); ((tracingEnabled2) => { let fs; 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 (fs === void 0) { try { fs = require2("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 (!fs.existsSync(traceDir)) { fs.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 = fs.openSync(tracePath, "w"); tracing = tracingEnabled2; const meta = { cat: "__metadata", ph: "M", ts: 1e3 * timestamp(), pid: 1, tid: 1 }; fs.writeSync(traceFd, "[ " + [ { 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(", ")); } tracingEnabled2.startTracing = startTracing2; function stopTracing() { Debug.assert(tracing, "Tracing is not in progress"); Debug.assert(!!typeCatalog.length === (mode !== "server")); fs.writeSync(traceFd, ` ] `); fs.closeSync(traceFd); tracing = void 0; if (typeCatalog.length) { dumpTypes(typeCatalog); } else { legend[legend.length - 1].typesPath = void 0; } } tracingEnabled2.stopTracing = stopTracing; function recordType(type) { if (mode !== "server") { typeCatalog.push(type); } } tracingEnabled2.recordType = recordType; 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, 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"); fs.writeSync(traceFd, `, {"pid":1,"tid":1,"ph":"${eventType}","cat":"${phase}","ts":${time},"name":"${name}"`); if (extras) fs.writeSync(traceFd, `,${extras}`); if (args) fs.writeSync(traceFd, `,"args":${JSON.stringify(args)}`); fs.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 _a2, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k, _l, _m, _n, _o, _p, _q, _r, _s, _t, _u, _v; mark("beginDumpTypes"); const typesPath = legend[legend.length - 1].typesPath; const typesFd = fs.openSync(typesPath, "w"); const recursionIdentityMap = /* @__PURE__ */ new Map(); fs.writeSync(typesFd, "["); const numTypes = types.length; for (let i = 0; i < numTypes; i++) { const type = types[i]; const objectFlags = type.objectFlags; const symbol = (_a2 = type.aliasSymbol) != null ? _a2 : type.symbol; let display; if (objectFlags & 16 | type.flags & 2944) { try { display = (_b = type.checker) == null ? void 0 : _b.typeToString(type); } catch (e) { display = void 0; } } let indexedAccessProperties = {}; if (type.flags & 8388608) { const indexedAccessType = type; indexedAccessProperties = { indexedAccessObjectType: (_c = indexedAccessType.objectType) == null ? void 0 : _c.id, indexedAccessIndexType: (_d = indexedAccessType.indexType) == null ? void 0 : _d.id }; } let referenceProperties = {}; if (objectFlags & 4) { const referenceType = type; referenceProperties = { instantiatedType: (_e = referenceType.target) == null ? void 0 : _e.id, typeArguments: (_f = referenceType.resolvedTypeArguments) == null ? void 0 : _f.map((t) => t.id), referenceLocation: getLocation(referenceType.node) }; } let conditionalProperties = {}; if (type.flags & 16777216) { const conditionalType = type; conditionalProperties = { conditionalCheckType: (_g = conditionalType.checkType) == null ? void 0 : _g.id, conditionalExtendsType: (_h = conditionalType.extendsType) == null ? void 0 : _h.id, conditionalTrueType: (_j = (_i = conditionalType.resolvedTrueType) == null ? void 0 : _i.id) != null ? _j : -1, conditionalFalseType: (_l = (_k = conditionalType.resolvedFalseType) == null ? void 0 : _k.id) != null ? _l : -1 }; } let substitutionProperties = {}; if (type.flags & 33554432) { const substitutionType = type; substitutionProperties = { substitutionBaseType: (_m = substitutionType.baseType) == null ? void 0 : _m.id, constraintType: (_n = substitutionType.constraint) == null ? void 0 : _n.id }; } let reverseMappedProperties = {}; if (objectFlags & 1024) { const reverseMappedType = type; reverseMappedProperties = { reverseMappedSourceType: (_o = reverseMappedType.source) == null ? void 0 : _o.id, reverseMappedMappedType: (_p = reverseMappedType.mappedType) == null ? void 0 : _p.id, reverseMappedConstraintType: (_q = reverseMappedType.constraintType) == null ? void 0 : _q.id }; } let evolvingArrayProperties = {}; if (objectFlags & 256) { const evolvingArrayType = type; evolvingArrayProperties = { evolvingArrayElementType: evolvingArrayType.elementType.id, evolvingArrayFinalType: (_r = evolvingArrayType.finalArrayType) == null ? void 0 : _r.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 ? (_s = type.types) == null ? void 0 : _s.map((t) => t.id) : void 0, intersectionTypes: type.flags & 2097152 ? type.types.map((t) => t.id) : void 0, aliasTypeArguments: (_t = type.aliasTypeArguments) == null ? void 0 : _t.map((t) => t.id), keyofType: type.flags & 4194304 ? (_u = type.type) == null ? void 0 : _u.id : void 0, ...indexedAccessProperties, ...referenceProperties, ...conditionalProperties, ...substitutionProperties, ...reverseMappedProperties, ...evolvingArrayProperties, destructuringPattern: getLocation(type.pattern), firstDeclaration: getLocation((_v = symbol == null ? void 0 : symbol.declarations) == null ? void 0 : _v[0]), flags: Debug.formatTypeFlags(type.flags).split("|"), display }; fs.writeSync(typesFd, JSON.stringify(descriptor)); if (i < numTypes - 1) { fs.writeSync(typesFd, ", "); } } fs.writeSync(typesFd, "] "); fs.closeSync(typesFd); mark("endDumpTypes"); measure("Dump types", "beginDumpTypes", "endDumpTypes"); } function dumpLegend() { if (!legendPath) { return; } fs.writeFileSync(legendPath, JSON.stringify(legend)); } tracingEnabled2.dumpLegend = dumpLegend; })(tracingEnabled || (tracingEnabled = {})); startTracing = tracingEnabled.startTracing; dumpTracingLegend = tracingEnabled.dumpLegend; } }); function diagnosticCategoryName(d, lowerCase = true) { const name = DiagnosticCategory[d.category]; return lowerCase ? name.toLowerCase() : name; } var SyntaxKind, NodeFlags, ModifierFlags, JsxFlags, RelationComparisonResult, GeneratedIdentifierFlags, TokenFlags, FlowFlags, CommentDirectiveType, OperationCanceledException, FileIncludeKind, FilePreprocessingDiagnosticsKind, EmitOnly, StructureIsReused, ExitStatus, MemberOverrideStatus, UnionReduction, ContextFlags, NodeBuilderFlags, TypeFormatFlags, SymbolFormatFlags, SymbolAccessibility, SyntheticSymbolKind, TypePredicateKind, TypeReferenceSerializationKind, SymbolFlags, EnumKind, CheckFlags, InternalSymbolName, NodeCheckFlags, TypeFlags, ObjectFlags, VarianceFlags, ElementFlags, AccessFlags, JsxReferenceKind, SignatureKind, SignatureFlags, IndexKind, TypeMapKind, InferencePriority, InferenceFlags, Ternary, AssignmentDeclarationKind, DiagnosticCategory, ModuleResolutionKind, ModuleDetectionKind, WatchFileKind, WatchDirectoryKind, PollingWatchKind, ModuleKind, JsxEmit, ImportsNotUsedAsValues, NewLineKind, ScriptKind2, ScriptTarget2, LanguageVariant, WatchDirectoryFlags, CharacterCodes, Extension, TransformFlags, SnippetKind, EmitFlags, InternalEmitFlags, ExternalEmitHelpers, EmitHint, OuterExpressionKinds, LexicalEnvironmentFlags, BundleFileSectionKind, ListFormat, PragmaKindFlags, commentPragmas; var init_types = __esm({ "src/compiler/types.ts"() { "use strict"; 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["NumericLiteral"] = 8] = "NumericLiteral"; SyntaxKind5[SyntaxKind5["BigIntLiteral"] = 9] = "BigIntLiteral"; SyntaxKind5[SyntaxKind5["StringLiteral"] = 10] = "StringLiteral"; SyntaxKind5[SyntaxKind5["JsxText"] = 11] = "JsxText"; SyntaxKind5[SyntaxKind5["JsxTextAllWhiteSpaces"] = 12] = "JsxTextAllWhiteSpaces"; SyntaxKind5[SyntaxKind5["RegularExpressionLiteral"] = 13] = "RegularExpressionLiteral"; SyntaxKind5[SyntaxKind5["NoSubstitutionTemplateLiteral"] = 14] = "NoSubstitutionTemplateLiteral"; SyntaxKind5[SyntaxKind5["TemplateHead"] = 15] = "TemplateHead"; SyntaxKind5[SyntaxKind5["TemplateMiddle"] = 16] = "TemplateMiddle"; SyntaxKind5[SyntaxKind5["TemplateTail"] = 17] = "TemplateTail"; SyntaxKind5[SyntaxKind5["OpenBraceToken"] = 18] = "OpenBraceToken"; SyntaxKind5[SyntaxKind5["CloseBraceToken"] = 19] = "CloseBraceToken"; SyntaxKind5[SyntaxKind5["OpenParenToken"] = 20] = "OpenParenToken"; SyntaxKind5[SyntaxKind5["CloseParenToken"] = 21] = "CloseParenToken"; SyntaxKind5[SyntaxKind5["OpenBracketToken"] = 22] = "OpenBracketToken"; SyntaxKind5[SyntaxKind5["CloseBracketToken"] = 23] = "CloseBracketToken"; SyntaxKind5[SyntaxKind5["DotToken"] = 24] = "DotToken"; SyntaxKind5[SyntaxKind5["DotDotDotToken"] = 25] = "DotDotDotToken"; SyntaxKind5[SyntaxKind5["SemicolonToken"] = 26] = "SemicolonToken"; SyntaxKind5[SyntaxKind5["CommaToken"] = 27] = "CommaToken"; SyntaxKind5[SyntaxKind5["QuestionDotToken"] = 28] = "QuestionDotToken"; SyntaxKind5[SyntaxKind5["LessThanToken"] = 29] = "LessThanToken"; SyntaxKind5[SyntaxKind5["LessThanSlashToken"] = 30] = "LessThanSlashToken"; SyntaxKind5[SyntaxKind5["GreaterThanToken"] = 31] = "GreaterThanToken"; SyntaxKind5[SyntaxKind5["LessThanEqualsToken"] = 32] = "LessThanEqualsToken"; SyntaxKind5[SyntaxKind5["GreaterThanEqualsToken"] = 33] = "GreaterThanEqualsToken"; SyntaxKind5[SyntaxKind5["EqualsEqualsToken"] = 34] = "EqualsEqualsToken"; SyntaxKind5[SyntaxKind5["ExclamationEqualsToken"] = 35] = "ExclamationEqualsToken"; SyntaxKind5[SyntaxKind5["EqualsEqualsEqualsToken"] = 36] = "EqualsEqualsEqualsToken"; SyntaxKind5[SyntaxKind5["ExclamationEqualsEqualsToken"] = 37] = "ExclamationEqualsEqualsToken"; SyntaxKind5[SyntaxKind5["EqualsGreaterThanToken"] = 38] = "EqualsGreaterThanToken"; SyntaxKind5[SyntaxKind5["PlusToken"] = 39] = "PlusToken"; SyntaxKind5[SyntaxKind5["MinusToken"] = 40] = "MinusToken"; SyntaxKind5[SyntaxKind5["AsteriskToken"] = 41] = "AsteriskToken"; SyntaxKind5[SyntaxKind5["AsteriskAsteriskToken"] = 42] = "AsteriskAsteriskToken"; SyntaxKind5[SyntaxKind5["SlashToken"] = 43] = "SlashToken"; SyntaxKind5[SyntaxKind5["PercentToken"] = 44] = "PercentToken"; SyntaxKind5[SyntaxKind5["PlusPlusToken"] = 45] = "PlusPlusToken"; SyntaxKind5[SyntaxKind5["MinusMinusToken"] = 46] = "MinusMinusToken"; SyntaxKind5[SyntaxKind5["LessThanLessThanToken"] = 47] = "LessThanLessThanToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanToken"] = 48] = "GreaterThanGreaterThanToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanGreaterThanToken"] = 49] = "GreaterThanGreaterThanGreaterThanToken"; SyntaxKind5[SyntaxKind5["AmpersandToken"] = 50] = "AmpersandToken"; SyntaxKind5[SyntaxKind5["BarToken"] = 51] = "BarToken"; SyntaxKind5[SyntaxKind5["CaretToken"] = 52] = "CaretToken"; SyntaxKind5[SyntaxKind5["ExclamationToken"] = 53] = "ExclamationToken"; SyntaxKind5[SyntaxKind5["TildeToken"] = 54] = "TildeToken"; SyntaxKind5[SyntaxKind5["AmpersandAmpersandToken"] = 55] = "AmpersandAmpersandToken"; SyntaxKind5[SyntaxKind5["BarBarToken"] = 56] = "BarBarToken"; SyntaxKind5[SyntaxKind5["QuestionToken"] = 57] = "QuestionToken"; SyntaxKind5[SyntaxKind5["ColonToken"] = 58] = "ColonToken"; SyntaxKind5[SyntaxKind5["AtToken"] = 59] = "AtToken"; SyntaxKind5[SyntaxKind5["QuestionQuestionToken"] = 60] = "QuestionQuestionToken"; SyntaxKind5[SyntaxKind5["BacktickToken"] = 61] = "BacktickToken"; SyntaxKind5[SyntaxKind5["HashToken"] = 62] = "HashToken"; SyntaxKind5[SyntaxKind5["EqualsToken"] = 63] = "EqualsToken"; SyntaxKind5[SyntaxKind5["PlusEqualsToken"] = 64] = "PlusEqualsToken"; SyntaxKind5[SyntaxKind5["MinusEqualsToken"] = 65] = "MinusEqualsToken"; SyntaxKind5[SyntaxKind5["AsteriskEqualsToken"] = 66] = "AsteriskEqualsToken"; SyntaxKind5[SyntaxKind5["AsteriskAsteriskEqualsToken"] = 67] = "AsteriskAsteriskEqualsToken"; SyntaxKind5[SyntaxKind5["SlashEqualsToken"] = 68] = "SlashEqualsToken"; SyntaxKind5[SyntaxKind5["PercentEqualsToken"] = 69] = "PercentEqualsToken"; SyntaxKind5[SyntaxKind5["LessThanLessThanEqualsToken"] = 70] = "LessThanLessThanEqualsToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanEqualsToken"] = 71] = "GreaterThanGreaterThanEqualsToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanGreaterThanEqualsToken"] = 72] = "GreaterThanGreaterThanGreaterThanEqualsToken"; SyntaxKind5[SyntaxKind5["AmpersandEqualsToken"] = 73] = "AmpersandEqualsToken"; SyntaxKind5[SyntaxKind5["BarEqualsToken"] = 74] = "BarEqualsToken"; SyntaxKind5[SyntaxKind5["BarBarEqualsToken"] = 75] = "BarBarEqualsToken"; SyntaxKind5[SyntaxKind5["AmpersandAmpersandEqualsToken"] = 76] = "AmpersandAmpersandEqualsToken"; SyntaxKind5[SyntaxKind5["QuestionQuestionEqualsToken"] = 77] = "QuestionQuestionEqualsToken"; SyntaxKind5[SyntaxKind5["CaretEqualsToken"] = 78] = "CaretEqualsToken"; SyntaxKind5[SyntaxKind5["Identifier"] = 79] = "Identifier"; SyntaxKind5[SyntaxKind5["PrivateIdentifier"] = 80] = "PrivateIdentifier"; SyntaxKind5[SyntaxKind5["BreakKeyword"] = 81] = "BreakKeyword"; SyntaxKind5[SyntaxKind5["CaseKeyword"] = 82] = "CaseKeyword"; SyntaxKind5[SyntaxKind5["CatchKeyword"] = 83] = "CatchKeyword"; SyntaxKind5[SyntaxKind5["ClassKeyword"] = 84] = "ClassKeyword"; SyntaxKind5[SyntaxKind5["ConstKeyword"] = 85] = "ConstKeyword"; SyntaxKind5[SyntaxKind5["ContinueKeyword"] = 86] = "ContinueKeyword"; SyntaxKind5[SyntaxKind5["DebuggerKeyword"] = 87] = "DebuggerKeyword"; SyntaxKind5[SyntaxKind5["DefaultKeyword"] = 88] = "DefaultKeyword"; SyntaxKind5[SyntaxKind5["DeleteKeyword"] = 89] = "DeleteKeyword"; SyntaxKind5[SyntaxKind5["DoKeyword"] = 90] = "DoKeyword"; SyntaxKind5[SyntaxKind5["ElseKeyword"] = 91] = "ElseKeyword"; SyntaxKind5[SyntaxKind5["EnumKeyword"] = 92] = "EnumKeyword"; SyntaxKind5[SyntaxKind5["ExportKeyword"] = 93] = "ExportKeyword"; SyntaxKind5[SyntaxKind5["ExtendsKeyword"] = 94] = "ExtendsKeyword"; SyntaxKind5[SyntaxKind5["FalseKeyword"] = 95] = "FalseKeyword"; SyntaxKind5[SyntaxKind5["FinallyKeyword"] = 96] = "FinallyKeyword"; SyntaxKind5[SyntaxKind5["ForKeyword"] = 97] = "ForKeyword"; SyntaxKind5[SyntaxKind5["FunctionKeyword"] = 98] = "FunctionKeyword"; SyntaxKind5[SyntaxKind5["IfKeyword"] = 99] = "IfKeyword"; SyntaxKind5[SyntaxKind5["ImportKeyword"] = 100] = "ImportKeyword"; SyntaxKind5[SyntaxKind5["InKeyword"] = 101] = "InKeyword"; SyntaxKind5[SyntaxKind5["InstanceOfKeyword"] = 102] = "InstanceOfKeyword"; SyntaxKind5[SyntaxKind5["NewKeyword"] = 103] = "NewKeyword"; SyntaxKind5[SyntaxKind5["NullKeyword"] = 104] = "NullKeyword"; SyntaxKind5[SyntaxKind5["ReturnKeyword"] = 105] = "ReturnKeyword"; SyntaxKind5[SyntaxKind5["SuperKeyword"] = 106] = "SuperKeyword"; SyntaxKind5[SyntaxKind5["SwitchKeyword"] = 107] = "SwitchKeyword"; SyntaxKind5[SyntaxKind5["ThisKeyword"] = 108] = "ThisKeyword"; SyntaxKind5[SyntaxKind5["ThrowKeyword"] = 109] = "ThrowKeyword"; SyntaxKind5[SyntaxKind5["TrueKeyword"] = 110] = "TrueKeyword"; SyntaxKind5[SyntaxKind5["TryKeyword"] = 111] = "TryKeyword"; SyntaxKind5[SyntaxKind5["TypeOfKeyword"] = 112] = "TypeOfKeyword"; SyntaxKind5[SyntaxKind5["VarKeyword"] = 113] = "VarKeyword"; SyntaxKind5[SyntaxKind5["VoidKeyword"] = 114] = "VoidKeyword"; SyntaxKind5[SyntaxKind5["WhileKeyword"] = 115] = "WhileKeyword"; SyntaxKind5[SyntaxKind5["WithKeyword"] = 116] = "WithKeyword"; SyntaxKind5[SyntaxKind5["ImplementsKeyword"] = 117] = "ImplementsKeyword"; SyntaxKind5[SyntaxKind5["InterfaceKeyword"] = 118] = "InterfaceKeyword"; SyntaxKind5[SyntaxKind5["LetKeyword"] = 119] = "LetKeyword"; SyntaxKind5[SyntaxKind5["PackageKeyword"] = 120] = "PackageKeyword"; SyntaxKind5[SyntaxKind5["PrivateKeyword"] = 121] = "PrivateKeyword"; SyntaxKind5[SyntaxKind5["ProtectedKeyword"] = 122] = "ProtectedKeyword"; SyntaxKind5[SyntaxKind5["PublicKeyword"] = 123] = "PublicKeyword"; SyntaxKind5[SyntaxKind5["StaticKeyword"] = 124] = "StaticKeyword"; SyntaxKind5[SyntaxKind5["YieldKeyword"] = 125] = "YieldKeyword"; SyntaxKind5[SyntaxKind5["AbstractKeyword"] = 126] = "AbstractKeyword"; SyntaxKind5[SyntaxKind5["AccessorKeyword"] = 127] = "AccessorKeyword"; SyntaxKind5[SyntaxKind5["AsKeyword"] = 128] = "AsKeyword"; SyntaxKind5[SyntaxKind5["AssertsKeyword"] = 129] = "AssertsKeyword"; SyntaxKind5[SyntaxKind5["AssertKeyword"] = 130] = "AssertKeyword"; SyntaxKind5[SyntaxKind5["AnyKeyword"] = 131] = "AnyKeyword"; SyntaxKind5[SyntaxKind5["AsyncKeyword"] = 132] = "AsyncKeyword"; SyntaxKind5[SyntaxKind5["AwaitKeyword"] = 133] = "AwaitKeyword"; SyntaxKind5[SyntaxKind5["BooleanKeyword"] = 134] = "BooleanKeyword"; SyntaxKind5[SyntaxKind5["ConstructorKeyword"] = 135] = "ConstructorKeyword"; SyntaxKind5[SyntaxKind5["DeclareKeyword"] = 136] = "DeclareKeyword"; SyntaxKind5[SyntaxKind5["GetKeyword"] = 137] = "GetKeyword"; SyntaxKind5[SyntaxKind5["InferKeyword"] = 138] = "InferKeyword"; SyntaxKind5[SyntaxKind5["IntrinsicKeyword"] = 139] = "IntrinsicKeyword"; SyntaxKind5[SyntaxKind5["IsKeyword"] = 140] = "IsKeyword"; SyntaxKind5[SyntaxKind5["KeyOfKeyword"] = 141] = "KeyOfKeyword"; SyntaxKind5[SyntaxKind5["ModuleKeyword"] = 142] = "ModuleKeyword"; SyntaxKind5[SyntaxKind5["NamespaceKeyword"] = 143] = "NamespaceKeyword"; SyntaxKind5[SyntaxKind5["NeverKeyword"] = 144] = "NeverKeyword"; SyntaxKind5[SyntaxKind5["OutKeyword"] = 145] = "OutKeyword"; SyntaxKind5[SyntaxKind5["ReadonlyKeyword"] = 146] = "ReadonlyKeyword"; SyntaxKind5[SyntaxKind5["RequireKeyword"] = 147] = "RequireKeyword"; SyntaxKind5[SyntaxKind5["NumberKeyword"] = 148] = "NumberKeyword"; SyntaxKind5[SyntaxKind5["ObjectKeyword"] = 149] = "ObjectKeyword"; SyntaxKind5[SyntaxKind5["SatisfiesKeyword"] = 150] = "SatisfiesKeyword"; SyntaxKind5[SyntaxKind5["SetKeyword"] = 151] = "SetKeyword"; SyntaxKind5[SyntaxKind5["StringKeyword"] = 152] = "StringKeyword"; SyntaxKind5[SyntaxKind5["SymbolKeyword"] = 153] = "SymbolKeyword"; SyntaxKind5[SyntaxKind5["TypeKeyword"] = 154] = "TypeKeyword"; SyntaxKind5[SyntaxKind5["UndefinedKeyword"] = 155] = "UndefinedKeyword"; SyntaxKind5[SyntaxKind5["UniqueKeyword"] = 156] = "UniqueKeyword"; SyntaxKind5[SyntaxKind5["UnknownKeyword"] = 157] = "UnknownKeyword"; SyntaxKind5[SyntaxKind5["FromKeyword"] = 158] = "FromKeyword"; SyntaxKind5[SyntaxKind5["GlobalKeyword"] = 159] = "GlobalKeyword"; SyntaxKind5[SyntaxKind5["BigIntKeyword"] = 160] = "BigIntKeyword"; SyntaxKind5[SyntaxKind5["OverrideKeyword"] = 161] = "OverrideKeyword"; SyntaxKind5[SyntaxKind5["OfKeyword"] = 162] = "OfKeyword"; SyntaxKind5[SyntaxKind5["QualifiedName"] = 163] = "QualifiedName"; SyntaxKind5[SyntaxKind5["ComputedPropertyName"] = 164] = "ComputedPropertyName"; SyntaxKind5[SyntaxKind5["TypeParameter"] = 165] = "TypeParameter"; SyntaxKind5[SyntaxKind5["Parameter"] = 166] = "Parameter"; SyntaxKind5[SyntaxKind5["Decorator"] = 167] = "Decorator"; SyntaxKind5[SyntaxKind5["PropertySignature"] = 168] = "PropertySignature"; SyntaxKind5[SyntaxKind5["PropertyDeclaration"] = 169] = "PropertyDeclaration"; SyntaxKind5[SyntaxKind5["MethodSignature"] = 170] = "MethodSignature"; SyntaxKind5[SyntaxKind5["MethodDeclaration"] = 171] = "MethodDeclaration"; SyntaxKind5[SyntaxKind5["ClassStaticBlockDeclaration"] = 172] = "ClassStaticBlockDeclaration"; SyntaxKind5[SyntaxKind5["Constructor"] = 173] = "Constructor"; SyntaxKind5[SyntaxKind5["GetAccessor"] = 174] = "GetAccessor"; SyntaxKind5[SyntaxKind5["SetAccessor"] = 175] = "SetAccessor"; SyntaxKind5[SyntaxKind5["CallSignature"] = 176] = "CallSignature"; SyntaxKind5[SyntaxKind5["ConstructSignature"] = 177] = "ConstructSignature"; SyntaxKind5[SyntaxKind5["IndexSignature"] = 178] = "IndexSignature"; SyntaxKind5[SyntaxKind5["TypePredicate"] = 179] = "TypePredicate"; SyntaxKind5[SyntaxKind5["TypeReference"] = 180] = "TypeReference"; SyntaxKind5[SyntaxKind5["FunctionType"] = 181] = "FunctionType"; SyntaxKind5[SyntaxKind5["ConstructorType"] = 182] = "ConstructorType"; SyntaxKind5[SyntaxKind5["TypeQuery"] = 183] = "TypeQuery"; SyntaxKind5[SyntaxKind5["TypeLiteral"] = 184] = "TypeLiteral"; SyntaxKind5[SyntaxKind5["ArrayType"] = 185] = "ArrayType"; SyntaxKind5[SyntaxKind5["TupleType"] = 186] = "TupleType"; SyntaxKind5[SyntaxKind5["OptionalType"] = 187] = "OptionalType"; SyntaxKind5[SyntaxKind5["RestType"] = 188] = "RestType"; SyntaxKind5[SyntaxKind5["UnionType"] = 189] = "UnionType"; SyntaxKind5[SyntaxKind5["IntersectionType"] = 190] = "IntersectionType"; SyntaxKind5[SyntaxKind5["ConditionalType"] = 191] = "ConditionalType"; SyntaxKind5[SyntaxKind5["InferType"] = 192] = "InferType"; SyntaxKind5[SyntaxKind5["ParenthesizedType"] = 193] = "ParenthesizedType"; SyntaxKind5[SyntaxKind5["ThisType"] = 194] = "ThisType"; SyntaxKind5[SyntaxKind5["TypeOperator"] = 195] = "TypeOperator"; SyntaxKind5[SyntaxKind5["IndexedAccessType"] = 196] = "IndexedAccessType"; SyntaxKind5[SyntaxKind5["MappedType"] = 197] = "MappedType"; SyntaxKind5[SyntaxKind5["LiteralType"] = 198] = "LiteralType"; SyntaxKind5[SyntaxKind5["NamedTupleMember"] = 199] = "NamedTupleMember"; SyntaxKind5[SyntaxKind5["TemplateLiteralType"] = 200] = "TemplateLiteralType"; SyntaxKind5[SyntaxKind5["TemplateLiteralTypeSpan"] = 201] = "TemplateLiteralTypeSpan"; SyntaxKind5[SyntaxKind5["ImportType"] = 202] = "ImportType"; SyntaxKind5[SyntaxKind5["ObjectBindingPattern"] = 203] = "ObjectBindingPattern"; SyntaxKind5[SyntaxKind5["ArrayBindingPattern"] = 204] = "ArrayBindingPattern"; SyntaxKind5[SyntaxKind5["BindingElement"] = 205] = "BindingElement"; SyntaxKind5[SyntaxKind5["ArrayLiteralExpression"] = 206] = "ArrayLiteralExpression"; SyntaxKind5[SyntaxKind5["ObjectLiteralExpression"] = 207] = "ObjectLiteralExpression"; SyntaxKind5[SyntaxKind5["PropertyAccessExpression"] = 208] = "PropertyAccessExpression"; SyntaxKind5[SyntaxKind5["ElementAccessExpression"] = 209] = "ElementAccessExpression"; SyntaxKind5[SyntaxKind5["CallExpression"] = 210] = "CallExpression"; SyntaxKind5[SyntaxKind5["NewExpression"] = 211] = "NewExpression"; SyntaxKind5[SyntaxKind5["TaggedTemplateExpression"] = 212] = "TaggedTemplateExpression"; SyntaxKind5[SyntaxKind5["TypeAssertionExpression"] = 213] = "TypeAssertionExpression"; SyntaxKind5[SyntaxKind5["ParenthesizedExpression"] = 214] = "ParenthesizedExpression"; SyntaxKind5[SyntaxKind5["FunctionExpression"] = 215] = "FunctionExpression"; SyntaxKind5[SyntaxKind5["ArrowFunction"] = 216] = "ArrowFunction"; SyntaxKind5[SyntaxKind5["DeleteExpression"] = 217] = "DeleteExpression"; SyntaxKind5[SyntaxKind5["TypeOfExpression"] = 218] = "TypeOfExpression"; SyntaxKind5[SyntaxKind5["VoidExpression"] = 219] = "VoidExpression"; SyntaxKind5[SyntaxKind5["AwaitExpression"] = 220] = "AwaitExpression"; SyntaxKind5[SyntaxKind5["PrefixUnaryExpression"] = 221] = "PrefixUnaryExpression"; SyntaxKind5[SyntaxKind5["PostfixUnaryExpression"] = 222] = "PostfixUnaryExpression"; SyntaxKind5[SyntaxKind5["BinaryExpression"] = 223] = "BinaryExpression"; SyntaxKind5[SyntaxKind5["ConditionalExpression"] = 224] = "ConditionalExpression"; SyntaxKind5[SyntaxKind5["TemplateExpression"] = 225] = "TemplateExpression"; SyntaxKind5[SyntaxKind5["YieldExpression"] = 226] = "YieldExpression"; SyntaxKind5[SyntaxKind5["SpreadElement"] = 227] = "SpreadElement"; SyntaxKind5[SyntaxKind5["ClassExpression"] = 228] = "ClassExpression"; SyntaxKind5[SyntaxKind5["OmittedExpression"] = 229] = "OmittedExpression"; SyntaxKind5[SyntaxKind5["ExpressionWithTypeArguments"] = 230] = "ExpressionWithTypeArguments"; SyntaxKind5[SyntaxKind5["AsExpression"] = 231] = "AsExpression"; SyntaxKind5[SyntaxKind5["NonNullExpression"] = 232] = "NonNullExpression"; SyntaxKind5[SyntaxKind5["MetaProperty"] = 233] = "MetaProperty"; SyntaxKind5[SyntaxKind5["SyntheticExpression"] = 234] = "SyntheticExpression"; SyntaxKind5[SyntaxKind5["SatisfiesExpression"] = 235] = "SatisfiesExpression"; SyntaxKind5[SyntaxKind5["TemplateSpan"] = 236] = "TemplateSpan"; SyntaxKind5[SyntaxKind5["SemicolonClassElement"] = 237] = "SemicolonClassElement"; SyntaxKind5[SyntaxKind5["Block"] = 238] = "Block"; SyntaxKind5[SyntaxKind5["EmptyStatement"] = 239] = "EmptyStatement"; SyntaxKind5[SyntaxKind5["VariableStatement"] = 240] = "VariableStatement"; SyntaxKind5[SyntaxKind5["ExpressionStatement"] = 241] = "ExpressionStatement"; SyntaxKind5[SyntaxKind5["IfStatement"] = 242] = "IfStatement"; SyntaxKind5[SyntaxKind5["DoStatement"] = 243] = "DoStatement"; SyntaxKind5[SyntaxKind5["WhileStatement"] = 244] = "WhileStatement"; SyntaxKind5[SyntaxKind5["ForStatement"] = 245] = "ForStatement"; SyntaxKind5[SyntaxKind5["ForInStatement"] = 246] = "ForInStatement"; SyntaxKind5[SyntaxKind5["ForOfStatement"] = 247] = "ForOfStatement"; SyntaxKind5[SyntaxKind5["ContinueStatement"] = 248] = "ContinueStatement"; SyntaxKind5[SyntaxKind5["BreakStatement"] = 249] = "BreakStatement"; SyntaxKind5[SyntaxKind5["ReturnStatement"] = 250] = "ReturnStatement"; SyntaxKind5[SyntaxKind5["WithStatement"] = 251] = "WithStatement"; SyntaxKind5[SyntaxKind5["SwitchStatement"] = 252] = "SwitchStatement"; SyntaxKind5[SyntaxKind5["LabeledStatement"] = 253] = "LabeledStatement"; SyntaxKind5[SyntaxKind5["ThrowStatement"] = 254] = "ThrowStatement"; SyntaxKind5[SyntaxKind5["TryStatement"] = 255] = "TryStatement"; SyntaxKind5[SyntaxKind5["DebuggerStatement"] = 256] = "DebuggerStatement"; SyntaxKind5[SyntaxKind5["VariableDeclaration"] = 257] = "VariableDeclaration"; SyntaxKind5[SyntaxKind5["VariableDeclarationList"] = 258] = "VariableDeclarationList"; SyntaxKind5[SyntaxKind5["FunctionDeclaration"] = 259] = "FunctionDeclaration"; SyntaxKind5[SyntaxKind5["ClassDeclaration"] = 260] = "ClassDeclaration"; SyntaxKind5[SyntaxKind5["InterfaceDeclaration"] = 261] = "InterfaceDeclaration"; SyntaxKind5[SyntaxKind5["TypeAliasDeclaration"] = 262] = "TypeAliasDeclaration"; SyntaxKind5[SyntaxKind5["EnumDeclaration"] = 263] = "EnumDeclaration"; SyntaxKind5[SyntaxKind5["ModuleDeclaration"] = 264] = "ModuleDeclaration"; SyntaxKind5[SyntaxKind5["ModuleBlock"] = 265] = "ModuleBlock"; SyntaxKind5[SyntaxKind5["CaseBlock"] = 266] = "CaseBlock"; SyntaxKind5[SyntaxKind5["NamespaceExportDeclaration"] = 267] = "NamespaceExportDeclaration"; SyntaxKind5[SyntaxKind5["ImportEqualsDeclaration"] = 268] = "ImportEqualsDeclaration"; SyntaxKind5[SyntaxKind5["ImportDeclaration"] = 269] = "ImportDeclaration"; SyntaxKind5[SyntaxKind5["ImportClause"] = 270] = "ImportClause"; SyntaxKind5[SyntaxKind5["NamespaceImport"] = 271] = "NamespaceImport"; SyntaxKind5[SyntaxKind5["NamedImports"] = 272] = "NamedImports"; SyntaxKind5[SyntaxKind5["ImportSpecifier"] = 273] = "ImportSpecifier"; SyntaxKind5[SyntaxKind5["ExportAssignment"] = 274] = "ExportAssignment"; SyntaxKind5[SyntaxKind5["ExportDeclaration"] = 275] = "ExportDeclaration"; SyntaxKind5[SyntaxKind5["NamedExports"] = 276] = "NamedExports"; SyntaxKind5[SyntaxKind5["NamespaceExport"] = 277] = "NamespaceExport"; SyntaxKind5[SyntaxKind5["ExportSpecifier"] = 278] = "ExportSpecifier"; SyntaxKind5[SyntaxKind5["MissingDeclaration"] = 279] = "MissingDeclaration"; SyntaxKind5[SyntaxKind5["ExternalModuleReference"] = 280] = "ExternalModuleReference"; SyntaxKind5[SyntaxKind5["JsxElement"] = 281] = "JsxElement"; SyntaxKind5[SyntaxKind5["JsxSelfClosingElement"] = 282] = "JsxSelfClosingElement"; SyntaxKind5[SyntaxKind5["JsxOpeningElement"] = 283] = "JsxOpeningElement"; SyntaxKind5[SyntaxKind5["JsxClosingElement"] = 284] = "JsxClosingElement"; SyntaxKind5[SyntaxKind5["JsxFragment"] = 285] = "JsxFragment"; SyntaxKind5[SyntaxKind5["JsxOpeningFragment"] = 286] = "JsxOpeningFragment"; SyntaxKind5[SyntaxKind5["JsxClosingFragment"] = 287] = "JsxClosingFragment"; SyntaxKind5[SyntaxKind5["JsxAttribute"] = 288] = "JsxAttribute"; SyntaxKind5[SyntaxKind5["JsxAttributes"] = 289] = "JsxAttributes"; SyntaxKind5[SyntaxKind5["JsxSpreadAttribute"] = 290] = "JsxSpreadAttribute"; SyntaxKind5[SyntaxKind5["JsxExpression"] = 291] = "JsxExpression"; SyntaxKind5[SyntaxKind5["CaseClause"] = 292] = "CaseClause"; SyntaxKind5[SyntaxKind5["DefaultClause"] = 293] = "DefaultClause"; SyntaxKind5[SyntaxKind5["HeritageClause"] = 294] = "HeritageClause"; SyntaxKind5[SyntaxKind5["CatchClause"] = 295] = "CatchClause"; SyntaxKind5[SyntaxKind5["AssertClause"] = 296] = "AssertClause"; SyntaxKind5[SyntaxKind5["AssertEntry"] = 297] = "AssertEntry"; SyntaxKind5[SyntaxKind5["ImportTypeAssertionContainer"] = 298] = "ImportTypeAssertionContainer"; SyntaxKind5[SyntaxKind5["PropertyAssignment"] = 299] = "PropertyAssignment"; SyntaxKind5[SyntaxKind5["ShorthandPropertyAssignment"] = 300] = "ShorthandPropertyAssignment"; SyntaxKind5[SyntaxKind5["SpreadAssignment"] = 301] = "SpreadAssignment"; SyntaxKind5[SyntaxKind5["EnumMember"] = 302] = "EnumMember"; SyntaxKind5[SyntaxKind5["UnparsedPrologue"] = 303] = "UnparsedPrologue"; SyntaxKind5[SyntaxKind5["UnparsedPrepend"] = 304] = "UnparsedPrepend"; SyntaxKind5[SyntaxKind5["UnparsedText"] = 305] = "UnparsedText"; SyntaxKind5[SyntaxKind5["UnparsedInternalText"] = 306] = "UnparsedInternalText"; SyntaxKind5[SyntaxKind5["UnparsedSyntheticReference"] = 307] = "UnparsedSyntheticReference"; SyntaxKind5[SyntaxKind5["SourceFile"] = 308] = "SourceFile"; SyntaxKind5[SyntaxKind5["Bundle"] = 309] = "Bundle"; SyntaxKind5[SyntaxKind5["UnparsedSource"] = 310] = "UnparsedSource"; SyntaxKind5[SyntaxKind5["InputFiles"] = 311] = "InputFiles"; SyntaxKind5[SyntaxKind5["JSDocTypeExpression"] = 312] = "JSDocTypeExpression"; SyntaxKind5[SyntaxKind5["JSDocNameReference"] = 313] = "JSDocNameReference"; SyntaxKind5[SyntaxKind5["JSDocMemberName"] = 314] = "JSDocMemberName"; SyntaxKind5[SyntaxKind5["JSDocAllType"] = 315] = "JSDocAllType"; SyntaxKind5[SyntaxKind5["JSDocUnknownType"] = 316] = "JSDocUnknownType"; SyntaxKind5[SyntaxKind5["JSDocNullableType"] = 317] = "JSDocNullableType"; SyntaxKind5[SyntaxKind5["JSDocNonNullableType"] = 318] = "JSDocNonNullableType"; SyntaxKind5[SyntaxKind5["JSDocOptionalType"] = 319] = "JSDocOptionalType"; SyntaxKind5[SyntaxKind5["JSDocFunctionType"] = 320] = "JSDocFunctionType"; SyntaxKind5[SyntaxKind5["JSDocVariadicType"] = 321] = "JSDocVariadicType"; SyntaxKind5[SyntaxKind5["JSDocNamepathType"] = 322] = "JSDocNamepathType"; SyntaxKind5[SyntaxKind5["JSDoc"] = 323] = "JSDoc"; SyntaxKind5[SyntaxKind5["JSDocComment"] = 323] = "JSDocComment"; SyntaxKind5[SyntaxKind5["JSDocText"] = 324] = "JSDocText"; SyntaxKind5[SyntaxKind5["JSDocTypeLiteral"] = 325] = "JSDocTypeLiteral"; SyntaxKind5[SyntaxKind5["JSDocSignature"] = 326] = "JSDocSignature"; SyntaxKind5[SyntaxKind5["JSDocLink"] = 327] = "JSDocLink"; SyntaxKind5[SyntaxKind5["JSDocLinkCode"] = 328] = "JSDocLinkCode"; SyntaxKind5[SyntaxKind5["JSDocLinkPlain"] = 329] = "JSDocLinkPlain"; SyntaxKind5[SyntaxKind5["JSDocTag"] = 330] = "JSDocTag"; SyntaxKind5[SyntaxKind5["JSDocAugmentsTag"] = 331] = "JSDocAugmentsTag"; SyntaxKind5[SyntaxKind5["JSDocImplementsTag"] = 332] = "JSDocImplementsTag"; SyntaxKind5[SyntaxKind5["JSDocAuthorTag"] = 333] = "JSDocAuthorTag"; SyntaxKind5[SyntaxKind5["JSDocDeprecatedTag"] = 334] = "JSDocDeprecatedTag"; SyntaxKind5[SyntaxKind5["JSDocClassTag"] = 335] = "JSDocClassTag"; SyntaxKind5[SyntaxKind5["JSDocPublicTag"] = 336] = "JSDocPublicTag"; SyntaxKind5[SyntaxKind5["JSDocPrivateTag"] = 337] = "JSDocPrivateTag"; SyntaxKind5[SyntaxKind5["JSDocProtectedTag"] = 338] = "JSDocProtectedTag"; SyntaxKind5[SyntaxKind5["JSDocReadonlyTag"] = 339] = "JSDocReadonlyTag"; SyntaxKind5[SyntaxKind5["JSDocOverrideTag"] = 340] = "JSDocOverrideTag"; SyntaxKind5[SyntaxKind5["JSDocCallbackTag"] = 341] = "JSDocCallbackTag"; SyntaxKind5[SyntaxKind5["JSDocOverloadTag"] = 342] = "JSDocOverloadTag"; SyntaxKind5[SyntaxKind5["JSDocEnumTag"] = 343] = "JSDocEnumTag"; SyntaxKind5[SyntaxKind5["JSDocParameterTag"] = 344] = "JSDocParameterTag"; SyntaxKind5[SyntaxKind5["JSDocReturnTag"] = 345] = "JSDocReturnTag"; SyntaxKind5[SyntaxKind5["JSDocThisTag"] = 346] = "JSDocThisTag"; SyntaxKind5[SyntaxKind5["JSDocTypeTag"] = 347] = "JSDocTypeTag"; SyntaxKind5[SyntaxKind5["JSDocTemplateTag"] = 348] = "JSDocTemplateTag"; SyntaxKind5[SyntaxKind5["JSDocTypedefTag"] = 349] = "JSDocTypedefTag"; SyntaxKind5[SyntaxKind5["JSDocSeeTag"] = 350] = "JSDocSeeTag"; SyntaxKind5[SyntaxKind5["JSDocPropertyTag"] = 351] = "JSDocPropertyTag"; SyntaxKind5[SyntaxKind5["JSDocThrowsTag"] = 352] = "JSDocThrowsTag"; SyntaxKind5[SyntaxKind5["JSDocSatisfiesTag"] = 353] = "JSDocSatisfiesTag"; SyntaxKind5[SyntaxKind5["SyntaxList"] = 354] = "SyntaxList"; SyntaxKind5[SyntaxKind5["NotEmittedStatement"] = 355] = "NotEmittedStatement"; SyntaxKind5[SyntaxKind5["PartiallyEmittedExpression"] = 356] = "PartiallyEmittedExpression"; SyntaxKind5[SyntaxKind5["CommaListExpression"] = 357] = "CommaListExpression"; SyntaxKind5[SyntaxKind5["MergeDeclarationMarker"] = 358] = "MergeDeclarationMarker"; SyntaxKind5[SyntaxKind5["EndOfDeclarationMarker"] = 359] = "EndOfDeclarationMarker"; SyntaxKind5[SyntaxKind5["SyntheticReferenceExpression"] = 360] = "SyntheticReferenceExpression"; SyntaxKind5[SyntaxKind5["Count"] = 361] = "Count"; SyntaxKind5[SyntaxKind5["FirstAssignment"] = 63] = "FirstAssignment"; SyntaxKind5[SyntaxKind5["LastAssignment"] = 78] = "LastAssignment"; SyntaxKind5[SyntaxKind5["FirstCompoundAssignment"] = 64] = "FirstCompoundAssignment"; SyntaxKind5[SyntaxKind5["LastCompoundAssignment"] = 78] = "LastCompoundAssignment"; SyntaxKind5[SyntaxKind5["FirstReservedWord"] = 81] = "FirstReservedWord"; SyntaxKind5[SyntaxKind5["LastReservedWord"] = 116] = "LastReservedWord"; SyntaxKind5[SyntaxKind5["FirstKeyword"] = 81] = "FirstKeyword"; SyntaxKind5[SyntaxKind5["LastKeyword"] = 162] = "LastKeyword"; SyntaxKind5[SyntaxKind5["FirstFutureReservedWord"] = 117] = "FirstFutureReservedWord"; SyntaxKind5[SyntaxKind5["LastFutureReservedWord"] = 125] = "LastFutureReservedWord"; SyntaxKind5[SyntaxKind5["FirstTypeNode"] = 179] = "FirstTypeNode"; SyntaxKind5[SyntaxKind5["LastTypeNode"] = 202] = "LastTypeNode"; SyntaxKind5[SyntaxKind5["FirstPunctuation"] = 18] = "FirstPunctuation"; SyntaxKind5[SyntaxKind5["LastPunctuation"] = 78] = "LastPunctuation"; SyntaxKind5[SyntaxKind5["FirstToken"] = 0] = "FirstToken"; SyntaxKind5[SyntaxKind5["LastToken"] = 162] = "LastToken"; SyntaxKind5[SyntaxKind5["FirstTriviaToken"] = 2] = "FirstTriviaToken"; SyntaxKind5[SyntaxKind5["LastTriviaToken"] = 7] = "LastTriviaToken"; SyntaxKind5[SyntaxKind5["FirstLiteralToken"] = 8] = "FirstLiteralToken"; SyntaxKind5[SyntaxKind5["LastLiteralToken"] = 14] = "LastLiteralToken"; SyntaxKind5[SyntaxKind5["FirstTemplateToken"] = 14] = "FirstTemplateToken"; SyntaxKind5[SyntaxKind5["LastTemplateToken"] = 17] = "LastTemplateToken"; SyntaxKind5[SyntaxKind5["FirstBinaryOperator"] = 29] = "FirstBinaryOperator"; SyntaxKind5[SyntaxKind5["LastBinaryOperator"] = 78] = "LastBinaryOperator"; SyntaxKind5[SyntaxKind5["FirstStatement"] = 240] = "FirstStatement"; SyntaxKind5[SyntaxKind5["LastStatement"] = 256] = "LastStatement"; SyntaxKind5[SyntaxKind5["FirstNode"] = 163] = "FirstNode"; SyntaxKind5[SyntaxKind5["FirstJSDocNode"] = 312] = "FirstJSDocNode"; SyntaxKind5[SyntaxKind5["LastJSDocNode"] = 353] = "LastJSDocNode"; SyntaxKind5[SyntaxKind5["FirstJSDocTagNode"] = 330] = "FirstJSDocTagNode"; SyntaxKind5[SyntaxKind5["LastJSDocTagNode"] = 353] = "LastJSDocTagNode"; SyntaxKind5[SyntaxKind5["FirstContextualKeyword"] = 126] = "FirstContextualKeyword"; SyntaxKind5[SyntaxKind5["LastContextualKeyword"] = 162] = "LastContextualKeyword"; return SyntaxKind5; })(SyntaxKind || {}); NodeFlags = /* @__PURE__ */ ((NodeFlags3) => { NodeFlags3[NodeFlags3["None"] = 0] = "None"; NodeFlags3[NodeFlags3["Let"] = 1] = "Let"; NodeFlags3[NodeFlags3["Const"] = 2] = "Const"; NodeFlags3[NodeFlags3["NestedNamespace"] = 4] = "NestedNamespace"; NodeFlags3[NodeFlags3["Synthesized"] = 8] = "Synthesized"; NodeFlags3[NodeFlags3["Namespace"] = 16] = "Namespace"; NodeFlags3[NodeFlags3["OptionalChain"] = 32] = "OptionalChain"; NodeFlags3[NodeFlags3["ExportContext"] = 64] = "ExportContext"; NodeFlags3[NodeFlags3["ContainsThis"] = 128] = "ContainsThis"; NodeFlags3[NodeFlags3["HasImplicitReturn"] = 256] = "HasImplicitReturn"; NodeFlags3[NodeFlags3["HasExplicitReturn"] = 512] = "HasExplicitReturn"; NodeFlags3[NodeFlags3["GlobalAugmentation"] = 1024] = "GlobalAugmentation"; NodeFlags3[NodeFlags3["HasAsyncFunctions"] = 2048] = "HasAsyncFunctions"; NodeFlags3[NodeFlags3["DisallowInContext"] = 4096] = "DisallowInContext"; NodeFlags3[NodeFlags3["YieldContext"] = 8192] = "YieldContext"; NodeFlags3[NodeFlags3["DecoratorContext"] = 16384] = "DecoratorContext"; NodeFlags3[NodeFlags3["AwaitContext"] = 32768] = "AwaitContext"; NodeFlags3[NodeFlags3["DisallowConditionalTypesContext"] = 65536] = "DisallowConditionalTypesContext"; NodeFlags3[NodeFlags3["ThisNodeHasError"] = 131072] = "ThisNodeHasError"; NodeFlags3[NodeFlags3["JavaScriptFile"] = 262144] = "JavaScriptFile"; NodeFlags3[NodeFlags3["ThisNodeOrAnySubNodesHasError"] = 524288] = "ThisNodeOrAnySubNodesHasError"; NodeFlags3[NodeFlags3["HasAggregatedChildData"] = 1048576] = "HasAggregatedChildData"; NodeFlags3[NodeFlags3["PossiblyContainsDynamicImport"] = 2097152] = "PossiblyContainsDynamicImport"; NodeFlags3[NodeFlags3["PossiblyContainsImportMeta"] = 4194304] = "PossiblyContainsImportMeta"; NodeFlags3[NodeFlags3["JSDoc"] = 8388608] = "JSDoc"; NodeFlags3[NodeFlags3["Ambient"] = 16777216] = "Ambient"; NodeFlags3[NodeFlags3["InWithStatement"] = 33554432] = "InWithStatement"; NodeFlags3[NodeFlags3["JsonFile"] = 67108864] = "JsonFile"; NodeFlags3[NodeFlags3["TypeCached"] = 134217728] = "TypeCached"; NodeFlags3[NodeFlags3["Deprecated"] = 268435456] = "Deprecated"; NodeFlags3[NodeFlags3["BlockScoped"] = 3] = "BlockScoped"; NodeFlags3[NodeFlags3["ReachabilityCheckFlags"] = 768] = "ReachabilityCheckFlags"; NodeFlags3[NodeFlags3["ReachabilityAndEmitFlags"] = 2816] = "ReachabilityAndEmitFlags"; NodeFlags3[NodeFlags3["ContextFlags"] = 50720768] = "ContextFlags"; NodeFlags3[NodeFlags3["TypeExcludesFlags"] = 40960] = "TypeExcludesFlags"; NodeFlags3[NodeFlags3["PermanentlySetIncrementalFlags"] = 6291456] = "PermanentlySetIncrementalFlags"; NodeFlags3[NodeFlags3["IdentifierHasExtendedUnicodeEscape"] = 128] = "IdentifierHasExtendedUnicodeEscape"; NodeFlags3[NodeFlags3["IdentifierIsInJSDocNamespace"] = 2048] = "IdentifierIsInJSDocNamespace"; return NodeFlags3; })(NodeFlags || {}); ModifierFlags = /* @__PURE__ */ ((ModifierFlags3) => { ModifierFlags3[ModifierFlags3["None"] = 0] = "None"; ModifierFlags3[ModifierFlags3["Export"] = 1] = "Export"; ModifierFlags3[ModifierFlags3["Ambient"] = 2] = "Ambient"; ModifierFlags3[ModifierFlags3["Public"] = 4] = "Public"; ModifierFlags3[ModifierFlags3["Private"] = 8] = "Private"; ModifierFlags3[ModifierFlags3["Protected"] = 16] = "Protected"; ModifierFlags3[ModifierFlags3["Static"] = 32] = "Static"; ModifierFlags3[ModifierFlags3["Readonly"] = 64] = "Readonly"; ModifierFlags3[ModifierFlags3["Accessor"] = 128] = "Accessor"; ModifierFlags3[ModifierFlags3["Abstract"] = 256] = "Abstract"; ModifierFlags3[ModifierFlags3["Async"] = 512] = "Async"; ModifierFlags3[ModifierFlags3["Default"] = 1024] = "Default"; ModifierFlags3[ModifierFlags3["Const"] = 2048] = "Const"; ModifierFlags3[ModifierFlags3["HasComputedJSDocModifiers"] = 4096] = "HasComputedJSDocModifiers"; ModifierFlags3[ModifierFlags3["Deprecated"] = 8192] = "Deprecated"; ModifierFlags3[ModifierFlags3["Override"] = 16384] = "Override"; ModifierFlags3[ModifierFlags3["In"] = 32768] = "In"; ModifierFlags3[ModifierFlags3["Out"] = 65536] = "Out"; ModifierFlags3[ModifierFlags3["Decorator"] = 131072] = "Decorator"; ModifierFlags3[ModifierFlags3["HasComputedFlags"] = 536870912] = "HasComputedFlags"; ModifierFlags3[ModifierFlags3["AccessibilityModifier"] = 28] = "AccessibilityModifier"; ModifierFlags3[ModifierFlags3["ParameterPropertyModifier"] = 16476] = "ParameterPropertyModifier"; ModifierFlags3[ModifierFlags3["NonPublicAccessibilityModifier"] = 24] = "NonPublicAccessibilityModifier"; ModifierFlags3[ModifierFlags3["TypeScriptModifier"] = 117086] = "TypeScriptModifier"; ModifierFlags3[ModifierFlags3["ExportDefault"] = 1025] = "ExportDefault"; ModifierFlags3[ModifierFlags3["All"] = 258047] = "All"; ModifierFlags3[ModifierFlags3["Modifier"] = 126975] = "Modifier"; return ModifierFlags3; })(ModifierFlags || {}); 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 || {}); RelationComparisonResult = /* @__PURE__ */ ((RelationComparisonResult3) => { 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 || {}); 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 || {}); 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["BinaryOrOctalSpecifier"] = 384] = "BinaryOrOctalSpecifier"; TokenFlags2[TokenFlags2["NumericLiteralFlags"] = 1008] = "NumericLiteralFlags"; TokenFlags2[TokenFlags2["TemplateLiteralLikeFlags"] = 2048] = "TemplateLiteralLikeFlags"; return TokenFlags2; })(TokenFlags || {}); 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 || {}); CommentDirectiveType = /* @__PURE__ */ ((CommentDirectiveType2) => { CommentDirectiveType2[CommentDirectiveType2["ExpectError"] = 0] = "ExpectError"; CommentDirectiveType2[CommentDirectiveType2["Ignore"] = 1] = "Ignore"; return CommentDirectiveType2; })(CommentDirectiveType || {}); OperationCanceledException = class { }; 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 || {}); FilePreprocessingDiagnosticsKind = /* @__PURE__ */ ((FilePreprocessingDiagnosticsKind2) => { FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["FilePreprocessingReferencedDiagnostic"] = 0] = "FilePreprocessingReferencedDiagnostic"; FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["FilePreprocessingFileExplainingDiagnostic"] = 1] = "FilePreprocessingFileExplainingDiagnostic"; FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["ResolutionDiagnostics"] = 2] = "ResolutionDiagnostics"; return FilePreprocessingDiagnosticsKind2; })(FilePreprocessingDiagnosticsKind || {}); EmitOnly = /* @__PURE__ */ ((EmitOnly4) => { EmitOnly4[EmitOnly4["Js"] = 0] = "Js"; EmitOnly4[EmitOnly4["Dts"] = 1] = "Dts"; return EmitOnly4; })(EmitOnly || {}); StructureIsReused = /* @__PURE__ */ ((StructureIsReused2) => { StructureIsReused2[StructureIsReused2["Not"] = 0] = "Not"; StructureIsReused2[StructureIsReused2["SafeModules"] = 1] = "SafeModules"; StructureIsReused2[StructureIsReused2["Completely"] = 2] = "Completely"; return StructureIsReused2; })(StructureIsReused || {}); 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 || {}); MemberOverrideStatus = /* @__PURE__ */ ((MemberOverrideStatus2) => { MemberOverrideStatus2[MemberOverrideStatus2["Ok"] = 0] = "Ok"; MemberOverrideStatus2[MemberOverrideStatus2["NeedsOverride"] = 1] = "NeedsOverride"; MemberOverrideStatus2[MemberOverrideStatus2["HasInvalidOverride"] = 2] = "HasInvalidOverride"; return MemberOverrideStatus2; })(MemberOverrideStatus || {}); UnionReduction = /* @__PURE__ */ ((UnionReduction2) => { UnionReduction2[UnionReduction2["None"] = 0] = "None"; UnionReduction2[UnionReduction2["Literal"] = 1] = "Literal"; UnionReduction2[UnionReduction2["Subtype"] = 2] = "Subtype"; return UnionReduction2; })(UnionReduction || {}); 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 || {}); 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["AllowNodeModulesRelativePaths"] = 67108864] = "AllowNodeModulesRelativePaths"; NodeBuilderFlags2[NodeBuilderFlags2["DoNotIncludeSymbolChain"] = 134217728] = "DoNotIncludeSymbolChain"; NodeBuilderFlags2[NodeBuilderFlags2["IgnoreErrors"] = 70221824] = "IgnoreErrors"; NodeBuilderFlags2[NodeBuilderFlags2["InObjectTypeLiteral"] = 4194304] = "InObjectTypeLiteral"; NodeBuilderFlags2[NodeBuilderFlags2["InTypeAlias"] = 8388608] = "InTypeAlias"; NodeBuilderFlags2[NodeBuilderFlags2["InInitialEntityName"] = 16777216] = "InInitialEntityName"; return NodeBuilderFlags2; })(NodeBuilderFlags || {}); TypeFormatFlags = /* @__PURE__ */ ((TypeFormatFlags2) => { TypeFormatFlags2[TypeFormatFlags2["None"] = 0] = "None"; TypeFormatFlags2[TypeFormatFlags2["NoTruncation"] = 1] = "NoTruncation"; TypeFormatFlags2[TypeFormatFlags2["WriteArrayAsGenericType"] = 2] = "WriteArrayAsGenericType"; 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"] = 848330091] = "NodeBuilderFlagsMask"; return TypeFormatFlags2; })(TypeFormatFlags || {}); 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 || {}); SymbolAccessibility = /* @__PURE__ */ ((SymbolAccessibility2) => { SymbolAccessibility2[SymbolAccessibility2["Accessible"] = 0] = "Accessible"; SymbolAccessibility2[SymbolAccessibility2["NotAccessible"] = 1] = "NotAccessible"; SymbolAccessibility2[SymbolAccessibility2["CannotBeNamed"] = 2] = "CannotBeNamed"; return SymbolAccessibility2; })(SymbolAccessibility || {}); SyntheticSymbolKind = /* @__PURE__ */ ((SyntheticSymbolKind2) => { SyntheticSymbolKind2[SyntheticSymbolKind2["UnionOrIntersection"] = 0] = "UnionOrIntersection"; SyntheticSymbolKind2[SyntheticSymbolKind2["Spread"] = 1] = "Spread"; return SyntheticSymbolKind2; })(SyntheticSymbolKind || {}); 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 || {}); 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 || {}); 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"] = 67108863] = "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] = "BlockScopedVariableExcludes"; SymbolFlags3[SymbolFlags3["ParameterExcludes"] = 111551] = "ParameterExcludes"; SymbolFlags3[SymbolFlags3["PropertyExcludes"] = 0] = "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] = "TypeAliasExcludes"; SymbolFlags3[SymbolFlags3["AliasExcludes"] = 2097152] = "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 || {}); EnumKind = /* @__PURE__ */ ((EnumKind2) => { EnumKind2[EnumKind2["Numeric"] = 0] = "Numeric"; EnumKind2[EnumKind2["Literal"] = 1] = "Literal"; return EnumKind2; })(EnumKind || {}); 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 || {}); 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"; return InternalSymbolName2; })(InternalSymbolName || {}); NodeCheckFlags = /* @__PURE__ */ ((NodeCheckFlags2) => { NodeCheckFlags2[NodeCheckFlags2["None"] = 0] = "None"; NodeCheckFlags2[NodeCheckFlags2["TypeChecked"] = 1] = "TypeChecked"; NodeCheckFlags2[NodeCheckFlags2["LexicalThis"] = 2] = "LexicalThis"; NodeCheckFlags2[NodeCheckFlags2["CaptureThis"] = 4] = "CaptureThis"; NodeCheckFlags2[NodeCheckFlags2["CaptureNewTarget"] = 8] = "CaptureNewTarget"; NodeCheckFlags2[NodeCheckFlags2["SuperInstance"] = 16] = "SuperInstance"; NodeCheckFlags2[NodeCheckFlags2["SuperStatic"] = 32] = "SuperStatic"; NodeCheckFlags2[NodeCheckFlags2["ContextChecked"] = 64] = "ContextChecked"; NodeCheckFlags2[NodeCheckFlags2["MethodWithSuperPropertyAccessInAsync"] = 128] = "MethodWithSuperPropertyAccessInAsync"; NodeCheckFlags2[NodeCheckFlags2["MethodWithSuperPropertyAssignmentInAsync"] = 256] = "MethodWithSuperPropertyAssignmentInAsync"; NodeCheckFlags2[NodeCheckFlags2["CaptureArguments"] = 512] = "CaptureArguments"; NodeCheckFlags2[NodeCheckFlags2["EnumValuesComputed"] = 1024] = "EnumValuesComputed"; NodeCheckFlags2[NodeCheckFlags2["LexicalModuleMergesWithClass"] = 2048] = "LexicalModuleMergesWithClass"; NodeCheckFlags2[NodeCheckFlags2["LoopWithCapturedBlockScopedBinding"] = 4096] = "LoopWithCapturedBlockScopedBinding"; NodeCheckFlags2[NodeCheckFlags2["ContainsCapturedBlockScopeBinding"] = 8192] = "ContainsCapturedBlockScopeBinding"; NodeCheckFlags2[NodeCheckFlags2["CapturedBlockScopedBinding"] = 16384] = "CapturedBlockScopedBinding"; NodeCheckFlags2[NodeCheckFlags2["BlockScopedBindingInLoop"] = 32768] = "BlockScopedBindingInLoop"; NodeCheckFlags2[NodeCheckFlags2["ClassWithBodyScopedClassBinding"] = 65536] = "ClassWithBodyScopedClassBinding"; NodeCheckFlags2[NodeCheckFlags2["BodyScopedClassBinding"] = 131072] = "BodyScopedClassBinding"; NodeCheckFlags2[NodeCheckFlags2["NeedsLoopOutParameter"] = 262144] = "NeedsLoopOutParameter"; NodeCheckFlags2[NodeCheckFlags2["AssignmentsMarked"] = 524288] = "AssignmentsMarked"; NodeCheckFlags2[NodeCheckFlags2["ClassWithConstructorReference"] = 1048576] = "ClassWithConstructorReference"; NodeCheckFlags2[NodeCheckFlags2["ConstructorReferenceInClass"] = 2097152] = "ConstructorReferenceInClass"; NodeCheckFlags2[NodeCheckFlags2["ContainsClassWithPrivateIdentifiers"] = 4194304] = "ContainsClassWithPrivateIdentifiers"; NodeCheckFlags2[NodeCheckFlags2["ContainsSuperPropertyInStaticInitializer"] = 8388608] = "ContainsSuperPropertyInStaticInitializer"; NodeCheckFlags2[NodeCheckFlags2["InCheckIdentifier"] = 16777216] = "InCheckIdentifier"; return NodeCheckFlags2; })(NodeCheckFlags || {}); 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["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["Primitive"] = 134348796] = "Primitive"; 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["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"] = 205258751] = "IncludesMask"; TypeFlags2[TypeFlags2["IncludesMissingType"] = 262144] = "IncludesMissingType"; TypeFlags2[TypeFlags2["IncludesNonWideningType"] = 4194304] = "IncludesNonWideningType"; TypeFlags2[TypeFlags2["IncludesWildcard"] = 8388608] = "IncludesWildcard"; TypeFlags2[TypeFlags2["IncludesEmptyObject"] = 16777216] = "IncludesEmptyObject"; TypeFlags2[TypeFlags2["IncludesInstantiable"] = 33554432] = "IncludesInstantiable"; TypeFlags2[TypeFlags2["NotPrimitiveUnion"] = 36323363] = "NotPrimitiveUnion"; return TypeFlags2; })(TypeFlags || {}); 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["ObjectTypeKindMask"] = 1343] = "ObjectTypeKindMask"; ObjectFlags3[ObjectFlags3["ContainsSpread"] = 2097152] = "ContainsSpread"; ObjectFlags3[ObjectFlags3["ObjectRestType"] = 4194304] = "ObjectRestType"; ObjectFlags3[ObjectFlags3["InstantiationExpressionType"] = 8388608] = "InstantiationExpressionType"; 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"; return ObjectFlags3; })(ObjectFlags || {}); 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 || {}); 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 || {}); 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] = "Persistent"; return AccessFlags2; })(AccessFlags || {}); JsxReferenceKind = /* @__PURE__ */ ((JsxReferenceKind2) => { JsxReferenceKind2[JsxReferenceKind2["Component"] = 0] = "Component"; JsxReferenceKind2[JsxReferenceKind2["Function"] = 1] = "Function"; JsxReferenceKind2[JsxReferenceKind2["Mixed"] = 2] = "Mixed"; return JsxReferenceKind2; })(JsxReferenceKind || {}); SignatureKind = /* @__PURE__ */ ((SignatureKind2) => { SignatureKind2[SignatureKind2["Call"] = 0] = "Call"; SignatureKind2[SignatureKind2["Construct"] = 1] = "Construct"; return SignatureKind2; })(SignatureKind || {}); 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["PropagatingFlags"] = 39] = "PropagatingFlags"; SignatureFlags5[SignatureFlags5["CallChainFlags"] = 24] = "CallChainFlags"; return SignatureFlags5; })(SignatureFlags || {}); IndexKind = /* @__PURE__ */ ((IndexKind2) => { IndexKind2[IndexKind2["String"] = 0] = "String"; IndexKind2[IndexKind2["Number"] = 1] = "Number"; return IndexKind2; })(IndexKind || {}); 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 || {}); 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 || {}); 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 || {}); 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 || {}); 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 || {}); 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 || {}); ModuleResolutionKind = /* @__PURE__ */ ((ModuleResolutionKind2) => { ModuleResolutionKind2[ModuleResolutionKind2["Classic"] = 1] = "Classic"; ModuleResolutionKind2[ModuleResolutionKind2["NodeJs"] = 2] = "NodeJs"; ModuleResolutionKind2[ModuleResolutionKind2["Node10"] = 2] = "Node10"; ModuleResolutionKind2[ModuleResolutionKind2["Node16"] = 3] = "Node16"; ModuleResolutionKind2[ModuleResolutionKind2["NodeNext"] = 99] = "NodeNext"; ModuleResolutionKind2[ModuleResolutionKind2["Bundler"] = 100] = "Bundler"; return ModuleResolutionKind2; })(ModuleResolutionKind || {}); ModuleDetectionKind = /* @__PURE__ */ ((ModuleDetectionKind2) => { ModuleDetectionKind2[ModuleDetectionKind2["Legacy"] = 1] = "Legacy"; ModuleDetectionKind2[ModuleDetectionKind2["Auto"] = 2] = "Auto"; ModuleDetectionKind2[ModuleDetectionKind2["Force"] = 3] = "Force"; return ModuleDetectionKind2; })(ModuleDetectionKind || {}); WatchFileKind = /* @__PURE__ */ ((WatchFileKind2) => { WatchFileKind2[WatchFileKind2["FixedPollingInterval"] = 0] = "FixedPollingInterval"; WatchFileKind2[WatchFileKind2["PriorityPollingInterval"] = 1] = "PriorityPollingInterval"; WatchFileKind2[WatchFileKind2["DynamicPriorityPolling"] = 2] = "DynamicPriorityPolling"; WatchFileKind2[WatchFileKind2["FixedChunkSizePolling"] = 3] = "FixedChunkSizePolling"; WatchFileKind2[WatchFileKind2["UseFsEvents"] = 4] = "UseFsEvents"; WatchFileKind2[WatchFileKind2["UseFsEventsOnParentDirectory"] = 5] = "UseFsEventsOnParentDirectory"; return WatchFileKind2; })(WatchFileKind || {}); WatchDirectoryKind = /* @__PURE__ */ ((WatchDirectoryKind2) => { WatchDirectoryKind2[WatchDirectoryKind2["UseFsEvents"] = 0] = "UseFsEvents"; WatchDirectoryKind2[WatchDirectoryKind2["FixedPollingInterval"] = 1] = "FixedPollingInterval"; WatchDirectoryKind2[WatchDirectoryKind2["DynamicPriorityPolling"] = 2] = "DynamicPriorityPolling"; WatchDirectoryKind2[WatchDirectoryKind2["FixedChunkSizePolling"] = 3] = "FixedChunkSizePolling"; return WatchDirectoryKind2; })(WatchDirectoryKind || {}); PollingWatchKind = /* @__PURE__ */ ((PollingWatchKind2) => { PollingWatchKind2[PollingWatchKind2["FixedInterval"] = 0] = "FixedInterval"; PollingWatchKind2[PollingWatchKind2["PriorityInterval"] = 1] = "PriorityInterval"; PollingWatchKind2[PollingWatchKind2["DynamicPriority"] = 2] = "DynamicPriority"; PollingWatchKind2[PollingWatchKind2["FixedChunkSize"] = 3] = "FixedChunkSize"; return PollingWatchKind2; })(PollingWatchKind || {}); ModuleKind = /* @__PURE__ */ ((ModuleKind2) => { ModuleKind2[ModuleKind2["None"] = 0] = "None"; ModuleKind2[ModuleKind2["CommonJS"] = 1] = "CommonJS"; ModuleKind2[ModuleKind2["AMD"] = 2] = "AMD"; ModuleKind2[ModuleKind2["UMD"] = 3] = "UMD"; ModuleKind2[ModuleKind2["System"] = 4] = "System"; ModuleKind2[ModuleKind2["ES2015"] = 5] = "ES2015"; ModuleKind2[ModuleKind2["ES2020"] = 6] = "ES2020"; ModuleKind2[ModuleKind2["ES2022"] = 7] = "ES2022"; ModuleKind2[ModuleKind2["ESNext"] = 99] = "ESNext"; ModuleKind2[ModuleKind2["Node16"] = 100] = "Node16"; ModuleKind2[ModuleKind2["NodeNext"] = 199] = "NodeNext"; return ModuleKind2; })(ModuleKind || {}); JsxEmit = /* @__PURE__ */ ((JsxEmit2) => { JsxEmit2[JsxEmit2["None"] = 0] = "None"; JsxEmit2[JsxEmit2["Preserve"] = 1] = "Preserve"; JsxEmit2[JsxEmit2["React"] = 2] = "React"; JsxEmit2[JsxEmit2["ReactNative"] = 3] = "ReactNative"; JsxEmit2[JsxEmit2["ReactJSX"] = 4] = "ReactJSX"; JsxEmit2[JsxEmit2["ReactJSXDev"] = 5] = "ReactJSXDev"; return JsxEmit2; })(JsxEmit || {}); ImportsNotUsedAsValues = /* @__PURE__ */ ((ImportsNotUsedAsValues2) => { ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Remove"] = 0] = "Remove"; ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Preserve"] = 1] = "Preserve"; ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Error"] = 2] = "Error"; return ImportsNotUsedAsValues2; })(ImportsNotUsedAsValues || {}); NewLineKind = /* @__PURE__ */ ((NewLineKind2) => { NewLineKind2[NewLineKind2["CarriageReturnLineFeed"] = 0] = "CarriageReturnLineFeed"; NewLineKind2[NewLineKind2["LineFeed"] = 1] = "LineFeed"; return NewLineKind2; })(NewLineKind || {}); ScriptKind2 = /* @__PURE__ */ ((ScriptKind5) => { ScriptKind5[ScriptKind5["Unknown"] = 0] = "Unknown"; ScriptKind5[ScriptKind5["JS"] = 1] = "JS"; ScriptKind5[ScriptKind5["JSX"] = 2] = "JSX"; ScriptKind5[ScriptKind5["TS"] = 3] = "TS"; ScriptKind5[ScriptKind5["TSX"] = 4] = "TSX"; ScriptKind5[ScriptKind5["External"] = 5] = "External"; ScriptKind5[ScriptKind5["JSON"] = 6] = "JSON"; ScriptKind5[ScriptKind5["Deferred"] = 7] = "Deferred"; return ScriptKind5; })(ScriptKind2 || {}); ScriptTarget2 = /* @__PURE__ */ ((ScriptTarget10) => { ScriptTarget10[ScriptTarget10["ES3"] = 0] = "ES3"; ScriptTarget10[ScriptTarget10["ES5"] = 1] = "ES5"; ScriptTarget10[ScriptTarget10["ES2015"] = 2] = "ES2015"; ScriptTarget10[ScriptTarget10["ES2016"] = 3] = "ES2016"; ScriptTarget10[ScriptTarget10["ES2017"] = 4] = "ES2017"; ScriptTarget10[ScriptTarget10["ES2018"] = 5] = "ES2018"; ScriptTarget10[ScriptTarget10["ES2019"] = 6] = "ES2019"; ScriptTarget10[ScriptTarget10["ES2020"] = 7] = "ES2020"; ScriptTarget10[ScriptTarget10["ES2021"] = 8] = "ES2021"; ScriptTarget10[ScriptTarget10["ES2022"] = 9] = "ES2022"; ScriptTarget10[ScriptTarget10["ESNext"] = 99] = "ESNext"; ScriptTarget10[ScriptTarget10["JSON"] = 100] = "JSON"; ScriptTarget10[ScriptTarget10["Latest"] = 99] = "Latest"; return ScriptTarget10; })(ScriptTarget2 || {}); LanguageVariant = /* @__PURE__ */ ((LanguageVariant4) => { LanguageVariant4[LanguageVariant4["Standard"] = 0] = "Standard"; LanguageVariant4[LanguageVariant4["JSX"] = 1] = "JSX"; return LanguageVariant4; })(LanguageVariant || {}); WatchDirectoryFlags = /* @__PURE__ */ ((WatchDirectoryFlags3) => { WatchDirectoryFlags3[WatchDirectoryFlags3["None"] = 0] = "None"; WatchDirectoryFlags3[WatchDirectoryFlags3["Recursive"] = 1] = "Recursive"; return WatchDirectoryFlags3; })(WatchDirectoryFlags || {}); CharacterCodes = /* @__PURE__ */ ((CharacterCodes2) => { 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["_"] = 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 || {}); 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 || {}); 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] = "AssertTypeScript"; TransformFlags3[TransformFlags3["AssertJsx"] = 2] = "AssertJsx"; TransformFlags3[TransformFlags3["AssertESNext"] = 4] = "AssertESNext"; TransformFlags3[TransformFlags3["AssertES2022"] = 8] = "AssertES2022"; TransformFlags3[TransformFlags3["AssertES2021"] = 16] = "AssertES2021"; TransformFlags3[TransformFlags3["AssertES2020"] = 32] = "AssertES2020"; TransformFlags3[TransformFlags3["AssertES2019"] = 64] = "AssertES2019"; TransformFlags3[TransformFlags3["AssertES2018"] = 128] = "AssertES2018"; TransformFlags3[TransformFlags3["AssertES2017"] = 256] = "AssertES2017"; TransformFlags3[TransformFlags3["AssertES2016"] = 512] = "AssertES2016"; TransformFlags3[TransformFlags3["AssertES2015"] = 1024] = "AssertES2015"; TransformFlags3[TransformFlags3["AssertGenerator"] = 2048] = "AssertGenerator"; TransformFlags3[TransformFlags3["AssertDestructuringAssignment"] = 4096] = "AssertDestructuringAssignment"; TransformFlags3[TransformFlags3["OuterExpressionExcludes"] = -2147483648] = "OuterExpressionExcludes"; TransformFlags3[TransformFlags3["PropertyAccessExcludes"] = -2147483648] = "PropertyAccessExcludes"; TransformFlags3[TransformFlags3["NodeExcludes"] = -2147483648] = "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] = "ParameterExcludes"; TransformFlags3[TransformFlags3["CatchClauseExcludes"] = -2147418112] = "CatchClauseExcludes"; TransformFlags3[TransformFlags3["BindingPatternExcludes"] = -2147450880] = "BindingPatternExcludes"; TransformFlags3[TransformFlags3["ContainsLexicalThisOrSuper"] = 134234112] = "ContainsLexicalThisOrSuper"; TransformFlags3[TransformFlags3["PropertyNamePropagatingFlags"] = 134234112] = "PropertyNamePropagatingFlags"; return TransformFlags3; })(TransformFlags || {}); 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 || {}); 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["HasEndOfDeclarationMarker"] = 8388608] = "HasEndOfDeclarationMarker"; EmitFlags3[EmitFlags3["Iterator"] = 16777216] = "Iterator"; EmitFlags3[EmitFlags3["NoAsciiEscaping"] = 33554432] = "NoAsciiEscaping"; return EmitFlags3; })(EmitFlags || {}); 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 || {}); 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] = "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["CreateBinding"] = 4194304] = "CreateBinding"; ExternalEmitHelpers2[ExternalEmitHelpers2["SetFunctionName"] = 8388608] = "SetFunctionName"; ExternalEmitHelpers2[ExternalEmitHelpers2["PropKey"] = 16777216] = "PropKey"; ExternalEmitHelpers2[ExternalEmitHelpers2["FirstEmitHelper"] = 1] = "FirstEmitHelper"; ExternalEmitHelpers2[ExternalEmitHelpers2["LastEmitHelper"] = 16777216] = "LastEmitHelper"; ExternalEmitHelpers2[ExternalEmitHelpers2["ForOfIncludes"] = 256] = "ForOfIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["ForAwaitOfIncludes"] = 16384] = "ForAwaitOfIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncGeneratorIncludes"] = 6144] = "AsyncGeneratorIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncDelegatorIncludes"] = 26624] = "AsyncDelegatorIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["SpreadIncludes"] = 1536] = "SpreadIncludes"; return ExternalEmitHelpers2; })(ExternalEmitHelpers || {}); EmitHint = /* @__PURE__ */ ((EmitHint6) => { EmitHint6[EmitHint6["SourceFile"] = 0] = "SourceFile"; EmitHint6[EmitHint6["Expression"] = 1] = "Expression"; EmitHint6[EmitHint6["IdentifierName"] = 2] = "IdentifierName"; EmitHint6[EmitHint6["MappedTypeParameter"] = 3] = "MappedTypeParameter"; EmitHint6[EmitHint6["Unspecified"] = 4] = "Unspecified"; EmitHint6[EmitHint6["EmbeddedStatement"] = 5] = "EmbeddedStatement"; EmitHint6[EmitHint6["JsxAttributeValue"] = 6] = "JsxAttributeValue"; return EmitHint6; })(EmitHint || {}); 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 || {}); LexicalEnvironmentFlags = /* @__PURE__ */ ((LexicalEnvironmentFlags2) => { LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["None"] = 0] = "None"; LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["InParameters"] = 1] = "InParameters"; LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["VariablesHoistedInParameters"] = 2] = "VariablesHoistedInParameters"; return LexicalEnvironmentFlags2; })(LexicalEnvironmentFlags || {}); BundleFileSectionKind = /* @__PURE__ */ ((BundleFileSectionKind2) => { BundleFileSectionKind2["Prologue"] = "prologue"; BundleFileSectionKind2["EmitHelpers"] = "emitHelpers"; BundleFileSectionKind2["NoDefaultLib"] = "no-default-lib"; BundleFileSectionKind2["Reference"] = "reference"; BundleFileSectionKind2["Type"] = "type"; BundleFileSectionKind2["TypeResolutionModeRequire"] = "type-require"; BundleFileSectionKind2["TypeResolutionModeImport"] = "type-import"; BundleFileSectionKind2["Lib"] = "lib"; BundleFileSectionKind2["Prepend"] = "prepend"; BundleFileSectionKind2["Text"] = "text"; BundleFileSectionKind2["Internal"] = "internal"; return BundleFileSectionKind2; })(BundleFileSectionKind || {}); 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["ImportClauseEntries"] = 526226] = "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] = "MultiLineFunctionBodyStatements"; ListFormat2[ListFormat2["ClassHeritageClauses"] = 0] = "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 || {}); 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] = "Default"; return PragmaKindFlags2; })(PragmaKindFlags || {}); 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 } ], kind: 1 }, "amd-dependency": { args: [{ name: "path" }, { name: "name", optional: true }], kind: 1 }, "amd-module": { args: [{ name: "name" }], kind: 1 }, "ts-check": { kind: 2 }, "ts-nocheck": { kind: 2 }, "jsx": { args: [{ name: "factory" }], kind: 4 }, "jsxfrag": { args: [{ name: "factory" }], kind: 4 }, "jsximportsource": { args: [{ name: "factory" }], kind: 4 }, "jsxruntime": { args: [{ name: "factory" }], kind: 4 } }; } }); 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; } } function getModifiedTime(host, fileName) { return host.getModifiedTime(fileName) || missingFileModifiedTime; } function createPollingIntervalBasedLevels(levels) { return { [250]: levels.Low, [500]: levels.Medium, [2e3]: levels.High }; } 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); const mediumPollingIntervalQueue = createPollingIntervalQueue(500); const highPollingIntervalQueue = createPollingIntervalQueue(2e3); 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(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(queue) { pollQueue(changedFilesInLastPoll, 250, 0, changedFilesInLastPoll.length); pollPollingIntervalQueue(queue); if (!queue.pollScheduled && changedFilesInLastPoll.length) { scheduleNextPoll(250); } } 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); } else if (pollingInterval !== 2e3) { watchedFile.unchangedPolls++; queue[pollIndex2] = void 0; addToPollingIntervalQueue(watchedFile, pollingInterval === 250 ? 500 : 2e3); } } } 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); } function scheduleNextPollIfNotAlreadyScheduled(pollingInterval) { if (!pollingIntervalQueue(pollingInterval).pollScheduled) { scheduleNextPoll(pollingInterval); } } function scheduleNextPoll(pollingInterval) { pollingIntervalQueue(pollingInterval).pollScheduled = host.setTimeout(pollingInterval === 250 ? pollLowPollingIntervalQueue : pollPollingIntervalQueue, pollingInterval, pollingIntervalQueue(pollingInterval)); } } function createUseFsEventsOnParentDirectoryWatchFile(fsWatch, useCaseSensitiveFileNames) { const fileWatcherCallbacks = createMultiMap(); const dirWatchers = /* @__PURE__ */ new Map(); const toCanonicalName = createGetCanonicalFileName(useCaseSensitiveFileNames); return nonPollingWatchFile; function nonPollingWatchFile(fileName, callback, _pollingInterval, fallbackOptions) { const filePath = toCanonicalName(fileName); fileWatcherCallbacks.add(filePath, callback); 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, modifiedTime) => { if (!isString(relativeFileName)) return; const fileName = getNormalizedAbsolutePath(relativeFileName, dirName); const callbacks = fileName && fileWatcherCallbacks.get(toCanonicalName(fileName)); if (callbacks) { for (const fileCallback of callbacks) { fileCallback(fileName, 1, modifiedTime); } } }, 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]); scheduleNextPoll(); } function scheduleNextPoll() { if (!watchedFiles.length || pollScheduled) return; pollScheduled = host.setTimeout(pollQueue, 2e3); } } function createSingleWatcherPerName(cache, useCaseSensitiveFileNames, name, callback, createWatcher) { const toCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames); const path = toCanonicalFileName(name); const existing = cache.get(path); if (existing) { existing.callbacks.push(callback); } else { cache.set(path, { watcher: createWatcher((param1, param2, param3) => { var _a2; return (_a2 = cache.get(path)) == null ? void 0 : _a2.callbacks.slice().forEach((cb) => cb(param1, param2, param3)); }), callbacks: [callback] }); } return { close: () => { const watcher = cache.get(path); if (!watcher) return; if (!orderedRemoveItem(watcher.callbacks, callback) || watcher.callbacks.length) return; cache.delete(path); 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; } function sysLog(s) { return curSysLog(s); } function setSysLog(logger) { curSysLog = logger; } function createDirectoryWatcherSupportingRecursive({ watchDirectory, useCaseSensitiveFileNames, 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(!useCaseSensitiveFileNames); const toCanonicalFilePath = createGetCanonicalFileName(useCaseSensitiveFileNames); return (dirName, callback, recursive, options) => recursive ? createDirectoryWatcher(dirName, options, callback) : watchDirectory(dirName, callback, recursive, options); function createDirectoryWatcher(dirName, options, callback) { const dirPath = toCanonicalFilePath(dirName); let directoryWatcher = cache.get(dirPath); if (directoryWatcher) { directoryWatcher.refCount++; } else { directoryWatcher = { watcher: watchDirectory(dirName, (fileName) => { if (isIgnoredPath(fileName, options)) return; if (options == null ? void 0 : options.synchronousWatchDirectory) { invokeCallbacks(dirPath, fileName); updateChildWatches(dirName, dirPath, options); } else { nonSyncUpdateChildWatches(dirName, dirPath, fileName, options); } }, false, options), refCount: 1, childWatches: emptyArray }; cache.set(dirPath, directoryWatcher); updateChildWatches(dirName, dirPath, options); } const callbackToAdd = callback && { dirName, callback }; if (callbackToAdd) { callbackCache.add(dirPath, callbackToAdd); } return { dirName, close: () => { const directoryWatcher2 = Debug.checkDefined(cache.get(dirPath)); if (callbackToAdd) callbackCache.remove(dirPath, callbackToAdd); directoryWatcher2.refCount--; if (directoryWatcher2.refCount) return; cache.delete(dirPath); closeFileWatcherOf(directoryWatcher2); directoryWatcher2.childWatches.forEach(closeFileWatcher); } }; } function invokeCallbacks(dirPath, fileNameOrInvokeMap, fileNames) { let fileName; let invokeMap; if (isString(fileNameOrInvokeMap)) { fileName = fileNameOrInvokeMap; } else { invokeMap = fileNameOrInvokeMap; } callbackCache.forEach((callbacks, rootDirName) => { if (invokeMap && invokeMap.get(rootDirName) === true) return; if (rootDirName === dirPath || startsWith(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)); } } }); } function nonSyncUpdateChildWatches(dirName, dirPath, fileName, options) { const parentWatcher = cache.get(dirPath); if (parentWatcher && fileSystemEntryExists(dirName, 1)) { scheduleUpdateChildWatches(dirName, dirPath, fileName, options); return; } invokeCallbacks(dirPath, fileName); 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); } function onTimerToUpdateChildWatches() { 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); invokeCallbacks(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 (isArray(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 updateChildWatches(parentDir, parentDirPath, options) { const parentWatcher = cache.get(parentDirPath); if (!parentWatcher) return false; let newChildWatches; const hasChanges = enumerateInsertsAndDeletes(fileSystemEntryExists(parentDir, 1) ? 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); 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(path, options) { return some(ignoredPaths, (searchPath) => isInPath(path, searchPath)) || isIgnoredByWatchOptions(path, options, useCaseSensitiveFileNames, getCurrentDirectory); } function isInPath(path, searchPath) { if (stringContains(path, searchPath)) return true; if (useCaseSensitiveFileNames) return false; return stringContains(toCanonicalFilePath(path), searchPath); } } 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, useCaseSensitiveFileNames, getCurrentDirectory) { return ((options == null ? void 0 : options.excludeDirectories) || (options == null ? void 0 : options.excludeFiles)) && (matchesExclude(pathToCheck, options == null ? void 0 : options.excludeFiles, useCaseSensitiveFileNames, getCurrentDirectory()) || matchesExclude(pathToCheck, options == null ? void 0 : options.excludeDirectories, useCaseSensitiveFileNames, getCurrentDirectory())); } function createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames, getCurrentDirectory) { return (eventName, relativeFileName) => { if (eventName === "rename") { const fileName = !relativeFileName ? directoryName : normalizePath(combinePaths(directoryName, relativeFileName)); if (!relativeFileName || !isIgnoredByWatchOptions(fileName, options, useCaseSensitiveFileNames, getCurrentDirectory)) { callback(fileName); } } }; } function createSystemWatchFunctions({ pollingWatchFileWorker, getModifiedTime: getModifiedTime3, setTimeout: setTimeout2, clearTimeout: clearTimeout2, fsWatchWorker, fileSystemEntryExists, useCaseSensitiveFileNames, getCurrentDirectory, fsSupportsRecursiveFsWatch, getAccessibleSortedChildDirectories, realpath, tscWatchFile, useNonPollingWatchers, tscWatchDirectory, inodeWatching, 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, void 0); case 1: return pollingWatchFile(fileName, callback, pollingInterval, void 0); case 2: return ensureDynamicPollingWatchFile()(fileName, callback, pollingInterval, void 0); case 3: return ensureFixedChunkSizePollingWatchFile()(fileName, callback, void 0, void 0); case 4: return fsWatch(fileName, 0, createFsWatchCallbackForFileWatcherCallback(fileName, callback, getModifiedTime3), false, pollingInterval, getFallbackOptions(options)); case 5: if (!nonPollingWatchFile) { nonPollingWatchFile = createUseFsEventsOnParentDirectoryWatchFile(fsWatch, useCaseSensitiveFileNames); } 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 }; case "DynamicPriorityPolling": return { watchFile: 2 }; case "UseFsEvents": return generateWatchFileOptions(4, 1, options); case "UseFsEventsWithFallbackDynamicPolling": return generateWatchFileOptions(4, 2, options); case "UseFsEventsOnParentDirectory": useNonPollingWatchers2 = true; default: return useNonPollingWatchers2 ? generateWatchFileOptions(5, 1, options) : { watchFile: 4 }; } } 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, useCaseSensitiveFileNames, getCurrentDirectory), recursive, 500, getFallbackOptions(options)); } if (!hostRecursiveDirectoryWatcher) { hostRecursiveDirectoryWatcher = createDirectoryWatcherSupportingRecursive({ useCaseSensitiveFileNames, 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, void 0); case 2: return ensureDynamicPollingWatchFile()(directoryName, () => callback(directoryName), 500, void 0); case 3: return ensureFixedChunkSizePollingWatchFile()(directoryName, () => callback(directoryName), void 0, void 0); case 0: return fsWatch(directoryName, 1, createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames, 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 }; case "RecursiveDirectoryUsingDynamicPriorityPolling": return { watchDirectory: 2 }; 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, useCaseSensitiveFileNames, fileName, callback, (cb) => pollingWatchFileWorker(fileName, cb, pollingInterval, options)); } function fsWatch(fileOrDirectory, entryKind, callback, recursive, fallbackPollingInterval, fallbackOptions) { return createSingleWatcherPerName(recursive ? fsWatchesRecursive : fsWatches, useCaseSensitiveFileNames, 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 = fsWatchWorker(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 patchWriteFileEnsuringDirectory(sys2) { const originalWriteFile = sys2.writeFile; sys2.writeFile = (path, data, writeBom) => writeFileEnsuringDirectories(path, data, !!writeBom, (path2, data2, writeByteOrderMark) => originalWriteFile.call(sys2, path2, data2, writeByteOrderMark), (path2) => sys2.createDirectory(path2), (path2) => sys2.directoryExists(path2)); } function setSys(s) { sys = s; } var FileWatcherEventKind, PollingInterval, missingFileModifiedTime, defaultChunkLevels, pollingChunkSize, unchangedPollThresholds, ignoredPaths, curSysLog, FileSystemEntryKind, sys; var init_sys = __esm({ "src/compiler/sys.ts"() { "use strict"; init_ts2(); FileWatcherEventKind = /* @__PURE__ */ ((FileWatcherEventKind2) => { FileWatcherEventKind2[FileWatcherEventKind2["Created"] = 0] = "Created"; FileWatcherEventKind2[FileWatcherEventKind2["Changed"] = 1] = "Changed"; FileWatcherEventKind2[FileWatcherEventKind2["Deleted"] = 2] = "Deleted"; return FileWatcherEventKind2; })(FileWatcherEventKind || {}); PollingInterval = /* @__PURE__ */ ((PollingInterval3) => { PollingInterval3[PollingInterval3["High"] = 2e3] = "High"; PollingInterval3[PollingInterval3["Medium"] = 500] = "Medium"; PollingInterval3[PollingInterval3["Low"] = 250] = "Low"; return PollingInterval3; })(PollingInterval || {}); missingFileModifiedTime = /* @__PURE__ */ new Date(0); defaultChunkLevels = { Low: 32, Medium: 64, High: 256 }; pollingChunkSize = createPollingIntervalBasedLevels(defaultChunkLevels); unchangedPollThresholds = createPollingIntervalBasedLevels(defaultChunkLevels); ignoredPaths = ["/node_modules/.", "/.git", "/.#"]; curSysLog = noop; FileSystemEntryKind = /* @__PURE__ */ ((FileSystemEntryKind2) => { FileSystemEntryKind2[FileSystemEntryKind2["File"] = 0] = "File"; FileSystemEntryKind2[FileSystemEntryKind2["Directory"] = 1] = "Directory"; return FileSystemEntryKind2; })(FileSystemEntryKind || {}); sys = (() => { const byteOrderMarkIndicator = "uFEFF"; function getNodeSystem() { const nativePattern = /^native |^([^)]+)$|^(internal[\/]|[a-zA-Z0-9_s]+(.js)?$)/; const _fs = require2("fs"); const _path = require2("path"); const _os = require2("os"); let _crypto; try { _crypto = require2("crypto"); } catch (e) { _crypto = void 0; } let activeSession; let profilePath = "./profile.cpuprofile"; const Buffer2 = require2("buffer").Buffer; const isLinuxOrMacOs = process.platform === "linux" || process.platform === "darwin"; const platform = _os.platform(); const useCaseSensitiveFileNames = isFileSystemCaseSensitive(); const fsRealpath = !!_fs.realpathSync.native ? process.platform === "win32" ? fsRealPathHandlingLongPath : _fs.realpathSync.native : _fs.realpathSync; const executingFilePath = ts_worker_filename.endsWith("sys.js") ? _path.join(_path.dirname(ts_worker_dirname), "__fake__.js") : ts_worker_filename; const fsSupportsRecursiveFsWatch = process.platform === "win32" || process.platform === "darwin"; const getCurrentDirectory = memoize(() => process.cwd()); const { watchFile: watchFile2, watchDirectory } = createSystemWatchFunctions({ pollingWatchFileWorker: fsWatchFileWorker, getModifiedTime: getModifiedTime3, setTimeout, clearTimeout, fsWatchWorker, useCaseSensitiveFileNames, getCurrentDirectory, fileSystemEntryExists, fsSupportsRecursiveFsWatch, getAccessibleSortedChildDirectories: (path) => getAccessibleFileSystemEntries(path).directories, realpath, tscWatchFile: process.env.TSC_WATCHFILE, useNonPollingWatchers: process.env.TSC_NONPOLLING_WATCHER, tscWatchDirectory: process.env.TSC_WATCHDIRECTORY, inodeWatching: isLinuxOrMacOs, sysLog }); const nodeSystem = { args: process.argv.slice(2), newLine: _os.EOL, useCaseSensitiveFileNames, write(s) { process.stdout.write(s); }, getWidthOfTerminal() { return process.stdout.columns; }, writeOutputIsTTY() { return process.stdout.isTTY; }, readFile, writeFile: writeFile2, watchFile: watchFile2, watchDirectory, resolvePath: (path) => _path.resolve(path), fileExists, directoryExists, 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 (__webpack_require__.g.gc) { __webpack_require__.g.gc(); } return process.memoryUsage().heapUsed; }, getFileSize(path) { try { const stat = statSync(path); if (stat == null ? void 0 : stat.isFile()) { return stat.size; } } catch (e) { } 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)), tryEnableSourceMapsForHost() { try { require2("source-map-support").install(); } catch (e) { } }, setTimeout, clearTimeout, clearScreen: () => { process.stdout.write("x1Bc"); }, setBlocking: () => { if (process.stdout && process.stdout._handle && process.stdout._handle.setBlocking) { process.stdout._handle.setBlocking(true); } }, bufferFrom, base64decode: (input) => bufferFrom(input, "base64").toString("utf8"), base64encode: (input) => bufferFrom(input).toString("base64"), require: (baseDir, moduleName) => { try { const modulePath = resolveJSModule(moduleName, baseDir, nodeSystem); return { module: require2(modulePath), modulePath, error: void 0 }; } catch (error) { return { module: void 0, modulePath: void 0, error }; } } }; return nodeSystem; function statSync(path) { return _fs.statSync(path, { throwIfNoEntry: false }); } function enableCPUProfiler(path, cb) { if (activeSession) { cb(); return false; } const inspector = require2("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 = path; 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, useCaseSensitiveFileNames)) { node.callFrame.url = getRelativePathToDirectoryOrUrl(fileUrlRoot, url, fileUrlRoot, createGetCanonicalFileName(useCaseSensitiveFileNames), 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 _a2; if (!err) { try { if ((_a2 = statSync(profilePath)) == null ? void 0 : _a2.isDirectory()) { profilePath = _path.join(profilePath, `${(/* @__PURE__ */ new Date()).toISOString().replace(/:/g, "-")}+P${process.pid}.cpuprofile`); } } catch (e) { } try { _fs.mkdirSync(_path.dirname(profilePath), { recursive: true }); } catch (e) { } _fs.writeFileSync(profilePath, JSON.stringify(cleanupPaths(profile))); } activeSession = void 0; s.disconnect(); cb(); }); activeSession = "stopping"; return true; } else { cb(); return false; } } function bufferFrom(input, encoding) { return Buffer2.from && Buffer2.from !== Int8Array.from ? Buffer2.from(input, encoding) : new Buffer2(input, encoding); } function isFileSystemCaseSensitive() { if (platform === "win32" || platform === "win64") { return false; } return !fileExists(swapCase(ts_worker_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 readFile(fileName, _encoding) { perfLogger.logStartReadFile(fileName); const file = readFileWorker(fileName, _encoding); perfLogger.logStopReadFile(); return file; } function writeFile2(fileName, data, writeByteOrderMark) { perfLogger.logEvent("WriteFile: " + fileName); if (writeByteOrderMark) { data = byteOrderMarkIndicator + data; } let fd; try { fd = _fs.openSync(fileName, "w"); _fs.writeSync(fd, data, void 0, "utf8"); } finally { if (fd !== void 0) { _fs.closeSync(fd); } } } function getAccessibleFileSystemEntries(path) { perfLogger.logEvent("ReadDir: " + (path || ".")); try { const entries = _fs.readdirSync(path || ".", { 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(path, 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(path, extensions, excludes, includes, depth) { return matchFiles(path, extensions, excludes, includes, useCaseSensitiveFileNames, process.cwd(), depth, getAccessibleFileSystemEntries, realpath); } function fileSystemEntryExists(path, entryKind) { const originalStackTraceLimit = Error.stackTraceLimit; Error.stackTraceLimit = 0; try { const stat = statSync(path); 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(path) { return fileSystemEntryExists(path, 0); } function directoryExists(path) { return fileSystemEntryExists(path, 1); } function getDirectories(path) { return getAccessibleFileSystemEntries(path).directories.slice(); } function fsRealPathHandlingLongPath(path) { return path.length < 260 ? _fs.realpathSync.native(path) : _fs.realpathSync(path); } function realpath(path) { try { return fsRealpath(path); } catch (e) { return path; } } function getModifiedTime3(path) { var _a2; const originalStackTraceLimit = Error.stackTraceLimit; Error.stackTraceLimit = 0; try { return (_a2 = statSync(path)) == null ? void 0 : _a2.mtime; } catch (e) { return void 0; } finally { Error.stackTraceLimit = originalStackTraceLimit; } } function setModifiedTime(path, time) { try { _fs.utimesSync(path, time, time); } catch (e) { return; } } function deleteFile(path) { try { return _fs.unlinkSync(path); } 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; })(); if (sys && sys.getEnvironmentVariable) { setCustomPollingValues(sys); Debug.setAssertionLevel(/^development$/i.test(sys.getEnvironmentVariable("NODE_ENV")) ? 1 : 0); } if (sys && sys.debugMode) { Debug.isDebugging = true; } } }); function isAnyDirectorySeparator(charCode) { return charCode === 47 || charCode === 92; } function isUrl(path) { return getEncodedRootLength(path) < 0; } function isRootedDiskPath(path) { return getEncodedRootLength(path) > 0; } function isDiskPathRoot(path) { const rootLength = getEncodedRootLength(path); return rootLength > 0 && rootLength === path.length; } function pathIsAbsolute(path) { return getEncodedRootLength(path) !== 0; } function pathIsRelative(path) { return /^..?($|[\/])/.test(path); } function pathIsBareSpecifier(path) { return !pathIsAbsolute(path) && !pathIsRelative(path); } function hasExtension(fileName) { return stringContains(getBaseFileName(fileName), "."); } function fileExtensionIs(path, extension) { return path.length > extension.length && endsWith(path, extension); } function fileExtensionIsOneOf(path, extensions) { for (const extension of extensions) { if (fileExtensionIs(path, extension)) { return true; } } return false; } function hasTrailingDirectorySeparator(path) { return path.length > 0 && isAnyDirectorySeparator(path.charCodeAt(path.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(path) { if (!path) return 0; const ch0 = path.charCodeAt(0); if (ch0 === 47 || ch0 === 92) { if (path.charCodeAt(1) !== ch0) return 1; const p1 = path.indexOf(ch0 === 47 ? directorySeparator : altDirectorySeparator, 2); if (p1 < 0) return path.length; return p1 + 1; } if (isVolumeCharacter(ch0) && path.charCodeAt(1) === 58) { const ch2 = path.charCodeAt(2); if (ch2 === 47 || ch2 === 92) return 3; if (path.length === 2) return 2; } const schemeEnd = path.indexOf(urlSchemeSeparator); if (schemeEnd !== -1) { const authorityStart = schemeEnd + urlSchemeSeparator.length; const authorityEnd = path.indexOf(directorySeparator, authorityStart); if (authorityEnd !== -1) { const scheme = path.slice(0, schemeEnd); const authority = path.slice(authorityStart, authorityEnd); if (scheme === "file" && (authority === "" || authority === "localhost") && isVolumeCharacter(path.charCodeAt(authorityEnd + 1))) { const volumeSeparatorEnd = getFileUrlVolumeSeparatorEnd(path, authorityEnd + 2); if (volumeSeparatorEnd !== -1) { if (path.charCodeAt(volumeSeparatorEnd) === 47) { return ~(volumeSeparatorEnd + 1); } if (volumeSeparatorEnd === path.length) { return ~volumeSeparatorEnd; } } } return ~(authorityEnd + 1); } return ~path.length; } return 0; } function getRootLength(path) { const rootLength = getEncodedRootLength(path); return rootLength < 0 ? ~rootLength : rootLength; } function getDirectoryPath(path) { path = normalizeSlashes(path); const rootLength = getRootLength(path); if (rootLength === path.length) return path; path = removeTrailingDirectorySeparator(path); return path.slice(0, Math.max(rootLength, path.lastIndexOf(directorySeparator))); } function getBaseFileName(path, extensions, ignoreCase) { path = normalizeSlashes(path); const rootLength = getRootLength(path); if (rootLength === path.length) return ""; path = removeTrailingDirectorySeparator(path); const name = path.slice(Math.max(getRootLength(path), path.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(path, extension, stringEqualityComparer) { if (!startsWith(extension, ".")) extension = "." + extension; if (path.length >= extension.length && path.charCodeAt(path.length - extension.length) === 46) { const pathExtension = path.slice(path.length - extension.length); if (stringEqualityComparer(pathExtension, extension)) { return pathExtension; } } } function getAnyExtensionFromPathWorker(path, extensions, stringEqualityComparer) { if (typeof extensions === "string") { return tryGetExtensionFromPath(path, extensions, stringEqualityComparer) || ""; } for (const extension of extensions) { const result = tryGetExtensionFromPath(path, extension, stringEqualityComparer); if (result) return result; } return ""; } function getAnyExtensionFromPath(path, extensions, ignoreCase) { if (extensions) { return getAnyExtensionFromPathWorker(removeTrailingDirectorySeparator(path), extensions, ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive); } const baseFileName = getBaseFileName(path); const extensionIndex = baseFileName.lastIndexOf("."); if (extensionIndex >= 0) { return baseFileName.substring(extensionIndex); } return ""; } function pathComponents(path, rootLength) { const root = path.substring(0, rootLength); const rest = path.substring(rootLength).split(directorySeparator); if (rest.length && !lastOrUndefined(rest)) rest.pop(); return [root, ...rest]; } function getPathComponents(path, currentDirectory = "") { path = combinePaths(currentDirectory, path); return pathComponents(path, getRootLength(path)); } function getPathFromPathComponents(pathComponents2) { if (pathComponents2.length === 0) return ""; const root = pathComponents2[0] && ensureTrailingDirectorySeparator(pathComponents2[0]); return root + pathComponents2.slice(1).join(directorySeparator); } function normalizeSlashes(path) { return path.indexOf("\") !== -1 ? path.replace(backslashRegExp, directorySeparator) : path; } 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(path, ...paths) { if (path) path = normalizeSlashes(path); for (let relativePath of paths) { if (!relativePath) continue; relativePath = normalizeSlashes(relativePath); if (!path || getRootLength(relativePath) !== 0) { path = relativePath; } else { path = ensureTrailingDirectorySeparator(path) + relativePath; } } return path; } function resolvePath(path, ...paths) { return normalizePath(some(paths) ? combinePaths(path, ...paths) : normalizeSlashes(path)); } function getNormalizedPathComponents(path, currentDirectory) { return reducePathComponents(getPathComponents(path, currentDirectory)); } function getNormalizedAbsolutePath(fileName, currentDirectory) { return getPathFromPathComponents(getNormalizedPathComponents(fileName, currentDirectory)); } function normalizePath(path) { path = normalizeSlashes(path); if (!relativePathSegmentRegExp.test(path)) { return path; } const simplified = path.replace(//.//g, "/").replace(/^.//, ""); if (simplified !== path) { path = simplified; if (!relativePathSegmentRegExp.test(path)) { return path; } } const normalized = getPathFromPathComponents(reducePathComponents(getPathComponents(path))); return normalized && hasTrailingDirectorySeparator(path) ? 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 toPath(fileName, basePath, getCanonicalFileName) { const nonCanonicalizedPath = isRootedDiskPath(fileName) ? normalizePath(fileName) : getNormalizedAbsolutePath(fileName, basePath); return getCanonicalFileName(nonCanonicalizedPath); } function removeTrailingDirectorySeparator(path) { if (hasTrailingDirectorySeparator(path)) { return path.substr(0, path.length - 1); } return path; } function ensureTrailingDirectorySeparator(path) { if (!hasTrailingDirectorySeparator(path)) { return path + directorySeparator; } return path; } function ensurePathIsNonModuleName(path) { return !pathIsAbsolute(path) && !pathIsRelative(path) ? "./" + path : path; } function changeAnyExtension(path, ext, extensions, ignoreCase) { const pathext = extensions !== void 0 && ignoreCase !== void 0 ? getAnyExtensionFromPath(path, extensions, ignoreCase) : getAnyExtensionFromPath(path); return pathext ? path.slice(0, path.length - pathext.length) + (startsWith(ext, ".") ? ext : "." + ext) : path; } 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 startsWith(canonicalFileName, canonicalDirectoryName + "/") || startsWith(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 relative = []; for (; start < fromComponents.length; start++) { relative.push(".."); } return ["", ...relative, ...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 : identity; 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, 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"); } var directorySeparator, altDirectorySeparator, urlSchemeSeparator, backslashRegExp, relativePathSegmentRegExp; var init_path = __esm({ "src/compiler/path.ts"() { "use strict"; init_ts2(); directorySeparator = "/"; altDirectorySeparator = "\"; urlSchemeSeparator = "://"; backslashRegExp = /\/g; relativePathSegmentRegExp = /(?://)|(?:^|/)..?(?:$|/)/; } }); function diag(code, category, key, message, reportsUnnecessary, elidedInCompatabilityPyramid, reportsDeprecated) { return { code, category, key, message, reportsUnnecessary, elidedInCompatabilityPyramid, reportsDeprecated }; } var Diagnostics; var init_diagnosticInformationMap_generated = __esm({ "src/compiler/diagnosticInformationMap.generated.ts"() { "use strict"; init_types(); 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_SlashES3_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_SlashES3_because_it_does_not_refer_to_a_Prom_1055", "Type "{0}" is not a valid async function return type in ES5/ES3 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}>"?"), 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."), Octal_literals_are_not_available_when_targeting_ECMAScript_5_and_higher_Use_the_syntax_0: diag(1085, 1, "Octal_literals_are_not_available_when_targeting_ECMAScript_5_and_higher_Use_the_syntax_0_1085", "Octal literals are not available when targeting ECMAScript 5 and higher. Use the syntax "{0}"."), _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."), 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_in_strict_mode: diag(1121, 1, "Octal_literals_are_not_allowed_in_strict_mode_1121", "Octal literals are not allowed in strict mode."), 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."), const_declarations_must_be_initialized: diag(1155, 1, "const_declarations_must_be_initialized_1155", ""const" declarations must be initialized."), const_declarations_can_only_be_declared_inside_a_block: diag(1156, 1, "const_declarations_can_only_be_declared_inside_a_block_1156", ""const" declarations can only be declared inside a block."), let_declarations_can_only_be_declared_inside_a_block: diag(1157, 1, "let_declarations_can_only_be_declared_inside_a_block_1157", ""let" 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_ES3_or_ES5: diag(1250, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_ES5_1250", "Function declarations are not allowed inside blocks in strict mode when targeting "ES3" or "ES5"."), Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_ES5_Class_definitions_are_automatically_in_strict_mode: diag(1251, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_ES5_Class_d_1251", "Function declarations are not allowed inside blocks in strict mode when targeting "ES3" or "ES5". Class definitions are automatically in strict mode."), Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_ES5_Modules_are_automatically_in_strict_mode: diag(1252, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_ES5_Modules_1252", "Function declarations are not allowed inside blocks in strict mode when targeting "ES3" or "ES5". Modules are automatically in strict mode."), 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."), 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}"?"), This_import_is_never_used_as_a_value_and_must_use_import_type_because_importsNotUsedAsValues_is_set_to_error: diag(1371, 1, "This_import_is_never_used_as_a_value_and_must_use_import_type_because_importsNotUsedAsValues_is_set__1371", "This import is never used as a value and must use "import type" because "importsNotUsedAsValues" is set to "error"."), Convert_to_type_only_import: diag(1373, 3, "Convert_to_type_only_import_1373", "Convert to type-only import"), Convert_all_imports_not_used_as_a_value_to_type_only_imports: diag(1374, 3, "Convert_all_imports_not_used_as_a_value_to_type_only_imports_1374", "Convert all imports not used as a value to type-only imports"), 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_or_nodenext_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", or "nodenext", 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_or_nodenext_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", or "nodenext", 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_is_a_type_and_must_be_imported_using_a_type_only_import_when_preserveValueImports_and_isolatedModules_are_both_enabled: diag(1444, 1, "_0_is_a_type_and_must_be_imported_using_a_type_only_import_when_preserveValueImports_and_isolatedMod_1444", ""{0}" is a type and must be imported using a type-only import when "preserveValueImports" and "isolatedModules" are both enabled."), _0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_preserveValueImports_and_isolatedModules_are_both_enabled: diag(1446, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_preserveVa_1446", ""{0}" resolves to a type-only declaration and must be imported using a type-only import when "preserveValueImports" and "isolatedModules" are both enabled."), _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_assertion_as_arguments: diag(1450, 3, "Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_assertion_as_arguments_1450", "Dynamic imports can only accept a module specifier and an optional assertion 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_assertions_are_only_supported_when_moduleResolution_is_node16_or_nodenext: diag(1452, 1, "resolution_mode_assertions_are_only_supported_when_moduleResolution_is_node16_or_nodenext_1452", ""resolution-mode" assertions are only supported when `moduleResolution` is `node16` or `nodenext`."), 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"), 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."), 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.", void 0, 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.", void 0, 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}".", void 0, 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}".", void 0, 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_constructor_arguments: diag(2333, 1, "this_cannot_be_referenced_in_constructor_arguments_2333", ""this" cannot be referenced in constructor arguments."), 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}"."), Call_target_does_not_contain_any_signatures: diag(2346, 1, "Call_target_does_not_contain_any_signatures_2346", "Call target does not contain any signatures."), 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_void_nor_any_must_return_a_value: diag(2355, 1, "A_function_whose_declared_type_is_neither_void_nor_any_must_return_a_value_2355", "A function whose declared type is neither "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_of_type_any_or_of_a_type_assignable_to_the_Function_interface_type: diag(2359, 1, "The_right_hand_side_of_an_instanceof_expression_must_be_of_type_any_or_of_a_type_assignable_to_the_F_2359", "The right-hand side of an "instanceof" expression must be of type "any" or of a type assignable to the "Function" interface type."), 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."), The_return_type_of_a_get_accessor_must_be_assignable_to_its_set_accessor_type: diag(2380, 1, "The_return_type_of_a_get_accessor_must_be_assignable_to_its_set_accessor_type_2380", "The return type of a "get" accessor must be assignable to its "set" accessor type"), 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_ES3_and_ES5_Consider_using_a_standard_function_expression: diag(2496, 1, "The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES3_and_ES5_Consider_using_a_stand_2496", "The "arguments" object cannot be referenced in an arrow function in ES3 and 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_ES3_and_ES5_Consider_using_a_standard_function_or_method: diag(2522, 1, "The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES3_and_ES5_Consider_usi_2522", "The "arguments" object cannot be referenced in an async function or method in ES3 and 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} = req uire({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} = req uire({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."), 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."), 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}"."), 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.", 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_SlashES3_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_SlashES3_requires_the_Promise_constructor_Make_sure_you_have_a_de_2705", "An async function or method in ES5/ES3 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_SlashES3_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_SlashES3_requires_the_Promise_constructor_Make_sure_you_have_a_declarat_2712", "A dynamic import call in ES5/ES3 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_or_nodenext: diag(2821, 1, "Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_or_nodenext_2821", "Import assertions are only supported when the "--module" option is set to "esnext" or "nodenext"."), 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."), 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_transpile_to_commonjs_require_calls: diag(2836, 1, "Import_assertions_are_not_allowed_on_statements_that_transpile_to_commonjs_require_calls_2836", "Import assertions are not allowed on statements that transpile 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_an_interface_can_only_extend_named_types_and_classes: diag(2840, 1, "An_interface_cannot_extend_a_primitive_type_like_0_an_interface_can_only_extend_named_types_and_clas_2840", "An interface cannot extend a primitive type like "{0}"; an interface can only extend named types and classes"), The_type_of_this_expression_cannot_be_named_without_a_resolution_mode_assertion_which_is_an_unstable_feature_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next: diag(2841, 1, "The_type_of_this_expression_cannot_be_named_without_a_resolution_mode_assertion_which_is_an_unstable_2841", "The type of this expression cannot be named without a "resolution-mode" assertion, which is an unstable feature. Use nightly TypeScript to silence this error. Try updating with "npm install -D typescript@next"."), _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?"), 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}"."), Conflicting_definitions_for_0_found_at_1_and_2_Consider_installing_a_specific_version_of_this_library_to_resolve_the_conflict: diag(4090, 1, "Conflicting_definitions_for_0_found_at_1_and_2_Consider_installing_a_specific_version_of_this_librar_4090", "Conflicting definitions for "{0}" found at "{1}" and "{2}". Consider installing a specific version of this library to resolve the conflict."), 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"."), resolution_mode_assertions_are_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next: diag(4125, 1, "resolution_mode_assertions_are_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_wi_4125", ""resolution-mode" assertions are unstable. Use nightly TypeScript to silence this error. Try updating with "npm install -D typescript@next"."), 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_cannot_be_specified_when_option_target_is_ES3: diag(5048, 1, "Option_0_cannot_be_specified_when_option_target_is_ES3_5048", "Option "{0}" cannot be specified when option "target" is "ES3"."), 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_can_only_be_specified_when_module_code_generation_is_commonjs_amd_es2015_or_esNext: diag(5071, 1, "Option_resolveJsonModule_can_only_be_specified_when_module_code_generation_is_commonjs_amd_es2015_or_5071", "Option "--resolveJsonModule" can only be specified when module code generation is "commonjs", "amd", "es2015" or "esNext"."), 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}"."), Tuple_members_must_all_have_names_or_all_not_have_names: diag(5084, 1, "Tuple_members_must_all_have_names_or_all_not_have_names_5084", "Tuple members must all have names or all not have names."), 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_es2015_or_later: diag(5095, 1, "Option_0_can_only_be_used_when_module_is_set_to_es2015_or_later_5095", "Option "{0}" can only be used when "module" is set 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."), 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."), File_0_has_an_unsupported_extension_so_skipping_it: diag(6081, 3, "File_0_has_an_unsupported_extension_so_skipping_it_6081", "File "{0}" has an unsupported extension, so skipping it."), 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.", 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.", 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."), 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_or_ES3: diag(6179, 3, "Provide_full_support_for_iterables_in_for_of_spread_and_destructuring_when_targeting_ES5_or_ES3_6179", "Provide full support for iterables in "for-of", spread, and destructuring when targeting "ES5" or "ES3"."), 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.", 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.", 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.", true), All_variables_are_unused: diag(6199, 1, "All_variables_are_unused_6199", "All variables are unused.", 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_1: diag(6259, 3, "Found_1_error_in_1_6259", "Found 1 error in {1}"), 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."), 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.`), 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."), Cannot_prepend_project_0_because_it_does_not_have_outFile_set: diag(6308, 1, "Cannot_prepend_project_0_because_it_does_not_have_outFile_set_6308", "Cannot prepend project "{0}" because it does not have "outFile" set"), Output_file_0_from_project_1_does_not_exist: diag(6309, 1, "Output_file_0_from_project_1_does_not_exist_6309", "Output file "{0}" from project "{1}" does not exist"), 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}"..."), Project_0_is_out_of_date_because_output_of_its_dependency_1_has_changed: diag(6372, 3, "Project_0_is_out_of_date_because_output_of_its_dependency_1_has_changed_6372", "Project "{0}" is out of date because output of its dependency "{1}" has changed"), Updating_output_of_project_0: diag(6373, 3, "Updating_output_of_project_0_6373", "Updating output 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}""), A_non_dry_build_would_update_output_of_project_0: diag(6375, 3, "A_non_dry_build_would_update_output_of_project_0_6375", "A non-dry build would update output of project "{0}""), Cannot_update_output_of_project_0_because_there_was_error_reading_file_1: diag(6376, 3, "Cannot_update_output_of_project_0_because_there_was_error_reading_file_1_6376", "Cannot update output of project "{0}" because there was error reading file "{1}""), 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.", void 0, void 0, 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.", void 0, void 0, 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."), 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."), 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."), 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.", true), Unused_label: diag(7028, 1, "Unused_label_7028", "Unused label.", 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."), Octal_literal_types_must_use_ES2015_syntax_Use_the_syntax_0: diag(8017, 1, "Octal_literal_types_must_use_ES2015_syntax_Use_the_syntax_0_8017", "Octal literal types must use ES2015 syntax. Use the syntax "{0}"."), Octal_literals_are_not_allowed_in_enums_members_initializer_Use_the_syntax_0: diag(8018, 1, "Octal_literals_are_not_allowed_in_enums_members_initializer_Use_the_syntax_0_8018", "Octal literals are not allowed in enums members initializer. Use the syntax "{0}"."), 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"."), 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."), 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}"?"), 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."), 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"), 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_concatenation: diag(95154, 3, "Can_only_convert_string_concatenation_95154", "Can only convert string concatenation"), 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."), 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.") }; } }); function tokenIsIdentifierOrKeyword(token) { return token >= 79; } function tokenIsIdentifierOrKeywordOrGreaterThan(token) { return token === 31 || tokenIsIdentifierOrKeyword(token); } 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) : languageVersion === 1 ? lookupInUnicodeMap(code, unicodeES5IdentifierStart) : lookupInUnicodeMap(code, unicodeES3IdentifierStart); } function isUnicodeIdentifierPart(code, languageVersion) { return languageVersion >= 2 ? lookupInUnicodeMap(code, unicodeESNextIdentifierPart) : languageVersion === 1 ? lookupInUnicodeMap(code, unicodeES5IdentifierPart) : lookupInUnicodeMap(code, unicodeES3IdentifierPart); } function makeReverseMap(source) { const result = []; source.forEach((value, name) => { result[value] = name; }); return result; } function tokenToString(t) { return tokenStrings[t]; } function stringToToken(s) { return textToToken.get(s); } 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, identity, 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 isNegative = lower === pos2; const upper = isNegative ? pos1 : pos2; const lowerLine = computeLineOfPosition(lineStarts, lower); const upperLine = computeLineOfPosition(lineStarts, upper, lowerLine); return isNegative ? 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 isCodePoint(code) { return code <= 1114111; } 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; } } 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, error) { if (error) { error(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); while (pos < len) { const currentChar = text.charCodeAt(pos); if ((currentChar === 61 || currentChar === 62) && currentChar !== ch && isConflictMarkerTrivia(text, pos)) { break; } pos++; } } return pos; } 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(false, text, pos, false, cb, state); } function forEachTrailingCommentRange(text, pos, cb, state) { return iterateCommentRanges(false, text, pos, true, cb, state); } function reduceEachLeadingCommentRange(text, pos, cb, state, initial) { return iterateCommentRanges(true, text, pos, false, cb, state, initial); } function reduceEachTrailingCommentRange(text, pos, cb, state, initial) { return iterateCommentRanges(true, text, pos, 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, void 0, void 0); } function getTrailingCommentRanges(text, pos) { return reduceEachTrailingCommentRange(text, pos, appendCommentRange, void 0, void 0); } function getShebang(text) { const match = shebangTriviaRegex.exec(text); if (match) { return match[0]; } } function isIdentifierStart(ch, languageVersion) { return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122 || ch === 36 || ch === 95 || ch > 127 && isUnicodeIdentifierStart(ch, languageVersion); } function isIdentifierPart(ch, languageVersion, identifierVariant) { return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122 || ch >= 48 && ch <= 57 || ch === 36 || ch === 95 || (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 startPos; var tokenPos; var token; var tokenValue; var tokenFlags; var commentDirectives; var inJSDocType = 0; setText(text, start, length2); var scanner2 = { getStartPos: () => startPos, getTextPos: () => pos, getToken: () => token, getTokenPos: () => tokenPos, getTokenText: () => text.substring(tokenPos, pos), getTokenValue: () => tokenValue, hasUnicodeEscape: () => (tokenFlags & 1024) !== 0, hasExtendedUnicodeEscape: () => (tokenFlags & 8) !== 0, hasPrecedingLineBreak: () => (tokenFlags & 1) !== 0, hasPrecedingJSDocComment: () => (tokenFlags & 2) !== 0, isIdentifier: () => token === 79 || token > 116, isReservedWord: () => token >= 81 && token <= 116, isUnterminated: () => (tokenFlags & 4) !== 0, getCommentDirectives: () => commentDirectives, getNumericLiteralFlags: () => tokenFlags & 1008, getTokenFlags: () => tokenFlags, reScanGreaterToken, reScanAsteriskEqualsToken, reScanSlashToken, reScanTemplateToken, reScanTemplateHeadOrNoSubstitutionTemplate, scanJsxIdentifier, scanJsxAttributeValue, reScanJsxAttributeValue, reScanJsxToken, reScanLessThanToken, reScanHashToken, reScanQuestionToken, reScanInvalidIdentifier, scanJsxToken, scanJsDocToken, scan, getText, clearCommentDirectives, setText, setScriptTarget, setLanguageVariant, setOnError, setTextPos, setInJSDocType, tryScan, lookAhead, scanRange }; if (Debug.isDebugging) { Object.defineProperty(scanner2, "__debugShowCurrentPositionInText", { get: () => { const text2 = scanner2.getText(); return text2.slice(0, scanner2.getStartPos()) + "u2551" + text2.slice(scanner2.getStartPos()); } }); } return scanner2; function error(message, errPos = pos, length3) { if (onError) { const oldPos = pos; pos = errPos; onError(message, length3 || 0); pos = oldPos; } } function scanNumberFragment() { let start2 = pos; let allowSeparator = false; let isPreviousTokenSeparator = false; let result = ""; while (true) { const ch = text.charCodeAt(pos); if (ch === 95) { tokenFlags |= 512; if (allowSeparator) { allowSeparator = false; isPreviousTokenSeparator = true; result += text.substring(start2, pos); } else if (isPreviousTokenSeparator) { error(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1); } else { error(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1); } pos++; start2 = pos; continue; } if (isDigit(ch)) { allowSeparator = true; isPreviousTokenSeparator = false; pos++; continue; } break; } if (text.charCodeAt(pos - 1) === 95) { error(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1); } return result + text.substring(start2, pos); } function scanNumber() { const start2 = pos; const mainFragment = scanNumberFragment(); let decimalFragment; let scientificFragment; if (text.charCodeAt(pos) === 46) { pos++; decimalFragment = scanNumberFragment(); } let end2 = pos; if (text.charCodeAt(pos) === 69 || text.charCodeAt(pos) === 101) { pos++; tokenFlags |= 16; if (text.charCodeAt(pos) === 43 || text.charCodeAt(pos) === 45) pos++; const preNumericPart = pos; const finalFragment = scanNumberFragment(); if (!finalFragment) { error(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 (decimalFragment !== void 0 || tokenFlags & 16) { checkForIdentifierStartAfterNumericLiteral(start2, decimalFragment === void 0 && !!(tokenFlags & 16)); return { type: 8, value: "" + +result }; } else { tokenValue = result; const type = checkBigIntSuffix(); checkForIdentifierStartAfterNumericLiteral(start2); return { type, value: tokenValue }; } } function checkForIdentifierStartAfterNumericLiteral(numericStart, isScientific) { if (!isIdentifierStart(codePointAt(text, pos), languageVersion)) { return; } const identifierStart = pos; const { length: length3 } = scanIdentifierParts(); if (length3 === 1 && text[identifierStart] === "n") { if (isScientific) { error(Diagnostics.A_bigint_literal_cannot_use_exponential_notation, numericStart, identifierStart - numericStart + 1); } else { error(Diagnostics.A_bigint_literal_must_be_an_integer, numericStart, identifierStart - numericStart + 1); } } else { error(Diagnostics.An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal, identifierStart, length3); pos = identifierStart; } } function scanOctalDigits() { const start2 = pos; while (isOctalDigit(text.charCodeAt(pos))) { pos++; } return +text.substring(start2, pos); } function scanExactNumberOfHexDigits(count, canHaveSeparators) { const valueString = scanHexDigits(count, false, canHaveSeparators); return valueString ? parseInt(valueString, 16) : -1; } function scanMinimumNumberOfHexDigits(count, canHaveSeparators) { return scanHexDigits(count, true, canHaveSeparators); } function scanHexDigits(minCount, scanAsManyAsPossible, canHaveSeparators) { let valueChars = []; let allowSeparator = false; let isPreviousTokenSeparator = false; while (valueChars.length < minCount || scanAsManyAsPossible) { let ch = text.charCodeAt(pos); if (canHaveSeparators && ch === 95) { tokenFlags |= 512; if (allowSeparator) { allowSeparator = false; isPreviousTokenSeparator = true; } else if (isPreviousTokenSeparator) { error(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1); } else { error(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 (text.charCodeAt(pos - 1) === 95) { error(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1); } return String.fromCharCode(...valueChars); } function scanString(jsxAttributeString = false) { const quote2 = text.charCodeAt(pos); pos++; let result = ""; let start2 = pos; while (true) { if (pos >= end) { result += text.substring(start2, pos); tokenFlags |= 4; error(Diagnostics.Unterminated_string_literal); break; } const ch = text.charCodeAt(pos); if (ch === quote2) { result += text.substring(start2, pos); pos++; break; } if (ch === 92 && !jsxAttributeString) { result += text.substring(start2, pos); result += scanEscapeSequence(); start2 = pos; continue; } if (isLineBreak(ch) && !jsxAttributeString) { result += text.substring(start2, pos); tokenFlags |= 4; error(Diagnostics.Unterminated_string_literal); break; } pos++; } return result; } function scanTemplateAndSetTokenValue(isTaggedTemplate) { const startedWithBacktick = text.charCodeAt(pos) === 96; pos++; let start2 = pos; let contents = ""; let resultingToken; while (true) { if (pos >= end) { contents += text.substring(start2, pos); tokenFlags |= 4; error(Diagnostics.Unterminated_template_literal); resultingToken = startedWithBacktick ? 14 : 17; break; } const currChar = text.charCodeAt(pos); if (currChar === 96) { contents += text.substring(start2, pos); pos++; resultingToken = startedWithBacktick ? 14 : 17; break; } if (currChar === 36 && pos + 1 < end && text.charCodeAt(pos + 1) === 123) { contents += text.substring(start2, pos); pos += 2; resultingToken = startedWithBacktick ? 15 : 16; break; } if (currChar === 92) { contents += text.substring(start2, pos); contents += scanEscapeSequence(isTaggedTemplate); start2 = pos; continue; } if (currChar === 13) { contents += text.substring(start2, pos); pos++; if (pos < end && text.charCodeAt(pos) === 10) { pos++; } contents += " "; start2 = pos; continue; } pos++; } Debug.assert(resultingToken !== void 0); tokenValue = contents; return resultingToken; } function scanEscapeSequence(isTaggedTemplate) { const start2 = pos; pos++; if (pos >= end) { error(Diagnostics.Unexpected_end_of_text); return ""; } const ch = text.charCodeAt(pos); pos++; switch (ch) { case 48: if (isTaggedTemplate && pos < end && isDigit(text.charCodeAt(pos))) { pos++; tokenFlags |= 2048; return text.substring(start2, pos); } return ""; case 98: return ""; case 116: return " "; case 110: return " "; case 118: return "v"; case 102: return "f"; case 114: return " "; case 39: return """; case 34: return """; case 117: if (isTaggedTemplate) { for (let escapePos = pos; escapePos < pos + 4; escapePos++) { if (escapePos < end && !isHexDigit(text.charCodeAt(escapePos)) && text.charCodeAt(escapePos) !== 123) { pos = escapePos; tokenFlags |= 2048; return text.substring(start2, pos); } } } if (pos < end && text.charCodeAt(pos) === 123) { pos++; if (isTaggedTemplate && !isHexDigit(text.charCodeAt(pos))) { tokenFlags |= 2048; return text.substring(start2, pos); } if (isTaggedTemplate) { const savePos = pos; const escapedValueString = scanMinimumNumberOfHexDigits(1, false); const escapedValue = escapedValueString ? parseInt(escapedValueString, 16) : -1; if (!isCodePoint(escapedValue) || text.charCodeAt(pos) !== 125) { tokenFlags |= 2048; return text.substring(start2, pos); } else { pos = savePos; } } tokenFlags |= 8; return scanExtendedUnicodeEscape(); } tokenFlags |= 1024; return scanHexadecimalEscape(4); case 120: if (isTaggedTemplate) { if (!isHexDigit(text.charCodeAt(pos))) { tokenFlags |= 2048; return text.substring(start2, pos); } else if (!isHexDigit(text.charCodeAt(pos + 1))) { pos++; tokenFlags |= 2048; return text.substring(start2, pos); } } return scanHexadecimalEscape(2); case 13: if (pos < end && text.charCodeAt(pos) === 10) { pos++; } case 10: case 8232: case 8233: return ""; default: return String.fromCharCode(ch); } } function scanHexadecimalEscape(numDigits) { const escapedValue = scanExactNumberOfHexDigits(numDigits, false); if (escapedValue >= 0) { return String.fromCharCode(escapedValue); } else { error(Diagnostics.Hexadecimal_digit_expected); return ""; } } function scanExtendedUnicodeEscape() { const escapedValueString = scanMinimumNumberOfHexDigits(1, false); const escapedValue = escapedValueString ? parseInt(escapedValueString, 16) : -1; let isInvalidExtendedEscape = false; if (escapedValue < 0) { error(Diagnostics.Hexadecimal_digit_expected); isInvalidExtendedEscape = true; } else if (escapedValue > 1114111) { error(Diagnostics.An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive); isInvalidExtendedEscape = true; } if (pos >= end) { error(Diagnostics.Unexpected_end_of_text); isInvalidExtendedEscape = true; } else if (text.charCodeAt(pos) === 125) { pos++; } else { error(Diagnostics.Unterminated_Unicode_escape_sequence); isInvalidExtendedEscape = true; } if (isInvalidExtendedEscape) { return ""; } return utf16EncodeAsString(escapedValue); } function peekUnicodeEscape() { if (pos + 5 < end && text.charCodeAt(pos + 1) === 117) { const start2 = pos; pos += 2; const value = scanExactNumberOfHexDigits(4, false); pos = start2; return value; } return -1; } function peekExtendedUnicodeEscape() { if (codePointAt(text, pos + 1) === 117 && codePointAt(text, pos + 2) === 123) { const start2 = pos; pos += 3; const escapedValueString = scanMinimumNumberOfHexDigits(1, 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 = codePointAt(text, pos); if (isIdentifierPart(ch, languageVersion)) { pos += charSize(ch); } else if (ch === 92) { ch = peekExtendedUnicodeEscape(); if (ch >= 0 && isIdentifierPart(ch, languageVersion)) { pos += 3; tokenFlags |= 8; result += scanExtendedUnicodeEscape(); 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 = 79; } function scanBinaryOrOctalDigits(base) { let value = ""; let separatorAllowed = false; let isPreviousTokenSeparator = false; while (true) { const ch = text.charCodeAt(pos); if (ch === 95) { tokenFlags |= 512; if (separatorAllowed) { separatorAllowed = false; isPreviousTokenSeparator = true; } else if (isPreviousTokenSeparator) { error(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1); } else { error(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 (text.charCodeAt(pos - 1) === 95) { error(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1); } return value; } function checkBigIntSuffix() { if (text.charCodeAt(pos) === 110) { tokenValue += "n"; if (tokenFlags & 384) { tokenValue = parsePseudoBigInt(tokenValue) + "n"; } pos++; return 9; } else { const numericValue = tokenFlags & 128 ? parseInt(tokenValue.slice(2), 2) : tokenFlags & 256 ? parseInt(tokenValue.slice(2), 8) : +tokenValue; tokenValue = "" + numericValue; return 8; } } function scan() { startPos = pos; tokenFlags = 0; let asteriskSeen = false; while (true) { tokenPos = pos; if (pos >= end) { return token = 1; } const ch = codePointAt(text, pos); if (ch === 35 && pos === 0 && 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 && text.charCodeAt(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(text.charCodeAt(pos))) { pos++; } return token = 5; } case 33: if (text.charCodeAt(pos + 1) === 61) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 37; } return pos += 2, token = 35; } pos++; return token = 53; case 34: case 39: tokenValue = scanString(); return token = 10; case 96: return token = scanTemplateAndSetTokenValue(false); case 37: if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 69; } pos++; return token = 44; case 38: if (text.charCodeAt(pos + 1) === 38) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 76; } return pos += 2, token = 55; } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 73; } pos++; return token = 50; case 40: pos++; return token = 20; case 41: pos++; return token = 21; case 42: if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 66; } if (text.charCodeAt(pos + 1) === 42) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 67; } return pos += 2, token = 42; } pos++; if (inJSDocType && !asteriskSeen && tokenFlags & 1) { asteriskSeen = true; continue; } return token = 41; case 43: if (text.charCodeAt(pos + 1) === 43) { return pos += 2, token = 45; } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 64; } pos++; return token = 39; case 44: pos++; return token = 27; case 45: if (text.charCodeAt(pos + 1) === 45) { return pos += 2, token = 46; } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 65; } pos++; return token = 40; case 46: if (isDigit(text.charCodeAt(pos + 1))) { tokenValue = scanNumber().value; return token = 8; } if (text.charCodeAt(pos + 1) === 46 && text.charCodeAt(pos + 2) === 46) { return pos += 3, token = 25; } pos++; return token = 24; case 47: if (text.charCodeAt(pos + 1) === 47) { pos += 2; while (pos < end) { if (isLineBreak(text.charCodeAt(pos))) { break; } pos++; } commentDirectives = appendIfCommentDirective(commentDirectives, text.slice(tokenPos, pos), commentDirectiveRegExSingleLine, tokenPos); if (skipTrivia2) { continue; } else { return token = 2; } } if (text.charCodeAt(pos + 1) === 42) { pos += 2; if (text.charCodeAt(pos) === 42 && text.charCodeAt(pos + 1) !== 47) { tokenFlags |= 2; } let commentClosed = false; let lastLineStart = tokenPos; while (pos < end) { const ch2 = text.charCodeAt(pos); if (ch2 === 42 && text.charCodeAt(pos + 1) === 47) { pos += 2; commentClosed = true; break; } pos++; if (isLineBreak(ch2)) { lastLineStart = pos; tokenFlags |= 1; } } commentDirectives = appendIfCommentDirective(commentDirectives, text.slice(lastLineStart, pos), commentDirectiveRegExMultiLine, lastLineStart); if (!commentClosed) { error(Diagnostics.Asterisk_Slash_expected); } if (skipTrivia2) { continue; } else { if (!commentClosed) { tokenFlags |= 4; } return token = 3; } } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 68; } pos++; return token = 43; case 48: if (pos + 2 < end && (text.charCodeAt(pos + 1) === 88 || text.charCodeAt(pos + 1) === 120)) { pos += 2; tokenValue = scanMinimumNumberOfHexDigits(1, true); if (!tokenValue) { error(Diagnostics.Hexadecimal_digit_expected); tokenValue = "0"; } tokenValue = "0x" + tokenValue; tokenFlags |= 64; return token = checkBigIntSuffix(); } else if (pos + 2 < end && (text.charCodeAt(pos + 1) === 66 || text.charCodeAt(pos + 1) === 98)) { pos += 2; tokenValue = scanBinaryOrOctalDigits(2); if (!tokenValue) { error(Diagnostics.Binary_digit_expected); tokenValue = "0"; } tokenValue = "0b" + tokenValue; tokenFlags |= 128; return token = checkBigIntSuffix(); } else if (pos + 2 < end && (text.charCodeAt(pos + 1) === 79 || text.charCodeAt(pos + 1) === 111)) { pos += 2; tokenValue = scanBinaryOrOctalDigits(8); if (!tokenValue) { error(Diagnostics.Octal_digit_expected); tokenValue = "0"; } tokenValue = "0o" + tokenValue; tokenFlags |= 256; return token = checkBigIntSuffix(); } if (pos + 1 < end && isOctalDigit(text.charCodeAt(pos + 1))) { tokenValue = "" + scanOctalDigits(); tokenFlags |= 32; return token = 8; } case 49: case 50: case 51: case 52: case 53: case 54: case 55: case 56: case 57: ({ type: token, value: tokenValue } = scanNumber()); return token; case 58: pos++; return token = 58; case 59: pos++; return token = 26; case 60: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error); if (skipTrivia2) { continue; } else { return token = 7; } } if (text.charCodeAt(pos + 1) === 60) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 70; } return pos += 2, token = 47; } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 32; } if (languageVariant === 1 && text.charCodeAt(pos + 1) === 47 && text.charCodeAt(pos + 2) !== 42) { return pos += 2, token = 30; } pos++; return token = 29; case 61: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error); if (skipTrivia2) { continue; } else { return token = 7; } } if (text.charCodeAt(pos + 1) === 61) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 36; } return pos += 2, token = 34; } if (text.charCodeAt(pos + 1) === 62) { return pos += 2, token = 38; } pos++; return token = 63; case 62: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error); if (skipTrivia2) { continue; } else { return token = 7; } } pos++; return token = 31; case 63: if (text.charCodeAt(pos + 1) === 46 && !isDigit(text.charCodeAt(pos + 2))) { return pos += 2, token = 28; } if (text.charCodeAt(pos + 1) === 63) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 77; } return pos += 2, token = 60; } pos++; return token = 57; case 91: pos++; return token = 22; case 93: pos++; return token = 23; case 94: if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 78; } pos++; return token = 52; case 123: pos++; return token = 18; case 124: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error); if (skipTrivia2) { continue; } else { return token = 7; } } if (text.charCodeAt(pos + 1) === 124) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 75; } return pos += 2, token = 56; } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 74; } pos++; return token = 51; case 125: pos++; return token = 19; case 126: pos++; return token = 54; case 64: pos++; return token = 59; case 92: const extendedCookedChar = peekExtendedUnicodeEscape(); if (extendedCookedChar >= 0 && isIdentifierStart(extendedCookedChar, languageVersion)) { pos += 3; tokenFlags |= 8; tokenValue = scanExtendedUnicodeEscape() + 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(); } error(Diagnostics.Invalid_character); pos++; return token = 0; case 35: if (pos !== 0 && text[pos + 1] === "!") { error(Diagnostics.can_only_be_used_at_the_start_of_a_file); pos++; return token = 0; } const charAfterHash = codePointAt(text, pos + 1); if (charAfterHash === 92) { pos++; const extendedCookedChar2 = peekExtendedUnicodeEscape(); if (extendedCookedChar2 >= 0 && isIdentifierStart(extendedCookedChar2, languageVersion)) { pos += 3; tokenFlags |= 8; tokenValue = "#" + scanExtendedUnicodeEscape() + scanIdentifierParts(); return token = 80; } const cookedChar2 = peekUnicodeEscape(); if (cookedChar2 >= 0 && isIdentifierStart(cookedChar2, languageVersion)) { pos += 6; tokenFlags |= 1024; tokenValue = "#" + String.fromCharCode(cookedChar2) + scanIdentifierParts(); return token = 80; } pos--; } if (isIdentifierStart(charAfterHash, languageVersion)) { pos++; scanIdentifier(charAfterHash, languageVersion); } else { tokenValue = "#"; error(Diagnostics.Invalid_character, pos++, charSize(ch)); } return token = 80; 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); error(Diagnostics.Invalid_character, pos, size); pos += size; return token = 0; } } } function reScanInvalidIdentifier() { Debug.assert(token === 0, ""reScanInvalidIdentifier" should only be called when the current token is "SyntaxKind.Unknown"."); pos = tokenPos = startPos; tokenFlags = 0; const ch = codePointAt(text, pos); const identifierKind = scanIdentifier(ch, 99); 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 = codePointAt(text, pos), languageVersion2)) pos += charSize(ch); tokenValue = text.substring(tokenPos, pos); if (ch === 92) { tokenValue += scanIdentifierParts(); } return getIdentifierToken(); } } function reScanGreaterToken() { if (token === 31) { if (text.charCodeAt(pos) === 62) { if (text.charCodeAt(pos + 1) === 62) { if (text.charCodeAt(pos + 2) === 61) { return pos += 3, token = 72; } return pos += 2, token = 49; } if (text.charCodeAt(pos + 1) === 61) { return pos += 2, token = 71; } pos++; return token = 48; } if (text.charCodeAt(pos) === 61) { pos++; return token = 33; } } return token; } function reScanAsteriskEqualsToken() { Debug.assert(token === 66, ""reScanAsteriskEqualsToken" should only be called on a "*=""); pos = tokenPos + 1; return token = 63; } function reScanSlashToken() { if (token === 43 || token === 68) { let p = tokenPos + 1; let inEscape = false; let inCharacterClass = false; while (true) { if (p >= end) { tokenFlags |= 4; error(Diagnostics.Unterminated_regular_expression_literal); break; } const ch = text.charCodeAt(p); if (isLineBreak(ch)) { tokenFlags |= 4; error(Diagnostics.Unterminated_regular_expression_literal); break; } if (inEscape) { inEscape = false; } else if (ch === 47 && !inCharacterClass) { p++; break; } else if (ch === 91) { inCharacterClass = true; } else if (ch === 92) { inEscape = true; } else if (ch === 93) { inCharacterClass = false; } p++; } while (p < end && isIdentifierPart(text.charCodeAt(p), languageVersion)) { p++; } pos = p; tokenValue = text.substring(tokenPos, pos); token = 13; } return token; } function appendIfCommentDirective(commentDirectives2, text2, commentDirectiveRegEx, lineStart) { const type = getDirectiveFromComment(trimStringStart(text2), 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) { Debug.assert(token === 19, ""reScanTemplateToken" should only be called on a "}""); pos = tokenPos; return token = scanTemplateAndSetTokenValue(isTaggedTemplate); } function reScanTemplateHeadOrNoSubstitutionTemplate() { pos = tokenPos; return token = scanTemplateAndSetTokenValue(true); } function reScanJsxToken(allowMultilineJsxText = true) { pos = tokenPos = startPos; return token = scanJsxToken(allowMultilineJsxText); } function reScanLessThanToken() { if (token === 47) { pos = tokenPos + 1; return token = 29; } return token; } function reScanHashToken() { if (token === 80) { pos = tokenPos + 1; return token = 62; } return token; } function reScanQuestionToken() { Debug.assert(token === 60, ""reScanQuestionToken" should only be called on a "??""); pos = tokenPos + 1; return token = 57; } function scanJsxToken(allowMultilineJsxText = true) { startPos = tokenPos = pos; if (pos >= end) { return token = 1; } let char = text.charCodeAt(pos); if (char === 60) { if (text.charCodeAt(pos + 1) === 47) { pos += 2; return token = 30; } pos++; return token = 29; } if (char === 123) { pos++; return token = 18; } let firstNonWhitespace = 0; while (pos < end) { char = text.charCodeAt(pos); if (char === 123) { break; } if (char === 60) { if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error); return token = 7; } break; } if (char === 62) { error(Diagnostics.Unexpected_token_Did_you_mean_or_gt, pos, 1); } if (char === 125) { error(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(startPos, pos); return firstNonWhitespace === -1 ? 12 : 11; } function scanJsxIdentifier() { if (tokenIsIdentifierOrKeyword(token)) { let namespaceSeparator = false; while (pos < end) { const ch = text.charCodeAt(pos); if (ch === 45) { tokenValue += "-"; pos++; continue; } else if (ch === 58 && !namespaceSeparator) { tokenValue += ":"; pos++; namespaceSeparator = true; token = 79; continue; } const oldPos = pos; tokenValue += scanIdentifierParts(); if (pos === oldPos) { break; } } if (tokenValue.slice(-1) === ":") { tokenValue = tokenValue.slice(0, -1); pos--; } return getIdentifierToken(); } return token; } function scanJsxAttributeValue() { startPos = pos; switch (text.charCodeAt(pos)) { case 34: case 39: tokenValue = scanString(true); return token = 10; default: return scan(); } } function reScanJsxAttributeValue() { pos = tokenPos = startPos; return scanJsxAttributeValue(); } function scanJsDocToken() { startPos = tokenPos = pos; tokenFlags = 0; if (pos >= end) { return token = 1; } const ch = codePointAt(text, pos); pos += charSize(ch); switch (ch) { case 9: case 11: case 12: case 32: while (pos < end && isWhiteSpaceSingleLine(text.charCodeAt(pos))) { pos++; } return token = 5; case 64: return token = 59; case 13: if (text.charCodeAt(pos) === 10) { pos++; } case 10: tokenFlags |= 1; return token = 4; case 42: return token = 41; case 123: return token = 18; case 125: return token = 19; case 91: return token = 22; case 93: return token = 23; case 60: return token = 29; case 62: return token = 31; case 61: return token = 63; case 44: return token = 27; case 46: return token = 24; case 96: return token = 61; case 35: return token = 62; case 92: pos--; const extendedCookedChar = peekExtendedUnicodeEscape(); if (extendedCookedChar >= 0 && isIdentifierStart(extendedCookedChar, languageVersion)) { pos += 3; tokenFlags |= 8; tokenValue = scanExtendedUnicodeEscape() + 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 = codePointAt(text, pos), languageVersion) || text.charCodeAt(pos) === 45) pos += charSize(char); tokenValue = text.substring(tokenPos, pos); if (char === 92) { tokenValue += scanIdentifierParts(); } return token = getIdentifierToken(); } else { return token = 0; } } function speculationHelper(callback, isLookahead) { const savePos = pos; const saveStartPos = startPos; const saveTokenPos = tokenPos; const saveToken = token; const saveTokenValue = tokenValue; const saveTokenFlags = tokenFlags; const result = callback(); if (!result || isLookahead) { pos = savePos; startPos = saveStartPos; tokenPos = saveTokenPos; token = saveToken; tokenValue = saveTokenValue; tokenFlags = saveTokenFlags; } return result; } function scanRange(start2, length3, callback) { const saveEnd = end; const savePos = pos; const saveStartPos = startPos; const saveTokenPos = tokenPos; const saveToken = token; const saveTokenValue = tokenValue; const saveTokenFlags = tokenFlags; const saveErrorExpectations = commentDirectives; setText(text, start2, length3); const result = callback(); end = saveEnd; pos = savePos; startPos = saveStartPos; tokenPos = saveTokenPos; token = saveToken; tokenValue = saveTokenValue; tokenFlags = saveTokenFlags; commentDirectives = saveErrorExpectations; return result; } function lookAhead(callback) { return speculationHelper(callback, true); } function tryScan(callback) { return speculationHelper(callback, 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; setTextPos(start2 || 0); } function setOnError(errorCallback) { onError = errorCallback; } function setScriptTarget(scriptTarget) { languageVersion = scriptTarget; } function setLanguageVariant(variant) { languageVariant = variant; } function setTextPos(textPos) { Debug.assert(textPos >= 0); pos = textPos; startPos = textPos; tokenPos = textPos; token = 0; tokenValue = void 0; tokenFlags = 0; } function setInJSDocType(inType) { inJSDocType += inType ? 1 : -1; } } function charSize(ch) { if (ch >= 65536) { return 2; } 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); } function utf16EncodeAsString(codePoint) { return utf16EncodeAsStringWorker(codePoint); } var textToKeywordObj, textToKeyword, textToToken, unicodeES3IdentifierStart, unicodeES3IdentifierPart, unicodeES5IdentifierStart, unicodeES5IdentifierPart, unicodeESNextIdentifierStart, unicodeESNextIdentifierPart, commentDirectiveRegExSingleLine, commentDirectiveRegExMultiLine, tokenStrings, mergeConflictMarkerLength, shebangTriviaRegex, codePointAt, utf16EncodeAsStringWorker; var init_scanner = __esm({ "src/compiler/scanner.ts"() { "use strict"; init_ts2(); textToKeywordObj = { abstract: 126, accessor: 127, any: 131, as: 128, asserts: 129, assert: 130, bigint: 160, boolean: 134, break: 81, case: 82, catch: 83, class: 84, continue: 86, const: 85, ["constructor"]: 135, debugger: 87, declare: 136, default: 88, delete: 89, do: 90, else: 91, enum: 92, export: 93, extends: 94, false: 95, finally: 96, for: 97, from: 158, function: 98, get: 137, if: 99, implements: 117, import: 100, in: 101, infer: 138, instanceof: 102, interface: 118, intrinsic: 139, is: 140, keyof: 141, let: 119, module: 142, namespace: 143, never: 144, new: 103, null: 104, number: 148, object: 149, package: 120, private: 121, protected: 122, public: 123, override: 161, out: 145, readonly: 146, require: 147, global: 159, return: 105, satisfies: 150, set: 151, static: 124, string: 152, super: 106, switch: 107, symbol: 153, this: 108, throw: 109, true: 110, try: 111, type: 154, typeof: 112, undefined: 155, unique: 156, unknown: 157, var: 113, void: 114, while: 115, with: 116, yield: 125, async: 132, await: 133, of: 162 }; textToKeyword = new Map(Object.entries(textToKeywordObj)); textToToken = new Map(Object.entries({ ...textToKeywordObj, "{": 18, "}": 19, "(": 20, ")": 21, "[": 22, "]": 23, ".": 24, "...": 25, ";": 26, ",": 27, "<": 29, ">": 31, "<=": 32, ">=": 33, "==": 34, "!=": 35, "===": 36, "!==": 37, "=>": 38, "+": 39, "-": 40, "**": 42, "*": 41, "/": 43, "%": 44, "++": 45, "--": 46, "<<": 47, ">": 48, ">>>": 49, "&": 50, "|": 51, "^": 52, "!": 53, "~": 54, "&&": 55, "||": 56, "?": 57, "??": 60, "?.": 28, ":": 58, "=": 63, "+=": 64, "-=": 65, "*=": 66, "**=": 67, "/=": 68, "%=": 69, "<<=": 70, ">>=": 71, ">>>=": 72, "&=": 73, "|=": 74, "^=": 78, "||=": 75, "&&=": 76, "??=": 77, "@": 59, "#": 62, "`": 61 })); unicodeES3IdentifierStart = [170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 543, 546, 563, 592, 685, 688, 696, 699, 705, 720, 721, 736, 740, 750, 750, 890, 890, 902, 902, 904, 906, 908, 908, 910, 929, 931, 974, 976, 983, 986, 1011, 1024, 1153, 1164, 1220, 1223, 1224, 1227, 1228, 1232, 1269, 1272, 1273, 1329, 1366, 1369, 1369, 1377, 1415, 1488, 1514, 1520, 1522, 1569, 1594, 1600, 1610, 1649, 1747, 1749, 1749, 1765, 1766, 1786, 1788, 1808, 1808, 1810, 1836, 1920, 1957, 2309, 2361, 2365, 2365, 2384, 2384, 2392, 2401, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 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, 2699, 2701, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2749, 2749, 2768, 2768, 2784, 2784, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2870, 2873, 2877, 2877, 2908, 2909, 2911, 2913, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 2997, 2999, 3001, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3123, 3125, 3129, 3168, 3169, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3294, 3294, 3296, 3297, 3333, 3340, 3342, 3344, 3346, 3368, 3370, 3385, 3424, 3425, 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, 3805, 3840, 3840, 3904, 3911, 3913, 3946, 3976, 3979, 4096, 4129, 4131, 4135, 4137, 4138, 4176, 4181, 4256, 4293, 4304, 4342, 4352, 4441, 4447, 4514, 4520, 4601, 4608, 4614, 4616, 4678, 4680, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4742, 4744, 4744, 4746, 4749, 4752, 4782, 4784, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4814, 4816, 4822, 4824, 4846, 4848, 4878, 4880, 4880, 4882, 4885, 4888, 4894, 4896, 4934, 4936, 4954, 5024, 5108, 5121, 5740, 5743, 5750, 5761, 5786, 5792, 5866, 6016, 6067, 6176, 6263, 6272, 6312, 7680, 7835, 7840, 7929, 7936, 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, 8319, 8319, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8473, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8493, 8495, 8497, 8499, 8505, 8544, 8579, 12293, 12295, 12321, 12329, 12337, 12341, 12344, 12346, 12353, 12436, 12445, 12446, 12449, 12538, 12540, 12542, 12549, 12588, 12593, 12686, 12704, 12727, 13312, 19893, 19968, 40869, 40960, 42124, 44032, 55203, 63744, 64045, 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, 65138, 65140, 65140, 65142, 65276, 65313, 65338, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500]; unicodeES3IdentifierPart = [170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 543, 546, 563, 592, 685, 688, 696, 699, 705, 720, 721, 736, 740, 750, 750, 768, 846, 864, 866, 890, 890, 902, 902, 904, 906, 908, 908, 910, 929, 931, 974, 976, 983, 986, 1011, 1024, 1153, 1155, 1158, 1164, 1220, 1223, 1224, 1227, 1228, 1232, 1269, 1272, 1273, 1329, 1366, 1369, 1369, 1377, 1415, 1425, 1441, 1443, 1465, 1467, 1469, 1471, 1471, 1473, 1474, 1476, 1476, 1488, 1514, 1520, 1522, 1569, 1594, 1600, 1621, 1632, 1641, 1648, 1747, 1749, 1756, 1759, 1768, 1770, 1773, 1776, 1788, 1808, 1836, 1840, 1866, 1920, 1968, 2305, 2307, 2309, 2361, 2364, 2381, 2384, 2388, 2392, 2403, 2406, 2415, 2433, 2435, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2492, 2492, 2494, 2500, 2503, 2504, 2507, 2509, 2519, 2519, 2524, 2525, 2527, 2531, 2534, 2545, 2562, 2562, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2620, 2620, 2622, 2626, 2631, 2632, 2635, 2637, 2649, 2652, 2654, 2654, 2662, 2676, 2689, 2691, 2693, 2699, 2701, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2748, 2757, 2759, 2761, 2763, 2765, 2768, 2768, 2784, 2784, 2790, 2799, 2817, 2819, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2870, 2873, 2876, 2883, 2887, 2888, 2891, 2893, 2902, 2903, 2908, 2909, 2911, 2913, 2918, 2927, 2946, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 2997, 2999, 3001, 3006, 3010, 3014, 3016, 3018, 3021, 3031, 3031, 3047, 3055, 3073, 3075, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3123, 3125, 3129, 3134, 3140, 3142, 3144, 3146, 3149, 3157, 3158, 3168, 3169, 3174, 3183, 3202, 3203, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3262, 3268, 3270, 3272, 3274, 3277, 3285, 3286, 3294, 3294, 3296, 3297, 3302, 3311, 3330, 3331, 3333, 3340, 3342, 3344, 3346, 3368, 3370, 3385, 3390, 3395, 3398, 3400, 3402, 3405, 3415, 3415, 3424, 3425, 3430, 3439, 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, 3805, 3840, 3840, 3864, 3865, 3872, 3881, 3893, 3893, 3895, 3895, 3897, 3897, 3902, 3911, 3913, 3946, 3953, 3972, 3974, 3979, 3984, 3991, 3993, 4028, 4038, 4038, 4096, 4129, 4131, 4135, 4137, 4138, 4140, 4146, 4150, 4153, 4160, 4169, 4176, 4185, 4256, 4293, 4304, 4342, 4352, 4441, 4447, 4514, 4520, 4601, 4608, 4614, 4616, 4678, 4680, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4742, 4744, 4744, 4746, 4749, 4752, 4782, 4784, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4814, 4816, 4822, 4824, 4846, 4848, 4878, 4880, 4880, 4882, 4885, 4888, 4894, 4896, 4934, 4936, 4954, 4969, 4977, 5024, 5108, 5121, 5740, 5743, 5750, 5761, 5786, 5792, 5866, 6016, 6099, 6112, 6121, 6160, 6169, 6176, 6263, 6272, 6313, 7680, 7835, 7840, 7929, 7936, 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, 8255, 8256, 8319, 8319, 8400, 8412, 8417, 8417, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8473, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8493, 8495, 8497, 8499, 8505, 8544, 8579, 12293, 12295, 12321, 12335, 12337, 12341, 12344, 12346, 12353, 12436, 12441, 12442, 12445, 12446, 12449, 12542, 12549, 12588, 12593, 12686, 12704, 12727, 13312, 19893, 19968, 40869, 40960, 42124, 44032, 55203, 63744, 64045, 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, 65056, 65059, 65075, 65076, 65101, 65103, 65136, 65138, 65140, 65140, 65142, 65276, 65296, 65305, 65313, 65338, 65343, 65343, 65345, 65370, 65381, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500]; 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]; 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]; 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, 2208, 2228, 2230, 2237, 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, 3168, 3169, 3200, 3200, 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, 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, 5900, 5902, 5905, 5920, 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, 6987, 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, 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, 12293, 12295, 12321, 12329, 12337, 12341, 12344, 12348, 12353, 12438, 12443, 12447, 12449, 12538, 12540, 12543, 12549, 12591, 12593, 12686, 12704, 12730, 12784, 12799, 13312, 19893, 19968, 40943, 40960, 42124, 42192, 42237, 42240, 42508, 42512, 42527, 42538, 42539, 42560, 42606, 42623, 42653, 42656, 42735, 42775, 42783, 42786, 42888, 42891, 42943, 42946, 42950, 42999, 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, 43879, 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, 67072, 67382, 67392, 67413, 67424, 67431, 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, 69376, 69404, 69415, 69415, 69424, 69445, 69600, 69622, 69635, 69687, 69763, 69807, 69840, 69864, 69891, 69926, 69956, 69956, 69968, 70002, 70006, 70006, 70019, 70066, 70081, 70084, 70106, 70106, 70108, 70108, 70144, 70161, 70163, 70187, 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, 70751, 70784, 70831, 70852, 70853, 70855, 70855, 71040, 71086, 71128, 71131, 71168, 71215, 71236, 71236, 71296, 71338, 71352, 71352, 71424, 71450, 71680, 71723, 71840, 71903, 71935, 71935, 72096, 72103, 72106, 72144, 72161, 72161, 72163, 72163, 72192, 72192, 72203, 72242, 72250, 72250, 72272, 72272, 72284, 72329, 72349, 72349, 72384, 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, 73728, 74649, 74752, 74862, 74880, 75075, 77824, 78894, 82944, 83526, 92160, 92728, 92736, 92766, 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, 101106, 110592, 110878, 110928, 110930, 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, 123136, 123180, 123191, 123197, 123214, 123214, 123584, 123627, 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, 173782, 173824, 177972, 177984, 178205, 178208, 183969, 183984, 191456, 194560, 195101]; 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, 2208, 2228, 2230, 2237, 2259, 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, 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, 3072, 3084, 3086, 3088, 3090, 3112, 3114, 3129, 3133, 3140, 3142, 3144, 3146, 3149, 3157, 3158, 3160, 3162, 3168, 3171, 3174, 3183, 3200, 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, 3328, 3331, 3333, 3340, 3342, 3344, 3346, 3396, 3398, 3400, 3402, 3406, 3412, 3415, 3423, 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, 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, 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, 4969, 4977, 4992, 5007, 5024, 5109, 5112, 5117, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5880, 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, 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, 6912, 6987, 6992, 7001, 7019, 7027, 7040, 7155, 7168, 7223, 7232, 7241, 7245, 7293, 7296, 7304, 7312, 7354, 7357, 7359, 7376, 7378, 7380, 7418, 7424, 7673, 7675, 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, 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, 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, 12293, 12295, 12321, 12335, 12337, 12341, 12344, 12348, 12353, 12438, 12441, 12447, 12449, 12538, 12540, 12543, 12549, 12591, 12593, 12686, 12704, 12730, 12784, 12799, 13312, 19893, 19968, 40943, 40960, 42124, 42192, 42237, 42240, 42508, 42512, 42539, 42560, 42607, 42612, 42621, 42623, 42737, 42775, 42783, 42786, 42888, 42891, 42943, 42946, 42950, 42999, 43047, 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, 43879, 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, 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, 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, 67072, 67382, 67392, 67413, 67424, 67431, 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, 69376, 69404, 69415, 69415, 69424, 69456, 69600, 69622, 69632, 69702, 69734, 69743, 69759, 69818, 69840, 69864, 69872, 69881, 69888, 69940, 69942, 69951, 69956, 69958, 69968, 70003, 70006, 70006, 70016, 70084, 70089, 70092, 70096, 70106, 70108, 70108, 70144, 70161, 70163, 70199, 70206, 70206, 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, 70751, 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, 71680, 71738, 71840, 71913, 71935, 71935, 72096, 72103, 72106, 72151, 72154, 72161, 72163, 72164, 72192, 72254, 72263, 72263, 72272, 72345, 72349, 72349, 72384, 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, 73728, 74649, 74752, 74862, 74880, 75075, 77824, 78894, 82944, 83526, 92160, 92728, 92736, 92766, 92768, 92777, 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, 94179, 94208, 100343, 100352, 101106, 110592, 110878, 110928, 110930, 110948, 110951, 110960, 111355, 113664, 113770, 113776, 113788, 113792, 113800, 113808, 113817, 113821, 113822, 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, 122880, 122886, 122888, 122904, 122907, 122913, 122915, 122916, 122918, 122922, 123136, 123180, 123184, 123197, 123200, 123209, 123214, 123214, 123584, 123641, 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, 131072, 173782, 173824, 177972, 177984, 178205, 178208, 183969, 183984, 191456, 194560, 195101, 917760, 917999]; commentDirectiveRegExSingleLine = /^///?s*@(ts-expect-error|ts-ignore)/; commentDirectiveRegExMultiLine = /^(?:/|*)*s*@(ts-expect-error|ts-ignore)/; tokenStrings = makeReverseMap(textToToken); mergeConflictMarkerLength = "<<<<<<<".length; shebangTriviaRegex = /^#!.*/; codePointAt = String.prototype.codePointAt ? (s, i) => s.codePointAt(i) : function codePointAt2(str, i) { const size = str.length; if (i < 0 || i >= size) { return void 0; } const first2 = str.charCodeAt(i); if (first2 >= 55296 && first2 <= 56319 && size > i + 1) { const second = str.charCodeAt(i + 1); if (second >= 56320 && second <= 57343) { return (first2 - 55296) * 1024 + second - 56320 + 65536; } } return first2; }; utf16EncodeAsStringWorker = String.fromCodePoint ? (codePoint) => String.fromCodePoint(codePoint) : utf16EncodeAsStringFallback; } }); function isExternalModuleNameRelative(moduleName) { return pathIsRelative(moduleName) || isRootedDiskPath(moduleName); } function sortAndDeduplicateDiagnostics(diagnostics) { return sortAndDeduplicate(diagnostics, compareDiagnostics); } function getDefaultLibFileName(options) { switch (getEmitScriptTarget(options)) { case 99: return "lib.esnext.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 }; } 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), newEndN - oldStartN); } function getTypeParameterOwner(d) { if (d && d.kind === 165) { for (let current = d; current; current = current.parent) { if (isFunctionLike(current) || isClassLike(current) || current.kind === 261) { return current; } } } } function isParameterPropertyDeclaration(node, parent2) { return isParameter(node) && hasSyntacticModifier(node, 16476) && parent2.kind === 173; } 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 === 257) { node = node.parent; } if (node && node.kind === 258) { flags |= getFlags(node); node = node.parent; } if (node && node.kind === 240) { 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, (n) => n.flags); } 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, 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 (e) { 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 & 8) === 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, isKeyword) : 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 240: if (hostNode.declarationList && hostNode.declarationList.declarations[0]) { return getDeclarationIdentifier(hostNode.declarationList.declarations[0]); } break; case 241: let expr = hostNode.expression; if (expr.kind === 223 && expr.operatorToken.kind === 63) { expr = expr.left; } switch (expr.kind) { case 208: return expr.name; case 209: const arg = expr.argumentExpression; if (isIdentifier(arg)) { return arg; } } break; case 214: { return getDeclarationIdentifier(hostNode.expression); } case 253: { 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 79: return declaration; case 351: case 344: { const { name } = declaration; if (name.kind === 163) { return name.right; } break; } case 210: case 223: { 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 349: return getNameOfJSDocTypedef(declaration); case 343: return nameForNamelessJSDocTypedef(declaration); case 274: { const { expression } = declaration; return isIdentifier(expression) ? expression : void 0; } case 209: 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, 126975)) { 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, false); } function getJSDocParameterTagsNoCache(param) { return getJSDocParameterTagsWorker(param, 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, false); } function getJSDocTypeParameterTagsNoCache(param) { return getJSDocTypeParameterTagsWorker(param, 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, true); } function getJSDocPrivateTag(node) { return getFirstJSDocTag(node, isJSDocPrivateTag); } function getJSDocPrivateTagNoCache(node) { return getFirstJSDocTag(node, isJSDocPrivateTag, true); } function getJSDocProtectedTag(node) { return getFirstJSDocTag(node, isJSDocProtectedTag); } function getJSDocProtectedTagNoCache(node) { return getFirstJSDocTag(node, isJSDocProtectedTag, true); } function getJSDocReadonlyTag(node) { return getFirstJSDocTag(node, isJSDocReadonlyTag); } function getJSDocReadonlyTagNoCache(node) { return getFirstJSDocTag(node, isJSDocReadonlyTag, true); } function getJSDocOverrideTagNoCache(node) { return getFirstJSDocTag(node, isJSDocOverrideTag, true); } function getJSDocDeprecatedTag(node) { return getFirstJSDocTag(node, isJSDocDeprecatedTag); } function getJSDocDeprecatedTagNoCache(node) { return getFirstJSDocTag(node, isJSDocDeprecatedTag, 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 _a2, _b; if (!canHaveJSDoc(node)) return emptyArray; let tags = (_a2 = node.jsDoc) == null ? void 0 : _a2.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) { (_b = node.jsDoc) != null ? _b : node.jsDoc = []; node.jsDoc.jsDocCache = tags; } } return tags; } function getJSDocTags(node) { return getJSDocTagsWorker(node, false); } function getJSDocTagsNoCache(node) { return getJSDocTagsWorker(node, 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 === 324 ? c.text : formatJSDocLink(c)).join(""); } function formatJSDocLink(link) { const kind = link.kind === 327 ? "link" : link.kind === 328 ? "linkcode" : "linkplain"; const name = link.name ? entityNameToString(link.name) : ""; const space = link.name && 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 === 323); 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 === 79 || node.kind === 80; } function isGetOrSetAccessorDeclaration(node) { return node.kind === 175 || node.kind === 174; } function isPropertyAccessChain(node) { return isPropertyAccessExpression(node) && !!(node.flags & 32); } function isElementAccessChain(node) { return isElementAccessExpression(node) && !!(node.flags & 32); } function isCallChain(node) { return isCallExpression(node) && !!(node.flags & 32); } function isOptionalChain(node) { const kind = node.kind; return !!(node.flags & 32) && (kind === 208 || kind === 209 || kind === 210 || kind === 232); } 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 === 223 && node.operatorToken.kind === 60; } function isConstTypeReference(node) { return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "const" && !node.typeArguments; } function skipPartiallyEmittedExpressions(node) { return skipOuterExpressions(node, 8); } function isNonNullChain(node) { return isNonNullExpression(node) && !!(node.flags & 32); } function isBreakOrContinueStatement(node) { return node.kind === 249 || node.kind === 248; } function isNamedExportBindings(node) { return node.kind === 277 || node.kind === 276; } function isUnparsedTextLike(node) { switch (node.kind) { case 305: case 306: return true; default: return false; } } function isUnparsedNode(node) { return isUnparsedTextLike(node) || node.kind === 303 || node.kind === 307; } function isJSDocPropertyLikeTag(node) { return node.kind === 351 || node.kind === 344; } function isNode(node) { return isNodeKind(node.kind); } function isNodeKind(kind) { return kind >= 163; } function isTokenKind(kind) { return kind >= 0 && kind <= 162; } function isToken(n) { return isTokenKind(n.kind); } function isNodeArray(array) { return hasProperty(array, "pos") && hasProperty(array, "end"); } function isLiteralKind(kind) { return 8 <= kind && kind <= 14; } function isLiteralExpression(node) { return isLiteralKind(node.kind); } function isLiteralExpressionOfObject(node) { switch (node.kind) { case 207: case 206: case 13: case 215: case 228: return true; } return false; } function isTemplateLiteralKind(kind) { return 14 <= kind && kind <= 17; } function isTemplateLiteralToken(node) { return isTemplateLiteralKind(node.kind); } function isTemplateMiddleOrTemplateTail(node) { const kind = node.kind; return kind === 16 || kind === 17; } function isImportOrExportSpecifier(node) { return isImportSpecifier(node) || isExportSpecifier(node); } function isTypeOnlyImportDeclaration(node) { switch (node.kind) { case 273: return node.isTypeOnly || node.parent.parent.isTypeOnly; case 271: return node.parent.isTypeOnly; case 270: case 268: return node.isTypeOnly; } return false; } function isTypeOnlyExportDeclaration(node) { switch (node.kind) { case 278: return node.isTypeOnly || node.parent.parent.isTypeOnly; case 275: return node.isTypeOnly && !!node.moduleSpecifier && !node.exportClause; case 277: return node.parent.isTypeOnly; } return false; } function isTypeOnlyImportOrExportDeclaration(node) { return isTypeOnlyImportDeclaration(node) || isTypeOnlyExportDeclaration(node); } function isAssertionKey(node) { return isStringLiteral(node) || isIdentifier(node); } function isStringTextContainingNode(node) { return node.kind === 10 || isTemplateLiteralKind(node.kind); } function isGeneratedIdentifier(node) { var _a2; return isIdentifier(node) && ((_a2 = node.emitNode) == null ? void 0 : _a2.autoGenerate) !== void 0; } function isGeneratedPrivateIdentifier(node) { var _a2; return isPrivateIdentifier(node) && ((_a2 = node.emitNode) == null ? void 0 : _a2.autoGenerate) !== void 0; } 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 126: case 127: case 132: case 85: case 136: case 88: case 93: case 101: case 123: case 121: case 122: case 146: case 124: case 145: case 161: return true; } return false; } function isParameterPropertyModifier(kind) { return !!(modifierToFlag(kind) & 16476); } function isClassMemberModifier(idToken) { return isParameterPropertyModifier(idToken) || idToken === 124 || idToken === 161 || idToken === 127; } function isModifier(node) { return isModifierKind(node.kind); } function isEntityName(node) { const kind = node.kind; return kind === 163 || kind === 79; } function isPropertyName(node) { const kind = node.kind; return kind === 79 || kind === 80 || kind === 10 || kind === 8 || kind === 164; } function isBindingName(node) { const kind = node.kind; return kind === 79 || kind === 203 || kind === 204; } 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 === 110 || node.kind === 95; } function isFunctionLikeDeclarationKind(kind) { switch (kind) { case 259: case 171: case 173: case 174: case 175: case 215: case 216: return true; default: return false; } } function isFunctionLikeKind(kind) { switch (kind) { case 170: case 176: case 326: case 177: case 178: case 181: case 320: case 182: 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 === 173 || kind === 169 || kind === 171 || kind === 174 || kind === 175 || kind === 178 || kind === 172 || kind === 237; } function isClassLike(node) { return node && (node.kind === 260 || node.kind === 228); } function isAccessor(node) { return node && (node.kind === 174 || node.kind === 175); } function isAutoAccessorPropertyDeclaration(node) { return isPropertyDeclaration(node) && hasAccessorModifier(node); } function isMethodOrAccessor(node) { switch (node.kind) { case 171: case 174: case 175: return true; default: return false; } } function isNamedClassElement(node) { switch (node.kind) { case 171: case 174: case 175: case 169: return true; default: return false; } } function isModifierLike(node) { return isModifier(node) || isDecorator(node); } function isTypeElement(node) { const kind = node.kind; return kind === 177 || kind === 176 || kind === 168 || kind === 170 || kind === 178 || kind === 174 || kind === 175; } function isClassOrTypeElement(node) { return isTypeElement(node) || isClassElement(node); } function isObjectLiteralElementLike(node) { const kind = node.kind; return kind === 299 || kind === 300 || kind === 301 || kind === 171 || kind === 174 || kind === 175; } function isTypeNode(node) { return isTypeNodeKind(node.kind); } function isFunctionOrConstructorTypeNode(node) { switch (node.kind) { case 181: case 182: return true; } return false; } function isBindingPattern(node) { if (node) { const kind = node.kind; return kind === 204 || kind === 203; } return false; } function isAssignmentPattern(node) { const kind = node.kind; return kind === 206 || kind === 207; } function isArrayBindingElement(node) { const kind = node.kind; return kind === 205 || kind === 229; } function isDeclarationBindingElement(bindingElement) { switch (bindingElement.kind) { case 257: case 166: case 205: 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 203: case 207: return true; } return false; } function isObjectBindingOrAssignmentElement(node) { switch (node.kind) { case 205: case 299: case 300: case 301: return true; } return false; } function isArrayBindingOrAssignmentPattern(node) { switch (node.kind) { case 204: case 206: return true; } return false; } function isArrayBindingOrAssignmentElement(node) { switch (node.kind) { case 205: case 229: case 227: case 206: case 207: case 79: case 208: case 209: return true; } return isAssignmentExpression(node, true); } function isPropertyAccessOrQualifiedNameOrImportTypeNode(node) { const kind = node.kind; return kind === 208 || kind === 163 || kind === 202; } function isPropertyAccessOrQualifiedName(node) { const kind = node.kind; return kind === 208 || kind === 163; } function isCallLikeExpression(node) { switch (node.kind) { case 283: case 282: case 210: case 211: case 212: case 167: return true; default: return false; } } function isCallOrNewExpression(node) { return node.kind === 210 || node.kind === 211; } function isTemplateLiteral(node) { const kind = node.kind; return kind === 225 || kind === 14; } function isLeftHandSideExpression(node) { return isLeftHandSideExpressionKind(skipPartiallyEmittedExpressions(node).kind); } function isLeftHandSideExpressionKind(kind) { switch (kind) { case 208: case 209: case 211: case 210: case 281: case 282: case 285: case 212: case 206: case 214: case 207: case 228: case 215: case 79: case 80: case 13: case 8: case 9: case 10: case 14: case 225: case 95: case 104: case 108: case 110: case 106: case 232: case 230: case 233: case 100: case 279: return true; default: return false; } } function isUnaryExpression(node) { return isUnaryExpressionKind(skipPartiallyEmittedExpressions(node).kind); } function isUnaryExpressionKind(kind) { switch (kind) { case 221: case 222: case 217: case 218: case 219: case 220: case 213: return true; default: return isLeftHandSideExpressionKind(kind); } } function isUnaryExpressionWithWrite(expr) { switch (expr.kind) { case 222: return true; case 221: return expr.operator === 45 || expr.operator === 46; default: return false; } } function isLiteralTypeLiteral(node) { switch (node.kind) { case 104: case 110: case 95: case 221: return true; default: return isLiteralExpression(node); } } function isExpression(node) { return isExpressionKind(skipPartiallyEmittedExpressions(node).kind); } function isExpressionKind(kind) { switch (kind) { case 224: case 226: case 216: case 223: case 227: case 231: case 229: case 357: case 356: case 235: return true; default: return isUnaryExpressionKind(kind); } } function isAssertionExpression(node) { const kind = node.kind; return kind === 213 || kind === 231; } function isNotEmittedOrPartiallyEmittedNode(node) { return isNotEmittedStatement(node) || isPartiallyEmittedExpression(node); } function isIterationStatement(node, lookInLabeledStatements) { switch (node.kind) { case 245: case 246: case 247: case 243: case 244: return true; case 253: 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, 1) && !isAmbientModule(result); } function isExternalModuleIndicator(result) { return isAnyImportOrReExport(result) || isExportAssignment(result) || hasSyntacticModifier(result, 1); } function isForInOrOfStatement(node) { return node.kind === 246 || node.kind === 247; } 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 === 265 || kind === 264 || kind === 79; } function isNamespaceBody(node) { const kind = node.kind; return kind === 265 || kind === 264; } function isJSDocNamespaceBody(node) { const kind = node.kind; return kind === 79 || kind === 264; } function isNamedImportBindings(node) { const kind = node.kind; return kind === 272 || kind === 271; } function isModuleOrEnumDeclaration(node) { return node.kind === 264 || node.kind === 263; } function canHaveSymbol(node) { switch (node.kind) { case 216: case 223: case 205: case 210: case 176: case 260: case 228: case 172: case 173: case 182: case 177: case 209: case 263: case 302: case 274: case 275: case 278: case 259: case 215: case 181: case 174: case 79: case 270: case 268: case 273: case 178: case 261: case 341: case 343: case 320: case 344: case 351: case 326: case 349: case 325: case 288: case 289: case 290: case 197: case 171: case 170: case 264: case 199: case 277: case 267: case 271: case 211: case 14: case 8: case 207: case 166: case 208: case 299: case 169: case 168: case 175: case 300: case 308: case 301: case 10: case 262: case 184: case 165: case 257: return true; default: return false; } } function canHaveLocals(node) { switch (node.kind) { case 216: case 238: case 176: case 266: case 295: case 172: case 191: case 173: case 182: case 177: case 245: case 246: case 247: case 259: case 215: case 181: case 174: case 178: case 341: case 343: case 320: case 326: case 349: case 197: case 171: case 170: case 264: case 175: case 308: case 262: return true; default: return false; } } function isDeclarationKind(kind) { return kind === 216 || kind === 205 || kind === 260 || kind === 228 || kind === 172 || kind === 173 || kind === 263 || kind === 302 || kind === 278 || kind === 259 || kind === 215 || kind === 174 || kind === 270 || kind === 268 || kind === 273 || kind === 261 || kind === 288 || kind === 171 || kind === 170 || kind === 264 || kind === 267 || kind === 271 || kind === 277 || kind === 166 || kind === 299 || kind === 169 || kind === 168 || kind === 175 || kind === 300 || kind === 262 || kind === 165 || kind === 257 || kind === 349 || kind === 341 || kind === 351; } function isDeclarationStatementKind(kind) { return kind === 259 || kind === 279 || kind === 260 || kind === 261 || kind === 262 || kind === 263 || kind === 264 || kind === 269 || kind === 268 || kind === 275 || kind === 274 || kind === 267; } function isStatementKindButNotDeclarationKind(kind) { return kind === 249 || kind === 248 || kind === 256 || kind === 243 || kind === 241 || kind === 239 || kind === 246 || kind === 247 || kind === 245 || kind === 242 || kind === 253 || kind === 250 || kind === 252 || kind === 254 || kind === 255 || kind === 240 || kind === 244 || kind === 251 || kind === 355 || kind === 359 || kind === 358; } function isDeclaration(node) { if (node.kind === 165) { return node.parent && node.parent.kind !== 348 || 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 !== 238) return false; if (node.parent !== void 0) { if (node.parent.kind === 255 || node.parent.kind === 295) { return false; } } return !isFunctionBlock(node); } function isStatementOrBlock(node) { const kind = node.kind; return isStatementKindButNotDeclarationKind(kind) || isDeclarationStatementKind(kind) || kind === 238; } function isModuleReference(node) { const kind = node.kind; return kind === 280 || kind === 163 || kind === 79; } function isJsxTagNameExpression(node) { const kind = node.kind; return kind === 108 || kind === 79 || kind === 208; } function isJsxChild(node) { const kind = node.kind; return kind === 281 || kind === 291 || kind === 282 || kind === 11 || kind === 285; } function isJsxAttributeLike(node) { const kind = node.kind; return kind === 288 || kind === 290; } function isStringLiteralOrJsxExpression(node) { const kind = node.kind; return kind === 10 || kind === 291; } function isJsxOpeningLikeElement(node) { const kind = node.kind; return kind === 283 || kind === 282; } function isCaseOrDefaultClause(node) { const kind = node.kind; return kind === 292 || kind === 293; } function isJSDocNode(node) { return node.kind >= 312 && node.kind <= 353; } function isJSDocCommentContainingNode(node) { return node.kind === 323 || node.kind === 322 || node.kind === 324 || isJSDocLinkLike(node) || isJSDocTag(node) || isJSDocTypeLiteral(node) || isJSDocSignature(node); } function isJSDocTag(node) { return node.kind >= 330 && node.kind <= 353; } function isSetAccessor(node) { return node.kind === 175; } function isGetAccessor(node) { return node.kind === 174; } 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 257: case 166: case 205: case 169: case 299: case 302: return true; default: return false; } } function isObjectLiteralElement(node) { return node.kind === 288 || node.kind === 290 || isObjectLiteralElementLike(node); } function isTypeReferenceType(node) { return node.kind === 180 || node.kind === 230; } 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 === 10 || node.kind === 14; } function isJSDocLinkLike(node) { return node.kind === 327 || node.kind === 328 || node.kind === 329; } 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 === 321; } var unchangedTextChangeRange, supportedLocaleDirectories, MAX_SMI_X86; var init_utilitiesPublic = __esm({ "src/compiler/utilitiesPublic.ts"() { "use strict"; init_ts2(); unchangedTextChangeRange = createTextChangeRange(createTextSpan(0, 0), 0); supportedLocaleDirectories = ["cs", "de", "es", "fr", "it", "ja", "ko", "pl", "pt-br", "ru", "tr", "zh-cn", "zh-tw"]; MAX_SMI_X86 = 1073741823; } }); 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 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)), writeLine: () => str += " ", increaseIndent: noop, decreaseIndent: noop, 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 getResolvedModule(sourceFile, moduleNameText, mode) { var _a2, _b; return (_b = (_a2 = sourceFile == null ? void 0 : sourceFile.resolvedModules) == null ? void 0 : _a2.get(moduleNameText, mode)) == null ? void 0 : _b.resolvedModule; } function setResolvedModule(sourceFile, moduleNameText, resolvedModule, mode) { if (!sourceFile.resolvedModules) { sourceFile.resolvedModules = createModeAwareCache(); } sourceFile.resolvedModules.set(moduleNameText, mode, resolvedModule); } function setResolvedTypeReferenceDirective(sourceFile, typeReferenceDirectiveName, resolvedTypeReferenceDirective, mode) { if (!sourceFile.resolvedTypeReferenceDirectiveNames) { sourceFile.resolvedTypeReferenceDirectiveNames = createModeAwareCache(); } sourceFile.resolvedTypeReferenceDirectiveNames.set(typeReferenceDirectiveName, mode, resolvedTypeReferenceDirective); } function getResolvedTypeReferenceDirective(sourceFile, typeReferenceDirectiveName, mode) { var _a2, _b; return (_b = (_a2 = sourceFile == null ? void 0 : sourceFile.resolvedTypeReferenceDirectiveNames) == null ? void 0 : _a2.get(typeReferenceDirectiveName, mode)) == null ? void 0 : _b.resolvedTypeReferenceDirective; } 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); } function packageIdIsEqual(a, b) { return a === b || !!a && !!b && a.name === b.name && a.subModuleName === b.subModuleName && a.version === b.version; } function packageIdToPackageName({ name, subModuleName }) { return subModuleName ? `${name}/${subModuleName}` : name; } function packageIdToString(packageId) { return `${packageIdToPackageName(packageId)}@${packageId.version}`; } 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, newSourceFile, newResolutions, oldResolutions, comparer, nameAndModeGetter) { Debug.assert(names.length === newResolutions.length); for (let i = 0; i < names.length; i++) { const newResolution = newResolutions[i]; const entry = names[i]; const name = nameAndModeGetter.getName(entry); const mode = nameAndModeGetter.getMode(entry, newSourceFile); const oldResolution = oldResolutions && oldResolutions.get(name, mode); const changed = oldResolution ? !newResolution || !comparer(oldResolution, newResolution) : newResolution; if (changed) { return true; } } return false; } function containsParseError(node) { aggregateChildData(node); return (node.flags & 524288) !== 0; } function aggregateChildData(node) { if (!(node.flags & 1048576)) { const thisNodeOrAnySubNodesHasError = (node.flags & 131072) !== 0 || forEachChild(node, containsParseError); if (thisNodeOrAnySubNodesHasError) { node.flags |= 524288; } node.flags |= 1048576; } } function getSourceFileOfNode(node) { while (node && node.kind !== 308) { node = node.parent; } return node; } function getSourceFileOfModule(module2) { return getSourceFileOfNode(module2.valueDeclaration || getNonAugmentationDeclaration(module2)); } function isPlainJsFile(file, checkJs) { return !!file && (file.scriptKind === 1 || file.scriptKind === 2) && !file.checkJsDirective && checkJs === void 0; } function isStatementWithLocals(node) { switch (node.kind) { case 238: case 266: case 245: case 246: case 247: 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 || isArray(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) || fullTripleSlashReferenceTypeReferenceDirectiveRegEx.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 === 11) { return skipTrivia((sourceFile || getSourceFileOfNode(node)).text, node.pos, false, true); } if (includeJsDoc && hasJSDocNodes(node)) { return getTokenPosOfNode(node.jsDoc[0], sourceFile); } if (node.kind === 354 && node._children.length > 0) { return getTokenPosOfNode(node._children[0], sourceFile, includeJsDoc); } return skipTrivia((sourceFile || getSourceFileOfNode(node)).text, node.pos, false, 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(/ | | /).map((line) => trimStringStart(line.replace(/^s**/, ""))).join(" "); } 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; } function getScriptTargetFeatures() { return 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" ] })), 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" ] })), 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" ] })) })); } function getLiteralText(node, sourceFile, flags) { var _a2; if (sourceFile && canUseOriginalText(node, flags)) { return getSourceTextOfNodeFromSourceFile(sourceFile, node); } switch (node.kind) { case 10: { const escapeText = flags & 2 ? escapeJsxAttributeString : flags & 1 || getEmitFlags(node) & 33554432 ? escapeString : escapeNonAsciiString; if (node.singleQuote) { return """ + escapeText(node.text, 39) + """; } else { return """ + escapeText(node.text, 34) + """; } } case 14: case 15: case 16: case 17: { const escapeText = flags & 1 || getEmitFlags(node) & 33554432 ? escapeString : escapeNonAsciiString; const rawText = (_a2 = node.rawText) != null ? _a2 : escapeTemplateSubstitution(escapeText(node.text, 96)); switch (node.kind) { case 14: return "`" + rawText + "`"; case 15: return "`" + rawText + "${"; case 16: return "}" + rawText + "${"; case 17: return "}" + rawText + "`"; } break; } case 8: case 9: return node.text; case 13: 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) && node.numericLiteralFlags & 512) { return !!(flags & 8); } return !isBigIntLiteral(node); } function getTextOfConstantValue(value) { return isString(value) ? """ + escapeNonAsciiString(value) + """ : "" + value; } function makeIdentifierFromModuleName(moduleName) { return getBaseFileName(moduleName).replace(/^(d)/, "_$1").replace(/W/g, "_"); } function isBlockOrCatchScoped(declaration) { return (getCombinedNodeFlags(declaration) & 3) !== 0 || isCatchClauseVariableDeclarationOrBindingElement(declaration); } function isCatchClauseVariableDeclarationOrBindingElement(declaration) { const node = getRootDeclaration(declaration); return node.kind === 257 && node.parent.kind === 295; } function isAmbientModule(node) { return isModuleDeclaration(node) && (node.name.kind === 10 || isGlobalScopeAugmentation(node)); } function isModuleWithStringLiteralName(node) { return isModuleDeclaration(node) && node.name.kind === 10; } function isNonGlobalAmbientModule(node) { return isModuleDeclaration(node) && isStringLiteral(node.name); } function isEffectiveModuleDeclaration(node) { return isModuleDeclaration(node) || isIdentifier(node); } function isShorthandAmbientModuleSymbol(moduleSymbol) { return isShorthandAmbientModule(moduleSymbol.valueDeclaration); } function isShorthandAmbientModule(node) { return !!node && node.kind === 264 && !node.body; } function isBlockScopedContainerTopLevel(node) { return node.kind === 308 || node.kind === 264 || isFunctionLikeOrClassStaticBlockDeclaration(node); } function isGlobalScopeAugmentation(module2) { return !!(module2.flags & 1024); } function isExternalModuleAugmentation(node) { return isAmbientModule(node) && isModuleAugmentationExternal(node); } function isModuleAugmentationExternal(node) { switch (node.parent.kind) { case 308: return isExternalModule(node.parent); case 265: return isAmbientModule(node.parent.parent) && isSourceFile(node.parent.parent.parent) && !isExternalModule(node.parent.parent.parent); } return false; } function getNonAugmentationDeclaration(symbol) { var _a2; return (_a2 = symbol.declarations) == null ? void 0 : _a2.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) || getIsolatedModules(compilerOptions) || 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)) { if (getEmitModuleKind(compilerOptions) >= 5) { return true; } return !compilerOptions.noImplicitUseStrict; } return false; } function isAmbientPropertyDeclaration(node) { return !!(node.flags & 16777216) || hasSyntacticModifier(node, 2); } function isBlockScope(node, parentNode) { switch (node.kind) { case 308: case 266: case 295: case 264: case 245: case 246: case 247: case 173: case 171: case 174: case 175: case 259: case 215: case 216: case 169: case 172: return true; case 238: return !isFunctionLikeOrClassStaticBlockDeclaration(parentNode); } return false; } function isDeclarationWithTypeParameters(node) { Debug.type(node); switch (node.kind) { case 341: case 349: case 326: return true; default: assertType(node); return isDeclarationWithTypeParameterChildren(node); } } function isDeclarationWithTypeParameterChildren(node) { Debug.type(node); switch (node.kind) { case 176: case 177: case 170: case 178: case 181: case 182: case 320: case 260: case 228: case 261: case 262: case 348: case 259: case 171: case 173: case 174: case 175: case 215: case 216: return true; default: assertType(node); return false; } } function isAnyImportSyntax(node) { switch (node.kind) { case 269: case 268: return true; default: return false; } } function isAnyImportOrBareOrAccessedRequire(node) { return isAnyImportSyntax(node) || isVariableDeclarationInitializedToBareOrAccessedRequire(node); } function isLateVisibilityPaintedStatement(node) { switch (node.kind) { case 269: case 268: case 240: case 260: case 259: case 264: case 262: case 261: case 263: 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 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 === 164 && !isStringOrNumericLiteralLike(name.expression); } function tryGetTextOfPropertyName(name) { var _a2; switch (name.kind) { case 79: case 80: return ((_a2 = name.emitNode) == null ? void 0 : _a2.autoGenerate) ? void 0 : name.escapedText; case 10: case 8: case 14: return escapeLeadingUnderscores(name.text); case 164: if (isStringOrNumericLiteralLike(name.expression)) return escapeLeadingUnderscores(name.expression.text); return void 0; default: return Debug.assertNever(name); } } function getTextOfPropertyName(name) { return Debug.checkDefined(tryGetTextOfPropertyName(name)); } function entityNameToString(name) { switch (name.kind) { case 108: return "this"; case 80: case 79: return getFullWidth(name) === 0 ? idText(name) : getTextOfNode(name); case 163: return entityNameToString(name.left) + "." + entityNameToString(name.right); case 208: if (isIdentifier(name.name) || isPrivateIdentifier(name.name)) { return entityNameToString(name.expression) + "." + entityNameToString(name.name); } else { return Debug.assertNever(name.name); } case 314: return entityNameToString(name.left) + entityNameToString(name.right); default: return Debug.assertNever(name); } } function createDiagnosticForNode(node, message, arg0, arg1, arg2, arg3) { const sourceFile = getSourceFileOfNode(node); return createDiagnosticForNodeInSourceFile(sourceFile, node, message, arg0, arg1, arg2, arg3); } function createDiagnosticForNodeArray(sourceFile, nodes, message, arg0, arg1, arg2, arg3) { const start = skipTrivia(sourceFile.text, nodes.pos); return createFileDiagnostic(sourceFile, start, nodes.end - start, message, arg0, arg1, arg2, arg3); } function createDiagnosticForNodeInSourceFile(sourceFile, node, message, arg0, arg1, arg2, arg3) { const span = getErrorSpanForNode(sourceFile, node); return createFileDiagnostic(sourceFile, span.start, span.length, message, arg0, arg1, arg2, arg3); } 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(file, start, length2) { Debug.assertGreaterThanOrEqual(start, 0); Debug.assertGreaterThanOrEqual(length2, 0); if (file) { Debug.assertLessThanOrEqual(start, file.text.length); Debug.assertLessThanOrEqual(start + length2, file.text.length); } } function createFileDiagnosticFromMessageChain(file, start, length2, messageChain, relatedInformation) { assertDiagnosticLocation(file, start, length2); return { file, start, length: length2, code: messageChain.code, category: messageChain.category, messageText: messageChain.next ? messageChain : messageChain.messageText, relatedInformation }; } 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 getSpanOfTokenAtPosition(sourceFile, pos) { const scanner2 = createScanner(sourceFile.languageVersion, true, sourceFile.languageVariant, sourceFile.text, void 0, pos); scanner2.scan(); const start = scanner2.getTokenPos(); return createTextSpanFromBounds(start, scanner2.getTextPos()); } function scanTokenAtPosition(sourceFile, pos) { const scanner2 = createScanner(sourceFile.languageVersion, true, sourceFile.languageVariant, sourceFile.text, 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 === 238) { 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 308: const pos2 = skipTrivia(sourceFile.text, 0, false); if (pos2 === sourceFile.text.length) { return createTextSpan(0, 0); } return getSpanOfTokenAtPosition(sourceFile, pos2); case 257: case 205: case 260: case 228: case 261: case 264: case 263: case 302: case 259: case 215: case 171: case 174: case 175: case 262: case 169: case 168: case 271: errorNode = node.name; break; case 216: return getErrorSpanForArrowFunction(sourceFile, node); case 292: case 293: const start = skipTrivia(sourceFile.text, node.pos); const end = node.statements.length > 0 ? node.statements[0].pos : node.end; 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 isExternalOrCommonJsModule(file) { return (file.externalModuleIndicator || file.commonJsModuleIndicator) !== void 0; } function isJsonSourceFile(file) { return file.scriptKind === 6; } function isEnumConst(node) { return !!(getCombinedModifierFlags(node) & 2048); } function isDeclarationReadonly(declaration) { return !!(getCombinedModifierFlags(declaration) & 64 && !isParameterPropertyDeclaration(declaration, declaration.parent)); } function isVarConst(node) { return !!(getCombinedNodeFlags(node) & 2); } function isLet(node) { return !!(getCombinedNodeFlags(node) & 1); } function isSuperCall(n) { return n.kind === 210 && n.expression.kind === 106; } function isImportCall(n) { return n.kind === 210 && n.expression.kind === 100; } function isImportMeta(n) { return isMetaProperty(n) && n.keywordToken === 100 && n.name.escapedText === "meta"; } function isLiteralImportTypeNode(n) { return isImportTypeNode(n) && isLiteralTypeNode(n.argument) && isStringLiteral(n.argument.literal); } function isPrologueDirective(node) { return node.kind === 241 && node.expression.kind === 10; } 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 !== 11 ? getLeadingCommentRanges(sourceFileOfNode.text, node.pos) : void 0; } function getJSDocCommentRanges(node, text) { const commentRanges = node.kind === 166 || node.kind === 165 || node.kind === 215 || node.kind === 216 || node.kind === 214 || node.kind === 257 || node.kind === 278 ? concatenate(getTrailingCommentRanges(text, node.pos), getLeadingCommentRanges(text, node.pos)) : getLeadingCommentRanges(text, node.pos); return filter(commentRanges, (comment) => text.charCodeAt(comment.pos + 1) === 42 && text.charCodeAt(comment.pos + 2) === 42 && text.charCodeAt(comment.pos + 3) !== 47); } function isPartOfTypeNode(node) { if (179 <= node.kind && node.kind <= 202) { return true; } switch (node.kind) { case 131: case 157: case 148: case 160: case 152: case 134: case 153: case 149: case 155: case 144: return true; case 114: return node.parent.kind !== 219; case 230: return isHeritageClause(node.parent) && !isExpressionWithTypeArgumentsInClassExtendsClause(node); case 165: return node.parent.kind === 197 || node.parent.kind === 192; case 79: if (node.parent.kind === 163 && node.parent.right === node) { node = node.parent; } else if (node.parent.kind === 208 && node.parent.name === node) { node = node.parent; } Debug.assert(node.kind === 79 || node.kind === 163 || node.kind === 208, ""node" was expected to be a qualified name, identifier or property access in "isPartOfTypeNode"."); case 163: case 208: case 108: { const { parent: parent2 } = node; if (parent2.kind === 183) { return false; } if (parent2.kind === 202) { return !parent2.isTypeOf; } if (179 <= parent2.kind && parent2.kind <= 202) { return true; } switch (parent2.kind) { case 230: return isHeritageClause(parent2.parent) && !isExpressionWithTypeArgumentsInClassExtendsClause(parent2); case 165: return node === parent2.constraint; case 348: return node === parent2.constraint; case 169: case 168: case 166: case 257: return node === parent2.type; case 259: case 215: case 216: case 173: case 171: case 170: case 174: case 175: return node === parent2.type; case 176: case 177: case 178: return node === parent2.type; case 213: return node === parent2.type; case 210: case 211: return contains(parent2.typeArguments, node); case 212: return false; } } } return false; } function isChildOfNodeWithKind(node, kind) { while (node) { if (node.kind === kind) { return true; } node = node.parent; } return false; } function forEachReturnStatement(body, visitor) { return traverse(body); function traverse(node) { switch (node.kind) { case 250: return visitor(node); case 266: case 238: case 242: case 243: case 244: case 245: case 246: case 247: case 251: case 252: case 292: case 293: case 253: case 255: case 295: return forEachChild(node, traverse); } } } function forEachYieldExpression(body, visitor) { return traverse(body); function traverse(node) { switch (node.kind) { case 226: visitor(node); const operand = node.expression; if (operand) { traverse(operand); } return; case 263: case 261: case 264: case 262: return; default: if (isFunctionLike(node)) { if (node.name && node.name.kind === 164) { traverse(node.name.expression); return; } } else if (!isPartOfTypeNode(node)) { forEachChild(node, traverse); } } } } function getRestParameterElementType(node) { if (node && node.kind === 185) { return node.elementType; } else if (node && node.kind === 180) { return singleOrUndefined(node.typeArguments); } else { return void 0; } } function getMembersOfDeclaration(node) { switch (node.kind) { case 261: case 260: case 228: case 184: return node.members; case 207: return node.properties; } } function isVariableLike(node) { if (node) { switch (node.kind) { case 205: case 302: case 166: case 299: case 169: case 168: case 300: case 257: return true; } } return false; } function isVariableLikeOrAccessor(node) { return isVariableLike(node) || isAccessor(node); } function isVariableDeclarationInVariableStatement(node) { return node.parent.kind === 258 && node.parent.parent.kind === 240; } 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 171: case 170: case 173: case 174: case 175: case 259: case 215: return true; } return false; } function unwrapInnermostStatementOfLabel(node, beforeUnwrapLabelCallback) { while (true) { if (beforeUnwrapLabelCallback) { beforeUnwrapLabelCallback(node); } if (node.statement.kind !== 253) { return node.statement; } node = node.statement; } } function isFunctionBlock(node) { return node && node.kind === 238 && isFunctionLike(node.parent); } function isObjectLiteralMethod(node) { return node && node.kind === 171 && node.parent.kind === 207; } function isObjectLiteralOrClassExpressionMethodOrAccessor(node) { return (node.kind === 171 || node.kind === 174 || node.kind === 175) && (node.parent.kind === 207 || node.parent.kind === 228); } function isIdentifierTypePredicate(predicate) { return predicate && predicate.kind === 1; } function isThisTypePredicate(predicate) { return predicate && predicate.kind === 0; } function getPropertyAssignment(objectLiteral, key, key2) { return objectLiteral.properties.filter((property) => { if (property.kind === 299) { const propName = tryGetTextOfPropertyName(property.name); return key === propName || !!key2 && key2 === propName; } return false; }); } function getPropertyArrayElementValue(objectLiteral, propKey, elementValue) { return firstDefined(getPropertyAssignment(objectLiteral, propKey), (property) => isArrayLiteralExpression(property.initializer) ? find(property.initializer.elements, (element) => isStringLiteral(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 firstDefined(getTsConfigPropArray(tsConfigSourceFile, propKey), (property) => isArrayLiteralExpression(property.initializer) ? find(property.initializer.elements, (element) => isStringLiteral(element) && element.text === elementValue) : void 0); } function getTsConfigPropArray(tsConfigSourceFile, propKey) { const jsonObjectLiteral = getTsConfigObjectLiteralExpression(tsConfigSourceFile); return jsonObjectLiteral ? getPropertyAssignment(jsonObjectLiteral, propKey) : emptyArray; } 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 getThisContainer(node, includeArrowFunctions, includeClassComputedPropertyName) { Debug.assert(node.kind !== 308); while (true) { node = node.parent; if (!node) { return Debug.fail(); } switch (node.kind) { case 164: if (includeClassComputedPropertyName && isClassLike(node.parent.parent)) { return node; } node = node.parent.parent; break; case 167: if (node.parent.kind === 166 && isClassElement(node.parent.parent)) { node = node.parent.parent; } else if (isClassElement(node.parent)) { node = node.parent; } break; case 216: if (!includeArrowFunctions) { continue; } case 259: case 215: case 264: case 172: case 169: case 168: case 171: case 170: case 173: case 174: case 175: case 176: case 177: case 178: case 263: case 308: return node; } } } function isThisContainerOrFunctionBlock(node) { switch (node.kind) { case 216: case 259: case 215: case 169: return true; case 238: switch (node.parent.kind) { case 173: case 171: case 174: case 175: 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, true, false); return isSourceFile(container); } function getNewTargetContainer(node) { const container = getThisContainer(node, false, false); if (container) { switch (container.kind) { case 173: case 259: case 215: return container; } } return void 0; } function getSuperContainer(node, stopOnFunctions) { while (true) { node = node.parent; if (!node) { return void 0; } switch (node.kind) { case 164: node = node.parent; break; case 259: case 215: case 216: if (!stopOnFunctions) { continue; } case 169: case 168: case 171: case 170: case 173: case 174: case 175: case 172: return node; case 167: if (node.parent.kind === 166 && isClassElement(node.parent.parent)) { node = node.parent.parent; } else if (isClassElement(node.parent)) { node = node.parent; } break; } } } function getImmediatelyInvokedFunctionExpression(func) { if (func.kind === 215 || func.kind === 216) { let prev = func; let parent2 = func.parent; while (parent2.kind === 214) { prev = parent2; parent2 = parent2.parent; } if (parent2.kind === 210 && parent2.expression === prev) { return parent2; } } } function isSuperOrSuperProperty(node) { return node.kind === 106 || isSuperProperty(node); } function isSuperProperty(node) { const kind = node.kind; return (kind === 208 || kind === 209) && node.expression.kind === 106; } function isThisProperty(node) { const kind = node.kind; return (kind === 208 || kind === 209) && node.expression.kind === 108; } function isThisInitializedDeclaration(node) { var _a2; return !!node && isVariableDeclaration(node) && ((_a2 = node.initializer) == null ? void 0 : _a2.kind) === 108; } function isThisInitializedObjectBindingExpression(node) { return !!node && (isShorthandPropertyAssignment(node) || isPropertyAssignment(node)) && isBinaryExpression(node.parent.parent) && node.parent.parent.operatorToken.kind === 63 && node.parent.parent.right.kind === 108; } function getEntityNameFromTypeNode(node) { switch (node.kind) { case 180: return node.typeName; case 230: return isEntityNameExpression(node.expression) ? node.expression : void 0; case 79: case 163: return node; } return void 0; } function getInvokedExpression(node) { switch (node.kind) { case 212: return node.tag; case 283: case 282: return node.tagName; default: return node.expression; } } function nodeCanBeDecorated(useLegacyDecorators, node, parent2, grandparent) { if (useLegacyDecorators && isNamedDeclaration(node) && isPrivateIdentifier(node.name)) { return false; } switch (node.kind) { case 260: return true; case 228: return !useLegacyDecorators; case 169: return parent2 !== void 0 && (useLegacyDecorators ? isClassDeclaration(parent2) : isClassLike(parent2) && !hasAbstractModifier(node) && !hasAmbientModifier(node)); case 174: case 175: case 171: return node.body !== void 0 && parent2 !== void 0 && (useLegacyDecorators ? isClassDeclaration(parent2) : isClassLike(parent2)); case 166: if (!useLegacyDecorators) return false; return parent2 !== void 0 && parent2.body !== void 0 && (parent2.kind === 173 || parent2.kind === 171 || parent2.kind === 175) && getThisParameter(parent2) !== node && grandparent !== void 0 && grandparent.kind === 260; } 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 260: return some(node.members, (m) => nodeOrChildIsDecorated(useLegacyDecorators, m, node, parent2)); case 228: return !useLegacyDecorators && some(node.members, (m) => nodeOrChildIsDecorated(useLegacyDecorators, m, node, parent2)); case 171: case 175: case 173: 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 isEmptyStringLiteral(node) { if (node.textSourceNode) { switch (node.textSourceNode.kind) { case 10: return isEmptyStringLiteral(node.textSourceNode); case 14: return node.text === ""; } return false; } return node.text === ""; } function isJSXTagName(node) { const { parent: parent2 } = node; if (parent2.kind === 283 || parent2.kind === 282 || parent2.kind === 284) { return parent2.tagName === node; } return false; } function isExpressionNode(node) { switch (node.kind) { case 106: case 104: case 110: case 95: case 13: case 206: case 207: case 208: case 209: case 210: case 211: case 212: case 231: case 213: case 235: case 232: case 214: case 215: case 228: case 216: case 219: case 217: case 218: case 221: case 222: case 223: case 224: case 227: case 225: case 229: case 281: case 282: case 285: case 226: case 220: case 233: return true; case 230: return !isHeritageClause(node.parent) && !isJSDocAugmentsTag(node.parent); case 163: while (node.parent.kind === 163) { node = node.parent; } return node.parent.kind === 183 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node); case 314: while (isJSDocMemberName(node.parent)) { node = node.parent; } return node.parent.kind === 183 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node); case 80: return isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 101; case 79: if (node.parent.kind === 183 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node)) { return true; } case 8: case 9: case 10: case 14: case 108: return isInExpressionContext(node); default: return false; } } function isInExpressionContext(node) { const { parent: parent2 } = node; switch (parent2.kind) { case 257: case 166: case 169: case 168: case 302: case 299: case 205: return parent2.initializer === node; case 241: case 242: case 243: case 244: case 250: case 251: case 252: case 292: case 254: return parent2.expression === node; case 245: const forStatement = parent2; return forStatement.initializer === node && forStatement.initializer.kind !== 258 || forStatement.condition === node || forStatement.incrementor === node; case 246: case 247: const forInStatement = parent2; return forInStatement.initializer === node && forInStatement.initializer.kind !== 258 || forInStatement.expression === node; case 213: case 231: return node === parent2.expression; case 236: return node === parent2.expression; case 164: return node === parent2.expression; case 167: case 291: case 290: case 301: return true; case 230: return parent2.expression === node && !isPartOfTypeNode(parent2); case 300: return parent2.objectAssignmentInitializer === node; case 235: return node === parent2.expression; default: return isExpressionNode(parent2); } } function isPartOfTypeQuery(node) { while (node.kind === 163 || node.kind === 79) { node = node.parent; } return node.kind === 183; } function isNamespaceReexportDeclaration(node) { return isNamespaceExport(node) && !!node.parent.moduleSpecifier; } function isExternalModuleImportEqualsDeclaration(node) { return node.kind === 268 && node.moduleReference.kind === 280; } 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 === 268 && node.moduleReference.kind !== 280; } function isSourceFileJS(file) { return isInJSFile(file); } function isSourceFileNotJS(file) { return !isInJSFile(file); } function isInJSFile(node) { return !!node && !!(node.flags & 262144); } function isInJsonFile(node) { return !!node && !!(node.flags & 67108864); } function isSourceFileNotJson(file) { return !isJsonSourceFile(file); } function isInJSDoc(node) { return !!node && !!(node.flags & 8388608); } function isJSDocIndexSignature(node) { return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "Object" && node.typeArguments && node.typeArguments.length === 2 && (node.typeArguments[0].kind === 152 || node.typeArguments[0].kind === 148); } function isRequireCall(callExpression, requireStringLiteralLikeArgument) { if (callExpression.kind !== 210) { return false; } const { expression, arguments: args } = callExpression; if (expression.kind !== 79 || 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, false); } function isVariableDeclarationInitializedToBareOrAccessedRequire(node) { return isVariableDeclarationInitializedWithRequireHelper(node, 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, 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) || isCallExpression(decl); } function getEffectiveInitializer(node) { if (isInJSFile(node) && node.initializer && isBinaryExpression(node.initializer) && (node.initializer.operatorToken.kind === 56 || node.initializer.operatorToken.kind === 60) && 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 === 63) { const isPrototypeAssignment = isPrototypeAccess(node.parent.left); return getExpandoInitializer(node.parent.right, isPrototypeAssignment) || getDefaultedExpandoInitializer(node.parent.left, node.parent.right, isPrototypeAssignment); } if (node && isCallExpression(node) && isBindableObjectDefinePropertyCall(node)) { const result = hasExpandoValueProperty(node.arguments[2], node.arguments[1].text === "prototype"); if (result) { return result; } } } function getExpandoInitializer(initializer, isPrototypeAssignment) { if (isCallExpression(initializer)) { const e = skipParentheses(initializer.expression); return e.kind === 215 || e.kind === 216 ? initializer : void 0; } if (initializer.kind === 215 || initializer.kind === 228 || initializer.kind === 216) { return initializer; } if (isObjectLiteralExpression(initializer) && (initializer.properties.length === 0 || isPrototypeAssignment)) { return initializer; } } function getDefaultedExpandoInitializer(name, initializer, isPrototypeAssignment) { const e = isBinaryExpression(initializer) && (initializer.operatorToken.kind === 56 || initializer.operatorToken.kind === 60) && 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 === 63 ? 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 === 56 || node.parent.operatorToken.kind === 60) && isBinaryExpression(node.parent.parent) ? node.parent.parent : node.parent; if (parent2.operatorToken.kind === 63 && 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 === 108 || 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 (isAssignmentExpression(node, 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], 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 === 108 || isIdentifier(node.name) && isBindableStaticNameExpression(node.expression, true)) || isBindableStaticElementAccessExpression(node, excludeThisKeyword); } function isBindableStaticElementAccessExpression(node, excludeThisKeyword) { return isLiteralLikeElementAccess(node) && (!excludeThisKeyword && node.expression.kind === 108 || isEntityNameExpression(node.expression) || isBindableStaticAccessExpression(node.expression, 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 (isCallExpression(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 !== 63 || !isAccessExpression(expr.left) || isVoidZero(getRightMostAssignedExpression(expr))) { return 0; } if (isBindableStaticNameExpression(expr.left.expression, 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 === 108) { return 4; } else if (isModuleExportsAccessExpression(lhs)) { return 2; } else if (isBindableStaticNameExpression(lhs.expression, 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") && isBindableStaticAccessExpression(lhs)) { return 1; } if (isBindableStaticNameExpression(lhs, 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 === 241 && (!isElementAccessExpression(expr) || isLiteralLikeElementAccess(expr)) && !!getJSDocTypeTag(expr.parent); } function setValueDeclaration(symbol, node) { const { valueDeclaration } = symbol; if (!valueDeclaration || !(node.flags & 16777216 && !isInJSFile(node) && !(valueDeclaration.flags & 16777216)) && (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 === 259 || isVariableDeclaration(decl) && decl.initializer && isFunctionLike(decl.initializer); } function tryGetModuleSpecifierFromDeclaration(node) { var _a2, _b; switch (node.kind) { case 257: case 205: return (_a2 = findAncestor(node.initializer, (node2) => isRequireCall(node2, true))) == null ? void 0 : _a2.arguments[0]; case 269: return tryCast(node.moduleSpecifier, isStringLiteralLike); case 268: return tryCast((_b = tryCast(node.moduleReference, isExternalModuleReference)) == null ? void 0 : _b.expression, isStringLiteralLike); case 270: case 277: return tryCast(node.parent.moduleSpecifier, isStringLiteralLike); case 271: case 278: return tryCast(node.parent.parent.moduleSpecifier, isStringLiteralLike); case 273: return tryCast(node.parent.parent.parent.moduleSpecifier, isStringLiteralLike); default: Debug.assertNever(node); } } function importFromModuleSpecifier(node) { return tryGetImportFromModuleSpecifier(node) || Debug.failBadSyntaxKind(node.parent); } function tryGetImportFromModuleSpecifier(node) { switch (node.parent.kind) { case 269: case 275: return node.parent; case 280: return node.parent.parent; case 210: return isImportCall(node.parent) || isRequireCall(node.parent, false) ? node.parent : void 0; case 198: Debug.assert(isStringLiteral(node)); return tryCast(node.parent.parent, isImportTypeNode); default: return void 0; } } function getExternalModuleName(node) { switch (node.kind) { case 269: case 275: return node.moduleSpecifier; case 268: return node.moduleReference.kind === 280 ? node.moduleReference.expression : void 0; case 202: return isLiteralImportTypeNode(node) ? node.argument.literal : void 0; case 210: return node.arguments[0]; case 264: return node.name.kind === 10 ? node.name : void 0; default: return Debug.assertNever(node); } } function getNamespaceDeclarationNode(node) { switch (node.kind) { case 269: return node.importClause && tryCast(node.importClause.namedBindings, isNamespaceImport); case 268: return node; case 275: return node.exportClause && tryCast(node.exportClause, isNamespaceExport); default: return Debug.assertNever(node); } } function isDefaultImport(node) { return node.kind === 269 && !!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 166: case 171: case 170: case 300: case 299: case 169: case 168: 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 === 349 || node.kind === 341 || node.kind === 343; } function isTypeAlias(node) { return isJSDocTypeAlias(node) || isTypeAliasDeclaration(node); } function getSourceOfAssignment(node) { return isExpressionStatement(node) && isBinaryExpression(node.expression) && node.expression.operatorToken.kind === 63 ? getRightMostAssignedExpression(node.expression) : void 0; } function getSourceOfDefaultedAssignment(node) { return isExpressionStatement(node) && isBinaryExpression(node.expression) && getAssignmentDeclarationKind(node.expression) !== 0 && isBinaryExpression(node.expression.right) && (node.expression.right.operatorToken.kind === 56 || node.expression.right.operatorToken.kind === 60) ? node.expression.right.right : void 0; } function getSingleInitializerOfVariableStatementOrPropertyDeclaration(node) { switch (node.kind) { case 240: const v = getSingleVariableOfVariableStatement(node); return v && v.initializer; case 169: return node.initializer; case 299: 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 === 264 ? node.body : void 0; } function canHaveFlowNode(node) { if (node.kind >= 240 && node.kind <= 256) { return true; } switch (node.kind) { case 79: case 108: case 106: case 163: case 233: case 209: case 208: case 205: case 215: case 216: case 171: case 174: case 175: return true; default: return false; } } function canHaveJSDoc(node) { switch (node.kind) { case 216: case 223: case 238: case 249: case 176: case 292: case 260: case 228: case 172: case 173: case 182: case 177: case 248: case 256: case 243: case 209: case 239: case 1: case 263: case 302: case 274: case 275: case 278: case 241: case 246: case 247: case 245: case 259: case 215: case 181: case 174: case 79: case 242: case 269: case 268: case 178: case 261: case 320: case 326: case 253: case 171: case 170: case 264: case 199: case 267: case 207: case 166: case 214: case 208: case 299: case 169: case 168: case 250: case 175: case 300: case 301: case 252: case 254: case 255: case 262: case 165: case 257: case 240: case 244: case 251: return true; default: return false; } } function getJSDocCommentsAndTags(hostNode, noCache) { let result; if (isVariableLike(hostNode) && hasInitializer(hostNode) && hasJSDocNodes(hostNode.initializer)) { result = addRange(result, filterOwnedJSDocTags(hostNode, last(hostNode.initializer.jsDoc))); } let node = hostNode; while (node && node.parent) { if (hasJSDocNodes(node)) { result = addRange(result, filterOwnedJSDocTags(hostNode, last(node.jsDoc))); } if (node.kind === 166) { result = addRange(result, (noCache ? getJSDocParameterTagsNoCache : getJSDocParameterTags)(node)); break; } if (node.kind === 165) { result = addRange(result, (noCache ? getJSDocTypeParameterTagsNoCache : getJSDocTypeParameterTags)(node)); break; } node = getNextJSDocCommentLocation(node); } return result || emptyArray; } function filterOwnedJSDocTags(hostNode, jsDoc) { if (isJSDoc(jsDoc)) { const ownedTags = filter(jsDoc.tags, (tag) => ownsJSDocTag(hostNode, tag)); return jsDoc.tags === ownedTags ? [jsDoc] : ownedTags; } return ownsJSDocTag(hostNode, jsDoc) ? [jsDoc] : void 0; } 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 === 299 || parent2.kind === 274 || parent2.kind === 169 || parent2.kind === 241 && node.kind === 208 || parent2.kind === 250 || getNestedModuleDeclaration(parent2) || isBinaryExpression(node) && node.operatorToken.kind === 63) { return parent2; } else if (parent2.parent && (getSingleVariableOfVariableStatement(parent2.parent) === node || isBinaryExpression(parent2) && parent2.operatorToken.kind === 63)) { 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 === 79 && 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 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; } function getAssignmentTargetKind(node) { let parent2 = node.parent; while (true) { switch (parent2.kind) { case 223: const binaryOperator = parent2.operatorToken.kind; return isAssignmentOperator(binaryOperator) && parent2.left === node ? binaryOperator === 63 || isLogicalOrCoalescingAssignmentOperator(binaryOperator) ? 1 : 2 : 0; case 221: case 222: const unaryOperator = parent2.operator; return unaryOperator === 45 || unaryOperator === 46 ? 2 : 0; case 246: case 247: return parent2.initializer === node ? 1 : 0; case 214: case 206: case 227: case 232: node = parent2; break; case 301: node = parent2.parent; break; case 300: if (parent2.name !== node) { return 0; } node = parent2.parent; break; case 299: if (parent2.name === node) { return 0; } node = parent2.parent; break; default: return 0; } parent2 = node.parent; } } function isAssignmentTarget(node) { return getAssignmentTargetKind(node) !== 0; } function isNodeWithPossibleHoistedDeclaration(node) { switch (node.kind) { case 238: case 240: case 251: case 242: case 252: case 266: case 292: case 293: case 253: case 245: case 246: case 247: case 243: case 244: case 255: case 295: 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, 193); } function walkUpParenthesizedExpressions(node) { return walkUp(node, 214); } function walkUpParenthesizedTypesAndGetParentAndChild(node) { let child; while (node && node.kind === 193) { 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 !== 208 && node.kind !== 209) { return false; } node = walkUpParenthesizedExpressions(node.parent); return node && node.kind === 217; } 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 10: case 14: case 8: if (isComputedPropertyName(parent2)) return parent2.parent; case 79: 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 80: return isDeclaration(parent2) && parent2.name === name ? parent2 : void 0; default: return void 0; } } function isLiteralComputedPropertyDeclarationName(node) { return isStringOrNumericLiteralLike(node) && node.parent.kind === 164 && isDeclaration(node.parent.parent); } function isIdentifierName(node) { const parent2 = node.parent; switch (parent2.kind) { case 169: case 168: case 171: case 170: case 174: case 175: case 302: case 299: case 208: return parent2.name === node; case 163: return parent2.right === node; case 205: case 273: return parent2.propertyName === node; case 278: case 288: case 282: case 283: case 284: return true; } return false; } function isAliasSymbolDeclaration(node) { if (node.kind === 268 || node.kind === 267 || node.kind === 270 && !!node.name || node.kind === 271 || node.kind === 277 || node.kind === 273 || node.kind === 278 || node.kind === 274 && 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 === 63 && isAliasableExpression(node.parent.right)); } function getAliasDeclarationFromName(node) { switch (node.parent.kind) { case 270: case 273: case 271: case 278: case 274: case 268: case 277: return node.parent; case 163: do { node = node.parent; } while (node.parent.kind === 163); 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 === 300 ? node.name : node.kind === 299 ? 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, 94); 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, 117); 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, 94); 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 getAncestor(node, kind) { while (node) { if (node.kind === kind) { return node; } node = node.parent; } return void 0; } function isKeyword(token) { return 81 <= token && token <= 162; } function isContextualKeyword(token) { return 126 <= token && token <= 162; } function isNonContextualKeyword(token) { return isKeyword(token) && !isContextualKeyword(token); } function isFutureReservedKeyword(token) { return 117 <= token && token <= 125; } function isStringANonContextualKeyword(name) { const token = stringToToken(name); return token !== void 0 && isNonContextualKeyword(token); } function isStringAKeyword(name) { const token = stringToToken(name); return token !== void 0 && isKeyword(token); } function isIdentifierANonContextualKeyword(node) { const originalKeywordKind = identifierToKeywordKind(node); return !!originalKeywordKind && !isContextualKeyword(originalKeywordKind); } function isTrivia(token) { return 2 <= token && token <= 7; } function getFunctionFlags(node) { if (!node) { return 4; } let flags = 0; switch (node.kind) { case 259: case 215: case 171: if (node.asteriskToken) { flags |= 1; } case 216: if (hasSyntacticModifier(node, 512)) { flags |= 2; } break; } if (!node.body) { flags |= 4; } return flags; } function isAsyncFunction(node) { switch (node.kind) { case 259: case 215: case 216: case 171: return node.body !== void 0 && node.asteriskToken === void 0 && hasSyntacticModifier(node, 512); } return false; } function isStringOrNumericLiteralLike(node) { return isStringLiteralLike(node) || isNumericLiteral(node); } function isSignedNumericLiteral(node) { return isPrefixUnaryExpression(node) && (node.operator === 39 || node.operator === 40) && isNumericLiteral(node.operand); } function hasDynamicName(declaration) { const name = getNameOfDeclaration(declaration); return !!name && isDynamicName(name); } function isDynamicName(name) { if (!(name.kind === 164 || name.kind === 209)) { return false; } const expr = isElementAccessExpression(name) ? skipParentheses(name.argumentExpression) : name.expression; return !isStringOrNumericLiteralLike(expr) && !isSignedNumericLiteral(expr); } function getPropertyNameForPropertyNameNode(name) { switch (name.kind) { case 79: case 80: return name.escapedText; case 10: case 8: return escapeLeadingUnderscores(name.text); case 164: const nameExpression = name.expression; if (isStringOrNumericLiteralLike(nameExpression)) { return escapeLeadingUnderscores(nameExpression.text); } else if (isSignedNumericLiteral(nameExpression)) { if (nameExpression.operator === 40) { return tokenToString(nameExpression.operator) + nameExpression.operand.text; } return nameExpression.operand.text; } return void 0; default: return Debug.assertNever(name); } } function isPropertyNameLiteral(node) { switch (node.kind) { case 79: case 10: case 14: case 8: return true; default: return false; } } function getTextOfIdentifierOrLiteral(node) { return isMemberName(node) ? idText(node) : node.text; } function getEscapedTextOfIdentifierOrLiteral(node) { return isMemberName(node) ? node.escapedText : escapeLeadingUnderscores(node.text); } function getPropertyNameForUniqueESSymbol(symbol) { return `__@${getSymbolId(symbol)}@${symbol.escapedName}`; } function getSymbolNameForPrivateIdentifier(containingClassSymbol, description2) { return `__#${getSymbolId(containingClassSymbol)}@${description2}`; } function isKnownSymbol(symbol) { return startsWith(symbol.escapedName, "__@"); } function isPrivateIdentifierSymbol(symbol) { return startsWith(symbol.escapedName, "__#"); } function isESSymbolIdentifier(node) { return node.kind === 79 && node.escapedText === "Symbol"; } function isProtoSetter(node) { return isIdentifier(node) ? idText(node) === "__proto__" : isStringLiteral(node) && node.text === "__proto__"; } function isAnonymousFunctionDefinition(node, cb) { node = skipOuterExpressions(node); switch (node.kind) { case 228: case 215: if (node.name) { return false; } break; case 216: break; default: return false; } return typeof cb === "function" ? cb(node) : true; } function isNamedEvaluationSource(node) { switch (node.kind) { case 299: return !isProtoSetter(node.name); case 300: return !!node.objectAssignmentInitializer; case 257: return isIdentifier(node.name) && !!node.initializer; case 166: return isIdentifier(node.name) && !!node.initializer && !node.dotDotDotToken; case 205: return isIdentifier(node.name) && !!node.initializer && !node.dotDotDotToken; case 169: return !!node.initializer; case 223: switch (node.operatorToken.kind) { case 63: case 76: case 75: case 77: return isIdentifier(node.left); } break; case 274: return true; } return false; } function isNamedEvaluation(node, cb) { if (!isNamedEvaluationSource(node)) return false; switch (node.kind) { case 299: return isAnonymousFunctionDefinition(node.initializer, cb); case 300: return isAnonymousFunctionDefinition(node.objectAssignmentInitializer, cb); case 257: case 166: case 205: case 169: return isAnonymousFunctionDefinition(node.initializer, cb); case 223: return isAnonymousFunctionDefinition(node.right, cb); case 274: return isAnonymousFunctionDefinition(node.expression, cb); } } function isPushOrUnshiftIdentifier(node) { return node.escapedText === "push" || node.escapedText === "unshift"; } function isParameterDeclaration(node) { const root = getRootDeclaration(node); return root.kind === 166; } function getRootDeclaration(node) { while (node.kind === 205) { node = node.parent.parent; } return node; } function nodeStartsNewLexicalEnvironment(node) { const kind = node.kind; return kind === 173 || kind === 215 || kind === 259 || kind === 216 || kind === 171 || kind === 174 || kind === 175 || kind === 264 || kind === 308; } function nodeIsSynthesized(range) { return positionIsSynthesized(range.pos) || positionIsSynthesized(range.end); } function getOriginalSourceFile(sourceFile) { return getParseTreeNode(sourceFile, isSourceFile) || sourceFile; } function getExpressionAssociativity(expression) { const operator = getOperator(expression); const hasArguments = expression.kind === 211 && expression.arguments !== void 0; return getOperatorAssociativity(expression.kind, operator, hasArguments); } function getOperatorAssociativity(kind, operator, hasArguments) { switch (kind) { case 211: return hasArguments ? 0 : 1; case 221: case 218: case 219: case 217: case 220: case 224: case 226: return 1; case 223: switch (operator) { case 42: case 63: case 64: case 65: case 67: case 66: case 68: case 69: case 70: case 71: case 72: case 73: case 78: case 74: case 75: case 76: case 77: return 1; } } return 0; } function getExpressionPrecedence(expression) { const operator = getOperator(expression); const hasArguments = expression.kind === 211 && expression.arguments !== void 0; return getOperatorPrecedence(expression.kind, operator, hasArguments); } function getOperator(expression) { if (expression.kind === 223) { return expression.operatorToken.kind; } else if (expression.kind === 221 || expression.kind === 222) { return expression.operator; } else { return expression.kind; } } function getOperatorPrecedence(nodeKind, operatorKind, hasArguments) { switch (nodeKind) { case 357: return 0; case 227: return 1; case 226: return 2; case 224: return 4; case 223: switch (operatorKind) { case 27: return 0; case 63: case 64: case 65: case 67: case 66: case 68: case 69: case 70: case 71: case 72: case 73: case 78: case 74: case 75: case 76: case 77: return 3; default: return getBinaryOperatorPrecedence(operatorKind); } case 213: case 232: case 221: case 218: case 219: case 217: case 220: return 16; case 222: return 17; case 210: return 18; case 211: return hasArguments ? 19 : 18; case 212: case 208: case 209: case 233: return 19; case 231: case 235: return 11; case 108: case 106: case 79: case 80: case 104: case 110: case 95: case 8: case 9: case 10: case 206: case 207: case 215: case 216: case 228: case 13: case 14: case 225: case 214: case 229: case 281: case 282: case 285: return 20; default: return -1; } } function getBinaryOperatorPrecedence(kind) { switch (kind) { case 60: return 4; case 56: return 5; case 55: return 6; case 51: return 7; case 52: return 8; case 50: return 9; case 34: case 35: case 36: case 37: return 10; case 29: case 31: case 32: case 33: case 102: case 101: case 128: case 150: return 11; case 47: case 48: case 49: return 12; case 39: case 40: return 13; case 41: case 43: case 44: return 14; case 42: return 15; } return -1; } function getSemanticJsxChildren(children) { return filter(children, (i) => { switch (i.kind) { case 291: return !!i.expression; case 11: 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, identity, compareDiagnosticsSkipRelatedInformation); if (result >= 0) { return diagnostics[result]; } 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); } 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; } } function escapeTemplateSubstitution(str) { return str.replace(templateSubstitutionRegExp, "\${"); } function hasInvalidEscape(template) { return template && !!(isNoSubstitutionTemplateLiteral(template) ? template.templateFlags : template.head.templateFlags || some(template.templateSpans, (span) => !!span.literal.templateFlags)); } function encodeUtf16EscapeSequence(charCode) { const hexCharCode = charCode.toString(16).toUpperCase(); const paddedHexCode = ("0000" + hexCharCode).slice(-4); return "\u" + paddedHexCode; } function getReplacement(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 escapeString(s, quoteChar) { const escapedCharsRegExp = quoteChar === 96 ? backtickQuoteEscapedCharsRegExp : quoteChar === 39 ? singleQuoteEscapedCharsRegExp : doubleQuoteEscapedCharsRegExp; return s.replace(escapedCharsRegExp, getReplacement); } function escapeNonAsciiString(s, quoteChar) { s = escapeString(s, quoteChar); return nonAsciiCharacters.test(s) ? s.replace(nonAsciiCharacters, (c) => encodeUtf16EscapeSequence(c.charCodeAt(0))) : s; } 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 || stringContains(name, "-") || stringContains(name, ":"); } function getIndentString(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 isNightly() { return stringContains(version, "-dev") || stringContains(version, "-insiders"); } function createTextWriter(newLine) { var output; var indent2; 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 = getIndentString(indent2) + 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 = ""; indent2 = 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; } } function getTextPosWithWriteLine() { return lineStart ? output.length : output.length + newLine.length; } reset2(); return { write, rawWrite, writeLiteral, writeLine, increaseIndent: () => { indent2++; }, decreaseIndent: () => { indent2--; }, getIndent: () => indent2, getTextPos: () => output.length, getLine: () => lineCount, getColumn: () => lineStart ? indent2 * 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, getTextPosWithWriteLine }; } 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, path) { return host.getCanonicalFileName(getNormalizedAbsolutePath(path, 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).indexOf(getCanonicalAbsolutePath(host, ensureTrailingDirectorySeparator(host.getCommonSourceDirectory()))) === -1) { return void 0; } return getResolvedExternalModuleName(host, file); } function getExternalModuleNameFromPath(host, fileName, referencePath) { const getCanonicalFileName = (f) => host.getCanonicalFileName(f); const dir = toPath(referencePath ? getDirectoryPath(referencePath) : host.getCommonSourceDirectory(), host.getCurrentDirectory(), getCanonicalFileName); const filePath = getNormalizedAbsolutePath(fileName, host.getCurrentDirectory()); const relativePath = getRelativePathToDirectoryOrUrl(dir, filePath, dir, getCanonicalFileName, 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 path = outputDir ? getSourceFilePathInNewDirWorker(fileName, outputDir, currentDirectory, commonSourceDirectory, getCanonicalFileName) : fileName; const declarationExtension = getDeclarationEmitExtensionForPath(path); return removeFileExtension(path) + declarationExtension; } function getDeclarationEmitExtensionForPath(path) { return fileExtensionIsOneOf(path, [".mjs", ".mts"]) ? ".d.mts" : fileExtensionIsOneOf(path, [".cjs", ".cts"]) ? ".d.cts" : fileExtensionIsOneOf(path, [".json"]) ? `.d.json.ts` : ".d.ts"; } function getPossibleOriginalInputExtensionForExtension(path) { return fileExtensionIsOneOf(path, [".d.mts", ".mjs", ".mts"]) ? [".mts", ".mjs"] : fileExtensionIsOneOf(path, [".d.cts", ".cjs", ".cts"]) ? [".cts", ".cjs"] : fileExtensionIsOneOf(path, [`.d.json.ts`]) ? [".json"] : [".tsx", ".ts", ".jsx", ".js"]; } function outFile(options) { return options.outFile || options.out; } function getPathsBasePath(options, host) { var _a2, _b; if (!options.paths) return void 0; return (_b = options.baseUrl) != null ? _b : Debug.checkDefined(options.pathsBasePath || ((_a2 = host.getCurrentDirectory) == null ? void 0 : _a2.call(host)), "Encountered "paths" without a "baseUrl", config file, or host "getCurrentDirectory"."); } function getSourceFilesToEmit(host, targetSourceFile, forceDtsEmit) { const options = host.getCompilerOptions(); if (outFile(options)) { 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(); return !(options.noEmitForJsFiles && isSourceFileJS(sourceFile)) && !sourceFile.isDeclarationFile && !host.isSourceFileFromExternalLibrary(sourceFile) && (forceDtsEmit || !(isJsonSourceFile(sourceFile) && host.getResolvedProjectReferenceToRedirect(sourceFile.fileName)) && !host.isSourceOfProjectReferenceRedirect(sourceFile.fileName)); } 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(path, data, writeByteOrderMark, writeFile2, createDirectory, directoryExists) { try { writeFile2(path, data, writeByteOrderMark); } catch (e) { ensureDirectoriesExist(getDirectoryPath(normalizePath(path)), createDirectory, directoryExists); writeFile2(path, 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 === 79 && identifierIsThisKeyword(node); } function isThisInTypeQuery(node) { if (!isThisIdentifier(node)) { return false; } while (isQualifiedName(node.parent) && node.parent.left === node) { node = node.parent; } return node.parent.kind === 183; } 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 === 174) { getAccessor = accessor; } else if (accessor.kind === 175) { 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 === 174 && !getAccessor) { getAccessor = member; } if (member.kind === 175 && !setAccessor) { setAccessor = member; } } } }); } return { firstAccessor, secondAccessor, getAccessor, setAccessor }; } function getEffectiveTypeAnnotationNode(node) { if (!isInJSFile(node) && isFunctionDeclaration(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 === 323 && (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, false, 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 = getIndentString((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 = trimString(text.substring(pos, end)); 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, 32); } function hasOverrideModifier(node) { return hasEffectiveModifier(node, 16384); } function hasAbstractModifier(node) { return hasSyntacticModifier(node, 256); } function hasAmbientModifier(node) { return hasSyntacticModifier(node, 2); } function hasAccessorModifier(node) { return hasSyntacticModifier(node, 128); } function hasEffectiveReadonlyModifier(node) { return hasEffectiveModifier(node, 64); } function hasDecorators(node) { return hasSyntacticModifier(node, 131072); } 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 <= 162) { return 0; } if (!(node.modifierFlagsCache & 536870912)) { node.modifierFlagsCache = getSyntacticModifierFlagsNoCache(node) | 536870912; } if (includeJSDoc && !(node.modifierFlagsCache & 4096) && (alwaysIncludeJSDoc || isInJSFile(node)) && node.parent) { node.modifierFlagsCache |= getJSDocModifierFlagsNoCache(node) | 4096; } return node.modifierFlagsCache & ~(536870912 | 4096); } function getEffectiveModifierFlags(node) { return getModifierFlagsWorker(node, true); } function getEffectiveModifierFlagsAlwaysIncludeJSDoc(node) { return getModifierFlagsWorker(node, true, true); } function getSyntacticModifierFlags(node) { return getModifierFlagsWorker(node, false); } function getJSDocModifierFlagsNoCache(node) { let flags = 0; if (!!node.parent && !isParameter(node)) { if (isInJSFile(node)) { if (getJSDocPublicTagNoCache(node)) flags |= 4; if (getJSDocPrivateTagNoCache(node)) flags |= 8; if (getJSDocProtectedTagNoCache(node)) flags |= 16; if (getJSDocReadonlyTagNoCache(node)) flags |= 64; if (getJSDocOverrideTagNoCache(node)) flags |= 16384; } if (getJSDocDeprecatedTagNoCache(node)) flags |= 8192; } return flags; } function getEffectiveModifierFlagsNoCache(node) { return getSyntacticModifierFlagsNoCache(node) | getJSDocModifierFlagsNoCache(node); } function getSyntacticModifierFlagsNoCache(node) { let flags = canHaveModifiers(node) ? modifiersToFlags(node.modifiers) : 0; if (node.flags & 4 || node.kind === 79 && node.flags & 2048) { flags |= 1; } 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 124: return 32; case 123: return 4; case 122: return 16; case 121: return 8; case 126: return 256; case 127: return 128; case 93: return 1; case 136: return 2; case 85: return 2048; case 88: return 1024; case 132: return 512; case 146: return 64; case 161: return 16384; case 101: return 32768; case 145: return 65536; case 167: return 131072; } return 0; } function isBinaryLogicalOperator(token) { return token === 56 || token === 55; } function isLogicalOperator(token) { return isBinaryLogicalOperator(token) || token === 53; } function isLogicalOrCoalescingAssignmentOperator(token) { return token === 75 || token === 76 || token === 77; } function isLogicalOrCoalescingAssignmentExpression(expr) { return isBinaryExpression(expr) && isLogicalOrCoalescingAssignmentOperator(expr.operatorToken.kind); } function isLogicalOrCoalescingBinaryOperator(token) { return isBinaryLogicalOperator(token) || token === 60; } function isLogicalOrCoalescingBinaryExpression(expr) { return isBinaryExpression(expr) && isLogicalOrCoalescingBinaryOperator(expr.operatorToken.kind); } function isAssignmentOperator(token) { return token >= 63 && token <= 78; } 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 === 117 }; } if (isJSDocAugmentsTag(node.parent)) { const host = getEffectiveJSDocHost(node.parent); if (host && isClassLike(host)) { return { class: host, isImplements: false }; } } } return void 0; } function isAssignmentExpression(node, excludeCompoundAssignment) { return isBinaryExpression(node) && (excludeCompoundAssignment ? node.operatorToken.kind === 63 : isAssignmentOperator(node.operatorToken.kind)) && isLeftHandSideExpression(node.left); } function isLeftHandSideOfAssignment(node) { return isAssignmentExpression(node.parent) && node.parent.left === node; } function isDestructuringAssignment(node) { if (isAssignmentExpression(node, true)) { const kind = node.left.kind; return kind === 207 || kind === 206; } return false; } function isExpressionWithTypeArgumentsInClassExtendsClause(node) { return tryGetClassExtendingExpressionWithTypeArguments(node) !== void 0; } function isEntityNameExpression(node) { return node.kind === 79 || isPropertyAccessEntityNameExpression(node); } function getFirstIdentifier(node) { switch (node.kind) { case 79: return node; case 163: do { node = node.left; } while (node.kind !== 79); return node; case 208: do { node = node.expression; } while (node.kind !== 79); return node; } } function isDottedName(node) { return node.kind === 79 || node.kind === 108 || node.kind === 106 || node.kind === 233 || node.kind === 208 && isDottedName(node.expression) || node.kind === 214 && 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); } return void 0; } function isPrototypeAccess(node) { return isBindableStaticAccessExpression(node) && getElementOrPropertyAccessName(node) === "prototype"; } function isRightSideOfQualifiedNameOrPropertyAccess(node) { return node.parent.kind === 163 && node.parent.right === node || node.parent.kind === 208 && node.parent.name === node; } function isRightSideOfAccessExpression(node) { return 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 isEmptyObjectLiteral(expression) { return expression.kind === 207 && expression.properties.length === 0; } function isEmptyArrayLiteral(expression) { return expression.kind === 206 && 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], 1024); } 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; } 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(path, hostOrText) { const jsonText = isString(hostOrText) ? hostOrText : hostOrText.readFile(path); if (!jsonText) return void 0; const result = parseConfigFileTextToJson(path, jsonText); return !result.error ? result.config : void 0; } function readJson(path, host) { return readJsonOrUndefined(path, host) || {}; } function directoryProbablyExists(directoryName, host) { return !host.directoryExists || host.directoryExists(directoryName); } 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, false), getStartPositionOfRange(range2, sourceFile, false), sourceFile); } function rangeEndPositionsAreOnSameLine(range1, range2, sourceFile) { return positionsAreOnSameLine(range1.end, range2.end, sourceFile); } function rangeStartIsOnSameLineAsRangeEnd(range1, range2, sourceFile) { return positionsAreOnSameLine(getStartPositionOfRange(range1, sourceFile, false), range2.end, sourceFile); } function rangeEndIsOnSameLineAsRangeStart(range1, range2, sourceFile) { return positionsAreOnSameLine(range1.end, getStartPositionOfRange(range2, sourceFile, 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, false, includeComments); } function getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter(pos, stopPos, sourceFile, includeComments) { const startPos = skipTrivia(sourceFile.text, pos, false, includeComments); const prevPos = getPreviousNonWhitespacePosition(startPos, stopPos, sourceFile); return getLinesBetweenPositions(sourceFile, prevPos != null ? prevPos : stopPos, startPos); } function getLinesBetweenPositionAndNextNonWhitespaceCharacter(pos, stopPos, sourceFile, includeComments) { const nextPos = skipTrivia(sourceFile.text, pos, 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 263: case 264: 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 & ~28; } if (getCheckFlags(s) & 6) { const checkFlags = s.links.checkFlags; const accessModifier = checkFlags & 1024 ? 8 : checkFlags & 256 ? 4 : 16; const staticModifier = checkFlags & 2048 ? 32 : 0; return accessModifier | staticModifier; } if (s.flags & 4194304) { return 4 | 32; } 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; if (!parent2) return 0; switch (parent2.kind) { case 214: return accessKind(parent2); case 222: case 221: const { operator } = parent2; return operator === 45 || operator === 46 ? writeOrReadWrite() : 0; case 223: const { left, operatorToken } = parent2; return left === node && isAssignmentOperator(operatorToken.kind) ? operatorToken.kind === 63 ? 1 : writeOrReadWrite() : 0; case 208: return parent2.name !== node ? 0 : accessKind(parent2); case 299: { const parentAccess = accessKind(parent2.parent); return node === parent2.name ? reverseAccessKind(parentAccess) : parentAccess; } case 300: return node === parent2.objectAssignmentInitializer ? 0 : accessKind(parent2.parent); case 206: return accessKind(parent2); default: return 0; } function writeOrReadWrite() { return parent2.parent && walkUpParenthesizedExpressions(parent2.parent).kind === 241 ? 1 : 2; } } 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) => { const valueInNewMap = newMap.get(key); if (valueInNewMap === void 0) { map2.delete(key); onDeleteValue(existingValue, key); } else if (onExistingValue) { onExistingValue(existingValue, valueInNewMap, key); } }); } function mutateMap(map2, newMap, options) { mutateMapSkippingNewValues(map2, newMap, options); const { createNewValue } = options; 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, 256); } return false; } function getClassLikeDeclarationOfSymbol(symbol) { var _a2; return (_a2 = symbol.declarations) == null ? void 0 : _a2.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 isStringLiteral(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 >= 179 && kind <= 202 || kind === 131 || kind === 157 || kind === 148 || kind === 160 || kind === 149 || kind === 134 || kind === 152 || kind === 153 || kind === 114 || kind === 155 || kind === 144 || kind === 139 || kind === 230 || kind === 315 || kind === 316 || kind === 317 || kind === 318 || kind === 319 || kind === 320 || kind === 321; } function isAccessExpression(node) { return node.kind === 208 || node.kind === 209; } function getNameOfAccessExpression(node) { if (node.kind === 208) { return node.name; } Debug.assert(node.kind === 209); return node.argumentExpression; } function isBundleFileTextLike(section) { switch (section.kind) { case "text": case "internal": return true; default: return false; } } function isNamedImportsOrExports(node) { return node.kind === 272 || node.kind === 276; } 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 === 208) { const res = action(access.name); if (res !== void 0) { return res; } } else if (access.kind === 209) { 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 222: node = node.operand; continue; case 223: node = node.left; continue; case 224: node = node.condition; continue; case 212: node = node.tag; continue; case 210: if (stopAtCallExpressions) { return node; } case 231: case 209: case 208: case 232: case 356: case 235: 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.isAssigned = 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); } function addObjectAllocatorPatcher(fn) { objectAllocatorPatchers.push(fn); fn(objectAllocator); } function setObjectAllocator(alloc) { Object.assign(objectAllocator, alloc); forEach(objectAllocatorPatchers, (fn) => fn(objectAllocator)); } function formatStringFromArgs(text, args, baseIndex = 0) { return text.replace(/{(d+)}/g, (_match, index) => "" + Debug.checkDefined(args[+index + baseIndex])); } function setLocalizedDiagnosticMessages(messages) { localizedDiagnosticMessages = messages; } function maybeSetLocalizedDiagnosticMessages(getMessages) { if (!localizedDiagnosticMessages && getMessages) { localizedDiagnosticMessages = getMessages(); } } function getLocaleSpecificMessage(message) { return localizedDiagnosticMessages && localizedDiagnosticMessages[message.key] || message.message; } function createDetachedDiagnostic(fileName, start, length2, message) { assertDiagnosticLocation(void 0, start, length2); let text = getLocaleSpecificMessage(message); if (arguments.length > 4) { text = formatStringFromArgs(text, arguments, 4); } 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) { assertDiagnosticLocation(file, start, length2); let text = getLocaleSpecificMessage(message); if (arguments.length > 4) { text = formatStringFromArgs(text, arguments, 4); } return { file, start, length: length2, messageText: text, category: message.category, code: message.code, reportsUnnecessary: message.reportsUnnecessary, reportsDeprecated: message.reportsDeprecated }; } function formatMessage(_dummy, message) { let text = getLocaleSpecificMessage(message); if (arguments.length > 2) { text = formatStringFromArgs(text, arguments, 2); } return text; } function createCompilerDiagnostic(message) { let text = getLocaleSpecificMessage(message); if (arguments.length > 1) { text = formatStringFromArgs(text, arguments, 1); } 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) { let text = getLocaleSpecificMessage(message); if (arguments.length > 2) { text = formatStringFromArgs(text, arguments, 2); } 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) { return compareStringsCaseSensitive(getDiagnosticFilePath(d1), getDiagnosticFilePath(d2)) || compareValues(d1.start, d2.start) || compareValues(d1.length, d2.length) || compareValues(d1.code, d2.code) || compareMessageText(d1.messageText, d2.messageText) || 0; } function compareRelatedInformation(d1, d2) { if (!d1.relatedInformation && !d2.relatedInformation) { return 0; } if (d1.relatedInformation && d2.relatedInformation) { return compareValues(d1.relatedInformation.length, d2.relatedInformation.length) || forEach(d1.relatedInformation, (d1i, index) => { const d2i = d2.relatedInformation[index]; return compareDiagnostics(d1i, d2i); }) || 0; } return d1.relatedInformation ? -1 : 1; } function compareMessageText(t1, t2) { if (typeof t1 === "string" && typeof t2 === "string") { return compareStringsCaseSensitive(t1, t2); } else if (typeof t1 === "string") { return -1; } else if (typeof t2 === "string") { return 1; } let res = compareStringsCaseSensitive(t1.messageText, t2.messageText); if (res) { return res; } if (!t1.next && !t2.next) { return 0; } if (!t1.next) { return -1; } if (!t2.next) { return 1; } const len = Math.min(t1.next.length, t2.next.length); for (let i = 0; i < len; i++) { res = compareMessageText(t1.next[i], t2.next[i]); if (res) { return res; } } if (t1.next.length < t2.next.length) { return -1; } else if (t1.next.length > t2.next.length) { return 1; } return 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"])) && !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 getEmitScriptTarget(compilerOptions) { var _a2; return (_a2 = compilerOptions.target) != null ? _a2 : compilerOptions.module === 100 && 9 || compilerOptions.module === 199 && 99 || 1; } function getEmitModuleKind(compilerOptions) { return typeof compilerOptions.module === "number" ? compilerOptions.module : getEmitScriptTarget(compilerOptions) >= 2 ? 5 : 1; } function emitModuleKindIsNonNodeESM(moduleKind) { return moduleKind >= 5 && moduleKind <= 99; } function getEmitModuleResolutionKind(compilerOptions) { let moduleResolution = compilerOptions.moduleResolution; if (moduleResolution === void 0) { switch (getEmitModuleKind(compilerOptions)) { case 1: moduleResolution = 2; break; case 100: moduleResolution = 3; break; case 199: moduleResolution = 99; break; default: moduleResolution = 1; break; } } return moduleResolution; } function getEmitModuleDetectionKind(options) { return options.moduleDetection || (getEmitModuleKind(options) === 100 || getEmitModuleKind(options) === 199 ? 3 : 2); } function hasJsonModuleEmitEnabled(options) { switch (getEmitModuleKind(options)) { case 1: case 2: case 5: case 6: case 7: case 99: case 100: case 199: return true; default: return false; } } function getIsolatedModules(options) { return !!(options.isolatedModules || options.verbatimModuleSyntax); } function importNameElisionDisabled(options) { return options.verbatimModuleSyntax || options.isolatedModules && options.preserveValueImports; } function unreachableCodeIsError(options) { return options.allowUnreachableCode === false; } function unusedLabelIsError(options) { return options.allowUnusedLabels === false; } function getAreDeclarationMapsEnabled(options) { return !!(getEmitDeclarations(options) && options.declarationMap); } function getESModuleInterop(compilerOptions) { if (compilerOptions.esModuleInterop !== void 0) { return compilerOptions.esModuleInterop; } switch (getEmitModuleKind(compilerOptions)) { case 100: case 199: return true; } return void 0; } function getAllowSyntheticDefaultImports(compilerOptions) { if (compilerOptions.allowSyntheticDefaultImports !== void 0) { return compilerOptions.allowSyntheticDefaultImports; } return getESModuleInterop(compilerOptions) || getEmitModuleKind(compilerOptions) === 4 || getEmitModuleResolutionKind(compilerOptions) === 100; } function moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution) { return moduleResolution >= 3 && moduleResolution <= 99 || moduleResolution === 100; } function getResolvePackageJsonExports(compilerOptions) { const moduleResolution = getEmitModuleResolutionKind(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; } function getResolvePackageJsonImports(compilerOptions) { const moduleResolution = getEmitModuleResolutionKind(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; } function getResolveJsonModule(compilerOptions) { if (compilerOptions.resolveJsonModule !== void 0) { return compilerOptions.resolveJsonModule; } return getEmitModuleResolutionKind(compilerOptions) === 100; } function getEmitDeclarations(compilerOptions) { return !!(compilerOptions.declaration || compilerOptions.composite); } function shouldPreserveConstEnums(compilerOptions) { return !!(compilerOptions.preserveConstEnums || getIsolatedModules(compilerOptions)); } function isIncrementalCompilation(options) { return !!(options.incremental || options.composite); } function getStrictOptionValue(compilerOptions, flag) { return compilerOptions[flag] === void 0 ? !!compilerOptions.strict : !!compilerOptions[flag]; } function getAllowJSCompilerOption(compilerOptions) { return compilerOptions.allowJs === void 0 ? !!compilerOptions.checkJs : compilerOptions.allowJs; } function getUseDefineForClassFields(compilerOptions) { return compilerOptions.useDefineForClassFields === void 0 ? getEmitScriptTarget(compilerOptions) >= 9 : compilerOptions.useDefineForClassFields; } 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) : 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 = isArray(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: (path, real) => (symlinkedFiles || (symlinkedFiles = /* @__PURE__ */ new Map())).set(path, real), setSymlinkedDirectory: (symlink, real) => { let symlinkPath = toPath(symlink, cwd, getCanonicalFileName); if (!containsIgnoredPath(symlinkPath)) { symlinkPath = ensureTrailingDirectorySeparator(symlinkPath); if (real !== false && !(symlinkedDirectories == null ? void 0 : symlinkedDirectories.has(symlinkPath))) { (symlinkedDirectoriesByRealpath || (symlinkedDirectoriesByRealpath = createMultiMap())).add(ensureTrailingDirectorySeparator(real.realPath), symlink); } (symlinkedDirectories || (symlinkedDirectories = /* @__PURE__ */ new Map())).set(symlinkPath, real); } }, setSymlinksFromResolutions(files, typeReferenceDirectives) { var _a2, _b; Debug.assert(!hasProcessedResolutions); hasProcessedResolutions = true; for (const file of files) { (_a2 = file.resolvedModules) == null ? void 0 : _a2.forEach((resolution) => processResolution(this, resolution.resolvedModule)); (_b = file.resolvedTypeReferenceDirectiveNames) == null ? void 0 : _b.forEach((resolution) => processResolution(this, resolution.resolvedTypeReferenceDirective)); } typeReferenceDirectives.forEach((resolution) => processResolution(this, resolution.resolvedTypeReferenceDirective)); }, hasProcessedResolutions: () => hasProcessedResolutions }; function processResolution(cache, resolution) { if (!resolution || !resolution.originalPath || !resolution.resolvedFileName) return; const { resolvedFileName, originalPath } = resolution; cache.setSymlinkedFile(toPath(originalPath, cwd, getCanonicalFileName), resolvedFileName); const [commonResolved, commonOriginal] = guessDirectorySymlink(resolvedFileName, originalPath, cwd, getCanonicalFileName) || emptyArray; if (commonResolved && commonOriginal) { cache.setSymlinkedDirectory(commonOriginal, { real: commonResolved, realPath: toPath(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" || startsWith(s, "@")); } function stripLeadingDirectorySeparator(s) { return isAnyDirectorySeparator(s.charCodeAt(0)) ? s.slice(1) : void 0; } function tryRemoveDirectoryPrefix(path, dirPath, getCanonicalFileName) { const withoutPrefix = tryRemovePrefix(path, dirPath, getCanonicalFileName); return withoutPrefix === void 0 ? void 0 : stripLeadingDirectorySeparator(withoutPrefix); } function regExpEscape(text) { return text.replace(reservedCharacterPattern, escapeRegExpCharacter); } function escapeRegExpCharacter(match) { return "\" + match; } 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 }) { 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(path, excludes, includes, useCaseSensitiveFileNames, currentDirectory) { path = normalizePath(path); currentDirectory = normalizePath(currentDirectory); const absolutePath = combinePaths(currentDirectory, path); 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(path, includes, useCaseSensitiveFileNames) }; } function getRegexFromPattern(pattern, useCaseSensitiveFileNames) { return new RegExp(pattern, useCaseSensitiveFileNames ? "" : "i"); } function matchFiles(path, extensions, excludes, includes, useCaseSensitiveFileNames, currentDirectory, depth, getFileSystemEntries, realpath) { path = normalizePath(path); currentDirectory = normalizePath(currentDirectory); const patterns = getFileMatcherPatterns(path, excludes, includes, useCaseSensitiveFileNames, currentDirectory); const includeFileRegexes = patterns.includeFilePatterns && patterns.includeFilePatterns.map((pattern) => getRegexFromPattern(pattern, useCaseSensitiveFileNames)); const includeDirectoryRegex = patterns.includeDirectoryPattern && getRegexFromPattern(patterns.includeDirectoryPattern, useCaseSensitiveFileNames); const excludeRegex = patterns.excludePattern && getRegexFromPattern(patterns.excludePattern, useCaseSensitiveFileNames); const results = includeFileRegexes ? includeFileRegexes.map(() => []) : [[]]; const visited = /* @__PURE__ */ new Map(); const toCanonical = createGetCanonicalFileName(useCaseSensitiveFileNames); for (const basePath of patterns.basePaths) { visitDirectory(basePath, combinePaths(currentDirectory, basePath), depth); } return flatten(results); function visitDirectory(path2, absolutePath, depth2) { const canonicalPath = toCanonical(realpath(absolutePath)); if (visited.has(canonicalPath)) return; visited.set(canonicalPath, true); const { files, directories } = getFileSystemEntries(path2); for (const current of sort(files, compareStringsCaseSensitive)) { const name = combinePaths(path2, 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 (depth2 !== void 0) { depth2--; if (depth2 === 0) { return; } } for (const current of sort(directories, compareStringsCaseSensitive)) { const name = combinePaths(path2, current); const absoluteName = combinePaths(absolutePath, current); if ((!includeDirectoryRegex || includeDirectoryRegex.test(absoluteName)) && (!excludeRegex || !excludeRegex.test(absoluteName))) { visitDirectory(name, absoluteName, depth2); } } } } function getBasePaths(path, includes, useCaseSensitiveFileNames) { const basePaths = [path]; if (includes) { const includeBasePaths = []; for (const include of includes) { const absolute = isRootedDiskPath(include) ? include : normalizePath(combinePaths(path, include)); includeBasePaths.push(getIncludeBasePath(absolute)); } includeBasePaths.sort(getStringComparer(!useCaseSensitiveFileNames)); for (const includeBasePath of includeBasePaths) { if (every(basePaths, (basePath) => !containsPath(basePath, includeBasePath, path, !useCaseSensitiveFileNames))) { 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; } } 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.indexOf(x.extension) === -1 ? [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"]]; } 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)); } function usesExtensionsOnImports({ imports }, hasExtension2 = or(hasJSFileExtension, hasTSFileExtension)) { return firstDefined(imports, ({ text }) => pathIsRelative(text) ? hasExtension2(text) : void 0) || false; } function getModuleSpecifierEndingPreference(preference, resolutionMode, compilerOptions, sourceFile) { if (preference === "js" || resolutionMode === 99) { if (!shouldAllowImportingTsExtension(compilerOptions)) { return 2; } return inferPreference() !== 2 ? 3 : 2; } if (preference === "minimal") { return 0; } if (preference === "index") { return 1; } if (!shouldAllowImportingTsExtension(compilerOptions)) { return usesExtensionsOnImports(sourceFile) ? 2 : 0; } return inferPreference(); function inferPreference() { let usesJsExtensions = false; const specifiers = sourceFile.imports.length ? sourceFile.imports.map((i) => i.text) : isSourceFileJS(sourceFile) ? getRequiresAtTopOfFile(sourceFile).map((r) => r.arguments[0].text) : emptyArray; for (const specifier of specifiers) { if (pathIsRelative(specifier)) { if (hasTSFileExtension(specifier)) { return 3; } if (hasJSFileExtension(specifier)) { 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 (isExpressionStatement(statement) && isRequireCall(statement.expression, 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, path2) { return compareValues(numberOfDirectorySeparators(path1), numberOfDirectorySeparators(path2)); } function removeFileExtension(path) { for (const ext of extensionsToRemove) { const extensionless = tryRemoveExtension(path, ext); if (extensionless !== void 0) { return extensionless; } } return path; } function tryRemoveExtension(path, extension) { return fileExtensionIs(path, extension) ? removeExtension(path, extension) : void 0; } function removeExtension(path, extension) { return path.substring(0, path.length - extension.length); } function changeExtension(path, newExtension) { return changeAnyExtension(path, newExtension, extensionsToRemove, 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), (path) => tryParsePattern(path)); } 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" || startsWith(ext, ".d.") && endsWith(ext, ".ts"); } function resolutionExtensionIsTSOrJson(ext) { return extensionIsTS(ext) || ext === ".json"; } function extensionFromPath(path) { const ext = tryGetExtensionFromPath2(path); return ext !== void 0 ? ext : Debug.fail(`File ${path} has unknown extension.`); } function isAnySupportedFileExtension(path) { return tryGetExtensionFromPath2(path) !== void 0; } function tryGetExtensionFromPath2(path) { return find(extensionsToRemove, (e) => fileExtensionIs(path, e)); } function isCheckJsEnabledForFile(sourceFile, compilerOptions) { return sourceFile.checkJsDirective ? sourceFile.checkJsDirective.enabled : compilerOptions.checkJs; } function matchPatternOrExact(patternOrStrings, candidate) { const patterns = []; for (const patternOrString of patternOrStrings) { if (patternOrString === candidate) { return candidate; } if (!isString(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, getValue) { Debug.assert(arr.length !== 0); let min2 = getValue(arr[0]); let max = min2; for (let i = 1; i < arr.length; i++) { const value = getValue(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 || host.isSourceOfProjectReferenceRedirect(sourceFile.fileName); } 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, 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, false); let success = true; scanner2.setOnError(() => success = false); scanner2.setText(s + "n"); let result = scanner2.scan(); const negative = result === 40; if (negative) { result = scanner2.scan(); } const flags = scanner2.getTokenFlags(); return success && result === 9 && scanner2.getTextPos() === s.length + 1 && !(flags & 512) && (!roundTripOnly || s === pseudoBigIntToString({ negative, base10Value: parsePseudoBigInt(scanner2.getTokenValue()) })); } function isValidTypeOnlyAliasUseSite(useSite) { return !!(useSite.flags & 16777216) || 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 === 79 || node.kind === 208) { node = node.parent; } if (node.kind !== 164) { return false; } if (hasSyntacticModifier(node.parent, 256)) { return true; } const containerKind = node.parent.parent.kind; return containerKind === 261 || containerKind === 184; } function isIdentifierInNonEmittingHeritageClause(node) { if (node.kind !== 79) return false; const heritageClause = findAncestor(node.parent, (parent2) => { switch (parent2.kind) { case 294: return true; case 208: case 230: return false; default: return "quit"; } }); return (heritageClause == null ? void 0 : heritageClause.token) === 117 || (heritageClause == null ? void 0 : heritageClause.parent.kind) === 261; } 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 (isExpressionStatement(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 === 27) { if (node === parent2.left) return true; node = parent2; continue; } return false; } } function containsIgnoredPath(path) { return some(ignoredPaths, (p) => stringContains(path, p)); } function getContainingNodeArray(node) { if (!node.parent) return void 0; switch (node.kind) { case 165: const { parent: parent3 } = node; return parent3.kind === 192 ? void 0 : parent3.typeParameters; case 166: return node.parent.parameters; case 201: return node.parent.templateSpans; case 236: return node.parent.templateSpans; case 167: { const { parent: parent4 } = node; return canHaveDecorators(parent4) ? parent4.modifiers : void 0; } case 294: return node.parent.heritageClauses; } const { parent: parent2 } = node; if (isJSDocTag(node)) { return isJSDocTypeLiteral(node.parent) ? void 0 : node.parent.tags; } switch (parent2.kind) { case 184: case 261: return isTypeElement(node) ? parent2.members : void 0; case 189: case 190: return parent2.types; case 186: case 206: case 357: case 272: case 276: return parent2.elements; case 207: case 289: return parent2.properties; case 210: case 211: return isTypeNode(node) ? parent2.typeArguments : parent2.expression === node ? void 0 : parent2.arguments; case 281: case 285: return isJsxChild(node) ? parent2.children : void 0; case 283: case 282: return isTypeNode(node) ? parent2.typeArguments : void 0; case 238: case 292: case 293: case 265: return parent2.statements; case 266: return parent2.clauses; case 260: case 228: return isClassElement(node) ? parent2.members : void 0; case 263: return isEnumMember(node) ? parent2.members : void 0; case 308: return parent2.statements; } } function hasContextSensitiveParameters(node) { if (!node.typeParameters) { if (some(node.parameters, (p) => !getEffectiveTypeAnnotationNode(p))) { return true; } if (node.kind !== 216) { 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 === 257 && node.parent.kind === 295; } function isParameterOrCatchClauseVariable(symbol) { const declaration = symbol.valueDeclaration && getRootDeclaration(symbol.valueDeclaration); return !!declaration && (isParameter(declaration) || isCatchClauseVariableDeclaration(declaration)); } function isFunctionExpressionOrArrowFunction(node) { return node.kind === 215 || node.kind === 216; } function escapeSnippetText(text) { return text.replace(/$/gm, () => "\$"); } function isNumericLiteralName(name) { return (+name).toString() === name; } function createPropertyNameNodeForIdentifierOrLiteral(name, target, singleQuote, stringNamed) { return isIdentifierText(name, target) ? factory.createIdentifier(name) : !stringNamed && 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 _a2; return parameter.kind === 344 ? (_a2 = parameter.typeExpression) == null ? void 0 : _a2.type : parameter.type; } function isTypeDeclaration(node) { switch (node.kind) { case 165: case 260: case 261: case 262: case 263: case 349: case 341: case 343: return true; case 270: return node.isTypeOnly; case 273: case 278: 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 === 319; } 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 _a2; return ((_a2 = getSnippetElement(node)) == null ? void 0 : _a2.kind) === 0; } function isJSDocOptionalParameter(node) { return isInJSFile(node) && (node.type && node.type.kind === 319 || getJSDocParameterTags(node).some(({ isBracketed, typeExpression }) => isBracketed || !!typeExpression && typeExpression.type.kind === 319)); } function isOptionalDeclaration(declaration) { switch (declaration.kind) { case 169: case 168: return !!declaration.questionToken; case 166: return !!declaration.questionToken || isJSDocOptionalParameter(declaration); case 351: case 344: return isOptionalJSDocPropertyLikeTag(declaration); default: return false; } } function isNonNullAccess(node) { const kind = node.kind; return (kind === 208 || kind === 209) && 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; } var resolvingEmptyArray, externalHelpersModuleNameText, defaultMaximumTruncationLength, noTruncationMaximumTruncationLength, stringWriter, GetLiteralTextFlags, fullTripleSlashReferencePathRegEx, fullTripleSlashReferenceTypeReferenceDirectiveRegEx, fullTripleSlashAMDReferencePathRegEx, defaultLibReferenceRegEx, AssignmentKind, FunctionFlags, Associativity, OperatorPrecedence, templateSubstitutionRegExp, doubleQuoteEscapedCharsRegExp, singleQuoteEscapedCharsRegExp, backtickQuoteEscapedCharsRegExp, escapedCharsMap, nonAsciiCharacters, jsxDoubleQuoteEscapedCharsRegExp, jsxSingleQuoteEscapedCharsRegExp, jsxEscapedCharsMap, indentStrings, base64Digits, carriageReturnLineFeed, lineFeed, objectAllocator, objectAllocatorPatchers, localizedDiagnosticMessages, reservedCharacterPattern, wildcardCharCodes, commonPackageFolders, implicitExcludePathRegexPattern, filesMatcher, directoriesMatcher, excludeMatcher, wildcardMatchers, supportedTSExtensions, supportedTSExtensionsFlat, supportedTSExtensionsWithJson, supportedTSExtensionsForExtractExtension, supportedJSExtensions, supportedJSExtensionsFlat, allSupportedExtensions, allSupportedExtensionsWithJson, supportedDeclarationExtensions, supportedTSImplementationExtensions, ModuleSpecifierEnding, extensionsToRemove, emptyFileSystemEntries; var init_utilities = __esm({ "src/compiler/utilities.ts"() { "use strict"; init_ts2(); resolvingEmptyArray = []; externalHelpersModuleNameText = "tslib"; defaultMaximumTruncationLength = 160; noTruncationMaximumTruncationLength = 1e6; stringWriter = createSingleLineStringWriter(); 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 || {}); fullTripleSlashReferencePathRegEx = /^(///s*/; fullTripleSlashReferenceTypeReferenceDirectiveRegEx = /^(///s*/; fullTripleSlashAMDReferencePathRegEx = /^(///s*/; defaultLibReferenceRegEx = /^(///s*/; AssignmentKind = /* @__PURE__ */ ((AssignmentKind2) => { AssignmentKind2[AssignmentKind2["None"] = 0] = "None"; AssignmentKind2[AssignmentKind2["Definite"] = 1] = "Definite"; AssignmentKind2[AssignmentKind2["Compound"] = 2] = "Compound"; return AssignmentKind2; })(AssignmentKind || {}); 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 || {}); Associativity = /* @__PURE__ */ ((Associativity2) => { Associativity2[Associativity2["Left"] = 0] = "Left"; Associativity2[Associativity2["Right"] = 1] = "Right"; return Associativity2; })(Associativity || {}); 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] = "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"; return OperatorPrecedence2; })(OperatorPrecedence || {}); templateSubstitutionRegExp = /${/g; doubleQuoteEscapedCharsRegExp = /[\"u0000-u001f vf u2028u2029u0085]/g; singleQuoteEscapedCharsRegExp = /[\"u0000-u001f vf u2028u2029u0085]/g; backtickQuoteEscapedCharsRegExp = / |[\`u0000-u001f vf u2028u2029u0085]/g; escapedCharsMap = new Map(Object.entries({ " ": "\t", "v": "\v", "f": "\f", "": "\b", " ": "\r", " ": "\n", "\": "\\", """: "\"", """: "\"", "`": "\`", "u2028": "\u2028", "u2029": "\u2029", "x85": "\u0085", " ": "\r\n" })); nonAsciiCharacters = /[^u0000-u007F]/g; jsxDoubleQuoteEscapedCharsRegExp = /["u0000-u001fu2028u2029u0085]/g; jsxSingleQuoteEscapedCharsRegExp = /["u0000-u001fu2028u2029u0085]/g; jsxEscapedCharsMap = new Map(Object.entries({ """: """, """: "'" })); indentStrings = ["", " "]; base64Digits = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/="; carriageReturnLineFeed = " "; lineFeed = " "; objectAllocator = { getNodeConstructor: () => Node4, getTokenConstructor: () => Token, getIdentifierConstructor: () => Identifier2, getPrivateIdentifierConstructor: () => Node4, getSourceFileConstructor: () => Node4, getSymbolConstructor: () => Symbol4, getTypeConstructor: () => Type3, getSignatureConstructor: () => Signature2, getSourceMapSourceConstructor: () => SourceMapSource }; objectAllocatorPatchers = []; reservedCharacterPattern = /[^ws/]/g; wildcardCharCodes = [42, 63]; commonPackageFolders = ["node_modules", "bower_components", "jspm_packages"]; implicitExcludePathRegexPattern = `(?!(${commonPackageFolders.join("|")})(/|$))`; filesMatcher = { singleAsteriskRegexFragment: "([^./]|(\.(?!min\.js$))?)*", doubleAsteriskRegexFragment: `(/${implicitExcludePathRegexPattern}[^/.][^/]*)*?`, replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, filesMatcher.singleAsteriskRegexFragment) }; directoriesMatcher = { singleAsteriskRegexFragment: "[^/]*", doubleAsteriskRegexFragment: `(/${implicitExcludePathRegexPattern}[^/.][^/]*)*?`, replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, directoriesMatcher.singleAsteriskRegexFragment) }; excludeMatcher = { singleAsteriskRegexFragment: "[^/]*", doubleAsteriskRegexFragment: "(/.+?)?", replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, excludeMatcher.singleAsteriskRegexFragment) }; wildcardMatchers = { files: filesMatcher, directories: directoriesMatcher, exclude: excludeMatcher }; supportedTSExtensions = [[".ts", ".tsx", ".d.ts"], [".cts", ".d.cts"], [".mts", ".d.mts"]]; supportedTSExtensionsFlat = flatten(supportedTSExtensions); supportedTSExtensionsWithJson = [...supportedTSExtensions, [".json"]]; supportedTSExtensionsForExtractExtension = [".d.ts", ".d.cts", ".d.mts", ".cts", ".mts", ".ts", ".tsx", ".cts", ".mts"]; supportedJSExtensions = [[".js", ".jsx"], [".mjs"], [".cjs"]]; supportedJSExtensionsFlat = flatten(supportedJSExtensions); allSupportedExtensions = [[".ts", ".tsx", ".d.ts", ".js", ".jsx"], [".cts", ".d.cts", ".cjs"], [".mts", ".d.mts", ".mjs"]]; allSupportedExtensionsWithJson = [...allSupportedExtensions, [".json"]]; supportedDeclarationExtensions = [".d.ts", ".d.cts", ".d.mts"]; supportedTSImplementationExtensions = [".ts", ".cts", ".mts", ".tsx"]; 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 || {}); extensionsToRemove = [".d.ts", ".d.mts", ".d.cts", ".mjs", ".mts", ".cjs", ".cts", ".ts", ".js", ".tsx", ".jsx", ".json"]; emptyFileSystemEntries = { files: emptyArray, directories: emptyArray }; } }); 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, -1, -1); } function createBaseIdentifierNode(kind) { return new (IdentifierConstructor2 || (IdentifierConstructor2 = objectAllocator.getIdentifierConstructor()))(kind, -1, -1); } function createBasePrivateIdentifierNode(kind) { return new (PrivateIdentifierConstructor2 || (PrivateIdentifierConstructor2 = objectAllocator.getPrivateIdentifierConstructor()))(kind, -1, -1); } function createBaseTokenNode(kind) { return new (TokenConstructor2 || (TokenConstructor2 = objectAllocator.getTokenConstructor()))(kind, -1, -1); } function createBaseNode(kind) { return new (NodeConstructor2 || (NodeConstructor2 = objectAllocator.getNodeConstructor()))(kind, -1, -1); } } var init_baseNodeFactory = __esm({ "src/compiler/factory/baseNodeFactory.ts"() { "use strict"; init_ts2(); } }); 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, void 0, node); binaryRightOperandParenthesizerCache.set(operatorKind, parenthesizerRule); } return parenthesizerRule; } function binaryOperandNeedsParentheses(binaryOperator, operand, isLeftSideOfBinary, leftOperand) { const binaryOperatorPrecedence = getOperatorPrecedence(223, binaryOperator); const binaryOperatorAssociativity = getOperatorAssociativity(223, binaryOperator); const emittedOperand = skipPartiallyEmittedExpressions(operand); if (!isLeftSideOfBinary && operand.kind === 216 && binaryOperatorPrecedence > 3) { return true; } const operandPrecedence = getExpressionPrecedence(emittedOperand); switch (compareValues(operandPrecedence, binaryOperatorPrecedence)) { case -1: if (!isLeftSideOfBinary && binaryOperatorAssociativity === 1 && operand.kind === 226) { 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 === 39) { 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 === 41 || binaryOperator === 51 || binaryOperator === 50 || binaryOperator === 52 || binaryOperator === 27; } function getLiteralKindOfBinaryPlusOperand(node) { node = skipPartiallyEmittedExpressions(node); if (isLiteralKind(node.kind)) { return node.kind; } if (node.kind === 223 && node.operatorToken.kind === 39) { 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 === 214) { return operand; } return binaryOperandNeedsParentheses(binaryOperator, operand, isLeftSideOfBinary, leftOperand) ? factory2.createParenthesizedExpression(operand) : operand; } function parenthesizeLeftSideOfBinary(binaryOperator, leftSide) { return parenthesizeBinaryOperand(binaryOperator, leftSide, true); } function parenthesizeRightSideOfBinary(binaryOperator, leftSide, rightSide) { return parenthesizeBinaryOperand(binaryOperator, rightSide, false, leftSide); } function parenthesizeExpressionOfComputedPropertyName(expression) { return isCommaSequence(expression) ? factory2.createParenthesizedExpression(expression) : expression; } function parenthesizeConditionOfConditionalExpression(condition) { const conditionalPrecedence = getOperatorPrecedence(224, 57); 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, false).kind) { case 228: case 215: needsParens = true; } } return needsParens ? factory2.createParenthesizedExpression(expression) : expression; } function parenthesizeExpressionOfNew(expression) { const leftmostExpr = getLeftmostExpression(expression, true); switch (leftmostExpr.kind) { case 210: return factory2.createParenthesizedExpression(expression); case 211: return !leftmostExpr.arguments ? factory2.createParenthesizedExpression(expression) : expression; } return parenthesizeLeftSideOfAccess(expression); } function parenthesizeLeftSideOfAccess(expression, optionalChain) { const emittedExpression = skipPartiallyEmittedExpressions(expression); if (isLeftHandSideExpression(emittedExpression) && (emittedExpression.kind !== 211 || 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(223, 27); return expressionPrecedence > commaPrecedence ? expression : setTextRange(factory2.createParenthesizedExpression(expression), expression); } function parenthesizeExpressionOfExpressionStatement(expression) { const emittedExpression = skipPartiallyEmittedExpressions(expression); if (isCallExpression(emittedExpression)) { const callee = emittedExpression.expression; const kind = skipPartiallyEmittedExpressions(callee).kind; if (kind === 215 || kind === 216) { const updated = factory2.updateCallExpression(emittedExpression, setTextRange(factory2.createParenthesizedExpression(callee), callee), emittedExpression.typeArguments, emittedExpression.arguments); return factory2.restoreOuterExpressions(expression, updated, 8); } } const leftmostExpressionKind = getLeftmostExpression(emittedExpression, false).kind; if (leftmostExpressionKind === 207 || leftmostExpressionKind === 215) { return setTextRange(factory2.createParenthesizedExpression(expression), expression); } return expression; } function parenthesizeConciseBodyOfArrowFunction(body) { if (!isBlock(body) && (isCommaSequence(body) || getLeftmostExpression(body, false).kind === 207)) { return setTextRange(factory2.createParenthesizedExpression(body), body); } return body; } function parenthesizeCheckTypeOfConditionalType(checkType) { switch (checkType.kind) { case 181: case 182: case 191: return factory2.createParenthesizedType(checkType); } return checkType; } function parenthesizeExtendsTypeOfConditionalType(extendsType) { switch (extendsType.kind) { case 191: return factory2.createParenthesizedType(extendsType); } return extendsType; } function parenthesizeConstituentTypeOfUnionType(type) { switch (type.kind) { case 189: case 190: return factory2.createParenthesizedType(type); } return parenthesizeCheckTypeOfConditionalType(type); } function parenthesizeConstituentTypesOfUnionType(members) { return factory2.createNodeArray(sameMap(members, parenthesizeConstituentTypeOfUnionType)); } function parenthesizeConstituentTypeOfIntersectionType(type) { switch (type.kind) { case 189: case 190: return factory2.createParenthesizedType(type); } return parenthesizeConstituentTypeOfUnionType(type); } function parenthesizeConstituentTypesOfIntersectionType(members) { return factory2.createNodeArray(sameMap(members, parenthesizeConstituentTypeOfIntersectionType)); } function parenthesizeOperandOfTypeOperator(type) { switch (type.kind) { case 190: return factory2.createParenthesizedType(type); } return parenthesizeConstituentTypeOfIntersectionType(type); } function parenthesizeOperandOfReadonlyTypeOperator(type) { switch (type.kind) { case 195: return factory2.createParenthesizedType(type); } return parenthesizeOperandOfTypeOperator(type); } function parenthesizeNonArrayTypeOfPostfixType(type) { switch (type.kind) { case 192: case 195: case 183: 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; var init_parenthesizerRules = __esm({ "src/compiler/factory/parenthesizerRules.ts"() { "use strict"; init_ts2(); nullParenthesizerRules = { getParenthesizeLeftSideOfBinaryForOperator: (_) => identity, getParenthesizeRightSideOfBinaryForOperator: (_) => identity, parenthesizeLeftSideOfBinary: (_binaryOperator, leftSide) => leftSide, parenthesizeRightSideOfBinary: (_binaryOperator, _leftSide, rightSide) => rightSide, parenthesizeExpressionOfComputedPropertyName: identity, parenthesizeConditionOfConditionalExpression: identity, parenthesizeBranchOfConditionalExpression: identity, parenthesizeExpressionOfExportDefault: identity, 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: identity, parenthesizeExpressionOfExpressionStatement: identity, parenthesizeConciseBodyOfArrowFunction: identity, parenthesizeCheckTypeOfConditionalType: identity, parenthesizeExtendsTypeOfConditionalType: identity, parenthesizeConstituentTypesOfUnionType: (nodes) => cast(nodes, isNodeArray), parenthesizeConstituentTypeOfUnionType: identity, parenthesizeConstituentTypesOfIntersectionType: (nodes) => cast(nodes, isNodeArray), parenthesizeConstituentTypeOfIntersectionType: identity, parenthesizeOperandOfTypeOperator: identity, parenthesizeOperandOfReadonlyTypeOperator: identity, parenthesizeNonArrayTypeOfPostfixType: identity, parenthesizeElementTypesOfTupleType: (nodes) => cast(nodes, isNodeArray), parenthesizeElementTypeOfTupleType: identity, parenthesizeTypeOfOptionalType: identity, parenthesizeTypeArguments: (nodes) => nodes && cast(nodes, isNodeArray), parenthesizeLeadingTypeArgument: identity }; } }); function createNodeConverters(factory2) { return { convertToFunctionBlock, convertToFunctionExpression, 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) { if (!node.body) return Debug.fail(`Cannot convert a FunctionDeclaration without a body`); const updated = factory2.createFunctionExpression(getModifiers(node), node.asteriskToken, node.name, node.typeParameters, node.parameters, node.type, node.body); setOriginalNode(updated, node); setTextRange(updated, node); if (getStartsOnNewLine(node)) { setStartsOnNewLine(updated, 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 204: case 206: return convertToArrayAssignmentPattern(node); case 203: case 207: 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; var init_nodeConverters = __esm({ "src/compiler/factory/nodeConverters.ts"() { "use strict"; init_ts2(); nullNodeConverters = { convertToFunctionBlock: notImplemented, convertToFunctionExpression: notImplemented, convertToArrayAssignmentElement: notImplemented, convertToObjectAssignmentElement: notImplemented, convertToAssignmentPattern: notImplemented, convertToObjectAssignmentPattern: notImplemented, convertToArrayAssignmentPattern: notImplemented, convertToAssignmentElementTarget: notImplemented }; } }); function addNodeFactoryPatcher(fn) { nodeFactoryPatchers.push(fn); } function createNodeFactory(flags, baseFactory2) { const update = flags & 8 ? updateWithoutOriginal : updateWithOriginal; 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) : createPropertyAccessExpression, updatePropertyAccessExpression, createPropertyAccessChain: flags & 4 ? (expression, questionDotToken, name) => setEmitFlags(createPropertyAccessChain(expression, questionDotToken, name), 262144) : 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, updateImportClause, createAssertClause, updateAssertClause, createAssertEntry, updateAssertEntry, createImportTypeAssertionContainer, updateImportTypeAssertionContainer, createNamespaceImport, updateNamespaceImport, createNamespaceExport, updateNamespaceExport, createNamedImports, updateNamedImports, createImportSpecifier, updateImportSpecifier, createExportAssignment: createExportAssignment2, updateExportAssignment, createExportDeclaration, updateExportDeclaration, createNamedExports, updateNamedExports, createExportSpecifier, updateExportSpecifier, createMissingDeclaration, createExternalModuleReference, updateExternalModuleReference, get createJSDocAllType() { return getJSDocPrimaryTypeCreateFunction(315); }, get createJSDocUnknownType() { return getJSDocPrimaryTypeCreateFunction(316); }, get createJSDocNonNullableType() { return getJSDocPrePostfixUnaryTypeCreateFunction(318); }, get updateJSDocNonNullableType() { return getJSDocPrePostfixUnaryTypeUpdateFunction(318); }, get createJSDocNullableType() { return getJSDocPrePostfixUnaryTypeCreateFunction(317); }, get updateJSDocNullableType() { return getJSDocPrePostfixUnaryTypeUpdateFunction(317); }, get createJSDocOptionalType() { return getJSDocUnaryTypeCreateFunction(319); }, get updateJSDocOptionalType() { return getJSDocUnaryTypeUpdateFunction(319); }, get createJSDocVariadicType() { return getJSDocUnaryTypeCreateFunction(321); }, get updateJSDocVariadicType() { return getJSDocUnaryTypeUpdateFunction(321); }, get createJSDocNamepathType() { return getJSDocUnaryTypeCreateFunction(322); }, get updateJSDocNamepathType() { return getJSDocUnaryTypeUpdateFunction(322); }, 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, createJSDocNameReference, updateJSDocNameReference, createJSDocMemberName, updateJSDocMemberName, createJSDocLink, updateJSDocLink, createJSDocLinkCode, updateJSDocLinkCode, createJSDocLinkPlain, updateJSDocLinkPlain, get createJSDocTypeTag() { return getJSDocTypeLikeTagCreateFunction(347); }, get updateJSDocTypeTag() { return getJSDocTypeLikeTagUpdateFunction(347); }, get createJSDocReturnTag() { return getJSDocTypeLikeTagCreateFunction(345); }, get updateJSDocReturnTag() { return getJSDocTypeLikeTagUpdateFunction(345); }, get createJSDocThisTag() { return getJSDocTypeLikeTagCreateFunction(346); }, get updateJSDocThisTag() { return getJSDocTypeLikeTagUpdateFunction(346); }, get createJSDocAuthorTag() { return getJSDocSimpleTagCreateFunction(333); }, get updateJSDocAuthorTag() { return getJSDocSimpleTagUpdateFunction(333); }, get createJSDocClassTag() { return getJSDocSimpleTagCreateFunction(335); }, get updateJSDocClassTag() { return getJSDocSimpleTagUpdateFunction(335); }, get createJSDocPublicTag() { return getJSDocSimpleTagCreateFunction(336); }, get updateJSDocPublicTag() { return getJSDocSimpleTagUpdateFunction(336); }, get createJSDocPrivateTag() { return getJSDocSimpleTagCreateFunction(337); }, get updateJSDocPrivateTag() { return getJSDocSimpleTagUpdateFunction(337); }, get createJSDocProtectedTag() { return getJSDocSimpleTagCreateFunction(338); }, get updateJSDocProtectedTag() { return getJSDocSimpleTagUpdateFunction(338); }, get createJSDocReadonlyTag() { return getJSDocSimpleTagCreateFunction(339); }, get updateJSDocReadonlyTag() { return getJSDocSimpleTagUpdateFunction(339); }, get createJSDocOverrideTag() { return getJSDocSimpleTagCreateFunction(340); }, get updateJSDocOverrideTag() { return getJSDocSimpleTagUpdateFunction(340); }, get createJSDocDeprecatedTag() { return getJSDocSimpleTagCreateFunction(334); }, get updateJSDocDeprecatedTag() { return getJSDocSimpleTagUpdateFunction(334); }, get createJSDocThrowsTag() { return getJSDocTypeLikeTagCreateFunction(352); }, get updateJSDocThrowsTag() { return getJSDocTypeLikeTagUpdateFunction(352); }, get createJSDocSatisfiesTag() { return getJSDocTypeLikeTagCreateFunction(353); }, get updateJSDocSatisfiesTag() { return getJSDocTypeLikeTagUpdateFunction(353); }, 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, createCaseClause, updateCaseClause, createDefaultClause, updateDefaultClause, createHeritageClause, updateHeritageClause, createCatchClause, updateCatchClause, createPropertyAssignment, updatePropertyAssignment, createShorthandPropertyAssignment, updateShorthandPropertyAssignment, createSpreadAssignment, updateSpreadAssignment, createEnumMember, updateEnumMember, createSourceFile: createSourceFile2, updateSourceFile: updateSourceFile2, createRedirectedSourceFile, createBundle, updateBundle, createUnparsedSource, createUnparsedPrologue, createUnparsedPrepend, createUnparsedTextLike, createUnparsedSyntheticReference, createInputFiles: createInputFiles2, createSyntheticExpression, createSyntaxList: createSyntaxList3, createNotEmittedStatement, createPartiallyEmittedExpression, updatePartiallyEmittedExpression, createCommaListExpression, updateCommaListExpression, createEndOfDeclarationMarker, createMergeDeclarationMarker, createSyntheticReferenceExpression, updateSyntheticReferenceExpression, cloneNode, get createComma() { return getBinaryCreateFunction(27); }, get createAssignment() { return getBinaryCreateFunction(63); }, get createLogicalOr() { return getBinaryCreateFunction(56); }, get createLogicalAnd() { return getBinaryCreateFunction(55); }, get createBitwiseOr() { return getBinaryCreateFunction(51); }, get createBitwiseXor() { return getBinaryCreateFunction(52); }, get createBitwiseAnd() { return getBinaryCreateFunction(50); }, get createStrictEquality() { return getBinaryCreateFunction(36); }, get createStrictInequality() { return getBinaryCreateFunction(37); }, get createEquality() { return getBinaryCreateFunction(34); }, get createInequality() { return getBinaryCreateFunction(35); }, get createLessThan() { return getBinaryCreateFunction(29); }, get createLessThanEquals() { return getBinaryCreateFunction(32); }, get createGreaterThan() { return getBinaryCreateFunction(31); }, get createGreaterThanEquals() { return getBinaryCreateFunction(33); }, get createLeftShift() { return getBinaryCreateFunction(47); }, get createRightShift() { return getBinaryCreateFunction(48); }, get createUnsignedRightShift() { return getBinaryCreateFunction(49); }, get createAdd() { return getBinaryCreateFunction(39); }, get createSubtract() { return getBinaryCreateFunction(40); }, get createMultiply() { return getBinaryCreateFunction(41); }, get createDivide() { return getBinaryCreateFunction(43); }, get createModulo() { return getBinaryCreateFunction(44); }, get createExponent() { return getBinaryCreateFunction(42); }, get createPrefixPlus() { return getPrefixUnaryCreateFunction(39); }, get createPrefixMinus() { return getPrefixUnaryCreateFunction(40); }, get createPrefixIncrement() { return getPrefixUnaryCreateFunction(45); }, get createPrefixDecrement() { return getPrefixUnaryCreateFunction(46); }, get createBitwiseNot() { return getPrefixUnaryCreateFunction(54); }, get createLogicalNot() { return getPrefixUnaryCreateFunction(53); }, get createPostfixIncrement() { return getPostfixUnaryCreateFunction(45); }, get createPostfixDecrement() { return getPostfixUnaryCreateFunction(46); }, createImmediatelyInvokedFunctionExpression, createImmediatelyInvokedArrowFunction, createVoidZero, createExportDefault, createExternalModuleExport, createTypeCheck, createMethodCall, createGlobalMethodCall, createFunctionBindCall, createFunctionCallCall, createFunctionApplyCall, createArraySliceCall, createArrayConcatCall, createObjectDefinePropertyCall, createObjectGetOwnPropertyDescriptorCall, createReflectGetCall, createReflectSetCall, createPropertyDescriptor, createCallBinding, createAssignmentTargetWrapper, inlineExpressions, getInternalName, getLocalName, getExportName, getDeclarationName, getNamespaceMemberName, getExternalModuleOrNamespaceExportName, restoreOuterExpressions, restoreEnclosingLabel, createUseStrictPrologue, copyPrologue, copyStandardPrologue, copyCustomPrologue, ensureUseStrict, liftToBlock, mergeLexicalEnvironment, updateModifiers }; 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 node = createBaseDeclaration(8); node.text = typeof value === "number" ? value + "" : value; node.numericLiteralFlags = numericLiteralFlags; if (numericLiteralFlags & 384) node.transformFlags |= 1024; return node; } function createBigIntLiteral(value) { const node = createBaseToken(9); node.text = typeof value === "string" ? value : pseudoBigIntToString(value) + "n"; node.transformFlags |= 4; return node; } function createBaseStringLiteral(text, isSingleQuote) { const node = createBaseDeclaration(10); 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), void 0); node.textSourceNode = sourceNode; return node; } function createRegularExpressionLiteral(text) { const node = createBaseToken(13); node.text = text; return node; } function createLiteralLikeNode(kind, text) { switch (kind) { case 8: return createNumericLiteral(text, 0); case 9: return createBigIntLiteral(text); case 10: return createStringLiteral(text, void 0); case 11: return createJsxText(text, false); case 12: return createJsxText(text, true); case 13: return createRegularExpressionLiteral(text); case 14: return createTemplateLiteralLikeNode(kind, text, void 0, 0); } } function createBaseIdentifier(escapedText) { const node = baseFactory2.createBaseIdentifierNode(79); 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 === 79) { originalKeywordKind = void 0; } const node = createBaseIdentifier(escapeLeadingUnderscores(text)); if (hasExtendedUnicodeEscape) node.flags |= 128; if (node.escapedText === "await") { node.transformFlags |= 67108864; } if (node.flags & 128) { 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, void 0, 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(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(80); node.escapedText = escapedText; node.transformFlags |= 16777216; return node; } function createPrivateIdentifier(text) { if (!startsWith(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 && !startsWith(text, "#")) Debug.fail("First character of private identifier must be #: " + text); const autoGenerateFlags = 8 | (text ? 3 : 1); return createBaseGeneratedPrivateIdentifier(text != null ? text : "", autoGenerateFlags, prefix, suffix); } function getGeneratedPrivateNameForNode(node, prefix, suffix) { const text = isMemberName(node) ? formatGeneratedName(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 <= 162, "Invalid token"); Debug.assert(token <= 14 || token >= 17, "Invalid token. Use "createTemplateLiteralLikeNode" to create template literals."); Debug.assert(token <= 8 || token >= 14, "Invalid token. Use "createLiteralLikeNode" to create literals."); Debug.assert(token !== 79, "Invalid token. Use "createIdentifier" to create identifiers"); const node = createBaseToken(token); let transformFlags = 0; switch (token) { case 132: transformFlags = 256 | 128; break; case 123: case 121: case 122: case 146: case 126: case 136: case 85: case 131: case 148: case 160: case 144: case 149: case 101: case 145: case 161: case 152: case 134: case 153: case 114: case 157: case 155: transformFlags = 1; break; case 106: transformFlags = 1024 | 134217728; node.flowNode = void 0; break; case 124: transformFlags = 1024; break; case 127: transformFlags = 16777216; break; case 108: transformFlags = 16384; node.flowNode = void 0; break; } if (transformFlags) { node.transformFlags |= transformFlags; } return node; } function createSuper() { return createToken(106); } function createThis() { return createToken(108); } function createNull() { return createToken(104); } function createTrue() { return createToken(110); } function createFalse() { return createToken(95); } function createModifier(kind) { return createToken(kind); } function createModifiersFromModifierFlags(flags2) { const result = []; if (flags2 & 1) result.push(createModifier(93)); if (flags2 & 2) result.push(createModifier(136)); if (flags2 & 1024) result.push(createModifier(88)); if (flags2 & 2048) result.push(createModifier(85)); if (flags2 & 4) result.push(createModifier(123)); if (flags2 & 8) result.push(createModifier(121)); if (flags2 & 16) result.push(createModifier(122)); if (flags2 & 256) result.push(createModifier(126)); if (flags2 & 32) result.push(createModifier(124)); if (flags2 & 16384) result.push(createModifier(161)); if (flags2 & 64) result.push(createModifier(146)); if (flags2 & 128) result.push(createModifier(127)); if (flags2 & 512) result.push(createModifier(132)); if (flags2 & 32768) result.push(createModifier(101)); if (flags2 & 65536) result.push(createModifier(145)); return result.length ? result : void 0; } function createQualifiedName(left, right) { const node = createBaseNode(163); 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(164); 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(165); 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) { var _a2, _b; const node = createBaseDeclaration(166); 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) | (((_a2 = node.questionToken) != null ? _a2 : node.type) ? 1 : 0) | (((_b = node.dotDotDotToken) != null ? _b : node.initializer) ? 1024 : 0) | (modifiersToFlags(node.modifiers) & 16476 ? 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(167); node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(expression, 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(168); 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(169); 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 & 16777216 || modifiersToFlags(node.modifiers) & 2; 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) & 32 && 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(170); 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(171); 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 isAsync = modifiersToFlags(node.modifiers) & 512; const isGenerator = !!node.asteriskToken; const isAsyncGenerator = isAsync && 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 : isAsync ? 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(172); 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(173); 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(174); 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(175); 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(176); 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(177); 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(178); 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(201); 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(179); 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(180); 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(181); 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(182); 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(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(183); 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(184); 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(185); 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(186); 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(199); 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(187); 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(188); 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(189, types, parenthesizerRules().parenthesizeConstituentTypesOfUnionType); } function updateUnionTypeNode(node, types) { return updateUnionOrIntersectionTypeNode(node, types, parenthesizerRules().parenthesizeConstituentTypesOfUnionType); } function createIntersectionTypeNode(types) { return createUnionOrIntersectionTypeNode(190, types, parenthesizerRules().parenthesizeConstituentTypesOfIntersectionType); } function updateIntersectionTypeNode(node, types) { return updateUnionOrIntersectionTypeNode(node, types, parenthesizerRules().parenthesizeConstituentTypesOfIntersectionType); } function createConditionalTypeNode(checkType, extendsType, trueType, falseType) { const node = createBaseNode(191); 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(192); 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(200); 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, assertions, qualifier, typeArguments, isTypeOf = false) { const node = createBaseNode(202); node.argument = argument; node.assertions = assertions; node.qualifier = qualifier; node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments); node.isTypeOf = isTypeOf; node.transformFlags = 1; return node; } function updateImportTypeNode(node, argument, assertions, qualifier, typeArguments, isTypeOf = node.isTypeOf) { return node.argument !== argument || node.assertions !== assertions || node.qualifier !== qualifier || node.typeArguments !== typeArguments || node.isTypeOf !== isTypeOf ? update(createImportTypeNode(argument, assertions, qualifier, typeArguments, isTypeOf), node) : node; } function createParenthesizedType(type) { const node = createBaseNode(193); 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(194); node.transformFlags = 1; return node; } function createTypeOperatorNode(operator, type) { const node = createBaseNode(195); node.operator = operator; node.type = operator === 146 ? 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(objectType, indexType) { const node = createBaseNode(196); node.objectType = parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(objectType); node.indexType = indexType; node.transformFlags = 1; return node; } function updateIndexedAccessTypeNode(node, objectType, indexType) { return node.objectType !== objectType || node.indexType !== indexType ? update(createIndexedAccessTypeNode(objectType, indexType), node) : node; } function createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members) { const node = createBaseDeclaration(197); 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(198); 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(203); 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(204); 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(205); 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(206); 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(207); 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(208); 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, false), 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, true), questionDotToken, asName(name)); node.flags |= 32; node.transformFlags |= 32; return node; } function updatePropertyAccessChain(node, expression, questionDotToken, name) { Debug.assert(!!(node.flags & 32), "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(209); 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, false), 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, true), questionDotToken, asExpression(index)); node.flags |= 32; node.transformFlags |= 32; return node; } function updateElementAccessChain(node, expression, questionDotToken, argumentExpression) { Debug.assert(!!(node.flags & 32), "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(210); 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, false), 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, true), questionDotToken, asNodeArray(typeArguments), parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(createNodeArray(argumentsArray))); node.flags |= 32; node.transformFlags |= 32; return node; } function updateCallChain(node, expression, questionDotToken, typeArguments, argumentsArray) { Debug.assert(!!(node.flags & 32), "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(211); 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(212); node.tag = parenthesizerRules().parenthesizeLeftSideOfAccess(tag, 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(213); 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(214); 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(215); 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 isAsync = modifiersToFlags(node.modifiers) & 512; const isGenerator = !!node.asteriskToken; const isAsyncGenerator = isAsync && 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 : isAsync ? 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(216); node.modifiers = asNodeArray(modifiers); node.typeParameters = asNodeArray(typeParameters); node.parameters = createNodeArray(parameters); node.type = type; node.equalsGreaterThanToken = equalsGreaterThanToken != null ? equalsGreaterThanToken : createToken(38); node.body = parenthesizerRules().parenthesizeConciseBodyOfArrowFunction(body); const isAsync = modifiersToFlags(node.modifiers) & 512; 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) | (isAsync ? 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(217); 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(218); 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(219); 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(220); 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(221); node.operator = operator; node.operand = parenthesizerRules().parenthesizeOperandOfPrefixUnary(operand); node.transformFlags |= propagateChildFlags(node.operand); if ((operator === 45 || operator === 46) && 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(222); 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(223); 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 === 60) { node.transformFlags |= 32; } else if (operatorKind === 63) { 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 === 42 || operatorKind === 67) { node.transformFlags |= 512; } else if (isLogicalOrCoalescingAssignmentOperator(operatorKind)) { node.transformFlags |= 16; } if (operatorKind === 101 && 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(224); node.condition = parenthesizerRules().parenthesizeConditionOfConditionalExpression(condition); node.questionToken = questionToken != null ? questionToken : createToken(57); node.whenTrue = parenthesizerRules().parenthesizeBranchOfConditionalExpression(whenTrue); node.colonToken = colonToken != null ? colonToken : createToken(58); 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(225); 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 & ~2048), "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 & 2048; 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 & 2048; node.transformFlags = getTransformFlagsOfTemplateLiteralLike(node.templateFlags); return node; } function createTemplateLiteralLikeNode(kind, text, rawText, templateFlags) { if (kind === 14) { return createTemplateLiteralLikeDeclaration(kind, text, rawText, templateFlags); } return createTemplateLiteralLikeToken(kind, text, rawText, templateFlags); } function createTemplateHead(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(15, text, rawText, templateFlags); return createTemplateLiteralLikeNode(15, text, rawText, templateFlags); } function createTemplateMiddle(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(15, text, rawText, templateFlags); return createTemplateLiteralLikeNode(16, text, rawText, templateFlags); } function createTemplateTail(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(15, text, rawText, templateFlags); return createTemplateLiteralLikeNode(17, text, rawText, templateFlags); } function createNoSubstitutionTemplateLiteral(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(15, text, rawText, templateFlags); return createTemplateLiteralLikeDeclaration(14, text, rawText, templateFlags); } function createYieldExpression(asteriskToken, expression) { Debug.assert(!asteriskToken || !!expression, "A `YieldExpression` with an asteriskToken must have an expression."); const node = createBaseNode(226); 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(227); 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(228); 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(229); } function createExpressionWithTypeArguments(expression, typeArguments) { const node = createBaseNode(230); node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(expression, 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(231); 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(232); node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(expression, 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(235); 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(232); node.flags |= 32; node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(expression, true); node.transformFlags |= propagateChildFlags(node.expression) | 1; return node; } function updateNonNullChain(node, expression) { Debug.assert(!!(node.flags & 32), "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(233); node.keywordToken = keywordToken; node.name = name; node.transformFlags |= propagateChildFlags(node.name); switch (keywordToken) { case 103: node.transformFlags |= 1024; break; case 100: node.transformFlags |= 4; 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(236); 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(237); node.transformFlags |= 1024; return node; } function createBlock(statements, multiLine) { const node = createBaseNode(238); 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(240); node.modifiers = asNodeArray(modifiers); node.declarationList = isArray(declarationList) ? createVariableDeclarationList(declarationList) : declarationList; node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.declarationList); if (modifiersToFlags(node.modifiers) & 2) { 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(239); node.jsDoc = void 0; return node; } function createExpressionStatement(expression) { const node = createBaseNode(241); 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(242); 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(243); 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(244); 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(245); 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(246); 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(247); 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(248); 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(249); 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(250); 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(251); 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(252); 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(253); 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(254); 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(255); 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(256); node.jsDoc = void 0; node.flowNode = void 0; return node; } function createVariableDeclaration(name, exclamationToken, type, initializer) { var _a2; const node = createBaseDeclaration(257); node.name = asName(name); node.exclamationToken = exclamationToken; node.type = type; node.initializer = asInitializer(initializer); node.transformFlags |= propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (((_a2 = node.exclamationToken) != null ? _a2 : 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(258); node.flags |= flags2 & 3; node.declarations = createNodeArray(declarations); node.transformFlags |= propagateChildrenFlags(node.declarations) | 4194304; if (flags2 & 3) { node.transformFlags |= 1024 | 262144; } 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(259); 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) & 2) { node.transformFlags = 1; } else { const isAsync = modifiersToFlags(node.modifiers) & 512; const isGenerator = !!node.asteriskToken; const isAsyncGenerator = isAsync && 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 : isAsync ? 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(260); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.heritageClauses = asNodeArray(heritageClauses); node.members = createNodeArray(members); if (modifiersToFlags(node.modifiers) & 2) { 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(261); 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(262); 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(263); 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(264); node.modifiers = asNodeArray(modifiers); node.flags |= flags2 & (16 | 4 | 1024); node.name = name; node.body = body; if (modifiersToFlags(node.modifiers) & 2) { 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(265); 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(266); 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(267); 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(268); 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, assertClause) { const node = createBaseNode(269); node.modifiers = asNodeArray(modifiers); node.importClause = importClause; node.moduleSpecifier = moduleSpecifier; node.assertClause = assertClause; node.transformFlags |= propagateChildFlags(node.importClause) | propagateChildFlags(node.moduleSpecifier); node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateImportDeclaration(node, modifiers, importClause, moduleSpecifier, assertClause) { return node.modifiers !== modifiers || node.importClause !== importClause || node.moduleSpecifier !== moduleSpecifier || node.assertClause !== assertClause ? update(createImportDeclaration(modifiers, importClause, moduleSpecifier, assertClause), node) : node; } function createImportClause(isTypeOnly, name, namedBindings) { const node = createBaseDeclaration(270); 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(createImportClause(isTypeOnly, name, namedBindings), node) : node; } function createAssertClause(elements, multiLine) { const node = createBaseNode(296); node.elements = createNodeArray(elements); node.multiLine = multiLine; 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(297); 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(298); 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 createNamespaceImport(name) { const node = createBaseDeclaration(271); 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(277); node.name = name; node.transformFlags |= propagateChildFlags(node.name) | 4; node.transformFlags &= ~67108864; return node; } function updateNamespaceExport(node, name) { return node.name !== name ? update(createNamespaceExport(name), node) : node; } function createNamedImports(elements) { const node = createBaseNode(272); 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(273); 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(274); node.modifiers = asNodeArray(modifiers); node.isExportEquals = isExportEquals; node.expression = isExportEquals ? parenthesizerRules().parenthesizeRightSideOfBinary(63, 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, assertClause) { const node = createBaseDeclaration(275); node.modifiers = asNodeArray(modifiers); node.isTypeOnly = isTypeOnly; node.exportClause = exportClause; node.moduleSpecifier = moduleSpecifier; node.assertClause = assertClause; 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, assertClause) { return node.modifiers !== modifiers || node.isTypeOnly !== isTypeOnly || node.exportClause !== exportClause || node.moduleSpecifier !== moduleSpecifier || node.assertClause !== assertClause ? finishUpdateExportDeclaration(createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, assertClause), 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(276); 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(278); 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(279); node.jsDoc = void 0; return node; } function createExternalModuleReference(expression) { const node = createBaseNode(280); 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(320); 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(325); 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(312); 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(326); 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(348, tagName != null ? 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(349, tagName != null ? 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(344, tagName != null ? 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(351, tagName != null ? 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(341, tagName != null ? 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(342, tagName != null ? 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(331, tagName != null ? 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(332, tagName != null ? tagName : createIdentifier("implements"), comment); node.class = className; return node; } function createJSDocSeeTag(tagName, name, comment) { const node = createBaseJSDocTag(350, tagName != null ? 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(313); 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(314); 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(327); 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(328); 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(329); 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 != null ? 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 != null ? 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(330, 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(343, tagName != null ? tagName : createIdentifier(getDefaultTagNameForKind(343)), 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 createJSDocText(text) { const node = createBaseNode(324); 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(323); 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(281); 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(282); 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(283); 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(284); 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(285); 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(11); 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(286); node.transformFlags |= 2; return node; } function createJsxJsxClosingFragment() { const node = createBaseNode(287); node.transformFlags |= 2; return node; } function createJsxAttribute(name, initializer) { const node = createBaseDeclaration(288); 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(289); 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(290); 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(291); 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 createCaseClause(expression, statements) { const node = createBaseNode(292); 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(293); 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(294); node.token = token; node.types = createNodeArray(types); node.transformFlags |= propagateChildrenFlags(node.types); switch (token) { case 94: node.transformFlags |= 1024; break; case 117: 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(295); 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(299); 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(300); 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(301); 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(302); 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(308); node.statements = createNodeArray(statements); node.endOfFileToken = endOfFileToken; node.flags |= flags2; node.text = ""; node.fileName = ""; node.path = ""; node.resolvedPath = ""; node.originalFileName = ""; node.languageVersion = 0; 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.resolvedModules = 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 & ~8; 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(308); node.flags |= source.flags & ~8; 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); setOriginalNode(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, prepends = emptyArray) { const node = createBaseNode(309); node.prepends = prepends; 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, prepends = emptyArray) { return node.sourceFiles !== sourceFiles || node.prepends !== prepends ? update(createBundle(sourceFiles, prepends), node) : node; } function createUnparsedSource(prologues, syntheticReferences, texts) { const node = createBaseNode(310); node.prologues = prologues; node.syntheticReferences = syntheticReferences; node.texts = texts; node.fileName = ""; node.text = ""; node.referencedFiles = emptyArray; node.libReferenceDirectives = emptyArray; node.getLineAndCharacterOfPosition = (pos) => getLineAndCharacterOfPosition(node, pos); return node; } function createBaseUnparsedNode(kind, data) { const node = createBaseNode(kind); node.data = data; return node; } function createUnparsedPrologue(data) { return createBaseUnparsedNode(303, data); } function createUnparsedPrepend(data, texts) { const node = createBaseUnparsedNode(304, data); node.texts = texts; return node; } function createUnparsedTextLike(data, internal) { return createBaseUnparsedNode(internal ? 306 : 305, data); } function createUnparsedSyntheticReference(section) { const node = createBaseNode(307); node.data = section.data; node.section = section; return node; } function createInputFiles2() { const node = createBaseNode(311); node.javascriptText = ""; node.declarationText = ""; return node; } function createSyntheticExpression(type, isSpread = false, tupleNameSource) { const node = createBaseNode(234); node.type = type; node.isSpread = isSpread; node.tupleNameSource = tupleNameSource; return node; } function createSyntaxList3(children) { const node = createBaseNode(354); node._children = children; return node; } function createNotEmittedStatement(original) { const node = createBaseNode(355); node.original = original; setTextRange(node, original); return node; } function createPartiallyEmittedExpression(expression, original) { const node = createBaseNode(356); 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) && isCommaToken(node.operatorToken)) { return [node.left, node.right]; } } return node; } function createCommaListExpression(elements) { const node = createBaseNode(357); 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 createEndOfDeclarationMarker(original) { const node = createBaseNode(359); node.emitNode = {}; node.original = original; return node; } function createMergeDeclarationMarker(original) { const node = createBaseNode(358); node.emitNode = {}; node.original = original; return node; } function createSyntheticReferenceExpression(expression, thisArg) { const node = createBaseNode(360); 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 & ~8; clone2.transformFlags = node.transformFlags; setOriginalNode(clone2, node); setIdentifierAutoGenerate(clone2, { ...node.emitNode.autoGenerate }); return clone2; } function cloneIdentifier(node) { const clone2 = createBaseIdentifier(node.escapedText); clone2.flags |= node.flags & ~8; clone2.jsDoc = node.jsDoc; clone2.flowNode = node.flowNode; clone2.symbol = node.symbol; clone2.transformFlags = node.transformFlags; setOriginalNode(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 & ~8; clone2.transformFlags = node.transformFlags; setOriginalNode(clone2, node); setIdentifierAutoGenerate(clone2, { ...node.emitNode.autoGenerate }); return clone2; } function clonePrivateIdentifier(node) { const clone2 = createBasePrivateIdentifier(node.escapedText); clone2.flags |= node.flags & ~8; clone2.transformFlags = node.transformFlags; setOriginalNode(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 & ~8; clone2.transformFlags = node.transformFlags; setOriginalNode(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(void 0, void 0, void 0, void 0, param ? [param] : [], void 0, createBlock(statements, true)), void 0, paramValue ? [paramValue] : []); } function createImmediatelyInvokedArrowFunction(statements, param, paramValue) { return createCallExpression(createArrowFunction(void 0, void 0, param ? [param] : [], void 0, void 0, createBlock(statements, true)), void 0, paramValue ? [paramValue] : []); } function createVoidZero() { return createVoidExpression(createNumericLiteral("0")); } function createExportDefault(expression) { return createExportAssignment2(void 0, false, expression); } function createExternalModuleExport(exportName) { return createExportDeclaration(void 0, false, createNamedExports([ createExportSpecifier(false, void 0, exportName) ])); } function createTypeCheck(value, tag) { return tag === "undefined" ? factory2.createStrictEquality(value, createVoidZero()) : factory2.createStrictEquality(createTypeOfExpression(value), createStringLiteral(tag)); } function createMethodCall(object, methodName, argumentsList) { if (isCallChain(object)) { return createCallChain(createPropertyAccessChain(object, void 0, methodName), void 0, void 0, argumentsList); } return createCallExpression(createPropertyAccessExpression(object, methodName), 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 214: return updateParenthesizedExpression(outerExpression, expression); case 213: return updateTypeAssertion(outerExpression, outerExpression.type, expression); case 231: return updateAsExpression(outerExpression, expression, outerExpression.type); case 235: return updateSatisfiesExpression(outerExpression, expression, outerExpression.type); case 232: return updateNonNullExpression(outerExpression, expression); case 356: 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 79: return cacheIdentifiers; case 108: case 8: case 9: case 10: return false; case 206: const elements = target.elements; if (elements.length === 0) { return false; } return true; case 207: return target.properties.length > 0; default: return true; } } function createCallBinding(expression, recordTempVariable, languageVersion, cacheIdentifiers = false) { const callee = skipOuterExpressions(expression, 15); 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, 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, false); } return { target, thisArg }; } function createAssignmentTargetWrapper(paramName, expression) { return createPropertyAccessExpression(createParenthesizedExpression(createObjectLiteralExpression([ createSetAccessorDeclaration(void 0, "value", [createParameterDeclaration(void 0, void 0, paramName, void 0, void 0, 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) { const nodeName = 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); } function getLocalName(node, allowComments, allowSourceMaps) { return getName(node, allowComments, allowSourceMaps, 32768); } function getExportName(node, allowComments, allowSourceMaps) { return getName(node, allowComments, allowSourceMaps, 16384); } 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, 1)) { return getNamespaceMemberName(ns, getName(node), allowComments, allowSourceMaps); } return getExportName(node, allowComments, allowSourceMaps); } function copyPrologue(source, target, ensureUseStrict2, visitor) { const offset = copyStandardPrologue(source, target, 0, ensureUseStrict2); return copyCustomPrologue(source, target, offset, visitor); } function isUseStrictPrologue2(node) { return isStringLiteral(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, visitor, filter2 = returnTrue) { const numStatements = source.length; while (statementOffset !== void 0 && statementOffset < numStatements) { const statement = source[statementOffset]; if (getEmitFlags(statement) & 2097152 && filter2(statement)) { append(target, visitor ? visitNode(statement, visitor, 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 updateModifiers(node, modifiers) { var _a2; 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, (_a2 = node.questionToken) != null ? _a2 : 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.assertClause) : isExportAssignment(node) ? updateExportAssignment(node, modifierArray, node.expression) : isExportDeclaration(node) ? updateExportDeclaration(node, modifierArray, node.isTypeOnly, node.exportClause, node.moduleSpecifier, node.assertClause) : Debug.assertNever(node); } 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(setOriginalNode(createEmptyStatement(), statement), statement) : statement; } function asVariableDeclaration(variableDeclaration) { if (typeof variableDeclaration === "string" || variableDeclaration && !isVariableDeclaration(variableDeclaration)) { return createVariableDeclaration(variableDeclaration, void 0, void 0, void 0); } return variableDeclaration; } } function updateWithoutOriginal(updated, original) { if (updated !== original) { setTextRange(updated, original); } return updated; } function updateWithOriginal(updated, original) { if (updated !== original) { setOriginalNode(updated, original); setTextRange(updated, original); } return updated; } function getDefaultTagNameForKind(kind) { switch (kind) { case 347: return "type"; case 345: return "returns"; case 346: return "this"; case 343: return "enum"; case 333: return "author"; case 335: return "class"; case 336: return "public"; case 337: return "private"; case 338: return "protected"; case 339: return "readonly"; case 340: return "override"; case 348: return "template"; case 349: return "typedef"; case 344: return "param"; case 351: return "prop"; case 341: return "callback"; case 342: return "overload"; case 331: return "augments"; case 332: return "implements"; default: return Debug.fail(`Unsupported kind: ${Debug.formatSyntaxKind(kind)}`); } } function getCookedText(kind, rawText) { if (!rawTextScanner) { rawTextScanner = createScanner(99, false, 0); } switch (kind) { case 14: rawTextScanner.setText("`" + rawText + "`"); break; case 15: rawTextScanner.setText("`" + rawText + "${"); break; case 16: rawTextScanner.setText("}" + rawText + "${"); break; case 17: rawTextScanner.setText("}" + rawText + "`"); break; } let token = rawTextScanner.scan(); if (token === 19) { token = rawTextScanner.reScanTemplateToken(false); } if (rawTextScanner.isUnterminated()) { rawTextScanner.setText(void 0); return invalidValueSentinel; } let tokenValue; switch (token) { case 14: case 15: case 16: case 17: 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 >= 179 && kind <= 202) { return -2; } switch (kind) { case 210: case 211: case 206: return -2147450880; case 264: return -1941676032; case 166: return -2147483648; case 216: return -2072174592; case 215: case 259: return -1937940480; case 258: return -2146893824; case 260: case 228: return -2147344384; case 173: return -1937948672; case 169: return -2013249536; case 171: case 174: case 175: return -2005057536; case 131: case 148: case 160: case 144: case 152: case 149: case 134: case 153: case 114: case 165: case 168: case 170: case 176: case 177: case 178: case 261: case 262: return -2; case 207: return -2147278848; case 295: return -2147418112; case 203: case 204: return -2147450880; case 213: case 235: case 231: case 356: case 214: case 106: return -2147483648; case 208: case 209: return -2147483648; default: return -2147483648; } } function makeSynthetic(node) { node.flags |= 8; return node; } function createUnparsedSourceFile(textOrInputFiles, mapPathOrType, mapTextOrStripInternal) { let stripInternal; let bundleFileInfo; let fileName; let text; let length2; let sourceMapPath; let sourceMapText; let getText; let getSourceMapText; let oldFileOfCurrentEmit; if (!isString(textOrInputFiles)) { Debug.assert(mapPathOrType === "js" || mapPathOrType === "dts"); fileName = (mapPathOrType === "js" ? textOrInputFiles.javascriptPath : textOrInputFiles.declarationPath) || ""; sourceMapPath = mapPathOrType === "js" ? textOrInputFiles.javascriptMapPath : textOrInputFiles.declarationMapPath; getText = () => mapPathOrType === "js" ? textOrInputFiles.javascriptText : textOrInputFiles.declarationText; getSourceMapText = () => mapPathOrType === "js" ? textOrInputFiles.javascriptMapText : textOrInputFiles.declarationMapText; length2 = () => getText().length; if (textOrInputFiles.buildInfo && textOrInputFiles.buildInfo.bundle) { Debug.assert(mapTextOrStripInternal === void 0 || typeof mapTextOrStripInternal === "boolean"); stripInternal = mapTextOrStripInternal; bundleFileInfo = mapPathOrType === "js" ? textOrInputFiles.buildInfo.bundle.js : textOrInputFiles.buildInfo.bundle.dts; oldFileOfCurrentEmit = textOrInputFiles.oldFileOfCurrentEmit; } } else { fileName = ""; text = textOrInputFiles; length2 = textOrInputFiles.length; sourceMapPath = mapPathOrType; sourceMapText = mapTextOrStripInternal; } const node = oldFileOfCurrentEmit ? parseOldFileOfCurrentEmit(Debug.checkDefined(bundleFileInfo)) : parseUnparsedSourceFile(bundleFileInfo, stripInternal, length2); node.fileName = fileName; node.sourceMapPath = sourceMapPath; node.oldFileOfCurrentEmit = oldFileOfCurrentEmit; if (getText && getSourceMapText) { Object.defineProperty(node, "text", { get: getText }); Object.defineProperty(node, "sourceMapText", { get: getSourceMapText }); } else { Debug.assert(!oldFileOfCurrentEmit); node.text = text != null ? text : ""; node.sourceMapText = sourceMapText; } return node; } function parseUnparsedSourceFile(bundleFileInfo, stripInternal, length2) { let prologues; let helpers; let referencedFiles; let typeReferenceDirectives; let libReferenceDirectives; let prependChildren; let texts; let hasNoDefaultLib; for (const section of bundleFileInfo ? bundleFileInfo.sections : emptyArray) { switch (section.kind) { case "prologue": prologues = append(prologues, setTextRange(factory.createUnparsedPrologue(section.data), section)); break; case "emitHelpers": helpers = append(helpers, getAllUnscopedEmitHelpers().get(section.data)); break; case "no-default-lib": hasNoDefaultLib = true; break; case "reference": referencedFiles = append(referencedFiles, { pos: -1, end: -1, fileName: section.data }); break; case "type": typeReferenceDirectives = append(typeReferenceDirectives, { pos: -1, end: -1, fileName: section.data }); break; case "type-import": typeReferenceDirectives = append(typeReferenceDirectives, { pos: -1, end: -1, fileName: section.data, resolutionMode: 99 }); break; case "type-require": typeReferenceDirectives = append(typeReferenceDirectives, { pos: -1, end: -1, fileName: section.data, resolutionMode: 1 }); break; case "lib": libReferenceDirectives = append(libReferenceDirectives, { pos: -1, end: -1, fileName: section.data }); break; case "prepend": let prependTexts; for (const text of section.texts) { if (!stripInternal || text.kind !== "internal") { prependTexts = append(prependTexts, setTextRange(factory.createUnparsedTextLike(text.data, text.kind === "internal"), text)); } } prependChildren = addRange(prependChildren, prependTexts); texts = append(texts, factory.createUnparsedPrepend(section.data, prependTexts != null ? prependTexts : emptyArray)); break; case "internal": if (stripInternal) { if (!texts) texts = []; break; } case "text": texts = append(texts, setTextRange(factory.createUnparsedTextLike(section.data, section.kind === "internal"), section)); break; default: Debug.assertNever(section); } } if (!texts) { const textNode = factory.createUnparsedTextLike(void 0, false); setTextRangePosWidth(textNode, 0, typeof length2 === "function" ? length2() : length2); texts = [textNode]; } const node = parseNodeFactory.createUnparsedSource(prologues != null ? prologues : emptyArray, void 0, texts); setEachParent(prologues, node); setEachParent(texts, node); setEachParent(prependChildren, node); node.hasNoDefaultLib = hasNoDefaultLib; node.helpers = helpers; node.referencedFiles = referencedFiles || emptyArray; node.typeReferenceDirectives = typeReferenceDirectives; node.libReferenceDirectives = libReferenceDirectives || emptyArray; return node; } function parseOldFileOfCurrentEmit(bundleFileInfo) { let texts; let syntheticReferences; for (const section of bundleFileInfo.sections) { switch (section.kind) { case "internal": case "text": texts = append(texts, setTextRange(factory.createUnparsedTextLike(section.data, section.kind === "internal"), section)); break; case "no-default-lib": case "reference": case "type": case "type-import": case "type-require": case "lib": syntheticReferences = append(syntheticReferences, setTextRange(factory.createUnparsedSyntheticReference(section), section)); break; case "prologue": case "emitHelpers": case "prepend": break; default: Debug.assertNever(section); } } const node = factory.createUnparsedSource(emptyArray, syntheticReferences, texts != null ? texts : emptyArray); setEachParent(syntheticReferences, node); setEachParent(texts, node); node.helpers = map(bundleFileInfo.sources && bundleFileInfo.sources.helpers, (name) => getAllUnscopedEmitHelpers().get(name)); return node; } function createInputFiles(javascriptTextOrReadFileText, declarationTextOrJavascriptPath, javascriptMapPath, javascriptMapTextOrDeclarationPath, declarationMapPath, declarationMapTextOrBuildInfoPath) { return !isString(javascriptTextOrReadFileText) ? createInputFilesWithFilePaths(javascriptTextOrReadFileText, declarationTextOrJavascriptPath, javascriptMapPath, javascriptMapTextOrDeclarationPath, declarationMapPath, declarationMapTextOrBuildInfoPath) : createInputFilesWithFileTexts(void 0, javascriptTextOrReadFileText, javascriptMapPath, javascriptMapTextOrDeclarationPath, void 0, declarationTextOrJavascriptPath, declarationMapPath, declarationMapTextOrBuildInfoPath); } function createInputFilesWithFilePaths(readFileText, javascriptPath, javascriptMapPath, declarationPath, declarationMapPath, buildInfoPath, host, options) { const node = parseNodeFactory.createInputFiles(); node.javascriptPath = javascriptPath; node.javascriptMapPath = javascriptMapPath; node.declarationPath = declarationPath; node.declarationMapPath = declarationMapPath; node.buildInfoPath = buildInfoPath; const cache = /* @__PURE__ */ new Map(); const textGetter = (path) => { if (path === void 0) return void 0; let value = cache.get(path); if (value === void 0) { value = readFileText(path); cache.set(path, value !== void 0 ? value : false); } return value !== false ? value : void 0; }; const definedTextGetter = (path) => { const result = textGetter(path); return result !== void 0 ? result : `/* Input file ${path} was missing */ `; }; let buildInfo; const getAndCacheBuildInfo = () => { var _a2, _b; if (buildInfo === void 0 && buildInfoPath) { if (host == null ? void 0 : host.getBuildInfo) { buildInfo = (_a2 = host.getBuildInfo(buildInfoPath, options.configFilePath)) != null ? _a2 : false; } else { const result = textGetter(buildInfoPath); buildInfo = result !== void 0 ? (_b = getBuildInfo(buildInfoPath, result)) != null ? _b : false : false; } } return buildInfo || void 0; }; Object.defineProperties(node, { javascriptText: { get: () => definedTextGetter(javascriptPath) }, javascriptMapText: { get: () => textGetter(javascriptMapPath) }, declarationText: { get: () => definedTextGetter(Debug.checkDefined(declarationPath)) }, declarationMapText: { get: () => textGetter(declarationMapPath) }, buildInfo: { get: getAndCacheBuildInfo } }); return node; } function createInputFilesWithFileTexts(javascriptPath, javascriptText, javascriptMapPath, javascriptMapText, declarationPath, declarationText, declarationMapPath, declarationMapText, buildInfoPath, buildInfo, oldFileOfCurrentEmit) { const node = parseNodeFactory.createInputFiles(); node.javascriptPath = javascriptPath; node.javascriptText = javascriptText; node.javascriptMapPath = javascriptMapPath; node.javascriptMapText = javascriptMapText; node.declarationPath = declarationPath; node.declarationText = declarationText; node.declarationMapPath = declarationMapPath; node.declarationMapText = declarationMapText; node.buildInfoPath = buildInfoPath; node.buildInfo = buildInfo; node.oldFileOfCurrentEmit = oldFileOfCurrentEmit; return node; } function createSourceMapSource(fileName, text, skipTrivia2) { return new (SourceMapSource2 || (SourceMapSource2 = objectAllocator.getSourceMapSourceConstructor()))(fileName, text, skipTrivia2); } function setOriginalNode(node, 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 } = sourceEmitNode; if (!destEmitNode) destEmitNode = {}; if (leadingComments) destEmitNode.leadingComments = addRange(leadingComments.slice(), destEmitNode.leadingComments); if (trailingComments) destEmitNode.trailingComments = addRange(trailingComments.slice(), destEmitNode.trailingComments); if (flags) destEmitNode.flags = flags; if (internalFlags) destEmitNode.internalFlags = internalFlags & ~8; 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; return destEmitNode; } function mergeTokenSourceMapRanges(sourceRanges, destRanges) { if (!destRanges) destRanges = []; for (const key in sourceRanges) { destRanges[key] = sourceRanges[key]; } return destRanges; } var nextAutoGenerateId, NodeFactoryFlags, nodeFactoryPatchers, rawTextScanner, invalidValueSentinel, baseFactory, syntheticFactory, factory, SourceMapSource2; var init_nodeFactory = __esm({ "src/compiler/factory/nodeFactory.ts"() { "use strict"; init_ts2(); nextAutoGenerateId = 0; 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 || {}); nodeFactoryPatchers = []; invalidValueSentinel = {}; baseFactory = createBaseNodeFactory(); 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)) }; factory = createNodeFactory(4, syntheticFactory); } }); function getOrCreateEmitNode(node) { var _a2; if (!node.emitNode) { if (isParseTreeNode(node)) { if (node.kind === 308) { return node.emitNode = { annotatedNodes: [node] }; } const sourceFile = (_a2 = getSourceFileOfNode(getParseTreeNode(getSourceFileOfNode(node)))) != null ? _a2 : 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 _a2, _b; const annotatedNodes = (_b = (_a2 = getSourceFileOfNode(getParseTreeNode(sourceFile))) == null ? void 0 : _a2.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 _a2, _b; return (_b = (_a2 = node.emitNode) == null ? void 0 : _a2.sourceMapRange) != null ? _b : node; } function setSourceMapRange(node, range) { getOrCreateEmitNode(node).sourceMapRange = range; return node; } function getTokenSourceMapRange(node, token) { var _a2, _b; return (_b = (_a2 = node.emitNode) == null ? void 0 : _a2.tokenSourceMapRanges) == null ? void 0 : _b[token]; } function setTokenSourceMapRange(node, token, range) { var _a2; const emitNode = getOrCreateEmitNode(node); const tokenSourceMapRanges = (_a2 = emitNode.tokenSourceMapRanges) != null ? _a2 : emitNode.tokenSourceMapRanges = []; tokenSourceMapRanges[token] = range; return node; } function getStartsOnNewLine(node) { var _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.startsOnNewLine; } function setStartsOnNewLine(node, newLine) { getOrCreateEmitNode(node).startsOnNewLine = newLine; return node; } function getCommentRange(node) { var _a2, _b; return (_b = (_a2 = node.emitNode) == null ? void 0 : _a2.commentRange) != null ? _b : node; } function setCommentRange(node, range) { getOrCreateEmitNode(node).commentRange = range; return node; } function getSyntheticLeadingComments(node) { var _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.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 _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.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 _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.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 _a2; const helpers = (_a2 = node.emitNode) == null ? void 0 : _a2.helpers; if (helpers) { return orderedRemoveItem(helpers, helper); } return false; } function getEmitHelpers(node) { var _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.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 _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.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 _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.typeNode; } function setIdentifierTypeArguments(node, typeArguments) { getOrCreateEmitNode(node).identifierTypeArguments = typeArguments; return node; } function getIdentifierTypeArguments(node) { var _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.identifierTypeArguments; } function setIdentifierAutoGenerate(node, autoGenerate) { getOrCreateEmitNode(node).autoGenerate = autoGenerate; return node; } function getIdentifierAutoGenerate(node) { var _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.autoGenerate; } function setIdentifierGeneratedImportReference(node, value) { getOrCreateEmitNode(node).generatedImportReference = value; return node; } function getIdentifierGeneratedImportReference(node) { var _a2; return (_a2 = node.emitNode) == null ? void 0 : _a2.generatedImportReference; } var init_emitNode = __esm({ "src/compiler/factory/emitNode.ts"() { "use strict"; init_ts2(); } }); function createEmitHelperFactory(context) { const factory2 = context.factory; const immutableTrue = memoize(() => setInternalEmitFlags(factory2.createTrue(), 8)); const immutableFalse = memoize(() => setInternalEmitFlags(factory2.createFalse(), 8)); return { getUnscopedHelperName, createDecorateHelper, createMetadataHelper, createParamHelper, createESDecorateHelper, createRunInitializersHelper, createAssignHelper, createAwaitHelper, createAsyncGeneratorHelper, createAsyncDelegatorHelper, createAsyncValuesHelper, createRestHelper, createAwaiterHelper, createExtendsHelper, createTemplateObjectHelper, createSpreadArrayHelper, createPropKeyHelper, createSetFunctionNameHelper, createValuesHelper, createReadHelper, createGeneratorHelper, createCreateBindingHelper, createImportStarHelper, createImportStarCallbackHelper, createImportDefaultHelper, createExportStarHelper, createClassPrivateFieldGetHelper, createClassPrivateFieldSetHelper, createClassPrivateFieldInHelper }; function getUnscopedHelperName(name) { return setEmitFlags(factory2.createIdentifier(name), 8192 | 4); } function createDecorateHelper(decoratorExpressions, target, memberName, descriptor) { context.requestEmitHelper(decorateHelper); const argumentsArray = []; argumentsArray.push(factory2.createArrayLiteralExpression(decoratorExpressions, true)); argumentsArray.push(target); if (memberName) { argumentsArray.push(memberName); if (descriptor) { argumentsArray.push(descriptor); } } return factory2.createCallExpression(getUnscopedHelperName("__decorate"), void 0, argumentsArray); } function createMetadataHelper(metadataKey, metadataValue) { context.requestEmitHelper(metadataHelper); return factory2.createCallExpression(getUnscopedHelperName("__metadata"), void 0, [ factory2.createStringLiteral(metadataKey), metadataValue ]); } function createParamHelper(expression, parameterOffset, location) { context.requestEmitHelper(paramHelper); return setTextRange(factory2.createCallExpression(getUnscopedHelperName("__param"), void 0, [ factory2.createNumericLiteral(parameterOffset + ""), expression ]), location); } function createESDecorateClassContextObject(contextIn) { return factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment(factory2.createIdentifier("kind"), factory2.createStringLiteral("class")), factory2.createPropertyAssignment(factory2.createIdentifier("name"), contextIn.name) ]); } 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(void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, factory2.createIdentifier("obj"))], void 0, 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(void 0, void 0, [ factory2.createParameterDeclaration(void 0, void 0, factory2.createIdentifier("obj")), factory2.createParameterDeclaration(void 0, void 0, factory2.createIdentifier("value")) ], void 0, 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(void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, factory2.createIdentifier("obj"))], void 0, void 0, factory2.createBinaryExpression(propertyName, 101, 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) { return factory2.createObjectLiteralExpression([ 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)) ]); } 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"), void 0, [ ctor != null ? ctor : factory2.createNull(), descriptorIn != null ? descriptorIn : factory2.createNull(), decorators, createESDecorateContextObject(contextIn), initializers, extraInitializers ]); } function createRunInitializersHelper(thisArg, initializers, value) { context.requestEmitHelper(runInitializersHelper); return factory2.createCallExpression(getUnscopedHelperName("__runInitializers"), 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"), void 0, attributesSegments); } context.requestEmitHelper(assignHelper); return factory2.createCallExpression(getUnscopedHelperName("__assign"), void 0, attributesSegments); } function createAwaitHelper(expression) { context.requestEmitHelper(awaitHelper); return factory2.createCallExpression(getUnscopedHelperName("__await"), 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"), 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"), void 0, [expression]); } function createAsyncValuesHelper(expression) { context.requestEmitHelper(asyncValues); return factory2.createCallExpression(getUnscopedHelperName("__asyncValues"), 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"), void 0, temp, void 0, factory2.createAdd(temp, factory2.createStringLiteral("")))); } else { propertyNames.push(factory2.createStringLiteralFromNode(propertyName)); } } } return factory2.createCallExpression(getUnscopedHelperName("__rest"), void 0, [ value, setTextRange(factory2.createArrayLiteralExpression(propertyNames), location) ]); } function createAwaiterHelper(hasLexicalThis, hasLexicalArguments, promiseConstructor, body) { context.requestEmitHelper(awaiterHelper); const generatorFunc = factory2.createFunctionExpression(void 0, factory2.createToken(41), void 0, void 0, [], void 0, body); (generatorFunc.emitNode || (generatorFunc.emitNode = {})).flags |= 524288 | 1048576; return factory2.createCallExpression(getUnscopedHelperName("__awaiter"), void 0, [ hasLexicalThis ? factory2.createThis() : factory2.createVoidZero(), hasLexicalArguments ? factory2.createIdentifier("arguments") : factory2.createVoidZero(), promiseConstructor ? createExpressionFromEntityName(factory2, promiseConstructor) : factory2.createVoidZero(), generatorFunc ]); } function createExtendsHelper(name) { context.requestEmitHelper(extendsHelper); return factory2.createCallExpression(getUnscopedHelperName("__extends"), void 0, [name, factory2.createUniqueName("_super", 16 | 32)]); } function createTemplateObjectHelper(cooked, raw) { context.requestEmitHelper(templateObjectHelper); return factory2.createCallExpression(getUnscopedHelperName("__makeTemplateObject"), void 0, [cooked, raw]); } function createSpreadArrayHelper(to, from, packFrom) { context.requestEmitHelper(spreadArrayHelper); return factory2.createCallExpression(getUnscopedHelperName("__spreadArray"), void 0, [to, from, packFrom ? immutableTrue() : immutableFalse()]); } function createPropKeyHelper(expr) { context.requestEmitHelper(propKeyHelper); return factory2.createCallExpression(getUnscopedHelperName("__propKey"), void 0, [expr]); } function createSetFunctionNameHelper(f, name, prefix) { context.requestEmitHelper(setFunctionNameHelper); return context.factory.createCallExpression(getUnscopedHelperName("__setFunctionName"), void 0, prefix ? [f, name, context.factory.createStringLiteral(prefix)] : [f, name]); } function createValuesHelper(expression) { context.requestEmitHelper(valuesHelper); return factory2.createCallExpression(getUnscopedHelperName("__values"), void 0, [expression]); } function createReadHelper(iteratorRecord, count) { context.requestEmitHelper(readHelper); return factory2.createCallExpression(getUnscopedHelperName("__read"), void 0, count !== void 0 ? [iteratorRecord, factory2.createNumericLiteral(count + "")] : [iteratorRecord]); } function createGeneratorHelper(body) { context.requestEmitHelper(generatorHelper); return factory2.createCallExpression(getUnscopedHelperName("__generator"), void 0, [factory2.createThis(), body]); } function createCreateBindingHelper(module2, inputName, outputName) { context.requestEmitHelper(createBindingHelper); return factory2.createCallExpression(getUnscopedHelperName("__createBinding"), void 0, [factory2.createIdentifier("exports"), module2, inputName, ...outputName ? [outputName] : []]); } function createImportStarHelper(expression) { context.requestEmitHelper(importStarHelper); return factory2.createCallExpression(getUnscopedHelperName("__importStar"), void 0, [expression]); } function createImportStarCallbackHelper() { context.requestEmitHelper(importStarHelper); return getUnscopedHelperName("__importStar"); } function createImportDefaultHelper(expression) { context.requestEmitHelper(importDefaultHelper); return factory2.createCallExpression(getUnscopedHelperName("__importDefault"), void 0, [expression]); } function createExportStarHelper(moduleExpression, exportsExpression = factory2.createIdentifier("exports")) { context.requestEmitHelper(exportStarHelper); context.requestEmitHelper(createBindingHelper); return factory2.createCallExpression(getUnscopedHelperName("__exportStar"), 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"), 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"), void 0, args); } function createClassPrivateFieldInHelper(state, receiver) { context.requestEmitHelper(classPrivateFieldInHelper); return factory2.createCallExpression(getUnscopedHelperName("__classPrivateFieldIn"), void 0, [state, receiver]); } } 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; }; } function getAllUnscopedEmitHelpers() { return allUnscopedEmitHelpers || (allUnscopedEmitHelpers = arrayToMap([ decorateHelper, metadataHelper, paramHelper, esDecorateHelper, runInitializersHelper, assignHelper, awaitHelper, asyncGeneratorHelper, asyncDelegator, asyncValues, restHelper, awaiterHelper, extendsHelper, templateObjectHelper, spreadArrayHelper, valuesHelper, readHelper, propKeyHelper, setFunctionNameHelper, generatorHelper, importStarHelper, importDefaultHelper, exportStarHelper, classPrivateFieldGetHelper, classPrivateFieldSetHelper, classPrivateFieldInHelper, createBindingHelper, setModuleDefaultHelper ], (helper) => helper.name)); } function isCallToHelper(firstSegment, helperName) { return isCallExpression(firstSegment) && isIdentifier(firstSegment.expression) && (getEmitFlags(firstSegment.expression) & 8192) !== 0 && firstSegment.expression.escapedText === helperName; } var PrivateIdentifierKind, decorateHelper, metadataHelper, paramHelper, esDecorateHelper, runInitializersHelper, assignHelper, awaitHelper, asyncGeneratorHelper, asyncDelegator, asyncValues, restHelper, awaiterHelper, extendsHelper, templateObjectHelper, readHelper, spreadArrayHelper, propKeyHelper, setFunctionNameHelper, valuesHelper, generatorHelper, createBindingHelper, setModuleDefaultHelper, importStarHelper, importDefaultHelper, exportStarHelper, classPrivateFieldGetHelper, classPrivateFieldSetHelper, classPrivateFieldInHelper, allUnscopedEmitHelpers, asyncSuperHelper, advancedAsyncSuperHelper; var init_emitHelpers = __esm({ "src/compiler/factory/emitHelpers.ts"() { "use strict"; init_ts2(); PrivateIdentifierKind = /* @__PURE__ */ ((PrivateIdentifierKind2) => { PrivateIdentifierKind2["Field"] = "f"; PrivateIdentifierKind2["Method"] = "m"; PrivateIdentifierKind2["Accessor"] = "a"; return PrivateIdentifierKind2; })(PrivateIdentifierKind || {}); 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; };` }; 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); };` }; 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); } };` }; 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.push(_); } else if (_ = accept(result)) { if (kind === "field") initializers.push(_); else descriptor[key] = _; } } if (target) Object.defineProperty(target, contextIn.name, descriptor); done = true; };` }; 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; };` }; 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); };` }; 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); }` }; 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"), i[Symbol.asyncIterator] = function () { return this; }, i; function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; } 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]); } };` }; 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; } };` }; 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); } };` }; 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; };` }; 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()); }); };` }; 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 __()); }; })();` }; 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; };` }; 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; };` }; 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)); };` }; propKeyHelper = { name: "typescript:propKey", importName: "__propKey", scoped: false, text: ` var __propKey = (this && this.__propKey) || function (x) { return typeof x === "symbol" ? x : "".concat(x); };` }; 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 }); };` }; 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."); };` }; 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 }; } };` }; 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]; }));` }; 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; });` }; 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; };` }; importDefaultHelper = { name: "typescript:commonjsimportdefault", importName: "__importDefault", scoped: false, text: ` var __importDefault = (this && this.__importDefault) || function (mod) { return (mod && mod.__esModule) ? mod : { "default": mod }; };` }; 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); };` }; 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); };` }; 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; };` }; 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); };` }; asyncSuperHelper = { name: "typescript:async-super", scoped: true, text: helperString` const ${"_superIndex"} = name => super[name];` }; 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 isNumericLiteral(node) { return node.kind === 8; } function isBigIntLiteral(node) { return node.kind === 9; } function isStringLiteral(node) { return node.kind === 10; } function isJsxText(node) { return node.kind === 11; } function isRegularExpressionLiteral(node) { return node.kind === 13; } function isNoSubstitutionTemplateLiteral(node) { return node.kind === 14; } function isTemplateHead(node) { return node.kind === 15; } function isTemplateMiddle(node) { return node.kind === 16; } function isTemplateTail(node) { return node.kind === 17; } function isDotDotDotToken(node) { return node.kind === 25; } function isCommaToken(node) { return node.kind === 27; } function isPlusToken(node) { return node.kind === 39; } function isMinusToken(node) { return node.kind === 40; } function isAsteriskToken(node) { return node.kind === 41; } function isExclamationToken(node) { return node.kind === 53; } function isQuestionToken(node) { return node.kind === 57; } function isColonToken(node) { return node.kind === 58; } function isQuestionDotToken(node) { return node.kind === 28; } function isEqualsGreaterThanToken(node) { return node.kind === 38; } function isIdentifier(node) { return node.kind === 79; } function isPrivateIdentifier(node) { return node.kind === 80; } function isExportModifier(node) { return node.kind === 93; } function isDefaultModifier(node) { return node.kind === 88; } function isAsyncModifier(node) { return node.kind === 132; } function isAssertsKeyword(node) { return node.kind === 129; } function isAwaitKeyword(node) { return node.kind === 133; } function isReadonlyKeyword(node) { return node.kind === 146; } function isStaticModifier(node) { return node.kind === 124; } function isAbstractModifier(node) { return node.kind === 126; } function isOverrideModifier(node) { return node.kind === 161; } function isAccessorModifier(node) { return node.kind === 127; } function isSuperKeyword(node) { return node.kind === 106; } function isImportKeyword(node) { return node.kind === 100; } function isCaseKeyword(node) { return node.kind === 82; } function isQualifiedName(node) { return node.kind === 163; } function isComputedPropertyName(node) { return node.kind === 164; } function isTypeParameterDeclaration(node) { return node.kind === 165; } function isParameter(node) { return node.kind === 166; } function isDecorator(node) { return node.kind === 167; } function isPropertySignature(node) { return node.kind === 168; } function isPropertyDeclaration(node) { return node.kind === 169; } function isMethodSignature(node) { return node.kind === 170; } function isMethodDeclaration(node) { return node.kind === 171; } function isClassStaticBlockDeclaration(node) { return node.kind === 172; } function isConstructorDeclaration(node) { return node.kind === 173; } function isGetAccessorDeclaration(node) { return node.kind === 174; } function isSetAccessorDeclaration(node) { return node.kind === 175; } function isCallSignatureDeclaration(node) { return node.kind === 176; } function isConstructSignatureDeclaration(node) { return node.kind === 177; } function isIndexSignatureDeclaration(node) { return node.kind === 178; } function isTypePredicateNode(node) { return node.kind === 179; } function isTypeReferenceNode(node) { return node.kind === 180; } function isFunctionTypeNode(node) { return node.kind === 181; } function isConstructorTypeNode(node) { return node.kind === 182; } function isTypeQueryNode(node) { return node.kind === 183; } function isTypeLiteralNode(node) { return node.kind === 184; } function isArrayTypeNode(node) { return node.kind === 185; } function isTupleTypeNode(node) { return node.kind === 186; } function isNamedTupleMember(node) { return node.kind === 199; } function isOptionalTypeNode(node) { return node.kind === 187; } function isRestTypeNode(node) { return node.kind === 188; } function isUnionTypeNode(node) { return node.kind === 189; } function isIntersectionTypeNode(node) { return node.kind === 190; } function isConditionalTypeNode(node) { return node.kind === 191; } function isInferTypeNode(node) { return node.kind === 192; } function isParenthesizedTypeNode(node) { return node.kind === 193; } function isThisTypeNode(node) { return node.kind === 194; } function isTypeOperatorNode(node) { return node.kind === 195; } function isIndexedAccessTypeNode(node) { return node.kind === 196; } function isMappedTypeNode(node) { return node.kind === 197; } function isLiteralTypeNode(node) { return node.kind === 198; } function isImportTypeNode(node) { return node.kind === 202; } function isTemplateLiteralTypeSpan(node) { return node.kind === 201; } function isTemplateLiteralTypeNode(node) { return node.kind === 200; } function isObjectBindingPattern(node) { return node.kind === 203; } function isArrayBindingPattern(node) { return node.kind === 204; } function isBindingElement(node) { return node.kind === 205; } function isArrayLiteralExpression(node) { return node.kind === 206; } function isObjectLiteralExpression(node) { return node.kind === 207; } function isPropertyAccessExpression(node) { return node.kind === 208; } function isElementAccessExpression(node) { return node.kind === 209; } function isCallExpression(node) { return node.kind === 210; } function isNewExpression(node) { return node.kind === 211; } function isTaggedTemplateExpression(node) { return node.kind === 212; } function isTypeAssertionExpression(node) { return node.kind === 213; } function isParenthesizedExpression(node) { return node.kind === 214; } function isFunctionExpression(node) { return node.kind === 215; } function isArrowFunction(node) { return node.kind === 216; } function isDeleteExpression(node) { return node.kind === 217; } function isTypeOfExpression(node) { return node.kind === 218; } function isVoidExpression(node) { return node.kind === 219; } function isAwaitExpression(node) { return node.kind === 220; } function isPrefixUnaryExpression(node) { return node.kind === 221; } function isPostfixUnaryExpression(node) { return node.kind === 222; } function isBinaryExpression(node) { return node.kind === 223; } function isConditionalExpression(node) { return node.kind === 224; } function isTemplateExpression(node) { return node.kind === 225; } function isYieldExpression(node) { return node.kind === 226; } function isSpreadElement(node) { return node.kind === 227; } function isClassExpression(node) { return node.kind === 228; } function isOmittedExpression(node) { return node.kind === 229; } function isExpressionWithTypeArguments(node) { return node.kind === 230; } function isAsExpression(node) { return node.kind === 231; } function isSatisfiesExpression(node) { return node.kind === 235; } function isNonNullExpression(node) { return node.kind === 232; } function isMetaProperty(node) { return node.kind === 233; } function isSyntheticExpression(node) { return node.kind === 234; } function isPartiallyEmittedExpression(node) { return node.kind === 356; } function isCommaListExpression(node) { return node.kind === 357; } function isTemplateSpan(node) { return node.kind === 236; } function isSemicolonClassElement(node) { return node.kind === 237; } function isBlock(node) { return node.kind === 238; } function isVariableStatement(node) { return node.kind === 240; } function isEmptyStatement(node) { return node.kind === 239; } function isExpressionStatement(node) { return node.kind === 241; } function isIfStatement(node) { return node.kind === 242; } function isDoStatement(node) { return node.kind === 243; } function isWhileStatement(node) { return node.kind === 244; } function isForStatement(node) { return node.kind === 245; } function isForInStatement(node) { return node.kind === 246; } function isForOfStatement(node) { return node.kind === 247; } function isContinueStatement(node) { return node.kind === 248; } function isBreakStatement(node) { return node.kind === 249; } function isReturnStatement(node) { return node.kind === 250; } function isWithStatement(node) { return node.kind === 251; } function isSwitchStatement(node) { return node.kind === 252; } function isLabeledStatement(node) { return node.kind === 253; } function isThrowStatement(node) { return node.kind === 254; } function isTryStatement(node) { return node.kind === 255; } function isDebuggerStatement(node) { return node.kind === 256; } function isVariableDeclaration(node) { return node.kind === 257; } function isVariableDeclarationList(node) { return node.kind === 258; } function isFunctionDeclaration(node) { return node.kind === 259; } function isClassDeclaration(node) { return node.kind === 260; } function isInterfaceDeclaration(node) { return node.kind === 261; } function isTypeAliasDeclaration(node) { return node.kind === 262; } function isEnumDeclaration(node) { return node.kind === 263; } function isModuleDeclaration(node) { return node.kind === 264; } function isModuleBlock(node) { return node.kind === 265; } function isCaseBlock(node) { return node.kind === 266; } function isNamespaceExportDeclaration(node) { return node.kind === 267; } function isImportEqualsDeclaration(node) { return node.kind === 268; } function isImportDeclaration(node) { return node.kind === 269; } function isImportClause(node) { return node.kind === 270; } function isImportTypeAssertionContainer(node) { return node.kind === 298; } function isAssertClause(node) { return node.kind === 296; } function isAssertEntry(node) { return node.kind === 297; } function isNamespaceImport(node) { return node.kind === 271; } function isNamespaceExport(node) { return node.kind === 277; } function isNamedImports(node) { return node.kind === 272; } function isImportSpecifier(node) { return node.kind === 273; } function isExportAssignment(node) { return node.kind === 274; } function isExportDeclaration(node) { return node.kind === 275; } function isNamedExports(node) { return node.kind === 276; } function isExportSpecifier(node) { return node.kind === 278; } function isMissingDeclaration(node) { return node.kind === 279; } function isNotEmittedStatement(node) { return node.kind === 355; } function isSyntheticReference(node) { return node.kind === 360; } function isMergeDeclarationMarker(node) { return node.kind === 358; } function isEndOfDeclarationMarker(node) { return node.kind === 359; } function isExternalModuleReference(node) { return node.kind === 280; } function isJsxElement(node) { return node.kind === 281; } function isJsxSelfClosingElement(node) { return node.kind === 282; } function isJsxOpeningElement(node) { return node.kind === 283; } function isJsxClosingElement(node) { return node.kind === 284; } function isJsxFragment(node) { return node.kind === 285; } function isJsxOpeningFragment(node) { return node.kind === 286; } function isJsxClosingFragment(node) { return node.kind === 287; } function isJsxAttribute(node) { return node.kind === 288; } function isJsxAttributes(node) { return node.kind === 289; } function isJsxSpreadAttribute(node) { return node.kind === 290; } function isJsxExpression(node) { return node.kind === 291; } function isCaseClause(node) { return node.kind === 292; } function isDefaultClause(node) { return node.kind === 293; } function isHeritageClause(node) { return node.kind === 294; } function isCatchClause(node) { return node.kind === 295; } function isPropertyAssignment(node) { return node.kind === 299; } function isShorthandPropertyAssignment(node) { return node.kind === 300; } function isSpreadAssignment(node) { return node.kind === 301; } function isEnumMember(node) { return node.kind === 302; } function isUnparsedPrepend(node) { return node.kind === 304; } function isSourceFile(node) { return node.kind === 308; } function isBundle(node) { return node.kind === 309; } function isUnparsedSource(node) { return node.kind === 310; } function isJSDocTypeExpression(node) { return node.kind === 312; } function isJSDocNameReference(node) { return node.kind === 313; } function isJSDocMemberName(node) { return node.kind === 314; } function isJSDocLink(node) { return node.kind === 327; } function isJSDocLinkCode(node) { return node.kind === 328; } function isJSDocLinkPlain(node) { return node.kind === 329; } function isJSDocAllType(node) { return node.kind === 315; } function isJSDocUnknownType(node) { return node.kind === 316; } function isJSDocNullableType(node) { return node.kind === 317; } function isJSDocNonNullableType(node) { return node.kind === 318; } function isJSDocOptionalType(node) { return node.kind === 319; } function isJSDocFunctionType(node) { return node.kind === 320; } function isJSDocVariadicType(node) { return node.kind === 321; } function isJSDocNamepathType(node) { return node.kind === 322; } function isJSDoc(node) { return node.kind === 323; } function isJSDocTypeLiteral(node) { return node.kind === 325; } function isJSDocSignature(node) { return node.kind === 326; } function isJSDocAugmentsTag(node) { return node.kind === 331; } function isJSDocAuthorTag(node) { return node.kind === 333; } function isJSDocClassTag(node) { return node.kind === 335; } function isJSDocCallbackTag(node) { return node.kind === 341; } function isJSDocPublicTag(node) { return node.kind === 336; } function isJSDocPrivateTag(node) { return node.kind === 337; } function isJSDocProtectedTag(node) { return node.kind === 338; } function isJSDocReadonlyTag(node) { return node.kind === 339; } function isJSDocOverrideTag(node) { return node.kind === 340; } function isJSDocOverloadTag(node) { return node.kind === 342; } function isJSDocDeprecatedTag(node) { return node.kind === 334; } function isJSDocSeeTag(node) { return node.kind === 350; } function isJSDocEnumTag(node) { return node.kind === 343; } function isJSDocParameterTag(node) { return node.kind === 344; } function isJSDocReturnTag(node) { return node.kind === 345; } function isJSDocThisTag(node) { return node.kind === 346; } function isJSDocTypeTag(node) { return node.kind === 347; } function isJSDocTemplateTag(node) { return node.kind === 348; } function isJSDocTypedefTag(node) { return node.kind === 349; } function isJSDocUnknownTag(node) { return node.kind === 330; } function isJSDocPropertyTag(node) { return node.kind === 351; } function isJSDocImplementsTag(node) { return node.kind === 332; } function isJSDocSatisfiesTag(node) { return node.kind === 353; } function isJSDocThrowsTag(node) { return node.kind === 352; } function isSyntaxList(n) { return n.kind === 354; } var init_nodeTests = __esm({ "src/compiler/factory/nodeTests.ts"() { "use strict"; init_ts2(); } }); function createEmptyExports(factory2) { return factory2.createExportDeclaration(void 0, false, factory2.createNamedExports([]), 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); 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, 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), void 0, argumentsList), location); } function createForOfBindingStatement(factory2, node, boundValue) { if (isVariableDeclarationList(node)) { const firstDeclaration = first(node.declarations); const updatedDeclaration = factory2.updateVariableDeclaration(firstDeclaration, firstDeclaration.name, void 0, void 0, boundValue); return setTextRange(factory2.createVariableStatement(void 0, factory2.updateVariableDeclarationList(node, [updatedDeclaration])), node); } else { const updatedExpression = setTextRange(factory2.createAssignment(node, boundValue), node); return setTextRange(factory2.createExpressionStatement(updatedExpression), 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]), 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), void 0, void 0, void 0, getAccessor.parameters, void 0, getAccessor.body), getAccessor), getAccessor), set: setAccessor && setTextRange(setOriginalNode(factory2.createFunctionExpression(getModifiers(setAccessor), void 0, void 0, void 0, setAccessor.parameters, void 0, setAccessor.body), setAccessor), setAccessor) }, !multiLine)), firstAccessor); } return void 0; } function createExpressionForPropertyAssignment(factory2, property, receiver) { return setOriginalNode(setTextRange(factory2.createAssignment(createMemberAccessForPropertyName(factory2, receiver, property.name, property.name), property.initializer), property), property); } function createExpressionForShorthandPropertyAssignment(factory2, property, receiver) { return setOriginalNode(setTextRange(factory2.createAssignment(createMemberAccessForPropertyName(factory2, receiver, property.name, property.name), factory2.cloneNode(property.name)), property), property); } function createExpressionForMethodDeclaration(factory2, method, receiver) { return setOriginalNode(setTextRange(factory2.createAssignment(createMemberAccessForPropertyName(factory2, receiver, method.name, method.name), setOriginalNode(setTextRange(factory2.createFunctionExpression(getModifiers(method), method.asteriskToken, void 0, void 0, method.parameters, void 0, method.body), method), method)), method), 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 174: case 175: return createExpressionForAccessorDeclaration(factory2, node.properties, property, receiver, !!node.multiLine); case 299: return createExpressionForPropertyAssignment(factory2, property, receiver); case 300: return createExpressionForShorthandPropertyAssignment(factory2, property, receiver); case 171: return createExpressionForMethodDeclaration(factory2, property, receiver); } } function expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, recordTempVariable, resultVariable) { const operator = node.operator; Debug.assert(operator === 45 || operator === 46, "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 isStringLiteral(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 === 223 && node.operatorToken.kind === 27; } 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 214: if (kinds & 16 && isJSDocTypeAssertion(node)) { return false; } return (kinds & 1) !== 0; case 213: case 231: case 230: case 235: return (kinds & 2) !== 0; case 232: return (kinds & 4) !== 0; case 356: 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); } function startOnNewLine(node) { return setStartsOnNewLine(node, 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(false, void 0, nodeFactory.createIdentifier(name)) : nodeFactory.createImportSpecifier(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(void 0, nodeFactory.createImportClause(false, void 0, namedBindings), nodeFactory.createStringLiteral(externalHelpersModuleNameText), void 0); addInternalEmitFlags(externalHelpersImportDeclaration, 2); 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 create2 = (hasExportStarsToExportValues || getESModuleInterop(compilerOptions) && hasImportStarOrImportDefault) && moduleKind !== 4 && (moduleKind < 5 || node.impliedNodeFormat === 1); if (!create2) { const helpers = getEmitHelpers(node); if (helpers) { for (const helper of helpers) { if (!helper.scoped) { create2 = true; break; } } } } if (create2) { 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 === 269 && node.importClause) { return factory2.getGeneratedNameForNode(node); } if (node.kind === 275 && node.moduleSpecifier) { return factory2.getGeneratedNameForNode(node); } return void 0; } function getExternalModuleNameLiteral(factory2, importNode, sourceFile, host, resolver, compilerOptions) { const moduleName = getExternalModuleName(importNode); if (moduleName && isStringLiteral(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 && outFile(options)) { 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 isAssignmentExpression(initializer, true) ? initializer.right : void 0; } if (isShorthandPropertyAssignment(bindingElement)) { return bindingElement.objectAssignmentInitializer; } if (isAssignmentExpression(bindingElement, 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 299: return getTargetOfBindingOrAssignmentElement(bindingElement.initializer); case 300: return bindingElement.name; case 301: return getTargetOfBindingOrAssignmentElement(bindingElement.expression); } return void 0; } if (isAssignmentExpression(bindingElement, true)) { return getTargetOfBindingOrAssignmentElement(bindingElement.left); } if (isSpreadElement(bindingElement)) { return getTargetOfBindingOrAssignmentElement(bindingElement.expression); } return bindingElement; } function getRestIndicatorOfBindingOrAssignmentElement(bindingElement) { switch (bindingElement.kind) { case 166: case 205: return bindingElement.dotDotDotToken; case 227: case 301: 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 205: 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 299: 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 301: 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 === 10 || kind === 8; } function getElementsOfBindingOrAssignmentPattern(name) { switch (name.kind) { case 203: case 204: case 206: return name.elements; case 207: 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 === 173 || kind === 175; } function canHaveIllegalTypeParameters(node) { const kind = node.kind; return kind === 173 || kind === 174 || kind === 175; } function canHaveIllegalDecorators(node) { const kind = node.kind; return kind === 299 || kind === 300 || kind === 259 || kind === 173 || kind === 178 || kind === 172 || kind === 279 || kind === 240 || kind === 261 || kind === 262 || kind === 263 || kind === 264 || kind === 268 || kind === 269 || kind === 267 || kind === 275 || kind === 274; } function canHaveIllegalModifiers(node) { const kind = node.kind; return kind === 172 || kind === 299 || kind === 300 || kind === 279 || kind === 267; } 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) || isStringLiteral(node); } function isLiteralTypeLikeExpression(node) { const kind = node.kind; return kind === 104 || kind === 110 || kind === 95 || isLiteralExpression(node) || isPrefixUnaryExpression(node); } function isExponentiationOperator(kind) { return kind === 42; } function isMultiplicativeOperator(kind) { return kind === 41 || kind === 43 || kind === 44; } function isMultiplicativeOperatorOrHigher(kind) { return isExponentiationOperator(kind) || isMultiplicativeOperator(kind); } function isAdditiveOperator(kind) { return kind === 39 || kind === 40; } function isAdditiveOperatorOrHigher(kind) { return isAdditiveOperator(kind) || isMultiplicativeOperatorOrHigher(kind); } function isShiftOperator(kind) { return kind === 47 || kind === 48 || kind === 49; } function isShiftOperatorOrHigher(kind) { return isShiftOperator(kind) || isAdditiveOperatorOrHigher(kind); } function isRelationalOperator(kind) { return kind === 29 || kind === 32 || kind === 31 || kind === 33 || kind === 102 || kind === 101; } function isRelationalOperatorOrHigher(kind) { return isRelationalOperator(kind) || isShiftOperatorOrHigher(kind); } function isEqualityOperator(kind) { return kind === 34 || kind === 36 || kind === 35 || kind === 37; } function isEqualityOperatorOrHigher(kind) { return isEqualityOperator(kind) || isRelationalOperatorOrHigher(kind); } function isBitwiseOperator(kind) { return kind === 50 || kind === 51 || kind === 52; } function isBitwiseOperatorOrHigher(kind) { return isBitwiseOperator(kind) || isEqualityOperatorOrHigher(kind); } function isLogicalOperator2(kind) { return kind === 55 || kind === 56; } function isLogicalOperatorOrHigher(kind) { return isLogicalOperator2(kind) || isBitwiseOperatorOrHigher(kind); } function isAssignmentOperatorOrHigher(kind) { return kind === 60 || isLogicalOperatorOrHigher(kind) || isAssignmentOperator(kind); } function isBinaryOperator(kind) { return isAssignmentOperatorOrHigher(kind) || kind === 27; } function isBinaryOperatorToken(node) { return isBinaryOperator(node.kind); } 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 === 93 || kind === 88; } 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 _a2; 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 = (_a2 = node.emitNode) == null ? void 0 : _a2.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(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, void 0, "_accessor_storage"), void 0, void 0, initializer); } function createAccessorPropertyGetRedirector(factory2, node, modifiers, name) { return factory2.createGetAccessorDeclaration(modifiers, name, [], void 0, factory2.createBlock([ factory2.createReturnStatement(factory2.createPropertyAccessExpression(factory2.createThis(), factory2.getGeneratedPrivateNameForNode(node.name, void 0, "_accessor_storage"))) ])); } function createAccessorPropertySetRedirector(factory2, node, modifiers, name) { return factory2.createSetAccessorDeclaration(modifiers, name, [factory2.createParameterDeclaration(void 0, void 0, "value")], factory2.createBlock([ factory2.createExpressionStatement(factory2.createAssignment(factory2.createPropertyAccessExpression(factory2.createThis(), factory2.getGeneratedPrivateNameForNode(node.name, 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 (isAssignmentExpression(node, 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; } var BinaryExpressionState, BinaryExpressionStateMachine; var init_utilities2 = __esm({ "src/compiler/factory/utilities.ts"() { "use strict"; init_ts2(); ((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)) { while (stackIndex >= 0) { Debug.assert(nodeStack[stackIndex] !== node, "Circular traversal detected."); stackIndex--; } } } })(BinaryExpressionState || (BinaryExpressionState = {})); 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 setTextRange(range, location) { return location ? setTextRangePosEnd(range, location.pos, location.end) : range; } function canHaveModifiers(node) { const kind = node.kind; return kind === 165 || kind === 166 || kind === 168 || kind === 169 || kind === 170 || kind === 171 || kind === 173 || kind === 174 || kind === 175 || kind === 178 || kind === 182 || kind === 215 || kind === 216 || kind === 228 || kind === 240 || kind === 259 || kind === 260 || kind === 261 || kind === 262 || kind === 263 || kind === 264 || kind === 268 || kind === 269 || kind === 274 || kind === 275; } function canHaveDecorators(node) { const kind = node.kind; return kind === 166 || kind === 169 || kind === 171 || kind === 174 || kind === 175 || kind === 228 || kind === 260; } var init_utilitiesPublic2 = __esm({ "src/compiler/factory/utilitiesPublic.ts"() { "use strict"; init_ts2(); } }); 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, 93) || isImportEqualsDeclaration(node) && isExternalModuleReference(node.moduleReference) || isImportDeclaration(node) || isExportAssignment(node) || isExportDeclaration(node) ? node : void 0; } function getImportMetaIfNecessary(sourceFile) { return sourceFile.flags & 4194304 ? 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 === 100 && node.name.escapedText === "meta"; } 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) || 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 forEachChildInPartiallyEmittedExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); } function forEachChild(node, cbNode, cbNodes) { if (node === void 0 || node.kind <= 162) { 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 (isArray(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 >= 163) { 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 _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Parse, "createSourceFile", { path: fileName }, true); mark("beforeParse"); let result; perfLogger.logStartParseSourceFile(fileName); const { languageVersion, setExternalModuleIndicator: overrideSetExternalModuleIndicator, impliedNodeFormat: format } = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions : { languageVersion: languageVersionOrOptions }; if (languageVersion === 100) { result = Parser.parseSourceFile(fileName, sourceText, languageVersion, void 0, setParentNodes, 6, noop); } else { const setIndicator = format === void 0 ? overrideSetExternalModuleIndicator : (file) => { file.impliedNodeFormat = format; return (overrideSetExternalModuleIndicator || setExternalModuleIndicator)(file); }; result = Parser.parseSourceFile(fileName, sourceText, languageVersion, void 0, setParentNodes, scriptKind, setIndicator); } perfLogger.logStopParseSourceFile(); mark("afterParse"); measure("Parse", "beforeParse", "afterParse"); (_b = tracing) == null ? void 0 : _b.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 & 6291456; 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); } function isDeclarationFileName(fileName) { return fileExtensionIsOneOf(fileName, supportedDeclarationExtensions) || fileExtensionIs(fileName, ".ts") && stringContains(getBaseFileName(fileName), ".d."); } 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, ["resolution-mode"]: res } = arg.arguments; if (arg.arguments["no-default-lib"]) { 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 } : {} }); } else if (lib) { libReferenceDirectives.push({ pos: lib.pos, end: lib.end, fileName: lib.value }); } else if (path) { referencedFiles.push({ pos: path.pos, end: path.end, fileName: path.value }); } 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"); } }); } 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; } 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 = trimString(text).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 === 79) { return lhs.escapedText === rhs.escapedText; } if (lhs.kind === 108) { return true; } return lhs.name.escapedText === rhs.name.escapedText && tagNamesAreEquivalent(lhs.expression, rhs.expression); } var NodeConstructor, TokenConstructor, IdentifierConstructor, PrivateIdentifierConstructor, SourceFileConstructor, parseBaseNodeFactory, parseNodeFactory, forEachChildTable, Parser, IncrementalParser, namedArgRegExCache, tripleSlashXMLCommentStartRegEx, singleLinePragmaRegEx; var init_parser = __esm({ "src/compiler/parser.ts"() { "use strict"; init_ts2(); init_ts2(); init_ts_performance(); 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) }; parseNodeFactory = createNodeFactory(1, parseBaseNodeFactory); forEachChildTable = { [163]: function forEachChildInQualifiedName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.right); }, [165]: 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); }, [300]: 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); }, [301]: function forEachChildInSpreadAssignment(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [166]: 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); }, [169]: 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); }, [168]: 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); }, [299]: 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); }, [257]: function forEachChildInVariableDeclaration(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer); }, [205]: function forEachChildInBindingElement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.propertyName) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer); }, [178]: 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); }, [182]: 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); }, [181]: 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); }, [176]: forEachChildInCallOrConstructSignature, [177]: forEachChildInCallOrConstructSignature, [171]: 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); }, [170]: 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); }, [173]: 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); }, [174]: 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); }, [175]: 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); }, [259]: 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); }, [215]: 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); }, [216]: 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); }, [172]: function forEachChildInClassStaticBlockDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.body); }, [180]: function forEachChildInTypeReference(node, cbNode, cbNodes) { return visitNode2(cbNode, node.typeName) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [179]: function forEachChildInTypePredicate(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.assertsModifier) || visitNode2(cbNode, node.parameterName) || visitNode2(cbNode, node.type); }, [183]: function forEachChildInTypeQuery(node, cbNode, cbNodes) { return visitNode2(cbNode, node.exprName) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [184]: function forEachChildInTypeLiteral(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.members); }, [185]: function forEachChildInArrayType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.elementType); }, [186]: function forEachChildInTupleType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [189]: forEachChildInUnionOrIntersectionType, [190]: forEachChildInUnionOrIntersectionType, [191]: function forEachChildInConditionalType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.checkType) || visitNode2(cbNode, node.extendsType) || visitNode2(cbNode, node.trueType) || visitNode2(cbNode, node.falseType); }, [192]: function forEachChildInInferType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.typeParameter); }, [202]: function forEachChildInImportType(node, cbNode, cbNodes) { return visitNode2(cbNode, node.argument) || visitNode2(cbNode, node.assertions) || visitNode2(cbNode, node.qualifier) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [298]: function forEachChildInImportTypeAssertionContainer(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.assertClause); }, [193]: forEachChildInParenthesizedTypeOrTypeOperator, [195]: forEachChildInParenthesizedTypeOrTypeOperator, [196]: function forEachChildInIndexedAccessType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.objectType) || visitNode2(cbNode, node.indexType); }, [197]: 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); }, [198]: function forEachChildInLiteralType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.literal); }, [199]: function forEachChildInNamedTupleMember(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type); }, [203]: forEachChildInObjectOrArrayBindingPattern, [204]: forEachChildInObjectOrArrayBindingPattern, [206]: function forEachChildInArrayLiteralExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [207]: function forEachChildInObjectLiteralExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.properties); }, [208]: function forEachChildInPropertyAccessExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.questionDotToken) || visitNode2(cbNode, node.name); }, [209]: function forEachChildInElementAccessExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.questionDotToken) || visitNode2(cbNode, node.argumentExpression); }, [210]: forEachChildInCallOrNewExpression, [211]: forEachChildInCallOrNewExpression, [212]: function forEachChildInTaggedTemplateExpression(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tag) || visitNode2(cbNode, node.questionDotToken) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNode2(cbNode, node.template); }, [213]: function forEachChildInTypeAssertionExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.type) || visitNode2(cbNode, node.expression); }, [214]: function forEachChildInParenthesizedExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [217]: function forEachChildInDeleteExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [218]: function forEachChildInTypeOfExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [219]: function forEachChildInVoidExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [221]: function forEachChildInPrefixUnaryExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.operand); }, [226]: function forEachChildInYieldExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.expression); }, [220]: function forEachChildInAwaitExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [222]: function forEachChildInPostfixUnaryExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.operand); }, [223]: function forEachChildInBinaryExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.operatorToken) || visitNode2(cbNode, node.right); }, [231]: function forEachChildInAsExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.type); }, [232]: function forEachChildInNonNullExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [235]: function forEachChildInSatisfiesExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.type); }, [233]: function forEachChildInMetaProperty(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [224]: 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); }, [227]: function forEachChildInSpreadElement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [238]: forEachChildInBlock, [265]: forEachChildInBlock, [308]: function forEachChildInSourceFile(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.statements) || visitNode2(cbNode, node.endOfFileToken); }, [240]: function forEachChildInVariableStatement(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.declarationList); }, [258]: function forEachChildInVariableDeclarationList(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.declarations); }, [241]: function forEachChildInExpressionStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [242]: function forEachChildInIfStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.thenStatement) || visitNode2(cbNode, node.elseStatement); }, [243]: function forEachChildInDoStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.statement) || visitNode2(cbNode, node.expression); }, [244]: function forEachChildInWhileStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [245]: function forEachChildInForStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.condition) || visitNode2(cbNode, node.incrementor) || visitNode2(cbNode, node.statement); }, [246]: function forEachChildInForInStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [247]: function forEachChildInForOfStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.awaitModifier) || visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [248]: forEachChildInContinueOrBreakStatement, [249]: forEachChildInContinueOrBreakStatement, [250]: function forEachChildInReturnStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [251]: function forEachChildInWithStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [252]: function forEachChildInSwitchStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.caseBlock); }, [266]: function forEachChildInCaseBlock(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.clauses); }, [292]: function forEachChildInCaseClause(node, cbNode, cbNodes) { return visitNode2(cbNode, node.expression) || visitNodes(cbNode, cbNodes, node.statements); }, [293]: function forEachChildInDefaultClause(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.statements); }, [253]: function forEachChildInLabeledStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.label) || visitNode2(cbNode, node.statement); }, [254]: function forEachChildInThrowStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [255]: function forEachChildInTryStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.tryBlock) || visitNode2(cbNode, node.catchClause) || visitNode2(cbNode, node.finallyBlock); }, [295]: function forEachChildInCatchClause(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.variableDeclaration) || visitNode2(cbNode, node.block); }, [167]: function forEachChildInDecorator(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [260]: forEachChildInClassDeclarationOrExpression, [228]: forEachChildInClassDeclarationOrExpression, [261]: 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); }, [262]: function forEachChildInTypeAliasDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNode2(cbNode, node.type); }, [263]: function forEachChildInEnumDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.members); }, [302]: function forEachChildInEnumMember(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer); }, [264]: function forEachChildInModuleDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.body); }, [268]: function forEachChildInImportEqualsDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.moduleReference); }, [269]: function forEachChildInImportDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.importClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.assertClause); }, [270]: function forEachChildInImportClause(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.namedBindings); }, [296]: function forEachChildInAssertClause(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [297]: function forEachChildInAssertEntry(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.value); }, [267]: function forEachChildInNamespaceExportDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name); }, [271]: function forEachChildInNamespaceImport(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [277]: function forEachChildInNamespaceExport(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [272]: forEachChildInNamedImportsOrExports, [276]: forEachChildInNamedImportsOrExports, [275]: function forEachChildInExportDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.exportClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.assertClause); }, [273]: forEachChildInImportOrExportSpecifier, [278]: forEachChildInImportOrExportSpecifier, [274]: function forEachChildInExportAssignment(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.expression); }, [225]: function forEachChildInTemplateExpression(node, cbNode, cbNodes) { return visitNode2(cbNode, node.head) || visitNodes(cbNode, cbNodes, node.templateSpans); }, [236]: function forEachChildInTemplateSpan(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.literal); }, [200]: function forEachChildInTemplateLiteralType(node, cbNode, cbNodes) { return visitNode2(cbNode, node.head) || visitNodes(cbNode, cbNodes, node.templateSpans); }, [201]: function forEachChildInTemplateLiteralTypeSpan(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.type) || visitNode2(cbNode, node.literal); }, [164]: function forEachChildInComputedPropertyName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [294]: function forEachChildInHeritageClause(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.types); }, [230]: function forEachChildInExpressionWithTypeArguments(node, cbNode, cbNodes) { return visitNode2(cbNode, node.expression) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [280]: function forEachChildInExternalModuleReference(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [279]: function forEachChildInMissingDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers); }, [357]: function forEachChildInCommaListExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [281]: function forEachChildInJsxElement(node, cbNode, cbNodes) { return visitNode2(cbNode, node.openingElement) || visitNodes(cbNode, cbNodes, node.children) || visitNode2(cbNode, node.closingElement); }, [285]: function forEachChildInJsxFragment(node, cbNode, cbNodes) { return visitNode2(cbNode, node.openingFragment) || visitNodes(cbNode, cbNodes, node.children) || visitNode2(cbNode, node.closingFragment); }, [282]: forEachChildInJsxOpeningOrSelfClosingElement, [283]: forEachChildInJsxOpeningOrSelfClosingElement, [289]: function forEachChildInJsxAttributes(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.properties); }, [288]: function forEachChildInJsxAttribute(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer); }, [290]: function forEachChildInJsxSpreadAttribute(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [291]: function forEachChildInJsxExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.expression); }, [284]: function forEachChildInJsxClosingElement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.tagName); }, [187]: forEachChildInOptionalRestOrJSDocParameterModifier, [188]: forEachChildInOptionalRestOrJSDocParameterModifier, [312]: forEachChildInOptionalRestOrJSDocParameterModifier, [318]: forEachChildInOptionalRestOrJSDocParameterModifier, [317]: forEachChildInOptionalRestOrJSDocParameterModifier, [319]: forEachChildInOptionalRestOrJSDocParameterModifier, [321]: forEachChildInOptionalRestOrJSDocParameterModifier, [320]: function forEachChildInJSDocFunctionType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); }, [323]: function forEachChildInJSDoc(node, cbNode, cbNodes) { return (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)) || visitNodes(cbNode, cbNodes, node.tags); }, [350]: 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)); }, [313]: function forEachChildInJSDocNameReference(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [314]: function forEachChildInJSDocMemberName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.right); }, [344]: forEachChildInJSDocParameterOrPropertyTag, [351]: forEachChildInJSDocParameterOrPropertyTag, [333]: function forEachChildInJSDocAuthorTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [332]: 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)); }, [331]: 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)); }, [348]: 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)); }, [349]: function forEachChildInJSDocTypedefTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || (node.typeExpression && node.typeExpression.kind === 312 ? 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))); }, [341]: 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)); }, [345]: forEachChildInJSDocTypeLikeTag, [347]: forEachChildInJSDocTypeLikeTag, [346]: forEachChildInJSDocTypeLikeTag, [343]: forEachChildInJSDocTypeLikeTag, [353]: forEachChildInJSDocTypeLikeTag, [352]: forEachChildInJSDocTypeLikeTag, [342]: forEachChildInJSDocTypeLikeTag, [326]: function forEachChildInJSDocSignature(node, cbNode, _cbNodes) { return forEach(node.typeParameters, cbNode) || forEach(node.parameters, cbNode) || visitNode2(cbNode, node.type); }, [327]: forEachChildInJSDocLinkCodeOrPlain, [328]: forEachChildInJSDocLinkCodeOrPlain, [329]: forEachChildInJSDocLinkCodeOrPlain, [325]: function forEachChildInJSDocTypeLiteral(node, cbNode, _cbNodes) { return forEach(node.jsDocPropertyTags, cbNode); }, [330]: forEachChildInJSDocTag, [335]: forEachChildInJSDocTag, [336]: forEachChildInJSDocTag, [337]: forEachChildInJSDocTag, [338]: forEachChildInJSDocTag, [339]: forEachChildInJSDocTag, [334]: forEachChildInJSDocTag, [340]: forEachChildInJSDocTag, [356]: forEachChildInPartiallyEmittedExpression }; ((Parser2) => { var scanner2 = createScanner(99, true); var disallowInAndDecoratorContext = 4096 | 16384; var NodeConstructor2; var TokenConstructor2; var IdentifierConstructor2; var PrivateIdentifierConstructor2; var SourceFileConstructor2; function countNode(node) { nodeCount++; return node; } var baseNodeFactory = { createBaseSourceFileNode: (kind) => countNode(new SourceFileConstructor2(kind, 0, 0)), createBaseIdentifierNode: (kind) => countNode(new IdentifierConstructor2(kind, 0, 0)), createBasePrivateIdentifierNode: (kind) => countNode(new PrivateIdentifierConstructor2(kind, 0, 0)), createBaseTokenNode: (kind) => countNode(new TokenConstructor2(kind, 0, 0)), createBaseNode: (kind) => countNode(new NodeConstructor2(kind, 0, 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) { var _a2; scriptKind2 = ensureScriptKind(fileName2, scriptKind2); if (scriptKind2 === 6) { const result2 = parseJsonText2(fileName2, sourceText2, languageVersion2, syntaxCursor2, setParentNodes); convertToObjectWorker(result2, (_a2 = result2.statements[0]) == null ? void 0 : _a2.expression, result2.parseDiagnostics, false, void 0, 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); const result = parseSourceFileWorker(languageVersion2, setParentNodes, scriptKind2, setExternalModuleIndicatorOverride || setExternalModuleIndicator); clearState(); return result; } Parser2.parseSourceFile = parseSourceFile; function parseIsolatedEntityName2(content, languageVersion2) { initializeState("", content, languageVersion2, void 0, 1); nextToken(); const entityName = parseEntityName(true); const isInvalid = token() === 1 && !parseDiagnostics.length; clearState(); return isInvalid ? entityName : void 0; } Parser2.parseIsolatedEntityName = parseIsolatedEntityName2; function parseJsonText2(fileName2, sourceText2, languageVersion2 = 2, syntaxCursor2, setParentNodes = false) { initializeState(fileName2, sourceText2, languageVersion2, syntaxCursor2, 6); 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 22: expression2 = parseArrayLiteralExpression(); break; case 110: case 95: case 104: expression2 = parseTokenNode(); break; case 40: if (lookAhead(() => nextToken() === 8 && nextToken() !== 58)) { expression2 = parsePrefixUnaryExpression(); } else { expression2 = parseObjectLiteralExpression(); } break; case 8: case 10: if (lookAhead(() => nextToken() !== 58)) { expression2 = parseLiteralNode(); break; } default: expression2 = parseObjectLiteralExpression(); break; } if (expressions && isArray(expressions)) { expressions.push(expression2); } else if (expressions) { expressions = [expressions, expression2]; } else { expressions = expression2; if (token() !== 1) { parseErrorAtCurrentToken(Diagnostics.Unexpected_token); } } } const expression = isArray(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, false, statements, endOfFileToken, sourceFlags, noop); 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) { 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 = 262144; break; case 6: contextFlags = 262144 | 67108864; break; default: contextFlags = 0; break; } parseErrorBeforeNextFinishedNode = false; scanner2.setText(sourceText); scanner2.setOnError(scanError); scanner2.setScriptTarget(languageVersion); scanner2.setLanguageVariant(languageVariant); } function clearState() { scanner2.clearCommentDirectives(); scanner2.setText(""); scanner2.setOnError(void 0); 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) { const isDeclarationFile = isDeclarationFileName(fileName); if (isDeclarationFile) { contextFlags |= 16777216; } sourceFlags = contextFlags; nextToken(); const statements = parseList(0, parseStatement); Debug.assert(token() === 1); const endOfFileToken = addJSDocComment(parseTokenNode()); 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); if (jsDocDiagnostics) { sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile); } if (setParentNodes) { fixupParentReferences(sourceFile); } return sourceFile; function reportPragmaDiagnostic(pos, end, diagnostic) { parseDiagnostics.push(createDetachedDiagnostic(fileName, pos, end, diagnostic)); } } function withJSDoc(node, hasJSDoc) { return hasJSDoc ? addJSDocComment(node) : node; } let hasDeprecatedTag = false; function addJSDocComment(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 |= 268435456; } 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 |= 32768; scanner2.setTextPos(nextStatement.pos); nextToken(); while (token() !== 1) { const startPos = scanner2.getStartPos(); const statement = parseListElement(0, parseStatement); statements.push(statement); if (startPos === scanner2.getStartPos()) { 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); 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 & 32768) && !!(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)) { node.intersectsChange = true; } return node; } } function fixupParentReferences(rootNode) { setParentRecursive(rootNode, 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) { sourceFile = reparseTopLevelAwait(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, 4096); } function setYieldContext(val) { setContextFlag(val, 8192); } function setDecoratorContext(val) { setContextFlag(val, 16384); } function setAwaitContext(val) { setContextFlag(val, 32768); } function doOutsideOfContext(context, func) { const contextFlagsToClear = context & contextFlags; if (contextFlagsToClear) { setContextFlag(false, contextFlagsToClear); const result = func(); setContextFlag(true, contextFlagsToClear); return result; } return func(); } function doInsideOfContext(context, func) { const contextFlagsToSet = context & ~contextFlags; if (contextFlagsToSet) { setContextFlag(true, contextFlagsToSet); const result = func(); setContextFlag(false, contextFlagsToSet); return result; } return func(); } function allowInAnd(func) { return doOutsideOfContext(4096, func); } function disallowInAnd(func) { return doInsideOfContext(4096, func); } function allowConditionalTypesAnd(func) { return doOutsideOfContext(65536, func); } function disallowConditionalTypesAnd(func) { return doInsideOfContext(65536, func); } function doInYieldContext(func) { return doInsideOfContext(8192, func); } function doInDecoratorContext(func) { return doInsideOfContext(16384, func); } function doInAwaitContext(func) { return doInsideOfContext(32768, func); } function doOutsideOfAwaitContext(func) { return doOutsideOfContext(32768, func); } function doInYieldAndAwaitContext(func) { return doInsideOfContext(8192 | 32768, func); } function doOutsideOfYieldAndAwaitContext(func) { return doOutsideOfContext(8192 | 32768, func); } function inContext(flags) { return (contextFlags & flags) !== 0; } function inYieldContext() { return inContext(8192); } function inDisallowInContext() { return inContext(4096); } function inDisallowConditionalTypesContext() { return inContext(65536); } function inDecoratorContext() { return inContext(16384); } function inAwaitContext() { return inContext(32768); } function parseErrorAtCurrentToken(message, arg0) { return parseErrorAt(scanner2.getTokenPos(), scanner2.getTextPos(), message, arg0); } function parseErrorAtPosition(start, length2, message, arg0) { const lastError = lastOrUndefined(parseDiagnostics); let result; if (!lastError || start !== lastError.start) { result = createDetachedDiagnostic(fileName, start, length2, message, arg0); parseDiagnostics.push(result); } parseErrorBeforeNextFinishedNode = true; return result; } function parseErrorAt(start, end, message, arg0) { return parseErrorAtPosition(start, end - start, message, arg0); } function parseErrorAtRange(range, message, arg0) { parseErrorAt(range.pos, range.end, message, arg0); } function scanError(message, length2) { parseErrorAtPosition(scanner2.getTextPos(), length2, message); } function getNodePos() { return scanner2.getStartPos(); } function hasPrecedingJSDocComment() { return scanner2.hasPrecedingJSDocComment(); } function token() { return currentToken; } function nextTokenWithoutCheck() { return currentToken = scanner2.scan(); } function nextTokenAnd(func) { nextToken(); return func(); } function nextToken() { if (isKeyword(currentToken) && (scanner2.hasUnicodeEscape() || scanner2.hasExtendedUnicodeEscape())) { parseErrorAt(scanner2.getTokenPos(), scanner2.getTextPos(), Diagnostics.Keywords_cannot_contain_escape_characters); } return nextTokenWithoutCheck(); } function nextTokenJSDoc() { return currentToken = scanner2.scanJsDocToken(); } function reScanGreaterToken() { return currentToken = scanner2.reScanGreaterToken(); } function reScanSlashToken() { return currentToken = scanner2.reScanSlashToken(); } function reScanTemplateToken(isTaggedTemplate) { return currentToken = scanner2.reScanTemplateToken(isTaggedTemplate); } function reScanTemplateHeadOrNoSubstitutionTemplate() { return currentToken = scanner2.reScanTemplateHeadOrNoSubstitutionTemplate(); } 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); } function tryParse(callback) { return speculationHelper(callback, 0); } function isBindingIdentifier() { if (token() === 79) { return true; } return token() > 116; } function isIdentifier2() { if (token() === 79) { return true; } if (token() === 125 && inYieldContext()) { return false; } if (token() === 133 && inAwaitContext()) { return false; } return token() > 116; } 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) { var _a2; 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(26)); 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, 18); return; case "is": parseErrorAt(pos, scanner2.getTextPos(), 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, 18); return; case "type": parseErrorForInvalidName(Diagnostics.Type_alias_name_cannot_be_0, Diagnostics.Type_alias_must_be_given_a_name, 63); return; } const suggestion = (_a2 = getSpellingSuggestion(expressionText, viableKeywordSuggestions, (n) => n)) != null ? _a2 : 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 && startsWith(expressionText, keyword)) { return `${keyword} ${expressionText.slice(keyword.length)}`; } } return void 0; } function parseSemicolonAfterPropertyName(name, type, initializer) { if (token() === 59 && !scanner2.hasPrecedingLineBreak()) { parseErrorAtCurrentToken(Diagnostics.Decorators_must_precede_the_name_and_all_keywords_of_property_declarations); return; } if (token() === 20) { parseErrorAtCurrentToken(Diagnostics.Cannot_start_a_function_call_in_a_type_annotation); nextToken(); return; } if (type && !canParseSemicolon()) { if (initializer) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(26)); } else { parseErrorAtCurrentToken(Diagnostics.Expected_for_property_initializer); } return; } if (tryParseSemicolon()) { return; } if (initializer) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(26)); return; } parseErrorForMissingSemicolonAfter(name); } function parseExpectedJSDoc(kind) { if (token() === kind) { nextTokenJSDoc(); return true; } 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, 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, false, diagnosticMessage || Diagnostics._0_expected, arg0 || tokenToString(t)); } function parseExpectedTokenJSDoc(t) { return parseOptionalTokenJSDoc(t) || createMissingNode(t, 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() === 26) { return true; } return token() === 19 || token() === 1 || scanner2.hasPrecedingLineBreak(); } function tryParseSemicolon() { if (!canParseSemicolon()) { return false; } if (token() === 26) { nextToken(); } return true; } function parseSemicolon() { return tryParseSemicolon() || parseExpected(26); } function createNodeArray(elements, pos, end, hasTrailingComma) { const array = factoryCreateNodeArray(elements, hasTrailingComma); setTextRangePosEnd(array, pos, end != null ? end : scanner2.getStartPos()); return array; } function finishNode(node, pos, end) { setTextRangePosEnd(node, pos, end != null ? end : scanner2.getStartPos()); if (contextFlags) { node.flags |= contextFlags; } if (parseErrorBeforeNextFinishedNode) { parseErrorBeforeNextFinishedNode = false; node.flags |= 131072; } return node; } function createMissingNode(kind, reportAtCurrentPosition, diagnosticMessage, arg0) { if (reportAtCurrentPosition) { parseErrorAtPosition(scanner2.getStartPos(), 0, diagnosticMessage, arg0); } else if (diagnosticMessage) { parseErrorAtCurrentToken(diagnosticMessage, arg0); } const pos = getNodePos(); const result = kind === 79 ? factoryCreateIdentifier("", void 0) : isTemplateLiteralKind(kind) ? factory2.createTemplateLiteralLikeNode(kind, "", "", void 0) : kind === 8 ? factoryCreateNumericLiteral("", void 0) : kind === 10 ? factoryCreateStringLiteral("", void 0) : kind === 279 ? 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() === 80) { parseErrorAtCurrentToken(privateIdentifierDiagnosticMessage || Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); return createIdentifier(true); } if (token() === 0 && scanner2.tryScan(() => scanner2.reScanInvalidIdentifier() === 79)) { return createIdentifier(true); } identifierCount++; const reportAtCurrentPosition = token() === 1; const isReservedWord = scanner2.isReservedWord(); const msgArg = scanner2.getTokenText(); const defaultMessage = isReservedWord ? Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here : Diagnostics.Identifier_expected; return createMissingNode(79, reportAtCurrentPosition, diagnosticMessage || defaultMessage, msgArg); } function parseBindingIdentifier(privateIdentifierDiagnosticMessage) { return createIdentifier(isBindingIdentifier(), void 0, privateIdentifierDiagnosticMessage); } function parseIdentifier(diagnosticMessage, privateIdentifierDiagnosticMessage) { return createIdentifier(isIdentifier2(), diagnosticMessage, privateIdentifierDiagnosticMessage); } function parseIdentifierName(diagnosticMessage) { return createIdentifier(tokenIsIdentifierOrKeyword(token()), diagnosticMessage); } function isLiteralPropertyName() { return tokenIsIdentifierOrKeyword(token()) || token() === 10 || token() === 8; } function isAssertionKey2() { return tokenIsIdentifierOrKeyword(token()) || token() === 10; } function parsePropertyNameWorker(allowComputedPropertyNames) { if (token() === 10 || token() === 8) { const node = parseLiteralNode(); node.text = internIdentifier(node.text); return node; } if (allowComputedPropertyNames && token() === 22) { return parseComputedPropertyName(); } if (token() === 80) { return parsePrivateIdentifier(); } return parseIdentifierName(); } function parsePropertyName() { return parsePropertyNameWorker(true); } function parseComputedPropertyName() { const pos = getNodePos(); parseExpected(22); const expression = allowInAnd(parseExpression); parseExpected(23); 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 85: return nextToken() === 92; case 93: nextToken(); if (token() === 88) { return lookAhead(nextTokenCanFollowDefaultKeyword); } if (token() === 154) { return lookAhead(nextTokenCanFollowExportModifier); } return canFollowExportModifier(); case 88: return nextTokenCanFollowDefaultKeyword(); case 124: case 137: case 151: nextToken(); return canFollowModifier(); default: return nextTokenIsOnSameLineAndCanFollowModifier(); } } function canFollowExportModifier() { return token() === 59 || token() !== 41 && token() !== 128 && token() !== 18 && canFollowModifier(); } function nextTokenCanFollowExportModifier() { nextToken(); return canFollowExportModifier(); } function parseAnyContextualModifier() { return isModifierKind(token()) && tryParse(nextTokenCanFollowModifier); } function canFollowModifier() { return token() === 22 || token() === 18 || token() === 41 || token() === 25 || isLiteralPropertyName(); } function nextTokenCanFollowDefaultKeyword() { nextToken(); return token() === 84 || token() === 98 || token() === 118 || token() === 59 || token() === 126 && lookAhead(nextTokenIsClassKeywordOnSameLine) || token() === 132 && lookAhead(nextTokenIsFunctionKeywordOnSameLine); } function isListElement2(parsingContext2, inErrorRecovery) { const node = currentNode(parsingContext2); if (node) { return true; } switch (parsingContext2) { case 0: case 1: case 3: return !(token() === 26 && inErrorRecovery) && isStartOfStatement(); case 2: return token() === 82 || token() === 88; case 4: return lookAhead(isTypeMemberStart); case 5: return lookAhead(isClassMemberStart) || token() === 26 && !inErrorRecovery; case 6: return token() === 22 || isLiteralPropertyName(); case 12: switch (token()) { case 22: case 41: case 25: case 24: return true; default: return isLiteralPropertyName(); } case 18: return isLiteralPropertyName(); case 9: return token() === 22 || token() === 25 || isLiteralPropertyName(); case 24: return isAssertionKey2(); case 7: if (token() === 18) { return lookAhead(isValidHeritageClauseObjectLiteral); } if (!inErrorRecovery) { return isStartOfLeftHandSideExpression() && !isHeritageClauseExtendsOrImplementsKeyword(); } else { return isIdentifier2() && !isHeritageClauseExtendsOrImplementsKeyword(); } case 8: return isBindingIdentifierOrPrivateIdentifierOrPattern(); case 10: return token() === 27 || token() === 25 || isBindingIdentifierOrPrivateIdentifierOrPattern(); case 19: return token() === 101 || token() === 85 || isIdentifier2(); case 15: switch (token()) { case 27: case 24: return true; } case 11: return token() === 25 || isStartOfExpression(); case 16: return isStartOfParameter(false); case 17: return isStartOfParameter(true); case 20: case 21: return token() === 27 || isStartOfType(); case 22: return isHeritageClause2(); case 23: return tokenIsIdentifierOrKeyword(token()); case 13: return tokenIsIdentifierOrKeyword(token()) || token() === 18; case 14: return true; } return Debug.fail("Non-exhaustive case in "isListElement"."); } function isValidHeritageClauseObjectLiteral() { Debug.assert(token() === 18); if (nextToken() === 19) { const next = nextToken(); return next === 27 || next === 18 || next === 94 || next === 117; } return true; } function nextTokenIsIdentifier() { nextToken(); return isIdentifier2(); } function nextTokenIsIdentifierOrKeyword() { nextToken(); return tokenIsIdentifierOrKeyword(token()); } function nextTokenIsIdentifierOrKeywordOrGreaterThan() { nextToken(); return tokenIsIdentifierOrKeywordOrGreaterThan(token()); } function isHeritageClauseExtendsOrImplementsKeyword() { if (token() === 117 || token() === 94) { 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() === 19; case 3: return token() === 19 || token() === 82 || token() === 88; case 7: return token() === 18 || token() === 94 || token() === 117; case 8: return isVariableDeclaratorListTerminator(); case 19: return token() === 31 || token() === 20 || token() === 18 || token() === 94 || token() === 117; case 11: return token() === 21 || token() === 26; case 15: case 21: case 10: return token() === 23; case 17: case 16: case 18: return token() === 21 || token() === 23; case 20: return token() !== 27; case 22: return token() === 18 || token() === 19; case 13: return token() === 31 || token() === 43; case 14: return token() === 29 && lookAhead(nextTokenIsSlash); default: return false; } } function isVariableDeclaratorListTerminator() { if (canParseSemicolon()) { return true; } if (isInOrOfKeyword(token())) { return true; } if (token() === 38) { return true; } return false; } function isInSomeParsingContext() { for (let kind = 0; kind < 25; kind++) { if (parsingContext & 1 << kind) { if (isListElement2(kind, 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, 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 _a2; if (!syntaxCursor || !isReusableParsingContext(parsingContext2) || parseErrorBeforeNextFinishedNode) { return void 0; } const node = syntaxCursor.currentNode(pos != null ? pos : scanner2.getStartPos()); if (nodeIsMissing(node) || node.intersectsChange || containsParseError(node)) { return void 0; } const nodeContextFlags = node.flags & 50720768; if (nodeContextFlags !== contextFlags) { return void 0; } if (!canReuseNode(node, parsingContext2)) { return void 0; } if (canHaveJSDoc(node) && ((_a2 = node.jsDoc) == null ? void 0 : _a2.jsDocCache)) { node.jsDoc.jsDocCache = void 0; } return node; } function consumeNode(node) { scanner2.setTextPos(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 173: case 178: case 174: case 175: case 169: case 237: return true; case 171: const methodDeclaration = node; const nameIsConstructor = methodDeclaration.name.kind === 79 && methodDeclaration.name.escapedText === "constructor"; return !nameIsConstructor; } } return false; } function isReusableSwitchClause(node) { if (node) { switch (node.kind) { case 292: case 293: return true; } } return false; } function isReusableStatement(node) { if (node) { switch (node.kind) { case 259: case 240: case 238: case 242: case 241: case 254: case 250: case 252: case 249: case 248: case 246: case 247: case 245: case 244: case 251: case 239: case 255: case 253: case 243: case 256: case 269: case 268: case 275: case 274: case 264: case 260: case 261: case 263: case 262: return true; } } return false; } function isReusableEnumMember(node) { return node.kind === 302; } function isReusableTypeMember(node) { if (node) { switch (node.kind) { case 177: case 170: case 178: case 168: case 176: return true; } } return false; } function isReusableVariableDeclaration(node) { if (node.kind !== 257) { return false; } const variableDeclarator = node; return variableDeclarator.initializer === void 0; } function isReusableParameter(node) { if (node.kind !== 166) { 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() === 88 ? parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(93)) : 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 isKeyword(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 isKeyword(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: 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 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, false)) { const startPos = scanner2.getStartPos(); const result = parseListElement(kind, parseElement); if (!result) { parsingContext = saveParsingContext; return void 0; } list.push(result); commaStart = scanner2.getTokenPos(); if (parseOptional(27)) { continue; } commaStart = -1; if (isListTerminator(kind)) { break; } parseExpected(27, getExpectedCommaDiagnostic(kind)); if (considerSemicolonAsDelimiter && token() === 26 && !scanner2.hasPrecedingLineBreak()) { nextToken(); } if (startPos === scanner2.getStartPos()) { nextToken(); } continue; } if (isListTerminator(kind)) { break; } if (abortParsingListOrMoveToNextToken(kind)) { break; } } parsingContext = saveParsingContext; return createNodeArray(list, listPos, 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(24)) { if (token() === 29) { break; } entity = finishNode(factory2.createQualifiedName(entity, parseRightSideOfDot(allowReservedWords, false)), pos); } return entity; } function createQualifiedName(entity, name) { return finishNode(factory2.createQualifiedName(entity, name), entity.pos); } function parseRightSideOfDot(allowIdentifierNames, allowPrivateIdentifiers) { if (scanner2.hasPrecedingLineBreak() && tokenIsIdentifierOrKeyword(token())) { const matchesPattern = lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine); if (matchesPattern) { return createMissingNode(79, true, Diagnostics.Identifier_expected); } } if (token() === 80) { const node = parsePrivateIdentifier(); return allowPrivateIdentifiers ? node : createMissingNode(79, true, Diagnostics.Identifier_expected); } return allowIdentifierNames ? parseIdentifierName() : parseIdentifier(); } function parseTemplateSpans(isTaggedTemplate) { const pos = getNodePos(); const list = []; let node; do { node = parseTemplateSpan(isTaggedTemplate); list.push(node); } while (node.literal.kind === 16); 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(false), parseTemplateTypeSpans()), pos); } function parseTemplateTypeSpans() { const pos = getNodePos(); const list = []; let node; do { node = parseTemplateTypeSpan(); list.push(node); } while (node.literal.kind === 16); return createNodeArray(list, pos); } function parseTemplateTypeSpan() { const pos = getNodePos(); return finishNode(factory2.createTemplateLiteralTypeSpan(parseType(), parseLiteralOfTemplateSpan(false)), pos); } function parseLiteralOfTemplateSpan(isTaggedTemplate) { if (token() === 19) { reScanTemplateToken(isTaggedTemplate); return parseTemplateMiddleOrTemplateTail(); } else { return parseExpectedToken(17, Diagnostics._0_expected, tokenToString(19)); } } 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) { reScanTemplateHeadOrNoSubstitutionTemplate(); } const fragment = parseLiteralLikeNode(token()); Debug.assert(fragment.kind === 15, "Template head has wrong token kind"); return fragment; } function parseTemplateMiddleOrTemplateTail() { const fragment = parseLiteralLikeNode(token()); Debug.assert(fragment.kind === 16 || fragment.kind === 17, "Template fragment has wrong token kind"); return fragment; } function getTemplateLiteralRawText(kind) { const isLast = kind === 14 || kind === 17; 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() & 2048) : kind === 8 ? factoryCreateNumericLiteral(scanner2.getTokenValue(), scanner2.getNumericLiteralFlags()) : kind === 10 ? factoryCreateStringLiteral(scanner2.getTokenValue(), 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(true, Diagnostics.Type_expected); } function parseTypeArgumentsOfTypeReference() { if (!scanner2.hasPrecedingLineBreak() && reScanLessThanToken() === 29) { return parseBracketedList(20, parseType, 29, 31); } } function parseTypeReference() { const pos = getNodePos(); return finishNode(factory2.createTypeReferenceNode(parseEntityNameOfTypeReference(), parseTypeArgumentsOfTypeReference()), pos); } function typeHasArrowFunctionBlockingParseError(node) { switch (node.kind) { case 180: return nodeIsMissing(node.typeName); case 181: case 182: { const { parameters, type } = node; return isMissingList(parameters) || typeHasArrowFunctionBlockingParseError(type); } case 193: return typeHasArrowFunctionBlockingParseError(node.type); default: return false; } } function parseThisTypePredicate(lhs) { nextToken(); return finishNode(factory2.createTypePredicateNode(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(), false), pos); } function parseJSDocUnknownOrNullableType() { const pos = getNodePos(); nextToken(); if (token() === 27 || token() === 19 || token() === 21 || token() === 31 || token() === 63 || token() === 51) { return finishNode(factory2.createJSDocUnknownType(), pos); } else { return finishNode(factory2.createJSDocNullableType(parseType(), false), pos); } } function parseJSDocFunctionType() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (lookAhead(nextTokenIsOpenParen)) { nextToken(); const parameters = parseParameters(4 | 32); const type = parseReturnType(58, false); return withJSDoc(finishNode(factory2.createJSDocFunctionType(parameters, type), pos), hasJSDoc); } return finishNode(factory2.createTypeReferenceNode(parseIdentifierName(), void 0), pos); } function parseJSDocParameter() { const pos = getNodePos(); let name; if (token() === 108 || token() === 103) { name = parseIdentifierName(); parseExpected(58); } return finishNode(factory2.createParameterDeclaration(void 0, void 0, name, void 0, parseJSDocType(), void 0), pos); } function parseJSDocType() { scanner2.setInJSDocType(true); const pos = getNodePos(); if (parseOptional(142)) { const moduleTag = factory2.createJSDocNamepathType(void 0); terminate: while (true) { switch (token()) { case 19: case 1: case 27: case 5: break terminate; default: nextTokenJSDoc(); } } scanner2.setInJSDocType(false); return finishNode(moduleTag, pos); } const hasDotDotDot = parseOptional(25); let type = parseTypeOrTypePredicate(); scanner2.setInJSDocType(false); if (hasDotDotDot) { type = finishNode(factory2.createJSDocVariadicType(type), pos); } if (token() === 63) { nextToken(); return finishNode(factory2.createJSDocOptionalType(type), pos); } return type; } function parseTypeQuery() { const pos = getNodePos(); parseExpected(112); const entityName = parseEntityName(true); const typeArguments = !scanner2.hasPrecedingLineBreak() ? tryParseTypeArguments() : void 0; return finishNode(factory2.createTypeQueryNode(entityName, typeArguments), pos); } function parseTypeParameter() { const pos = getNodePos(); const modifiers = parseModifiers(false, true); const name = parseIdentifier(); let constraint; let expression; if (parseOptional(94)) { if (isStartOfType() || !isStartOfExpression()) { constraint = parseType(); } else { expression = parseUnaryExpressionOrHigher(); } } const defaultType = parseOptional(63) ? parseType() : void 0; const node = factory2.createTypeParameterDeclaration(modifiers, name, constraint, defaultType); node.expression = expression; return finishNode(node, pos); } function parseTypeParameters() { if (token() === 29) { return parseBracketedList(19, parseTypeParameter, 29, 31); } } function isStartOfParameter(isJSDocParameter) { return token() === 25 || isBindingIdentifierOrPrivateIdentifierOrPattern() || isModifierKind(token()) || token() === 59 || isStartOfType(!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() === 22 || token() === 18; } function parseParameter(inOuterAwaitContext) { return parseParameterWorker(inOuterAwaitContext); } function parseParameterForSpeculation(inOuterAwaitContext) { return parseParameterWorker(inOuterAwaitContext, false); } function parseParameterWorker(inOuterAwaitContext, allowAmbiguity = true) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = inOuterAwaitContext ? doInAwaitContext(() => parseModifiers(true)) : doOutsideOfAwaitContext(() => parseModifiers(true)); if (token() === 108) { const node2 = factory2.createParameterDeclaration(modifiers, void 0, createIdentifier(true), void 0, parseTypeAnnotation(), 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(25); if (!allowAmbiguity && !isParameterNameStart()) { return void 0; } const node = withJSDoc(finishNode(factory2.createParameterDeclaration(modifiers, dotDotDotToken, parseNameOfParameter(modifiers), parseOptionalToken(57), 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 === 38) { parseExpected(returnToken); return true; } else if (parseOptional(58)) { return true; } else if (isType && token() === 38) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(58)); 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(20)) { return createMissingList(); } const parameters = parseParametersWorker(flags, true); parseExpected(21); return parameters; } function parseTypeMemberSemicolon() { if (parseOptional(27)) { return; } parseSemicolon(); } function parseSignatureMember(kind) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (kind === 177) { parseExpected(103); } const typeParameters = parseTypeParameters(); const parameters = parseParameters(4); const type = parseReturnType(58, true); parseTypeMemberSemicolon(); const node = kind === 176 ? factory2.createCallSignature(typeParameters, parameters, type) : factory2.createConstructSignature(typeParameters, parameters, type); return withJSDoc(finishNode(node, pos), hasJSDoc); } function isIndexSignature() { return token() === 22 && lookAhead(isUnambiguouslyIndexSignature); } function isUnambiguouslyIndexSignature() { nextToken(); if (token() === 25 || token() === 23) { return true; } if (isModifierKind(token())) { nextToken(); if (isIdentifier2()) { return true; } } else if (!isIdentifier2()) { return false; } else { nextToken(); } if (token() === 58 || token() === 27) { return true; } if (token() !== 57) { return false; } nextToken(); return token() === 58 || token() === 27 || token() === 23; } function parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers) { const parameters = parseBracketedList(16, () => parseParameter(false), 22, 23); 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(57); let node; if (token() === 20 || token() === 29) { const typeParameters = parseTypeParameters(); const parameters = parseParameters(4); const type = parseReturnType(58, true); node = factory2.createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type); } else { const type = parseTypeAnnotation(); node = factory2.createPropertySignature(modifiers, name, questionToken, type); if (token() === 63) node.initializer = parseInitializer(); } parseTypeMemberSemicolon(); return withJSDoc(finishNode(node, pos), hasJSDoc); } function isTypeMemberStart() { if (token() === 20 || token() === 29 || token() === 137 || token() === 151) { return true; } let idToken = false; while (isModifierKind(token())) { idToken = true; nextToken(); } if (token() === 22) { return true; } if (isLiteralPropertyName()) { idToken = true; nextToken(); } if (idToken) { return token() === 20 || token() === 29 || token() === 57 || token() === 58 || token() === 27 || canParseSemicolon(); } return false; } function parseTypeMember() { if (token() === 20 || token() === 29) { return parseSignatureMember(176); } if (token() === 103 && lookAhead(nextTokenIsOpenParenOrLessThan)) { return parseSignatureMember(177); } const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers(false); if (parseContextualModifier(137)) { return parseAccessorDeclaration(pos, hasJSDoc, modifiers, 174, 4); } if (parseContextualModifier(151)) { return parseAccessorDeclaration(pos, hasJSDoc, modifiers, 175, 4); } if (isIndexSignature()) { return parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers); } return parsePropertyOrMethodSignature(pos, hasJSDoc, modifiers); } function nextTokenIsOpenParenOrLessThan() { nextToken(); return token() === 20 || token() === 29; } function nextTokenIsDot() { return nextToken() === 24; } function nextTokenIsOpenParenOrLessThanOrDot() { switch (nextToken()) { case 20: case 29: case 24: return true; } return false; } function parseTypeLiteral() { const pos = getNodePos(); return finishNode(factory2.createTypeLiteralNode(parseObjectTypeMembers()), pos); } function parseObjectTypeMembers() { let members; if (parseExpected(18)) { members = parseList(4, parseTypeMember); parseExpected(19); } else { members = createMissingList(); } return members; } function isStartOfMappedType() { nextToken(); if (token() === 39 || token() === 40) { return nextToken() === 146; } if (token() === 146) { nextToken(); } return token() === 22 && nextTokenIsIdentifier() && nextToken() === 101; } function parseMappedTypeParameter() { const pos = getNodePos(); const name = parseIdentifierName(); parseExpected(101); const type = parseType(); return finishNode(factory2.createTypeParameterDeclaration(void 0, name, type, void 0), pos); } function parseMappedType() { const pos = getNodePos(); parseExpected(18); let readonlyToken; if (token() === 146 || token() === 39 || token() === 40) { readonlyToken = parseTokenNode(); if (readonlyToken.kind !== 146) { parseExpected(146); } } parseExpected(22); const typeParameter = parseMappedTypeParameter(); const nameType = parseOptional(128) ? parseType() : void 0; parseExpected(23); let questionToken; if (token() === 57 || token() === 39 || token() === 40) { questionToken = parseTokenNode(); if (questionToken.kind !== 57) { parseExpected(57); } } const type = parseTypeAnnotation(); parseSemicolon(); const members = parseList(4, parseTypeMember); parseExpected(19); return finishNode(factory2.createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members), pos); } function parseTupleElementType() { const pos = getNodePos(); if (parseOptional(25)) { 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() === 58 || token() === 57 && nextToken() === 58; } function isTupleElementName() { if (token() === 25) { return tokenIsIdentifierOrKeyword(nextToken()) && isNextTokenColonOrQuestionColon(); } return tokenIsIdentifierOrKeyword(token()) && isNextTokenColonOrQuestionColon(); } function parseTupleElementNameOrTupleElementType() { if (lookAhead(isTupleElementName)) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const dotDotDotToken = parseOptionalToken(25); const name = parseIdentifierName(); const questionToken = parseOptionalToken(57); parseExpected(58); 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, 22, 23)), pos); } function parseParenthesizedType() { const pos = getNodePos(); parseExpected(20); const type = parseType(); parseExpected(21); return finishNode(factory2.createParenthesizedType(type), pos); } function parseModifiersForConstructorType() { let modifiers; if (token() === 126) { const pos = getNodePos(); nextToken(); const modifier = finishNode(factoryCreateToken(126), pos); modifiers = createNodeArray([modifier], pos); } return modifiers; } function parseFunctionOrConstructorType() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiersForConstructorType(); const isConstructorType = parseOptional(103); Debug.assert(!modifiers || isConstructorType, "Per isStartOfFunctionOrConstructorType, a function type cannot have modifiers."); const typeParameters = parseTypeParameters(); const parameters = parseParameters(4); const type = parseReturnType(38, 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() === 24 ? void 0 : node; } function parseLiteralTypeNode(negative) { const pos = getNodePos(); if (negative) { nextToken(); } let expression = token() === 110 || token() === 95 || token() === 104 ? parseTokenNode() : parseLiteralLikeNode(token()); if (negative) { expression = finishNode(factory2.createPrefixUnaryExpression(40, expression), pos); } return finishNode(factory2.createLiteralTypeNode(expression), pos); } function isStartOfTypeOfImportType() { nextToken(); return token() === 100; } function parseImportTypeAssertions() { const pos = getNodePos(); const openBracePosition = scanner2.getTokenPos(); parseExpected(18); const multiLine = scanner2.hasPrecedingLineBreak(); parseExpected(130); parseExpected(58); const clause = parseAssertClause(true); if (!parseExpected(19)) { const lastError = lastOrUndefined(parseDiagnostics); if (lastError && lastError.code === Diagnostics._0_expected.code) { addRelatedInfo(lastError, createDetachedDiagnostic(fileName, openBracePosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, "{", "}")); } } return finishNode(factory2.createImportTypeAssertionContainer(clause, multiLine), pos); } function parseImportType() { sourceFlags |= 2097152; const pos = getNodePos(); const isTypeOf = parseOptional(112); parseExpected(100); parseExpected(20); const type = parseType(); let assertions; if (parseOptional(27)) { assertions = parseImportTypeAssertions(); } parseExpected(21); const qualifier = parseOptional(24) ? parseEntityNameOfTypeReference() : void 0; const typeArguments = parseTypeArgumentsOfTypeReference(); return finishNode(factory2.createImportTypeNode(type, assertions, qualifier, typeArguments, isTypeOf), pos); } function nextTokenIsNumericOrBigIntLiteral() { nextToken(); return token() === 8 || token() === 9; } function parseNonArrayType() { switch (token()) { case 131: case 157: case 152: case 148: case 160: case 153: case 134: case 155: case 144: case 149: return tryParse(parseKeywordAndNoDot) || parseTypeReference(); case 66: scanner2.reScanAsteriskEqualsToken(); case 41: return parseJSDocAllType(); case 60: scanner2.reScanQuestionToken(); case 57: return parseJSDocUnknownOrNullableType(); case 98: return parseJSDocFunctionType(); case 53: return parseJSDocNonNullableType(); case 14: case 10: case 8: case 9: case 110: case 95: case 104: return parseLiteralTypeNode(); case 40: return lookAhead(nextTokenIsNumericOrBigIntLiteral) ? parseLiteralTypeNode(true) : parseTypeReference(); case 114: return parseTokenNode(); case 108: { const thisKeyword = parseThisTypeNode(); if (token() === 140 && !scanner2.hasPrecedingLineBreak()) { return parseThisTypePredicate(thisKeyword); } else { return thisKeyword; } } case 112: return lookAhead(isStartOfTypeOfImportType) ? parseImportType() : parseTypeQuery(); case 18: return lookAhead(isStartOfMappedType) ? parseMappedType() : parseTypeLiteral(); case 22: return parseTupleType(); case 20: return parseParenthesizedType(); case 100: return parseImportType(); case 129: return lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine) ? parseAssertsTypePredicate() : parseTypeReference(); case 15: return parseTemplateType(); default: return parseTypeReference(); } } function isStartOfType(inStartOfParameter) { switch (token()) { case 131: case 157: case 152: case 148: case 160: case 134: case 146: case 153: case 156: case 114: case 155: case 104: case 108: case 112: case 144: case 18: case 22: case 29: case 51: case 50: case 103: case 10: case 8: case 9: case 110: case 95: case 149: case 41: case 57: case 53: case 25: case 138: case 100: case 129: case 14: case 15: return true; case 98: return !inStartOfParameter; case 40: return !inStartOfParameter && lookAhead(nextTokenIsNumericOrBigIntLiteral); case 20: return !inStartOfParameter && lookAhead(isStartOfParenthesizedOrFunctionType); default: return isIdentifier2(); } } function isStartOfParenthesizedOrFunctionType() { nextToken(); return token() === 21 || isStartOfParameter(false) || isStartOfType(); } function parsePostfixTypeOrHigher() { const pos = getNodePos(); let type = parseNonArrayType(); while (!scanner2.hasPrecedingLineBreak()) { switch (token()) { case 53: nextToken(); type = finishNode(factory2.createJSDocNonNullableType(type, true), pos); break; case 57: if (lookAhead(nextTokenIsStartOfType)) { return type; } nextToken(); type = finishNode(factory2.createJSDocNullableType(type, true), pos); break; case 22: parseExpected(22); if (isStartOfType()) { const indexType = parseType(); parseExpected(23); type = finishNode(factory2.createIndexedAccessTypeNode(type, indexType), pos); } else { parseExpected(23); 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(94)) { const constraint = disallowConditionalTypesAnd(parseType); if (inDisallowConditionalTypesContext() || token() !== 57) { return constraint; } } } function parseTypeParameterOfInferType() { const pos = getNodePos(); const name = parseIdentifier(); const constraint = tryParse(tryParseConstraintOfInferType); const node = factory2.createTypeParameterDeclaration(void 0, name, constraint); return finishNode(node, pos); } function parseInferType() { const pos = getNodePos(); parseExpected(138); return finishNode(factory2.createInferTypeNode(parseTypeParameterOfInferType()), pos); } function parseTypeOperatorOrHigher() { const operator = token(); switch (operator) { case 141: case 156: case 146: return parseTypeOperator(operator); case 138: 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 === 51; 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(50, parseTypeOperatorOrHigher, factory2.createIntersectionTypeNode); } function parseUnionTypeOrHigher() { return parseUnionOrIntersectionType(51, parseIntersectionTypeOrHigher, factory2.createUnionTypeNode); } function nextTokenIsNewKeyword() { nextToken(); return token() === 103; } function isStartOfFunctionTypeOrConstructorType() { if (token() === 29) { return true; } if (token() === 20 && lookAhead(isUnambiguouslyStartOfFunctionType)) { return true; } return token() === 103 || token() === 126 && lookAhead(nextTokenIsNewKeyword); } function skipParameterStart() { if (isModifierKind(token())) { parseModifiers(false); } if (isIdentifier2() || token() === 108) { nextToken(); return true; } if (token() === 22 || token() === 18) { const previousErrorCount = parseDiagnostics.length; parseIdentifierOrPattern(); return previousErrorCount === parseDiagnostics.length; } return false; } function isUnambiguouslyStartOfFunctionType() { nextToken(); if (token() === 21 || token() === 25) { return true; } if (skipParameterStart()) { if (token() === 58 || token() === 27 || token() === 57 || token() === 63) { return true; } if (token() === 21) { nextToken(); if (token() === 38) { return true; } } } return false; } function parseTypeOrTypePredicate() { const pos = getNodePos(); const typePredicateVariable = isIdentifier2() && tryParse(parseTypePredicatePrefix); const type = parseType(); if (typePredicateVariable) { return finishNode(factory2.createTypePredicateNode(void 0, typePredicateVariable, type), pos); } else { return type; } } function parseTypePredicatePrefix() { const id = parseIdentifier(); if (token() === 140 && !scanner2.hasPrecedingLineBreak()) { nextToken(); return id; } } function parseAssertsTypePredicate() { const pos = getNodePos(); const assertsModifier = parseExpectedToken(129); const parameterName = token() === 108 ? parseThisTypeNode() : parseIdentifier(); const type = parseOptional(140) ? parseType() : void 0; return finishNode(factory2.createTypePredicateNode(assertsModifier, parameterName, type), pos); } function parseType() { if (contextFlags & 40960) { return doOutsideOfContext(40960, parseType); } if (isStartOfFunctionTypeOrConstructorType()) { return parseFunctionOrConstructorType(); } const pos = getNodePos(); const type = parseUnionTypeOrHigher(); if (!inDisallowConditionalTypesContext() && !scanner2.hasPrecedingLineBreak() && parseOptional(94)) { const extendsType = disallowConditionalTypesAnd(parseType); parseExpected(57); const trueType = allowConditionalTypesAnd(parseType); parseExpected(58); const falseType = allowConditionalTypesAnd(parseType); return finishNode(factory2.createConditionalTypeNode(type, extendsType, trueType, falseType), pos); } return type; } function parseTypeAnnotation() { return parseOptional(58) ? parseType() : void 0; } function isStartOfLeftHandSideExpression() { switch (token()) { case 108: case 106: case 104: case 110: case 95: case 8: case 9: case 10: case 14: case 15: case 20: case 22: case 18: case 98: case 84: case 103: case 43: case 68: case 79: return true; case 100: return lookAhead(nextTokenIsOpenParenOrLessThanOrDot); default: return isIdentifier2(); } } function isStartOfExpression() { if (isStartOfLeftHandSideExpression()) { return true; } switch (token()) { case 39: case 40: case 54: case 53: case 89: case 112: case 114: case 45: case 46: case 29: case 133: case 125: case 80: case 59: return true; default: if (isBinaryOperator2()) { return true; } return isIdentifier2(); } } function isStartOfExpressionStatement() { return token() !== 18 && token() !== 98 && token() !== 84 && token() !== 59 && isStartOfExpression(); } function parseExpression() { const saveDecoratorContext = inDecoratorContext(); if (saveDecoratorContext) { setDecoratorContext(false); } const pos = getNodePos(); let expr = parseAssignmentExpressionOrHigher(true); let operatorToken; while (operatorToken = parseOptionalToken(27)) { expr = makeBinaryExpression(expr, operatorToken, parseAssignmentExpressionOrHigher(true), pos); } if (saveDecoratorContext) { setDecoratorContext(true); } return expr; } function parseInitializer() { return parseOptional(63) ? parseAssignmentExpressionOrHigher(true) : void 0; } function parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction) { if (isYieldExpression2()) { return parseYieldExpression(); } const arrowExpression = tryParseParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) || tryParseAsyncSimpleArrowFunctionExpression(allowReturnTypeInArrowFunction); if (arrowExpression) { return arrowExpression; } const pos = getNodePos(); const expr = parseBinaryExpressionOrHigher(0); if (expr.kind === 79 && token() === 38) { return parseSimpleArrowFunctionExpression(pos, expr, allowReturnTypeInArrowFunction, void 0); } if (isLeftHandSideExpression(expr) && isAssignmentOperator(reScanGreaterToken())) { return makeBinaryExpression(expr, parseTokenNode(), parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction), pos); } return parseConditionalExpressionRest(expr, pos, allowReturnTypeInArrowFunction); } function isYieldExpression2() { if (token() === 125) { 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() === 41 || isStartOfExpression())) { return finishNode(factory2.createYieldExpression(parseOptionalToken(41), parseAssignmentExpressionOrHigher(true)), pos); } else { return finishNode(factory2.createYieldExpression(void 0, void 0), pos); } } function parseSimpleArrowFunctionExpression(pos, identifier, allowReturnTypeInArrowFunction, asyncModifier) { Debug.assert(token() === 38, "parseSimpleArrowFunctionExpression should only have been called if we had a =>"); const parameter = factory2.createParameterDeclaration(void 0, void 0, identifier, void 0, void 0, void 0); finishNode(parameter, identifier.pos); const parameters = createNodeArray([parameter], parameter.pos, parameter.end); const equalsGreaterThanToken = parseExpectedToken(38); const body = parseArrowFunctionExpressionBody(!!asyncModifier, allowReturnTypeInArrowFunction); const node = factory2.createArrowFunction(asyncModifier, void 0, parameters, void 0, equalsGreaterThanToken, body); return addJSDocComment(finishNode(node, pos)); } function tryParseParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) { const triState = isParenthesizedArrowFunctionExpression(); if (triState === 0) { return void 0; } return triState === 1 ? parseParenthesizedArrowFunctionExpression(true, true) : tryParse(() => parsePossibleParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction)); } function isParenthesizedArrowFunctionExpression() { if (token() === 20 || token() === 29 || token() === 132) { return lookAhead(isParenthesizedArrowFunctionExpressionWorker); } if (token() === 38) { return 1; } return 0; } function isParenthesizedArrowFunctionExpressionWorker() { if (token() === 132) { nextToken(); if (scanner2.hasPrecedingLineBreak()) { return 0; } if (token() !== 20 && token() !== 29) { return 0; } } const first2 = token(); const second = nextToken(); if (first2 === 20) { if (second === 21) { const third = nextToken(); switch (third) { case 38: case 58: case 18: return 1; default: return 0; } } if (second === 22 || second === 18) { return 2; } if (second === 25) { return 1; } if (isModifierKind(second) && second !== 132 && lookAhead(nextTokenIsIdentifier)) { if (nextToken() === 128) { return 0; } return 1; } if (!isIdentifier2() && second !== 108) { return 0; } switch (nextToken()) { case 58: return 1; case 57: nextToken(); if (token() === 58 || token() === 27 || token() === 63 || token() === 21) { return 1; } return 0; case 27: case 63: case 21: return 2; } return 0; } else { Debug.assert(first2 === 29); if (!isIdentifier2() && token() !== 85) { return 0; } if (languageVariant === 1) { const isArrowFunctionInJsx = lookAhead(() => { parseOptional(85); const third = nextToken(); if (third === 94) { const fourth = nextToken(); switch (fourth) { case 63: case 31: case 43: return false; default: return true; } } else if (third === 27 || third === 63) { return true; } return false; }); if (isArrowFunctionInJsx) { return 1; } return 0; } return 2; } } function parsePossibleParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) { const tokenPos = scanner2.getTokenPos(); if (notParenthesizedArrow == null ? void 0 : notParenthesizedArrow.has(tokenPos)) { return void 0; } const result = parseParenthesizedArrowFunctionExpression(false, allowReturnTypeInArrowFunction); if (!result) { (notParenthesizedArrow || (notParenthesizedArrow = /* @__PURE__ */ new Set())).add(tokenPos); } return result; } function tryParseAsyncSimpleArrowFunctionExpression(allowReturnTypeInArrowFunction) { if (token() === 132) { if (lookAhead(isUnParenthesizedAsyncArrowFunctionWorker) === 1) { const pos = getNodePos(); const asyncModifier = parseModifiersForArrowFunction(); const expr = parseBinaryExpressionOrHigher(0); return parseSimpleArrowFunctionExpression(pos, expr, allowReturnTypeInArrowFunction, asyncModifier); } } return void 0; } function isUnParenthesizedAsyncArrowFunctionWorker() { if (token() === 132) { nextToken(); if (scanner2.hasPrecedingLineBreak() || token() === 38) { return 0; } const expr = parseBinaryExpressionOrHigher(0); if (!scanner2.hasPrecedingLineBreak() && expr.kind === 79 && token() === 38) { return 1; } } return 0; } function parseParenthesizedArrowFunctionExpression(allowAmbiguity, allowReturnTypeInArrowFunction) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiersForArrowFunction(); const isAsync = some(modifiers, isAsyncModifier) ? 2 : 0; const typeParameters = parseTypeParameters(); let parameters; if (!parseExpected(20)) { if (!allowAmbiguity) { return void 0; } parameters = createMissingList(); } else { if (!allowAmbiguity) { const maybeParameters = parseParametersWorker(isAsync, allowAmbiguity); if (!maybeParameters) { return void 0; } parameters = maybeParameters; } else { parameters = parseParametersWorker(isAsync, allowAmbiguity); } if (!parseExpected(21) && !allowAmbiguity) { return void 0; } } const hasReturnColon = token() === 58; const type = parseReturnType(58, false); if (type && !allowAmbiguity && typeHasArrowFunctionBlockingParseError(type)) { return void 0; } let unwrappedType = type; while ((unwrappedType == null ? void 0 : unwrappedType.kind) === 193) { unwrappedType = unwrappedType.type; } const hasJSDocFunctionType = unwrappedType && isJSDocFunctionType(unwrappedType); if (!allowAmbiguity && token() !== 38 && (hasJSDocFunctionType || token() !== 18)) { return void 0; } const lastToken = token(); const equalsGreaterThanToken = parseExpectedToken(38); const body = lastToken === 38 || lastToken === 18 ? parseArrowFunctionExpressionBody(some(modifiers, isAsyncModifier), allowReturnTypeInArrowFunction) : parseIdentifier(); if (!allowReturnTypeInArrowFunction && hasReturnColon) { if (token() !== 58) { return void 0; } } const node = factory2.createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseArrowFunctionExpressionBody(isAsync, allowReturnTypeInArrowFunction) { if (token() === 18) { return parseFunctionBlock(isAsync ? 2 : 0); } if (token() !== 26 && token() !== 98 && token() !== 84 && isStartOfStatement() && !isStartOfExpressionStatement()) { return parseFunctionBlock(16 | (isAsync ? 2 : 0)); } const savedTopLevel = topLevel; topLevel = false; const node = isAsync ? doInAwaitContext(() => parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction)) : doOutsideOfAwaitContext(() => parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction)); topLevel = savedTopLevel; return node; } function parseConditionalExpressionRest(leftOperand, pos, allowReturnTypeInArrowFunction) { const questionToken = parseOptionalToken(57); if (!questionToken) { return leftOperand; } let colonToken; return finishNode(factory2.createConditionalExpression(leftOperand, questionToken, doOutsideOfContext(disallowInAndDecoratorContext, () => parseAssignmentExpressionOrHigher(false)), colonToken = parseExpectedToken(58), nodeIsPresent(colonToken) ? parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction) : createMissingNode(79, false, Diagnostics._0_expected, tokenToString(58))), pos); } function parseBinaryExpressionOrHigher(precedence) { const pos = getNodePos(); const leftOperand = parseUnaryExpressionOrHigher(); return parseBinaryExpressionRest(precedence, leftOperand, pos); } function isInOrOfKeyword(t) { return t === 101 || t === 162; } function parseBinaryExpressionRest(precedence, leftOperand, pos) { while (true) { reScanGreaterToken(); const newPrecedence = getBinaryOperatorPrecedence(token()); const consumeCurrentOperator = token() === 42 ? newPrecedence >= precedence : newPrecedence > precedence; if (!consumeCurrentOperator) { break; } if (token() === 101 && inDisallowInContext()) { break; } if (token() === 128 || token() === 150) { if (scanner2.hasPrecedingLineBreak()) { break; } else { const keywordKind = token(); nextToken(); leftOperand = keywordKind === 150 ? makeSatisfiesExpression(leftOperand, parseType()) : makeAsExpression(leftOperand, parseType()); } } else { leftOperand = makeBinaryExpression(leftOperand, parseTokenNode(), parseBinaryExpressionOrHigher(newPrecedence), pos); } } return leftOperand; } function isBinaryOperator2() { if (inDisallowInContext() && token() === 101) { 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() === 133) { 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() === 42 ? parseBinaryExpressionRest(getBinaryOperatorPrecedence(token()), updateExpression, pos) : updateExpression; } const unaryOperator = token(); const simpleUnaryExpression = parseSimpleUnaryExpression(); if (token() === 42) { const pos = skipTrivia(sourceText, simpleUnaryExpression.pos); const { end } = simpleUnaryExpression; if (simpleUnaryExpression.kind === 213) { 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 { 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 39: case 40: case 54: case 53: return parsePrefixUnaryExpression(); case 89: return parseDeleteExpression(); case 112: return parseTypeOfExpression(); case 114: return parseVoidExpression(); case 29: if (languageVariant === 1) { return parseJsxElementOrSelfClosingElementOrFragment(true); } return parseTypeAssertion(); case 133: if (isAwaitExpression2()) { return parseAwaitExpression(); } default: return parseUpdateExpression(); } } function isUpdateExpression() { switch (token()) { case 39: case 40: case 54: case 53: case 89: case 112: case 114: case 133: return false; case 29: if (languageVariant !== 1) { return false; } default: return true; } } function parseUpdateExpression() { if (token() === 45 || token() === 46) { const pos = getNodePos(); return finishNode(factory2.createPrefixUnaryExpression(token(), nextTokenAnd(parseLeftHandSideExpressionOrHigher)), pos); } else if (languageVariant === 1 && token() === 29 && lookAhead(nextTokenIsIdentifierOrKeywordOrGreaterThan)) { return parseJsxElementOrSelfClosingElementOrFragment(true); } const expression = parseLeftHandSideExpressionOrHigher(); Debug.assert(isLeftHandSideExpression(expression)); if ((token() === 45 || token() === 46) && !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() === 100) { if (lookAhead(nextTokenIsOpenParenOrLessThan)) { sourceFlags |= 2097152; expression = parseTokenNode(); } else if (lookAhead(nextTokenIsDot)) { nextToken(); nextToken(); expression = finishNode(factory2.createMetaProperty(100, parseIdentifierName()), pos); sourceFlags |= 4194304; } else { expression = parseMemberExpressionOrHigher(); } } else { expression = token() === 106 ? parseSuperExpression() : parseMemberExpressionOrHigher(); } return parseCallExpressionRest(pos, expression); } function parseMemberExpressionOrHigher() { const pos = getNodePos(); const expression = parsePrimaryExpression(); return parseMemberExpressionRest(pos, expression, true); } function parseSuperExpression() { const pos = getNodePos(); let expression = parseTokenNode(); if (token() === 29) { 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() === 20 || token() === 24 || token() === 22) { return expression; } parseExpectedToken(24, Diagnostics.super_must_be_followed_by_an_argument_list_or_member_access); return finishNode(factoryCreatePropertyAccessExpression(expression, parseRightSideOfDot(true, true)), pos); } function parseJsxElementOrSelfClosingElementOrFragment(inExpressionContext, topInvalidNodePosition, openingTag) { const pos = getNodePos(); const opening = parseJsxOpeningOrSelfClosingElementOrOpeningFragment(inExpressionContext); let result; if (opening.kind === 283) { let children = parseJsxChildren(opening); let closingElement; const lastChild = children[children.length - 1]; if ((lastChild == null ? void 0 : lastChild.kind) === 281 && !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 === 286) { result = finishNode(factory2.createJsxFragment(opening, parseJsxChildren(opening), parseJsxClosingFragment(inExpressionContext)), pos); } else { Debug.assert(opening.kind === 282); result = opening; } if (inExpressionContext && token() === 29) { const topBadPos = typeof topInvalidNodePosition === "undefined" ? result.pos : topInvalidNodePosition; const invalidElement = tryParse(() => parseJsxElementOrSelfClosingElementOrFragment(true, topBadPos)); if (invalidElement) { const operatorToken = createMissingNode(27, 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 === 12); 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 = skipTrivia(sourceText, tag.pos); parseErrorAt(start, tag.end, Diagnostics.JSX_element_0_has_no_corresponding_closing_tag, getTextOfNodeFromSourceText(sourceText, openingTag.tagName)); } return void 0; case 30: case 7: return void 0; case 11: case 12: return parseJsxText(); case 18: return parseJsxExpression(false); case 29: return parseJsxElementOrSelfClosingElementOrFragment(false, 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) === 281 && !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(29); if (token() === 31) { scanJsxText(); return finishNode(factory2.createJsxOpeningFragment(), pos); } const tagName = parseJsxElementName(); const typeArguments = (contextFlags & 262144) === 0 ? tryParseTypeArguments() : void 0; const attributes = parseJsxAttributes(); let node; if (token() === 31) { scanJsxText(); node = factory2.createJsxOpeningElement(tagName, typeArguments, attributes); } else { parseExpected(43); if (parseExpected(31, void 0, false)) { if (inExpressionContext) { nextToken(); } else { scanJsxText(); } } node = factory2.createJsxSelfClosingElement(tagName, typeArguments, attributes); } return finishNode(node, pos); } function parseJsxElementName() { const pos = getNodePos(); scanJsxIdentifier(); let expression = token() === 108 ? parseTokenNode() : parseIdentifierName(); while (parseOptional(24)) { expression = finishNode(factoryCreatePropertyAccessExpression(expression, parseRightSideOfDot(true, false)), pos); } return expression; } function parseJsxExpression(inExpressionContext) { const pos = getNodePos(); if (!parseExpected(18)) { return void 0; } let dotDotDotToken; let expression; if (token() !== 19) { dotDotDotToken = parseOptionalToken(25); expression = parseExpression(); } if (inExpressionContext) { parseExpected(19); } else { if (parseExpected(19, void 0, false)) { scanJsxText(); } } return finishNode(factory2.createJsxExpression(dotDotDotToken, expression), pos); } function parseJsxAttribute() { if (token() === 18) { return parseJsxSpreadAttribute(); } scanJsxIdentifier(); const pos = getNodePos(); return finishNode(factory2.createJsxAttribute(parseIdentifierName(), parseJsxAttributeValue()), pos); } function parseJsxAttributeValue() { if (token() === 63) { if (scanJsxAttributeValue() === 10) { return parseLiteralNode(); } if (token() === 18) { return parseJsxExpression(true); } if (token() === 29) { return parseJsxElementOrSelfClosingElementOrFragment(true); } parseErrorAtCurrentToken(Diagnostics.or_JSX_element_expected); } return void 0; } function parseJsxSpreadAttribute() { const pos = getNodePos(); parseExpected(18); parseExpected(25); const expression = parseExpression(); parseExpected(19); return finishNode(factory2.createJsxSpreadAttribute(expression), pos); } function parseJsxClosingElement(open, inExpressionContext) { const pos = getNodePos(); parseExpected(30); const tagName = parseJsxElementName(); if (parseExpected(31, void 0, false)) { if (inExpressionContext || !tagNamesAreEquivalent(open.tagName, tagName)) { nextToken(); } else { scanJsxText(); } } return finishNode(factory2.createJsxClosingElement(tagName), pos); } function parseJsxClosingFragment(inExpressionContext) { const pos = getNodePos(); parseExpected(30); if (parseExpected(31, Diagnostics.Expected_corresponding_closing_tag_for_JSX_fragment, 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(29); const type = parseType(); parseExpected(31); const expression = parseSimpleUnaryExpression(); return finishNode(factory2.createTypeAssertion(type, expression), pos); } function nextTokenIsIdentifierOrKeywordOrOpenBracketOrTemplate() { nextToken(); return tokenIsIdentifierOrKeyword(token()) || token() === 22 || isTemplateStartOfTaggedTemplate(); } function isStartOfOptionalPropertyOrElementAccessChain() { return token() === 28 && lookAhead(nextTokenIsIdentifierOrKeywordOrOpenBracketOrTemplate); } function tryReparseOptionalChain(node) { if (node.flags & 32) { return true; } if (isNonNullExpression(node)) { let expr = node.expression; while (isNonNullExpression(expr) && !(expr.flags & 32)) { expr = expr.expression; } if (expr.flags & 32) { while (isNonNullExpression(node)) { node.flags |= 32; node = node.expression; } return true; } } return false; } function parsePropertyAccessExpressionRest(pos, expression, questionDotToken) { const name = parseRightSideOfDot(true, 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() === 23) { argumentExpression = createMissingNode(79, 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(23); 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(28); isPropertyAccess = tokenIsIdentifierOrKeyword(token()); } else { isPropertyAccess = parseOptional(24); } if (isPropertyAccess) { expression = parsePropertyAccessExpressionRest(pos, expression, questionDotToken); continue; } if ((questionDotToken || !inDecoratorContext()) && parseOptional(22)) { expression = parseElementAccessExpressionRest(pos, expression, questionDotToken); continue; } if (isTemplateStartOfTaggedTemplate()) { expression = !questionDotToken && expression.kind === 230 ? parseTaggedTemplateRest(pos, expression.expression, questionDotToken, expression.typeArguments) : parseTaggedTemplateRest(pos, expression, questionDotToken, void 0); continue; } if (!questionDotToken) { if (token() === 53 && !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() === 14 || token() === 15; } function parseTaggedTemplateRest(pos, tag, questionDotToken, typeArguments) { const tagExpression = factory2.createTaggedTemplateExpression(tag, typeArguments, token() === 14 ? (reScanTemplateHeadOrNoSubstitutionTemplate(), parseLiteralNode()) : parseTemplateExpression(true)); if (questionDotToken || tag.flags & 32) { tagExpression.flags |= 32; } tagExpression.questionDotToken = questionDotToken; return finishNode(tagExpression, pos); } function parseCallExpressionRest(pos, expression) { while (true) { expression = parseMemberExpressionRest(pos, expression, true); let typeArguments; const questionDotToken = parseOptionalToken(28); if (questionDotToken) { typeArguments = tryParse(parseTypeArgumentsInExpression); if (isTemplateStartOfTaggedTemplate()) { expression = parseTaggedTemplateRest(pos, expression, questionDotToken, typeArguments); continue; } } if (typeArguments || token() === 20) { if (!questionDotToken && expression.kind === 230) { 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(79, false, Diagnostics.Identifier_expected); expression = finishNode(factoryCreatePropertyAccessChain(expression, questionDotToken, name), pos); } break; } return expression; } function parseArgumentList() { parseExpected(20); const result = parseDelimitedList(11, parseArgumentExpression); parseExpected(21); return result; } function parseTypeArgumentsInExpression() { if ((contextFlags & 262144) !== 0) { return void 0; } if (reScanLessThanToken() !== 29) { return void 0; } nextToken(); const typeArguments = parseDelimitedList(20, parseType); if (reScanGreaterToken() !== 31) { return void 0; } nextToken(); return typeArguments && canFollowTypeArgumentsInExpression() ? typeArguments : void 0; } function canFollowTypeArgumentsInExpression() { switch (token()) { case 20: case 14: case 15: return true; case 29: case 31: case 39: case 40: return false; } return scanner2.hasPrecedingLineBreak() || isBinaryOperator2() || !isStartOfExpression(); } function parsePrimaryExpression() { switch (token()) { case 8: case 9: case 10: case 14: return parseLiteralNode(); case 108: case 106: case 104: case 110: case 95: return parseTokenNode(); case 20: return parseParenthesizedExpression(); case 22: return parseArrayLiteralExpression(); case 18: return parseObjectLiteralExpression(); case 132: if (!lookAhead(nextTokenIsFunctionKeywordOnSameLine)) { break; } return parseFunctionExpression(); case 59: return parseDecoratedExpression(); case 84: return parseClassExpression(); case 98: return parseFunctionExpression(); case 103: return parseNewExpressionOrNewDotTarget(); case 43: case 68: if (reScanSlashToken() === 13) { return parseLiteralNode(); } break; case 15: return parseTemplateExpression(false); case 80: return parsePrivateIdentifier(); } return parseIdentifier(Diagnostics.Expression_expected); } function parseParenthesizedExpression() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(20); const expression = allowInAnd(parseExpression); parseExpected(21); return withJSDoc(finishNode(factoryCreateParenthesizedExpression(expression), pos), hasJSDoc); } function parseSpreadElement() { const pos = getNodePos(); parseExpected(25); const expression = parseAssignmentExpressionOrHigher(true); return finishNode(factory2.createSpreadElement(expression), pos); } function parseArgumentOrArrayLiteralElement() { return token() === 25 ? parseSpreadElement() : token() === 27 ? finishNode(factory2.createOmittedExpression(), getNodePos()) : parseAssignmentExpressionOrHigher(true); } function parseArgumentExpression() { return doOutsideOfContext(disallowInAndDecoratorContext, parseArgumentOrArrayLiteralElement); } function parseArrayLiteralExpression() { const pos = getNodePos(); const openBracketPosition = scanner2.getTokenPos(); const openBracketParsed = parseExpected(22); const multiLine = scanner2.hasPrecedingLineBreak(); const elements = parseDelimitedList(15, parseArgumentOrArrayLiteralElement); parseExpectedMatchingBrackets(22, 23, openBracketParsed, openBracketPosition); return finishNode(factoryCreateArrayLiteralExpression(elements, multiLine), pos); } function parseObjectLiteralElement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (parseOptionalToken(25)) { const expression = parseAssignmentExpressionOrHigher(true); return withJSDoc(finishNode(factory2.createSpreadAssignment(expression), pos), hasJSDoc); } const modifiers = parseModifiers(true); if (parseContextualModifier(137)) { return parseAccessorDeclaration(pos, hasJSDoc, modifiers, 174, 0); } if (parseContextualModifier(151)) { return parseAccessorDeclaration(pos, hasJSDoc, modifiers, 175, 0); } const asteriskToken = parseOptionalToken(41); const tokenIsIdentifier = isIdentifier2(); const name = parsePropertyName(); const questionToken = parseOptionalToken(57); const exclamationToken = parseOptionalToken(53); if (asteriskToken || token() === 20 || token() === 29) { return parseMethodDeclaration(pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, exclamationToken); } let node; const isShorthandPropertyAssignment2 = tokenIsIdentifier && token() !== 58; if (isShorthandPropertyAssignment2) { const equalsToken = parseOptionalToken(63); const objectAssignmentInitializer = equalsToken ? allowInAnd(() => parseAssignmentExpressionOrHigher(true)) : void 0; node = factory2.createShorthandPropertyAssignment(name, objectAssignmentInitializer); node.equalsToken = equalsToken; } else { parseExpected(58); const initializer = allowInAnd(() => parseAssignmentExpressionOrHigher(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.getTokenPos(); const openBraceParsed = parseExpected(18); const multiLine = scanner2.hasPrecedingLineBreak(); const properties = parseDelimitedList(12, parseObjectLiteralElement, true); parseExpectedMatchingBrackets(18, 19, openBraceParsed, openBracePosition); return finishNode(factoryCreateObjectLiteralExpression(properties, multiLine), pos); } function parseFunctionExpression() { const savedDecoratorContext = inDecoratorContext(); setDecoratorContext(false); const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers(false); parseExpected(98); const asteriskToken = parseOptionalToken(41); const isGenerator = asteriskToken ? 1 : 0; const isAsync = some(modifiers, isAsyncModifier) ? 2 : 0; const name = isGenerator && isAsync ? doInYieldAndAwaitContext(parseOptionalBindingIdentifier) : isGenerator ? doInYieldContext(parseOptionalBindingIdentifier) : isAsync ? doInAwaitContext(parseOptionalBindingIdentifier) : parseOptionalBindingIdentifier(); const typeParameters = parseTypeParameters(); const parameters = parseParameters(isGenerator | isAsync); const type = parseReturnType(58, false); const body = parseFunctionBlock(isGenerator | isAsync); 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(103); if (parseOptional(24)) { const name = parseIdentifierName(); return finishNode(factory2.createMetaProperty(103, name), pos); } const expressionPos = getNodePos(); let expression = parseMemberExpressionRest(expressionPos, parsePrimaryExpression(), false); let typeArguments; if (expression.kind === 230) { typeArguments = expression.typeArguments; expression = expression.expression; } if (token() === 28) { parseErrorAtCurrentToken(Diagnostics.Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0, getTextOfNodeFromSourceText(sourceText, expression)); } const argumentList = token() === 20 ? parseArgumentList() : void 0; return finishNode(factoryCreateNewExpression(expression, typeArguments, argumentList), pos); } function parseBlock(ignoreMissingOpenBrace, diagnosticMessage) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const openBracePosition = scanner2.getTokenPos(); const openBraceParsed = parseExpected(18, diagnosticMessage); if (openBraceParsed || ignoreMissingOpenBrace) { const multiLine = scanner2.hasPrecedingLineBreak(); const statements = parseList(1, parseStatement); parseExpectedMatchingBrackets(18, 19, openBraceParsed, openBracePosition); const result = withJSDoc(finishNode(factoryCreateBlock(statements, multiLine), pos), hasJSDoc); if (token() === 63) { 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, 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(false); } const block = parseBlock(!!(flags & 16), diagnosticMessage); if (saveDecoratorContext) { setDecoratorContext(true); } topLevel = savedTopLevel; setYieldContext(savedYieldContext); setAwaitContext(savedAwaitContext); return block; } function parseEmptyStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(26); return withJSDoc(finishNode(factory2.createEmptyStatement(), pos), hasJSDoc); } function parseIfStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(99); const openParenPosition = scanner2.getTokenPos(); const openParenParsed = parseExpected(20); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(20, 21, openParenParsed, openParenPosition); const thenStatement = parseStatement(); const elseStatement = parseOptional(91) ? parseStatement() : void 0; return withJSDoc(finishNode(factoryCreateIfStatement(expression, thenStatement, elseStatement), pos), hasJSDoc); } function parseDoStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(90); const statement = parseStatement(); parseExpected(115); const openParenPosition = scanner2.getTokenPos(); const openParenParsed = parseExpected(20); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(20, 21, openParenParsed, openParenPosition); parseOptional(26); return withJSDoc(finishNode(factory2.createDoStatement(statement, expression), pos), hasJSDoc); } function parseWhileStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(115); const openParenPosition = scanner2.getTokenPos(); const openParenParsed = parseExpected(20); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(20, 21, openParenParsed, openParenPosition); const statement = parseStatement(); return withJSDoc(finishNode(factoryCreateWhileStatement(expression, statement), pos), hasJSDoc); } function parseForOrForInOrForOfStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(97); const awaitToken = parseOptionalToken(133); parseExpected(20); let initializer; if (token() !== 26) { if (token() === 113 || token() === 119 || token() === 85) { initializer = parseVariableDeclarationList(true); } else { initializer = disallowInAnd(parseExpression); } } let node; if (awaitToken ? parseExpected(162) : parseOptional(162)) { const expression = allowInAnd(() => parseAssignmentExpressionOrHigher(true)); parseExpected(21); node = factoryCreateForOfStatement(awaitToken, initializer, expression, parseStatement()); } else if (parseOptional(101)) { const expression = allowInAnd(parseExpression); parseExpected(21); node = factory2.createForInStatement(initializer, expression, parseStatement()); } else { parseExpected(26); const condition = token() !== 26 && token() !== 21 ? allowInAnd(parseExpression) : void 0; parseExpected(26); const incrementor = token() !== 21 ? allowInAnd(parseExpression) : void 0; parseExpected(21); node = factoryCreateForStatement(initializer, condition, incrementor, parseStatement()); } return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseBreakOrContinueStatement(kind) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(kind === 249 ? 81 : 86); const label = canParseSemicolon() ? void 0 : parseIdentifier(); parseSemicolon(); const node = kind === 249 ? factory2.createBreakStatement(label) : factory2.createContinueStatement(label); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseReturnStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(105); 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(116); const openParenPosition = scanner2.getTokenPos(); const openParenParsed = parseExpected(20); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(20, 21, openParenParsed, openParenPosition); const statement = doInsideOfContext(33554432, parseStatement); return withJSDoc(finishNode(factory2.createWithStatement(expression, statement), pos), hasJSDoc); } function parseCaseClause() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(82); const expression = allowInAnd(parseExpression); parseExpected(58); const statements = parseList(3, parseStatement); return withJSDoc(finishNode(factory2.createCaseClause(expression, statements), pos), hasJSDoc); } function parseDefaultClause() { const pos = getNodePos(); parseExpected(88); parseExpected(58); const statements = parseList(3, parseStatement); return finishNode(factory2.createDefaultClause(statements), pos); } function parseCaseOrDefaultClause() { return token() === 82 ? parseCaseClause() : parseDefaultClause(); } function parseCaseBlock() { const pos = getNodePos(); parseExpected(18); const clauses = parseList(2, parseCaseOrDefaultClause); parseExpected(19); return finishNode(factory2.createCaseBlock(clauses), pos); } function parseSwitchStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(107); parseExpected(20); const expression = allowInAnd(parseExpression); parseExpected(21); const caseBlock = parseCaseBlock(); return withJSDoc(finishNode(factory2.createSwitchStatement(expression, caseBlock), pos), hasJSDoc); } function parseThrowStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(109); 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(111); const tryBlock = parseBlock(false); const catchClause = token() === 83 ? parseCatchClause() : void 0; let finallyBlock; if (!catchClause || token() === 96) { parseExpected(96, Diagnostics.catch_or_finally_expected); finallyBlock = parseBlock(false); } return withJSDoc(finishNode(factory2.createTryStatement(tryBlock, catchClause, finallyBlock), pos), hasJSDoc); } function parseCatchClause() { const pos = getNodePos(); parseExpected(83); let variableDeclaration; if (parseOptional(20)) { variableDeclaration = parseVariableDeclaration(); parseExpected(21); } else { variableDeclaration = void 0; } const block = parseBlock(false); return finishNode(factory2.createCatchClause(variableDeclaration, block), pos); } function parseDebuggerStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected(87); parseSemicolon(); return withJSDoc(finishNode(factory2.createDebuggerStatement(), pos), hasJSDoc); } function parseExpressionOrLabeledStatement() { const pos = getNodePos(); let hasJSDoc = hasPrecedingJSDocComment(); let node; const hasParen = token() === 20; const expression = allowInAnd(parseExpression); if (isIdentifier(expression) && parseOptional(58)) { 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() === 84 && !scanner2.hasPrecedingLineBreak(); } function nextTokenIsFunctionKeywordOnSameLine() { nextToken(); return token() === 98 && !scanner2.hasPrecedingLineBreak(); } function nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine() { nextToken(); return (tokenIsIdentifierOrKeyword(token()) || token() === 8 || token() === 9 || token() === 10) && !scanner2.hasPrecedingLineBreak(); } function isDeclaration2() { while (true) { switch (token()) { case 113: case 119: case 85: case 98: case 84: case 92: return true; case 118: case 154: return nextTokenIsIdentifierOnSameLine(); case 142: case 143: return nextTokenIsIdentifierOrStringLiteralOnSameLine(); case 126: case 127: case 132: case 136: case 121: case 122: case 123: case 146: nextToken(); if (scanner2.hasPrecedingLineBreak()) { return false; } continue; case 159: nextToken(); return token() === 18 || token() === 79 || token() === 93; case 100: nextToken(); return token() === 10 || token() === 41 || token() === 18 || tokenIsIdentifierOrKeyword(token()); case 93: let currentToken2 = nextToken(); if (currentToken2 === 154) { currentToken2 = lookAhead(nextToken); } if (currentToken2 === 63 || currentToken2 === 41 || currentToken2 === 18 || currentToken2 === 88 || currentToken2 === 128 || currentToken2 === 59) { return true; } continue; case 124: nextToken(); continue; default: return false; } } } function isStartOfDeclaration() { return lookAhead(isDeclaration2); } function isStartOfStatement() { switch (token()) { case 59: case 26: case 18: case 113: case 119: case 98: case 84: case 92: case 99: case 90: case 115: case 97: case 86: case 81: case 105: case 116: case 107: case 109: case 111: case 87: case 83: case 96: return true; case 100: return isStartOfDeclaration() || lookAhead(nextTokenIsOpenParenOrLessThanOrDot); case 85: case 93: return isStartOfDeclaration(); case 132: case 136: case 118: case 142: case 143: case 154: case 159: return true; case 127: case 123: case 121: case 122: case 124: case 146: return isStartOfDeclaration() || !lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine); default: return isStartOfExpression(); } } function nextTokenIsBindingIdentifierOrStartOfDestructuring() { nextToken(); return isBindingIdentifier() || token() === 18 || token() === 22; } function isLetDeclaration() { return lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuring); } function parseStatement() { switch (token()) { case 26: return parseEmptyStatement(); case 18: return parseBlock(false); case 113: return parseVariableStatement(getNodePos(), hasPrecedingJSDocComment(), void 0); case 119: if (isLetDeclaration()) { return parseVariableStatement(getNodePos(), hasPrecedingJSDocComment(), void 0); } break; case 98: return parseFunctionDeclaration(getNodePos(), hasPrecedingJSDocComment(), void 0); case 84: return parseClassDeclaration(getNodePos(), hasPrecedingJSDocComment(), void 0); case 99: return parseIfStatement(); case 90: return parseDoStatement(); case 115: return parseWhileStatement(); case 97: return parseForOrForInOrForOfStatement(); case 86: return parseBreakOrContinueStatement(248); case 81: return parseBreakOrContinueStatement(249); case 105: return parseReturnStatement(); case 116: return parseWithStatement(); case 107: return parseSwitchStatement(); case 109: return parseThrowStatement(); case 111: case 83: case 96: return parseTryStatement(); case 87: return parseDebuggerStatement(); case 59: return parseDeclaration(); case 132: case 118: case 154: case 142: case 143: case 136: case 85: case 92: case 93: case 100: case 121: case 122: case 123: case 126: case 127: case 124: case 146: case 159: if (isStartOfDeclaration()) { return parseDeclaration(); } break; } return parseExpressionOrLabeledStatement(); } function isDeclareModifier(modifier) { return modifier.kind === 136; } function parseDeclaration() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers(true); const isAmbient = some(modifiers, isDeclareModifier); if (isAmbient) { const node = tryReuseAmbientDeclaration(pos); if (node) { return node; } for (const m of modifiers) { m.flags |= 16777216; } return doInsideOfContext(16777216, () => parseDeclarationWorker(pos, hasJSDoc, modifiers)); } else { return parseDeclarationWorker(pos, hasJSDoc, modifiers); } } function tryReuseAmbientDeclaration(pos) { return doInsideOfContext(16777216, () => { const node = currentNode(parsingContext, pos); if (node) { return consumeNode(node); } }); } function parseDeclarationWorker(pos, hasJSDoc, modifiersIn) { switch (token()) { case 113: case 119: case 85: return parseVariableStatement(pos, hasJSDoc, modifiersIn); case 98: return parseFunctionDeclaration(pos, hasJSDoc, modifiersIn); case 84: return parseClassDeclaration(pos, hasJSDoc, modifiersIn); case 118: return parseInterfaceDeclaration(pos, hasJSDoc, modifiersIn); case 154: return parseTypeAliasDeclaration(pos, hasJSDoc, modifiersIn); case 92: return parseEnumDeclaration(pos, hasJSDoc, modifiersIn); case 159: case 142: case 143: return parseModuleDeclaration(pos, hasJSDoc, modifiersIn); case 100: return parseImportDeclarationOrImportEqualsDeclaration(pos, hasJSDoc, modifiersIn); case 93: nextToken(); switch (token()) { case 88: case 63: return parseExportAssignment(pos, hasJSDoc, modifiersIn); case 128: return parseNamespaceExportDeclaration(pos, hasJSDoc, modifiersIn); default: return parseExportDeclaration(pos, hasJSDoc, modifiersIn); } default: if (modifiersIn) { const missing = createMissingNode(279, true, Diagnostics.Declaration_expected); setTextRangePos(missing, pos); missing.modifiers = modifiersIn; return missing; } return void 0; } } function nextTokenIsIdentifierOrStringLiteralOnSameLine() { nextToken(); return !scanner2.hasPrecedingLineBreak() && (isIdentifier2() || token() === 10); } function parseFunctionBlockOrSemicolon(flags, diagnosticMessage) { if (token() !== 18) { if (flags & 4) { parseTypeMemberSemicolon(); return; } if (canParseSemicolon()) { parseSemicolon(); return; } } return parseFunctionBlock(flags, diagnosticMessage); } function parseArrayBindingElement() { const pos = getNodePos(); if (token() === 27) { return finishNode(factory2.createOmittedExpression(), pos); } const dotDotDotToken = parseOptionalToken(25); const name = parseIdentifierOrPattern(); const initializer = parseInitializer(); return finishNode(factory2.createBindingElement(dotDotDotToken, void 0, name, initializer), pos); } function parseObjectBindingElement() { const pos = getNodePos(); const dotDotDotToken = parseOptionalToken(25); const tokenIsIdentifier = isBindingIdentifier(); let propertyName = parsePropertyName(); let name; if (tokenIsIdentifier && token() !== 58) { name = propertyName; propertyName = void 0; } else { parseExpected(58); name = parseIdentifierOrPattern(); } const initializer = parseInitializer(); return finishNode(factory2.createBindingElement(dotDotDotToken, propertyName, name, initializer), pos); } function parseObjectBindingPattern() { const pos = getNodePos(); parseExpected(18); const elements = parseDelimitedList(9, parseObjectBindingElement); parseExpected(19); return finishNode(factory2.createObjectBindingPattern(elements), pos); } function parseArrayBindingPattern() { const pos = getNodePos(); parseExpected(22); const elements = parseDelimitedList(10, parseArrayBindingElement); parseExpected(23); return finishNode(factory2.createArrayBindingPattern(elements), pos); } function isBindingIdentifierOrPrivateIdentifierOrPattern() { return token() === 18 || token() === 22 || token() === 80 || isBindingIdentifier(); } function parseIdentifierOrPattern(privateIdentifierDiagnosticMessage) { if (token() === 22) { return parseArrayBindingPattern(); } if (token() === 18) { return parseObjectBindingPattern(); } return parseBindingIdentifier(privateIdentifierDiagnosticMessage); } function parseVariableDeclarationAllowExclamation() { return parseVariableDeclaration(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 === 79 && token() === 53 && !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 113: break; case 119: flags |= 1; break; case 85: flags |= 2; break; default: Debug.fail(); } nextToken(); let declarations; if (token() === 162 && 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() === 21; } function parseVariableStatement(pos, hasJSDoc, modifiers) { const declarationList = parseVariableDeclarationList(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(98); const asteriskToken = parseOptionalToken(41); const name = modifierFlags & 1024 ? parseOptionalBindingIdentifier() : parseBindingIdentifier(); const isGenerator = asteriskToken ? 1 : 0; const isAsync = modifierFlags & 512 ? 2 : 0; const typeParameters = parseTypeParameters(); if (modifierFlags & 1) setAwaitContext(true); const parameters = parseParameters(isGenerator | isAsync); const type = parseReturnType(58, false); const body = parseFunctionBlockOrSemicolon(isGenerator | isAsync, 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() === 135) { return parseExpected(135); } if (token() === 10 && lookAhead(nextToken) === 20) { 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); const type = parseReturnType(58, 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 isAsync = some(modifiers, isAsyncModifier) ? 2 : 0; const typeParameters = parseTypeParameters(); const parameters = parseParameters(isGenerator | isAsync); const type = parseReturnType(58, false); const body = parseFunctionBlockOrSemicolon(isGenerator | isAsync, 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(53) : void 0; const type = parseTypeAnnotation(); const initializer = doOutsideOfContext(8192 | 32768 | 4096, 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(41); const name = parsePropertyName(); const questionToken = parseOptionalToken(57); if (asteriskToken || token() === 20 || token() === 29) { return parseMethodDeclaration(pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, 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); const type = parseReturnType(58, false); const body = parseFunctionBlockOrSemicolon(flags); const node = kind === 174 ? 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() === 59) { return true; } while (isModifierKind(token())) { idToken = token(); if (isClassMemberModifier(idToken)) { return true; } nextToken(); } if (token() === 41) { return true; } if (isLiteralPropertyName()) { idToken = token(); nextToken(); } if (token() === 22) { return true; } if (idToken !== void 0) { if (!isKeyword(idToken) || idToken === 151 || idToken === 137) { return true; } switch (token()) { case 20: case 29: case 53: case 58: case 63: case 57: return true; default: return canParseSemicolon(); } } return false; } function parseClassStaticBlockDeclaration(pos, hasJSDoc, modifiers) { parseExpectedToken(124); 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(false); setYieldContext(savedYieldContext); setAwaitContext(savedAwaitContext); return body; } function parseDecoratorExpression() { if (inAwaitContext() && token() === 133) { const pos = getNodePos(); const awaitExpression = parseIdentifier(Diagnostics.Expression_expected); nextToken(); const memberExpression = parseMemberExpressionRest(pos, awaitExpression, true); return parseCallExpressionRest(pos, memberExpression); } return parseLeftHandSideExpressionOrHigher(); } function tryParseDecorator() { const pos = getNodePos(); if (!parseOptional(59)) { 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() === 85 && permitConstAsModifier) { if (!tryParse(nextTokenIsOnSameLineAndCanFollowModifier)) { return void 0; } } else if (stopOnStartOfClassStaticBlock && token() === 124 && lookAhead(nextTokenIsOpenBrace)) { return void 0; } else if (hasSeenStaticModifier && token() === 124) { 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() === 59) { while (decorator = tryParseDecorator()) { list = append(list, decorator); } } while (modifier = tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock)) { if (modifier.kind === 124) hasSeenStaticModifier = true; list = append(list, modifier); hasLeadingModifier = true; } if (hasLeadingModifier && allowDecorators && token() === 59) { while (decorator = tryParseDecorator()) { list = append(list, decorator); hasTrailingDecorator = true; } } if (hasTrailingDecorator) { while (modifier = tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock)) { if (modifier.kind === 124) hasSeenStaticModifier = true; list = append(list, modifier); } } return list && createNodeArray(list, pos); } function parseModifiersForArrowFunction() { let modifiers; if (token() === 132) { const pos = getNodePos(); nextToken(); const modifier = finishNode(factoryCreateToken(132), pos); modifiers = createNodeArray([modifier], pos); } return modifiers; } function parseClassElement() { const pos = getNodePos(); if (token() === 26) { nextToken(); return finishNode(factory2.createSemicolonClassElement(), pos); } const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers(true, true, true); if (token() === 124 && lookAhead(nextTokenIsOpenBrace)) { return parseClassStaticBlockDeclaration(pos, hasJSDoc, modifiers); } if (parseContextualModifier(137)) { return parseAccessorDeclaration(pos, hasJSDoc, modifiers, 174, 0); } if (parseContextualModifier(151)) { return parseAccessorDeclaration(pos, hasJSDoc, modifiers, 175, 0); } if (token() === 135 || token() === 10) { const constructorDeclaration = tryParseConstructorDeclaration(pos, hasJSDoc, modifiers); if (constructorDeclaration) { return constructorDeclaration; } } if (isIndexSignature()) { return parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers); } if (tokenIsIdentifierOrKeyword(token()) || token() === 10 || token() === 8 || token() === 41 || token() === 22) { const isAmbient = some(modifiers, isDeclareModifier); if (isAmbient) { for (const m of modifiers) { m.flags |= 16777216; } return doInsideOfContext(16777216, () => parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers)); } else { return parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers); } } if (modifiers) { const name = createMissingNode(79, true, Diagnostics.Declaration_expected); return parsePropertyDeclaration(pos, hasJSDoc, modifiers, name, 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(true); if (token() === 84) { return parseClassDeclarationOrExpression(pos, hasJSDoc, modifiers, 228); } const missing = createMissingNode(279, true, Diagnostics.Expression_expected); setTextRangePos(missing, pos); missing.modifiers = modifiers; return missing; } function parseClassExpression() { return parseClassDeclarationOrExpression(getNodePos(), hasPrecedingJSDocComment(), void 0, 228); } function parseClassDeclaration(pos, hasJSDoc, modifiers) { return parseClassDeclarationOrExpression(pos, hasJSDoc, modifiers, 260); } function parseClassDeclarationOrExpression(pos, hasJSDoc, modifiers, kind) { const savedAwaitContext = inAwaitContext(); parseExpected(84); const name = parseNameOfClassDeclarationOrExpression(); const typeParameters = parseTypeParameters(); if (some(modifiers, isExportModifier)) setAwaitContext(true); const heritageClauses = parseHeritageClauses(); let members; if (parseExpected(18)) { members = parseClassMembers(); parseExpected(19); } else { members = createMissingList(); } setAwaitContext(savedAwaitContext); const node = kind === 260 ? 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() === 117 && lookAhead(nextTokenIsIdentifierOrKeyword); } function parseHeritageClauses() { if (isHeritageClause2()) { return parseList(22, parseHeritageClause); } return void 0; } function parseHeritageClause() { const pos = getNodePos(); const tok = token(); Debug.assert(tok === 94 || tok === 117); nextToken(); const types = parseDelimitedList(7, parseExpressionWithTypeArguments); return finishNode(factory2.createHeritageClause(tok, types), pos); } function parseExpressionWithTypeArguments() { const pos = getNodePos(); const expression = parseLeftHandSideExpressionOrHigher(); if (expression.kind === 230) { return expression; } const typeArguments = tryParseTypeArguments(); return finishNode(factory2.createExpressionWithTypeArguments(expression, typeArguments), pos); } function tryParseTypeArguments() { return token() === 29 ? parseBracketedList(20, parseType, 29, 31) : void 0; } function isHeritageClause2() { return token() === 94 || token() === 117; } function parseClassMembers() { return parseList(5, parseClassElement); } function parseInterfaceDeclaration(pos, hasJSDoc, modifiers) { parseExpected(118); 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(154); const name = parseIdentifier(); const typeParameters = parseTypeParameters(); parseExpected(63); const type = token() === 139 && 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(92); const name = parseIdentifier(); let members; if (parseExpected(18)) { members = doOutsideOfYieldAndAwaitContext(() => parseDelimitedList(6, parseEnumMember)); parseExpected(19); } 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(18)) { statements = parseList(1, parseStatement); parseExpected(19); } else { statements = createMissingList(); } return finishNode(factory2.createModuleBlock(statements), pos); } function parseModuleOrNamespaceDeclaration(pos, hasJSDoc, modifiers, flags) { const namespaceFlag = flags & 16; const name = parseIdentifier(); const body = parseOptional(24) ? parseModuleOrNamespaceDeclaration(getNodePos(), false, void 0, 4 | 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() === 159) { name = parseIdentifier(); flags |= 1024; } else { name = parseLiteralNode(); name.text = internIdentifier(name.text); } let body; if (token() === 18) { 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() === 159) { return parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn); } else if (parseOptional(143)) { flags |= 16; } else { parseExpected(142); if (token() === 10) { return parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn); } } return parseModuleOrNamespaceDeclaration(pos, hasJSDoc, modifiersIn, flags); } function isExternalModuleReference2() { return token() === 147 && lookAhead(nextTokenIsOpenParen); } function nextTokenIsOpenParen() { return nextToken() === 20; } function nextTokenIsOpenBrace() { return nextToken() === 18; } function nextTokenIsSlash() { return nextToken() === 43; } function parseNamespaceExportDeclaration(pos, hasJSDoc, modifiers) { parseExpected(128); parseExpected(143); const name = parseIdentifier(); parseSemicolon(); const node = factory2.createNamespaceExportDeclaration(name); node.modifiers = modifiers; return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseImportDeclarationOrImportEqualsDeclaration(pos, hasJSDoc, modifiers) { parseExpected(100); const afterImportPos = scanner2.getStartPos(); let identifier; if (isIdentifier2()) { identifier = parseIdentifier(); } let isTypeOnly = false; if (token() !== 158 && (identifier == null ? void 0 : identifier.escapedText) === "type" && (isIdentifier2() || tokenAfterImportDefinitelyProducesImportDeclaration())) { isTypeOnly = true; identifier = isIdentifier2() ? parseIdentifier() : void 0; } if (identifier && !tokenAfterImportedIdentifierDefinitelyProducesImportDeclaration()) { return parseImportEqualsDeclaration(pos, hasJSDoc, modifiers, identifier, isTypeOnly); } let importClause; if (identifier || token() === 41 || token() === 18) { importClause = parseImportClause(identifier, afterImportPos, isTypeOnly); parseExpected(158); } const moduleSpecifier = parseModuleSpecifier(); let assertClause; if (token() === 130 && !scanner2.hasPrecedingLineBreak()) { assertClause = parseAssertClause(); } parseSemicolon(); const node = factory2.createImportDeclaration(modifiers, importClause, moduleSpecifier, assertClause); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseAssertEntry() { const pos = getNodePos(); const name = tokenIsIdentifierOrKeyword(token()) ? parseIdentifierName() : parseLiteralLikeNode(10); parseExpected(58); const value = parseAssignmentExpressionOrHigher(true); return finishNode(factory2.createAssertEntry(name, value), pos); } function parseAssertClause(skipAssertKeyword) { const pos = getNodePos(); if (!skipAssertKeyword) { parseExpected(130); } const openBracePosition = scanner2.getTokenPos(); if (parseExpected(18)) { const multiLine = scanner2.hasPrecedingLineBreak(); const elements = parseDelimitedList(24, parseAssertEntry, true); if (!parseExpected(19)) { const lastError = lastOrUndefined(parseDiagnostics); if (lastError && lastError.code === Diagnostics._0_expected.code) { addRelatedInfo(lastError, createDetachedDiagnostic(fileName, openBracePosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, "{", "}")); } } return finishNode(factory2.createAssertClause(elements, multiLine), pos); } else { const elements = createNodeArray([], getNodePos(), void 0, false); return finishNode(factory2.createAssertClause(elements, false), pos); } } function tokenAfterImportDefinitelyProducesImportDeclaration() { return token() === 41 || token() === 18; } function tokenAfterImportedIdentifierDefinitelyProducesImportDeclaration() { return token() === 27 || token() === 158; } function parseImportEqualsDeclaration(pos, hasJSDoc, modifiers, identifier, isTypeOnly) { parseExpected(63); 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) { let namedBindings; if (!identifier || parseOptional(27)) { namedBindings = token() === 41 ? parseNamespaceImport() : parseNamedImportsOrExports(272); } return finishNode(factory2.createImportClause(isTypeOnly, identifier, namedBindings), pos); } function parseModuleReference() { return isExternalModuleReference2() ? parseExternalModuleReference() : parseEntityName(false); } function parseExternalModuleReference() { const pos = getNodePos(); parseExpected(147); parseExpected(20); const expression = parseModuleSpecifier(); parseExpected(21); return finishNode(factory2.createExternalModuleReference(expression), pos); } function parseModuleSpecifier() { if (token() === 10) { const result = parseLiteralNode(); result.text = internIdentifier(result.text); return result; } else { return parseExpression(); } } function parseNamespaceImport() { const pos = getNodePos(); parseExpected(41); parseExpected(128); const name = parseIdentifier(); return finishNode(factory2.createNamespaceImport(name), pos); } function parseNamedImportsOrExports(kind) { const pos = getNodePos(); const node = kind === 272 ? factory2.createNamedImports(parseBracketedList(23, parseImportSpecifier, 18, 19)) : factory2.createNamedExports(parseBracketedList(23, parseExportSpecifier, 18, 19)); return finishNode(node, pos); } function parseExportSpecifier() { const hasJSDoc = hasPrecedingJSDocComment(); return withJSDoc(parseImportOrExportSpecifier(278), hasJSDoc); } function parseImportSpecifier() { return parseImportOrExportSpecifier(273); } function parseImportOrExportSpecifier(kind) { const pos = getNodePos(); let checkIdentifierIsKeyword = isKeyword(token()) && !isIdentifier2(); let checkIdentifierStart = scanner2.getTokenPos(); let checkIdentifierEnd = scanner2.getTextPos(); let isTypeOnly = false; let propertyName; let canParseAsKeyword = true; let name = parseIdentifierName(); if (name.escapedText === "type") { if (token() === 128) { const firstAs = parseIdentifierName(); if (token() === 128) { 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() === 128) { propertyName = name; parseExpected(128); name = parseNameWithKeywordCheck(); } if (kind === 273 && checkIdentifierIsKeyword) { parseErrorAt(checkIdentifierStart, checkIdentifierEnd, Diagnostics.Identifier_expected); } const node = kind === 273 ? factory2.createImportSpecifier(isTypeOnly, propertyName, name) : factory2.createExportSpecifier(isTypeOnly, propertyName, name); return finishNode(node, pos); function parseNameWithKeywordCheck() { checkIdentifierIsKeyword = isKeyword(token()) && !isIdentifier2(); checkIdentifierStart = scanner2.getTokenPos(); checkIdentifierEnd = scanner2.getTextPos(); return parseIdentifierName(); } } function parseNamespaceExport(pos) { return finishNode(factory2.createNamespaceExport(parseIdentifierName()), pos); } function parseExportDeclaration(pos, hasJSDoc, modifiers) { const savedAwaitContext = inAwaitContext(); setAwaitContext(true); let exportClause; let moduleSpecifier; let assertClause; const isTypeOnly = parseOptional(154); const namespaceExportPos = getNodePos(); if (parseOptional(41)) { if (parseOptional(128)) { exportClause = parseNamespaceExport(namespaceExportPos); } parseExpected(158); moduleSpecifier = parseModuleSpecifier(); } else { exportClause = parseNamedImportsOrExports(276); if (token() === 158 || token() === 10 && !scanner2.hasPrecedingLineBreak()) { parseExpected(158); moduleSpecifier = parseModuleSpecifier(); } } if (moduleSpecifier && token() === 130 && !scanner2.hasPrecedingLineBreak()) { assertClause = parseAssertClause(); } parseSemicolon(); setAwaitContext(savedAwaitContext); const node = factory2.createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, assertClause); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseExportAssignment(pos, hasJSDoc, modifiers) { const savedAwaitContext = inAwaitContext(); setAwaitContext(true); let isExportEquals; if (parseOptional(63)) { isExportEquals = true; } else { parseExpected(88); } const expression = parseAssignmentExpressionOrHigher(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["AssertEntries"] = 24] = "AssertEntries"; ParsingContext2[ParsingContext2["Count"] = 25] = "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, void 0, 1); scanner2.setText(content, start, length2); currentToken = scanner2.scan(); const jsDocTypeExpression = parseJSDocTypeExpression(); const sourceFile = createSourceFile2("file.js", 99, 1, false, [], factoryCreateToken(1), 0, noop); 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)(18); const type = doInsideOfContext(8388608, parseJSDocType); if (!mayOmitBraces || hasBrace) { parseExpectedJSDoc(19); } const result = factory2.createJSDocTypeExpression(type); fixupParentReferences(result); return finishNode(result, pos); } JSDocParser2.parseJSDocTypeExpression = parseJSDocTypeExpression; function parseJSDocNameReference() { const pos = getNodePos(); const hasBrace = parseOptional(18); const p2 = getNodePos(); let entityName = parseEntityName(false); while (token() === 80) { reScanHashToken(); nextTokenJSDoc(); entityName = finishNode(factory2.createJSDocMemberName(entityName, parseIdentifier()), p2); } if (hasBrace) { parseExpectedJSDoc(19); } const result = factory2.createJSDocNameReference(entityName); fixupParentReferences(result); return finishNode(result, pos); } JSDocParser2.parseJSDocNameReference = parseJSDocNameReference; function parseIsolatedJSDocComment2(content, start, length2) { initializeState("", content, 99, void 0, 1); const jsDoc = doInsideOfContext(8388608, () => 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(8388608, () => parseJSDocCommentWorker(start, length2)); setParent(comment, parent2); if (contextFlags & 262144) { if (!jsDocDiagnostics) { jsDocDiagnostics = []; } jsDocDiagnostics.push(...parseDiagnostics); } 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 = []; return scanner2.scanRange(start + 3, length2 - 5, () => { let state = 1; let margin; let indent2 = start - (content.lastIndexOf(" ", start) + 1) + 4; function pushComment(text) { if (!margin) { margin = indent2; } comments.push(text); indent2 += text.length; } nextTokenJSDoc(); while (parseOptionalJsdoc(5)) ; if (parseOptionalJsdoc(4)) { state = 0; indent2 = 0; } loop: while (true) { switch (token()) { case 59: if (state === 0 || state === 1) { removeTrailingWhitespace(comments); if (!commentsPos) commentsPos = getNodePos(); addTag(parseTag(indent2)); state = 0; margin = void 0; } else { pushComment(scanner2.getTokenText()); } break; case 4: comments.push(scanner2.getTokenText()); state = 0; indent2 = 0; break; case 41: const asterisk = scanner2.getTokenText(); if (state === 1 || state === 2) { state = 2; pushComment(asterisk); } else { state = 1; indent2 += asterisk.length; } break; case 5: const whitespace = scanner2.getTokenText(); if (state === 2) { comments.push(whitespace); } else if (margin !== void 0 && indent2 + whitespace.length > margin) { comments.push(whitespace.slice(margin - indent2)); } indent2 += whitespace.length; break; case 1: break loop; case 18: state = 2; const commentEnd = scanner2.getStartPos(); const linkStart = scanner2.getTextPos() - 1; const link = parseJSDocLink(linkStart); if (link) { if (!linkEnd) { removeLeadingNewlines(comments); } parts.push(finishNode(factory2.createJSDocText(comments.join("")), linkEnd != null ? linkEnd : start, commentEnd)); parts.push(link); comments = []; linkEnd = scanner2.getTextPos(); break; } default: state = 2; pushComment(scanner2.getTokenText()); break; } nextTokenJSDoc(); } removeTrailingWhitespace(comments); if (parts.length && comments.length) { parts.push(finishNode(factory2.createJSDocText(comments.join("")), linkEnd != null ? 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) : comments.length ? comments.join("") : void 0, tagsArray), start, end); }); function removeLeadingNewlines(comments2) { while (comments2.length && (comments2[0] === " " || comments2[0] === " ")) { comments2.shift(); } } function removeTrailingWhitespace(comments2) { while (comments2.length && comments2[comments2.length - 1].trim() === "") { comments2.pop(); } } 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() === 41 || token() === 5 || token() === 4) { indentText += scanner2.getTokenText(); if (token() === 4) { precedingLineBreak = true; seenLineBreak = true; indentText = ""; } else if (token() === 41) { precedingLineBreak = false; } nextTokenJSDoc(); } return seenLineBreak ? indentText : ""; } function parseTag(margin) { Debug.assert(token() === 59); const start2 = scanner2.getTokenPos(); nextTokenJSDoc(); const tagName = parseJSDocIdentifierName(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; 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(indent2, initialMargin) { const commentsPos2 = getNodePos(); let comments2 = []; const parts2 = []; let linkEnd2; let state = 0; let previousWhitespace = true; let margin; function pushComment(text) { if (!margin) { margin = indent2; } comments2.push(text); indent2 += 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()); indent2 = 0; break; case 59: if (state === 3 || state === 2 && (!previousWhitespace || lookAhead(isNextJSDocTokenWhitespace))) { comments2.push(scanner2.getTokenText()); break; } scanner2.setTextPos(scanner2.getTextPos() - 1); case 1: break loop; case 5: if (state === 2 || state === 3) { pushComment(scanner2.getTokenText()); } else { const whitespace = scanner2.getTokenText(); if (margin !== void 0 && indent2 + whitespace.length > margin) { comments2.push(whitespace.slice(margin - indent2)); } indent2 += whitespace.length; } break; case 18: state = 2; const commentEnd = scanner2.getStartPos(); const linkStart = scanner2.getTextPos() - 1; const link = parseJSDocLink(linkStart); if (link) { parts2.push(finishNode(factory2.createJSDocText(comments2.join("")), linkEnd2 != null ? linkEnd2 : commentsPos2, commentEnd)); parts2.push(link); comments2 = []; linkEnd2 = scanner2.getTextPos(); } else { pushComment(scanner2.getTokenText()); } break; case 61: if (state === 3) { state = 2; } else { state = 3; } pushComment(scanner2.getTokenText()); break; case 41: if (state === 0) { state = 1; indent2 += 1; break; } default: if (state !== 3) { state = 2; } pushComment(scanner2.getTokenText()); break; } previousWhitespace = token() === 5; tok = nextTokenJSDoc(); } removeLeadingNewlines(comments2); removeTrailingWhitespace(comments2); if (parts2.length) { if (comments2.length) { parts2.push(finishNode(factory2.createJSDocText(comments2.join("")), linkEnd2 != null ? linkEnd2 : commentsPos2)); } return createNodeArray(parts2, commentsPos2, scanner2.getTextPos()); } else if (comments2.length) { return comments2.join(""); } } function isNextJSDocTokenWhitespace() { const next = nextTokenJSDoc(); return next === 5 || next === 4; } function parseJSDocLink(start2) { const linkType = tryParse(parseJSDocLinkPrefix); if (!linkType) { return void 0; } nextTokenJSDoc(); skipWhitespace(); const p2 = getNodePos(); let name = tokenIsIdentifierOrKeyword(token()) ? parseEntityName(true) : void 0; if (name) { while (token() === 80) { reScanHashToken(); nextTokenJSDoc(); name = finishNode(factory2.createJSDocMemberName(name, parseIdentifier()), p2); } } const text = []; while (token() !== 19 && token() !== 4 && token() !== 1) { text.push(scanner2.getTokenText()); nextTokenJSDoc(); } const create2 = linkType === "link" ? factory2.createJSDocLink : linkType === "linkcode" ? factory2.createJSDocLinkCode : factory2.createJSDocLinkPlain; return finishNode(create2(name, text.join("")), start2, scanner2.getTextPos()); } function parseJSDocLinkPrefix() { skipWhitespaceOrAsterisk(); if (token() === 18 && nextTokenJSDoc() === 59 && 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, indent2, indentText) { return finishNode(factory2.createJSDocUnknownTag(tagName, parseTrailingTagComments(start2, getNodePos(), indent2, 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() === 18 ? parseJSDocTypeExpression() : void 0; } function parseBracketNameInPropertyAndParamTag() { const isBracketed = parseOptionalJsdoc(22); if (isBracketed) { skipWhitespace(); } const isBackquoted = parseOptionalJsdoc(61); const name = parseJSDocEntityName(); if (isBackquoted) { parseExpectedTokenJSDoc(61); } if (isBracketed) { skipWhitespace(); if (parseOptionalToken(63)) { parseExpression(); } parseExpected(23); } return { name, isBracketed }; } function isObjectOrObjectArrayTypeReference(node) { switch (node.kind) { case 149: return true; case 185: return isObjectOrObjectArrayTypeReference(node.elementType); default: return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "Object" && !node.typeArguments; } } function parseParameterOrPropertyTag(start2, tagName, target, indent2) { 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(), indent2, indentText); const nestedTypeLiteral = target !== 4 && parseNestedTypeLiteral(typeExpression, name, target, indent2); if (nestedTypeLiteral) { typeExpression = nestedTypeLiteral; isNameFirst = true; } const result = target === 1 ? factory2.createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) : factory2.createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment); return finishNode(result, start2); } function parseNestedTypeLiteral(typeExpression, name, target, indent2) { if (typeExpression && isObjectOrObjectArrayTypeReference(typeExpression.type)) { const pos = getNodePos(); let child; let children; while (child = tryParse(() => parseChildParameterOrPropertyTag(target, indent2, name))) { if (child.kind === 344 || child.kind === 351) { children = append(children, child); } } if (children) { const literal = finishNode(factory2.createJSDocTypeLiteral(children, typeExpression.type.kind === 185), pos); return finishNode(factory2.createJSDocTypeExpression(literal), pos); } } } function parseReturnTag(start2, tagName, indent2, indentText) { if (some(tags, isJSDocReturnTag)) { parseErrorAt(tagName.pos, scanner2.getTokenPos(), Diagnostics._0_tag_already_specified, tagName.escapedText); } const typeExpression = tryParseTypeExpression(); return finishNode(factory2.createJSDocReturnTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), indent2, indentText)), start2); } function parseTypeTag(start2, tagName, indent2, indentText) { if (some(tags, isJSDocTypeTag)) { parseErrorAt(tagName.pos, scanner2.getTokenPos(), Diagnostics._0_tag_already_specified, tagName.escapedText); } const typeExpression = parseJSDocTypeExpression(true); const comments2 = indent2 !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), indent2, indentText) : void 0; return finishNode(factory2.createJSDocTypeTag(tagName, typeExpression, comments2), start2); } function parseSeeTag(start2, tagName, indent2, indentText) { const isMarkdownOrJSDocLink = token() === 22 || lookAhead(() => nextTokenJSDoc() === 59 && tokenIsIdentifierOrKeyword(nextTokenJSDoc()) && isJSDocLinkTag(scanner2.getTokenValue())); const nameExpression = isMarkdownOrJSDocLink ? void 0 : parseJSDocNameReference(); const comments2 = indent2 !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), indent2, indentText) : void 0; return finishNode(factory2.createJSDocSeeTag(tagName, nameExpression, comments2), start2); } function parseThrowsTag(start2, tagName, indent2, indentText) { const typeExpression = tryParseTypeExpression(); const comment = parseTrailingTagComments(start2, getNodePos(), indent2, indentText); return finishNode(factory2.createJSDocThrowsTag(tagName, typeExpression, comment), start2); } function parseAuthorTag(start2, tagName, indent2, indentText) { const commentStart = getNodePos(); const textOnly = parseAuthorNameAndEmail(); let commentEnd = scanner2.getStartPos(); const comments2 = parseTrailingTagComments(start2, commentEnd, indent2, indentText); if (!comments2) { commentEnd = scanner2.getStartPos(); } 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 === 29) { inEmail = true; } else if (token2 === 59 && !inEmail) { break; } else if (token2 === 31 && inEmail) { comments2.push(scanner2.getTokenText()); scanner2.setTextPos(scanner2.getTokenPos() + 1); 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(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 parseExpressionWithTypeArgumentsForAugments() { const usedBrace = parseOptional(18); const pos = getNodePos(); const expression = parsePropertyAccessEntityNameExpression(); const typeArguments = tryParseTypeArguments(); const node = factory2.createExpressionWithTypeArguments(expression, typeArguments); const res = finishNode(node, pos); if (usedBrace) { parseExpected(19); } return res; } function parsePropertyAccessEntityNameExpression() { const pos = getNodePos(); let node = parseJSDocIdentifierName(); while (parseOptional(24)) { 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(true); skipWhitespace(); return finishNode(factory2.createJSDocThisTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseEnumTag(start2, tagName, margin, indentText) { const typeExpression = parseJSDocTypeExpression(true); skipWhitespace(); return finishNode(factory2.createJSDocEnumTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseTypedefTag(start2, tagName, indent2, indentText) { var _a2; let typeExpression = tryParseTypeExpression(); skipWhitespaceOrAsterisk(); const fullName = parseJSDocTypeNameWithNamespace(); skipWhitespace(); let comment = parseTagComments(indent2); let end2; if (!typeExpression || isObjectOrObjectArrayTypeReference(typeExpression.type)) { let child; let childTypeTag; let jsDocPropertyTags; let hasChildren = false; while (child = tryParse(() => parseChildPropertyTag(indent2))) { hasChildren = true; if (child.kind === 347) { if (childTypeTag) { const lastError = parseErrorAtCurrentToken(Diagnostics.A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags); if (lastError) { addRelatedInfo(lastError, createDetachedDiagnostic(fileName, 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 === 185; 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() : ((_a2 = fullName != null ? fullName : typeExpression) != null ? _a2 : tagName).end; if (!comment) { comment = parseTrailingTagComments(start2, end2, indent2, indentText); } const typedefTag = factory2.createJSDocTypedefTag(tagName, typeExpression, fullName, comment); return finishNode(typedefTag, start2, end2); } function parseJSDocTypeNameWithNamespace(nested) { const pos = scanner2.getTokenPos(); if (!tokenIsIdentifierOrKeyword(token())) { return void 0; } const typeNameOrNamespaceName = parseJSDocIdentifierName(); if (parseOptional(24)) { const body = parseJSDocTypeNameWithNamespace(true); const jsDocNamespaceNode = factory2.createModuleDeclaration(void 0, typeNameOrNamespaceName, body, nested ? 4 : void 0); return finishNode(jsDocNamespaceNode, pos); } if (nested) { typeNameOrNamespaceName.flags |= 2048; } return typeNameOrNamespaceName; } function parseCallbackTagParameters(indent2) { const pos = getNodePos(); let child; let parameters; while (child = tryParse(() => parseChildParameterOrPropertyTag(4, indent2))) { parameters = append(parameters, child); } return createNodeArray(parameters || [], pos); } function parseJSDocSignature(start2, indent2) { const parameters = parseCallbackTagParameters(indent2); const returnTag = tryParse(() => { if (parseOptionalJsdoc(59)) { const tag = parseTag(indent2); if (tag && tag.kind === 345) { return tag; } } }); return finishNode(factory2.createJSDocSignature(void 0, parameters, returnTag), start2); } function parseCallbackTag(start2, tagName, indent2, indentText) { const fullName = parseJSDocTypeNameWithNamespace(); skipWhitespace(); let comment = parseTagComments(indent2); const typeExpression = parseJSDocSignature(start2, indent2); if (!comment) { comment = parseTrailingTagComments(start2, getNodePos(), indent2, indentText); } const end2 = comment !== void 0 ? getNodePos() : typeExpression.end; return finishNode(factory2.createJSDocCallbackTag(tagName, typeExpression, fullName, comment), start2, end2); } function parseOverloadTag(start2, tagName, indent2, indentText) { skipWhitespace(); let comment = parseTagComments(indent2); const typeExpression = parseJSDocSignature(start2, indent2); if (!comment) { comment = parseTrailingTagComments(start2, getNodePos(), indent2, 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(indent2) { return parseChildParameterOrPropertyTag(1, indent2); } function parseChildParameterOrPropertyTag(target, indent2, name) { let canParseTag = true; let seenAsterisk = false; while (true) { switch (nextTokenJSDoc()) { case 59: if (canParseTag) { const child = tryParseChildTag(target, indent2); if (child && (child.kind === 344 || child.kind === 351) && target !== 4 && name && (isIdentifier(child.name) || !escapedTextsEqual(name, child.name.left))) { return false; } return child; } seenAsterisk = false; break; case 4: canParseTag = true; seenAsterisk = false; break; case 41: if (seenAsterisk) { canParseTag = false; } seenAsterisk = true; break; case 79: canParseTag = false; break; case 1: return false; } } } function tryParseChildTag(target, indent2) { Debug.assert(token() === 59); const start2 = scanner2.getStartPos(); nextTokenJSDoc(); const tagName = parseJSDocIdentifierName(); skipWhitespace(); 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; default: return false; } if (!(target & t)) { return false; } return parseParameterOrPropertyTag(start2, tagName, target, indent2); } function parseTemplateTagTypeParameter() { const typeParameterPos = getNodePos(); const isBracketed = parseOptionalJsdoc(22); if (isBracketed) { skipWhitespace(); } const name = parseJSDocIdentifierName(Diagnostics.Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces); let defaultType; if (isBracketed) { skipWhitespace(); parseExpected(63); defaultType = doInsideOfContext(8388608, parseJSDocType); parseExpected(23); } if (nodeIsMissing(name)) { return void 0; } return finishNode(factory2.createTypeParameterDeclaration(void 0, name, 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(27)); return createNodeArray(typeParameters, pos); } function parseTemplateTag(start2, tagName, indent2, indentText) { const constraint = token() === 18 ? parseJSDocTypeExpression() : void 0; const typeParameters = parseTemplateTagTypeParameters(); return finishNode(factory2.createJSDocTemplateTag(tagName, constraint, typeParameters, parseTrailingTagComments(start2, getNodePos(), indent2, indentText)), start2); } function parseOptionalJsdoc(t) { if (token() === t) { nextTokenJSDoc(); return true; } return false; } function parseJSDocEntityName() { let entity = parseJSDocIdentifierName(); if (parseOptional(22)) { parseExpected(23); } while (parseOptional(24)) { const name = parseJSDocIdentifierName(); if (parseOptional(22)) { parseExpected(23); } entity = createQualifiedName(entity, name); } return entity; } function parseJSDocIdentifierName(message) { if (!tokenIsIdentifierOrKeyword(token())) { return createMissingNode(79, !message, message || Diagnostics.Identifier_expected); } identifierCount++; const pos = scanner2.getTokenPos(); const end2 = scanner2.getTextPos(); const originalKeywordKind = token(); const text = internIdentifier(scanner2.getTokenValue()); const result = finishNode(factoryCreateIdentifier(text, originalKeywordKind), pos, end2); nextTokenJSDoc(); return result; } } })(JSDocParser = Parser2.JSDocParser || (Parser2.JSDocParser = {})); })(Parser || (Parser = {})); ((IncrementalParser2) => { function updateSourceFile2(sourceFile, newText, textChangeRange, aggressiveChecks) { aggressiveChecks = aggressiveChecks || Debug.shouldAssert(2); checkChangeRange(sourceFile, newText, textChangeRange, aggressiveChecks); if (textChangeRangeIsUnchanged(textChangeRange)) { return sourceFile; } if (sourceFile.statements.length === 0) { return Parser.parseSourceFile(sourceFile.fileName, newText, sourceFile.languageVersion, void 0, true, sourceFile.scriptKind, sourceFile.setExternalModuleIndicator); } const incrementalSourceFile = sourceFile; Debug.assert(!incrementalSourceFile.hasBeenIncrementallyParsed); incrementalSourceFile.hasBeenIncrementallyParsed = true; Parser.fixupParentReferences(incrementalSourceFile); 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(incrementalSourceFile, changeRange.span.start, textSpanEnd(changeRange.span), textSpanEnd(textChangeRangeNewSpan(changeRange)), delta, oldText, newText, aggressiveChecks); const result = Parser.parseSourceFile(sourceFile.fileName, newText, sourceFile.languageVersion, syntaxCursor, true, sourceFile.scriptKind, sourceFile.setExternalModuleIndicator); 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, isArray2, delta, oldText, newText, aggressiveChecks) { if (isArray2) { visitArray2(element); } else { visitNode3(element); } return; function visitNode3(node) { let text = ""; if (aggressiveChecks && shouldCheckNode(node)) { text = oldText.substring(node.pos, node.end); } if (node._children) { node._children = void 0; } 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) { array._children = void 0; setTextRangePosEnd(array, array.pos + delta, array.end + delta); for (const node of array) { visitNode3(node); } } } function shouldCheckNode(node) { switch (node.kind) { case 10: case 8: case 79: 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.end + delta : Math.min(element.end, changeRangeNewEnd); Debug.assert(pos <= end); if (element.parent) { Debug.assertGreaterThanOrEqual(pos, element.parent.pos); Debug.assertLessThanOrEqual(end, element.parent.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, false, delta, oldText, newText, aggressiveChecks); return; } const fullEnd = child.end; if (fullEnd >= changeStart) { child.intersectsChange = true; child._children = void 0; 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, true, delta, oldText, newText, aggressiveChecks); return; } const fullEnd = array.end; if (fullEnd >= changeStart) { array.intersectsChange = true; array._children = void 0; 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)) { 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 = {})); namedArgRegExCache = /* @__PURE__ */ new Map(); tripleSlashXMLCommentStartRegEx = /^///s*<(S+)s.*?/>/im; singleLinePragmaRegEx = /^///?s*@(S+)s*(.*)s*$/im; } }); 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 }; } function getOptionsNameMap() { return optionsNameMapCache || (optionsNameMapCache = createOptionNameMap(optionDeclarations)); } 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, trimString(value || ""), errors); } function parseListTypeOption(opt, value = "", errors) { value = trimString(value); if (startsWith(value, "-")) { return void 0; } if (opt.type === "listOrElement" && !stringContains(value, ",")) { 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, createDiagnostics, unknownOptionErrorText) { var _a2; if ((_a2 = diagnostics.alternateMode) == null ? void 0 : _a2.getOptionsNameMap().optionsNameMap.has(unknownOption.toLowerCase())) { return createDiagnostics(diagnostics.alternateMode.diagnostic, unknownOption); } const possibleOption = getSpellingSuggestion(unknownOption, diagnostics.optionDeclarations, getOptionName); return possibleOption ? createDiagnostics(diagnostics.unknownDidYouMeanDiagnostic, unknownOptionErrorText || unknownOption, possibleOption.name) : createDiagnostics(diagnostics.unknownOptionDiagnostic, unknownOptionErrorText || unknownOption); } function parseCommandLineWorker(diagnostics, commandLine, readFile) { 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, true); if (opt) { i = parseOptionValue(args, i, diagnostics, opt, options, errors); } else { const watchOpt = getOptionDeclarationFromName(watchOptionsDidYouMeanDiagnostics.getOptionsNameMap, inputOptionName, true); if (watchOpt) { i = parseOptionValue(args, i, watchOptionsDidYouMeanDiagnostics, watchOpt, watchOptions || (watchOptions = {}), errors); } else { errors.push(createUnknownOptionError(inputOptionName, diagnostics, createCompilerDiagnostic, s)); } } } else { fileNames.push(s); } } } function parseResponseFile(fileName) { const text = tryReadFile(fileName, readFile || ((fileName2) => sys.readFile(fileName2))); if (!isString(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, 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 && !startsWith(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; } function parseCommandLine(commandLine, readFile) { return parseCommandLineWorker(compilerOptionsDidYouMeanDiagnostics, commandLine, readFile); } 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); } function getBuildOptionsNameMap() { return buildOptionsNameMapCache || (buildOptionsNameMapCache = createOptionNameMap(buildOpts)); } 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) { const diagnostic = createCompilerDiagnostic.apply(void 0, arguments); return diagnostic.messageText; } function getParsedCommandLineOfConfigFile(configFileName, optionsToExtend, host, extendedConfigCache, watchOptionsToExtend, extraFileExtensions) { const configFileText = tryReadFile(configFileName, (fileName) => host.readFile(fileName)); if (!isString(configFileText)) { host.onUnRecoverableConfigFileDiagnostic(configFileText); return void 0; } const result = parseJsonText(configFileName, configFileText); const cwd = host.getCurrentDirectory(); result.path = toPath(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), void 0, extraFileExtensions, extendedConfigCache, watchOptionsToExtend); } function readConfigFile(fileName, readFile) { const textOrDiagnostic = tryReadFile(fileName, readFile); return isString(textOrDiagnostic) ? parseConfigFileTextToJson(fileName, textOrDiagnostic) : { config: {}, error: textOrDiagnostic }; } function parseConfigFileTextToJson(fileName, jsonText) { const jsonSourceFile = parseJsonText(fileName, jsonText); return { config: convertConfigFileToObject(jsonSourceFile, jsonSourceFile.parseDiagnostics, false, void 0), error: jsonSourceFile.parseDiagnostics.length ? jsonSourceFile.parseDiagnostics[0] : void 0 }; } function readJsonConfigFile(fileName, readFile) { const textOrDiagnostic = tryReadFile(fileName, readFile); return isString(textOrDiagnostic) ? parseJsonText(fileName, textOrDiagnostic) : { fileName, parseDiagnostics: [textOrDiagnostic] }; } function tryReadFile(fileName, readFile) { let text; try { text = readFile(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); } function getWatchOptionsNameMap() { return watchOptionsNameMapCache || (watchOptionsNameMapCache = createOptionNameMap(optionsForWatch)); } function getCommandLineCompilerOptionsMap() { return commandLineCompilerOptionsMapCache || (commandLineCompilerOptionsMapCache = commandLineOptionsToMap(optionDeclarations)); } function getCommandLineWatchOptionsMap() { return commandLineWatchOptionsMapCache || (commandLineWatchOptionsMapCache = commandLineOptionsToMap(optionsForWatch)); } function getCommandLineTypeAcquisitionMap() { return commandLineTypeAcquisitionMapCache || (commandLineTypeAcquisitionMapCache = commandLineOptionsToMap(typeAcquisitionDeclarations)); } function getTsconfigRootOptionsMap() { if (_tsconfigRootOptions === void 0) { _tsconfigRootOptions = { name: void 0, type: "object", elementOptions: commandLineOptionsToMap([ { name: "compilerOptions", type: "object", elementOptions: getCommandLineCompilerOptionsMap(), extraKeyDiagnostics: compilerOptionsDidYouMeanDiagnostics }, { name: "watchOptions", type: "object", elementOptions: getCommandLineWatchOptionsMap(), extraKeyDiagnostics: watchOptionsDidYouMeanDiagnostics }, { name: "typeAcquisition", type: "object", elementOptions: getCommandLineTypeAcquisitionMap(), extraKeyDiagnostics: typeAcquisitionDidYouMeanDiagnostics }, 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, reportOptionsErrors, optionsIterator) { var _a2; const rootExpression = (_a2 = sourceFile.statements[0]) == null ? void 0 : _a2.expression; const knownRootOptions = reportOptionsErrors ? getTsconfigRootOptionsMap() : void 0; if (rootExpression && rootExpression.kind !== 207) { 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 convertToObjectWorker(sourceFile, firstObject, errors, true, knownRootOptions, optionsIterator); } } return {}; } return convertToObjectWorker(sourceFile, rootExpression, errors, true, knownRootOptions, optionsIterator); } function convertToObject(sourceFile, errors) { var _a2; return convertToObjectWorker(sourceFile, (_a2 = sourceFile.statements[0]) == null ? void 0 : _a2.expression, errors, true, void 0, void 0); } function convertToObjectWorker(sourceFile, rootExpression, errors, returnValue, knownRootOptions, jsonConversionNotifier) { if (!rootExpression) { return returnValue ? {} : void 0; } return convertPropertyValueToJson(rootExpression, knownRootOptions); function isRootOptionMap(knownOptions) { return knownRootOptions && knownRootOptions.elementOptions === knownOptions; } function convertObjectLiteralExpressionToJson(node, knownOptions, extraKeyDiagnostics, parentOption) { const result = returnValue ? {} : void 0; for (const element of node.properties) { if (element.kind !== 299) { 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 && knownOptions ? knownOptions.get(keyText) : void 0; if (keyText && extraKeyDiagnostics && !option) { if (knownOptions) { errors.push(createUnknownOptionError(keyText, extraKeyDiagnostics, (message, arg0, arg1) => createDiagnosticForNodeInSourceFile(sourceFile, element.name, message, arg0, arg1))); } else { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element.name, extraKeyDiagnostics.unknownOptionDiagnostic, keyText)); } } const value = convertPropertyValueToJson(element.initializer, option); if (typeof keyText !== "undefined") { if (returnValue) { result[keyText] = value; } if (jsonConversionNotifier && (parentOption || isRootOptionMap(knownOptions))) { const isValidOptionValue = isCompilerOptionsValue(option, value); if (parentOption) { if (isValidOptionValue) { jsonConversionNotifier.onSetValidOptionKeyValueInParent(parentOption, option, value); } } else if (isRootOptionMap(knownOptions)) { if (isValidOptionValue) { jsonConversionNotifier.onSetValidOptionKeyValueInRoot(keyText, element.name, value, element.initializer); } else if (!option) { jsonConversionNotifier.onSetUnknownOptionKeyValueInRoot(keyText, element.name, value, element.initializer); } } } } } 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) { let invalidReported; switch (valueExpression.kind) { case 110: reportInvalidOptionValue(option && option.type !== "boolean" && (option.type !== "listOrElement" || option.element.type !== "boolean")); return validateValue(true); case 95: reportInvalidOptionValue(option && option.type !== "boolean" && (option.type !== "listOrElement" || option.element.type !== "boolean")); return validateValue(false); case 104: reportInvalidOptionValue(option && option.name === "extends"); return validateValue(null); case 10: if (!isDoubleQuotedString(valueExpression)) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.String_literal_with_double_quotes_expected)); } reportInvalidOptionValue(option && isString(option.type) && option.type !== "string" && (option.type !== "listOrElement" || isString(option.element.type) && option.element.type !== "string")); const text = valueExpression.text; if (option) { Debug.assert(option.type !== "listOrElement" || option.element.type === "string", "Only string or array of string is handled for now"); } if (option && !isString(option.type)) { const customOption = option; if (!customOption.type.has(text.toLowerCase())) { errors.push(createDiagnosticForInvalidCustomType(customOption, (message, arg0, arg1) => createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, message, arg0, arg1))); invalidReported = true; } } return validateValue(text); case 8: reportInvalidOptionValue(option && option.type !== "number" && (option.type !== "listOrElement" || option.element.type !== "number")); return validateValue(Number(valueExpression.text)); case 221: if (valueExpression.operator !== 40 || valueExpression.operand.kind !== 8) { break; } reportInvalidOptionValue(option && option.type !== "number" && (option.type !== "listOrElement" || option.element.type !== "number")); return validateValue(-Number(valueExpression.operand.text)); case 207: reportInvalidOptionValue(option && option.type !== "object" && (option.type !== "listOrElement" || option.element.type !== "object")); const objectLiteralExpression = valueExpression; if (option) { const { elementOptions, extraKeyDiagnostics, name: optionName } = option; return validateValue(convertObjectLiteralExpressionToJson(objectLiteralExpression, elementOptions, extraKeyDiagnostics, optionName)); } else { return validateValue(convertObjectLiteralExpressionToJson(objectLiteralExpression, void 0, void 0, void 0)); } case 206: reportInvalidOptionValue(option && option.type !== "list" && option.type !== "listOrElement"); return validateValue(convertArrayLiteralExpressionToJson(valueExpression.elements, option && option.element)); } if (option) { reportInvalidOptionValue(true); } 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 validateValue(value) { var _a2; if (!invalidReported) { const diagnostic = (_a2 = option == null ? void 0 : option.extraValidation) == null ? void 0 : _a2.call(option, value); if (diagnostic) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, ...diagnostic)); return void 0; } } return value; } function reportInvalidOptionValue(isError) { if (isError) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.Compiler_option_0_requires_a_value_of_type_1, option.name, getCompilerOptionValueTypeString(option))); invalidReported = true; } } } function isDoubleQuotedString(node) { return isStringLiteral(node) && isStringDoubleQuoted(node, sourceFile); } } function getCompilerOptionValueTypeString(option) { return option.type === "listOrElement" ? `${getCompilerOptionValueTypeString(option.element)} or Array` : option.type === "list" ? "Array" : isString(option.type) ? option.type : "string"; } function isCompilerOptionsValue(option, value) { if (option) { if (isNullOrUndefined(value)) return true; if (option.type === "list") { return isArray(value); } if (option.type === "listOrElement") { return isArray(value) || isCompilerOptionsValue(option.element, value); } const expectedType = isString(option.type) ? option.type : "string"; return typeof value === expectedType; } return false; } function convertToTSConfig(configParseResult, configFileName, host) { var _a2, _b, _c; const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames); const files = map(filter(configParseResult.fileNames, !((_b = (_a2 = configParseResult.options.configFile) == null ? void 0 : _a2.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 optionMap = serializeCompilerOptions(configParseResult.options, { configFilePath: getNormalizedAbsolutePath(configFileName, host.getCurrentDirectory()), useCaseSensitiveFileNames: host.useCaseSensitiveFileNames }); const watchOptionMap = configParseResult.watchOptions && serializeWatchOptions(configParseResult.watchOptions); const config = { 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 }; return config; } 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(path, includeSpecs, excludeSpecs, host) { if (!includeSpecs) return returnTrue; const patterns = getFileMatcherPatterns(path, 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 (path2) => !(includeRe.test(path2) && !excludeRe.test(path2)); } return (path2) => !includeRe.test(path2); } if (excludeRe) { return (path2) => excludeRe.test(path2); } 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 { 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: description2 = "" } = entry; result.push(value && `${tab}${tab}${value}${description2 && makePadding(marginLength - value.length + 2) + description2}`); } 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, void 0, host, basePath, existingOptions, existingWatchOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache); } function parseJsonSourceFileConfigFileContent(sourceFile, host, basePath, existingOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache, existingWatchOptions) { var _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Parse, "parseJsonSourceFileConfigFileContent", { path: sourceFile.fileName }); const result = parseJsonConfigFileContentWorker(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)); } 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 = extend(existingOptions, parsedConfig.options || {}); const watchOptions = existingWatchOptions && parsedConfig.watchOptions ? extend(existingWatchOptions, parsedConfig.watchOptions) : parsedConfig.watchOptions || existingWatchOptions; options.configFilePath = configFileName && normalizeSlashes(configFileName); const configFileSpecs = getConfigFileSpecs(); if (sourceFile) sourceFile.configFileSpecs = configFileSpecs; setConfigFileInOptions(options, sourceFile); const basePathForFileNames = normalizePath(configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath); return { options, watchOptions, fileNames: getFileNames(basePathForFileNames), projectReferences: getProjectReferences(basePathForFileNames), typeAcquisition: parsedConfig.typeAcquisition || getDefaultTypeAcquisition(), raw, errors, 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" || isArray(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 = firstDefined(getTsConfigPropArray(sourceFile, "files"), (property) => property.initializer); const error = nodeValue ? createDiagnosticForNodeInSourceFile(sourceFile, nodeValue, diagnosticMessage, fileName) : createCompilerDiagnostic(diagnosticMessage, fileName); errors.push(error); } 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" && raw.compilerOptions) { const outDir = raw.compilerOptions.outDir; const declarationDir = raw.compilerOptions.declarationDir; if (outDir || declarationDir) { excludeSpecs = [outDir, declarationDir].filter((d) => !!d); } } if (filesSpecs === void 0 && includeSpecs === void 0) { includeSpecs = [defaultIncludeSpec]; isDefaultIncludeSpec = true; } let validatedIncludeSpecs, validatedExcludeSpecs; if (includeSpecs) { validatedIncludeSpecs = validateSpecs(includeSpecs, errors, true, sourceFile, "include"); } if (excludeSpecs) { validatedExcludeSpecs = validateSpecs(excludeSpecs, errors, false, sourceFile, "exclude"); } return { filesSpecs, includeSpecs, excludeSpecs, validatedFilesSpec: filter(filesSpecs, isString), validatedIncludeSpecs, validatedExcludeSpecs, pathPatterns: void 0, 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 (isArray(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 isArray(specResult) ? specResult : void 0; } function getSpecsFromRaw(prop) { return getPropFromRaw(prop, isString, "string"); } function getPropFromRaw(prop, validateElement, elementTypeName) { if (hasProperty(raw, prop) && !isNullOrUndefined(raw[prop])) { if (isArray(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, arg0, arg1) { if (!sourceFile) { errors.push(createCompilerDiagnostic(message, arg0, arg1)); } } } function isErrorNoInputFiles(error) { return error.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, (error) => !isErrorNoInputFiles(error)); } return existingErrors !== configParseDiagnostics.length; } function isSuccessfulParsedTsconfig(value) { return !!value.options; } function parseConfig(json, sourceFile, host, basePath, configFileName, resolutionStack, errors, extendedConfigCache) { var _a2; basePath = normalizeSlashes(basePath); const resolvedPath = getNormalizedAbsolutePath(configFileName || "", basePath); if (resolutionStack.indexOf(resolvedPath) >= 0) { 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 ((_a2 = ownConfig.options) == null ? void 0 : _a2.paths) { ownConfig.options.pathsBasePath = basePath; } if (ownConfig.extendedConfigPath) { resolutionStack = resolutionStack.concat([resolvedPath]); const result = { options: {} }; if (isString(ownConfig.extendedConfigPath)) { applyExtendedConfig(result, ownConfig.extendedConfigPath); } else { ownConfig.extendedConfigPath.forEach((extendedConfigPath) => applyExtendedConfig(result, extendedConfigPath)); } if (!ownConfig.raw.include && result.include) ownConfig.raw.include = result.include; if (!ownConfig.raw.exclude && result.exclude) ownConfig.raw.exclude = result.exclude; if (!ownConfig.raw.files && 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 (extendsRaw[propertyName]) { result[propertyName] = map(extendsRaw[propertyName], (path) => isRootedDiskPath(path) ? path : combinePaths(relativeDifference || (relativeDifference = convertToRelativePath(getDirectoryPath(extendedConfigPath), basePath, createGetCanonicalFileName(host.useCaseSensitiveFileNames))), path)); } }; 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); let extendedConfigPath; if (json.extends || json.extends === "") { if (!isCompilerOptionsValue(extendsOptionDeclaration, json.extends)) { errors.push(createCompilerDiagnostic(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, "extends", getCompilerOptionValueTypeString(extendsOptionDeclaration))); } else { const newBase = configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath; if (isString(json.extends)) { extendedConfigPath = getExtendsConfigPath(json.extends, host, newBase, errors, createCompilerDiagnostic); } else { extendedConfigPath = []; for (const fileName of json.extends) { if (isString(fileName)) { extendedConfigPath = append(extendedConfigPath, getExtendsConfigPath(fileName, host, newBase, errors, createCompilerDiagnostic)); } else { errors.push(createCompilerDiagnostic(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, "extends", getCompilerOptionValueTypeString(extendsOptionDeclaration.element))); } } } } } return { raw: json, options, watchOptions, typeAcquisition, extendedConfigPath }; } function parseOwnConfigOfJsonSourceFile(sourceFile, host, basePath, configFileName, errors) { const options = getDefaultCompilerOptions(configFileName); let typeAcquisition; let watchOptions; let extendedConfigPath; let rootCompilerOptions; const optionsIterator = { onSetValidOptionKeyValueInParent(parentOption, option, value) { let currentOption; switch (parentOption) { case "compilerOptions": currentOption = options; break; case "watchOptions": currentOption = watchOptions || (watchOptions = {}); break; case "typeAcquisition": currentOption = typeAcquisition || (typeAcquisition = getDefaultTypeAcquisition(configFileName)); break; default: Debug.fail("Unknown option"); } currentOption[option.name] = normalizeOptionValue(option, basePath, value); }, onSetValidOptionKeyValueInRoot(key, _keyNode, value, valueNode) { switch (key) { case "extends": const newBase = configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath; if (isString(value)) { extendedConfigPath = getExtendsConfigPath(value, host, newBase, errors, (message, arg0) => createDiagnosticForNodeInSourceFile(sourceFile, valueNode, message, arg0)); } else { extendedConfigPath = []; for (let index = 0; index < value.length; index++) { const fileName = value[index]; if (isString(fileName)) { extendedConfigPath = append(extendedConfigPath, getExtendsConfigPath(fileName, host, newBase, errors, (message, arg0) => createDiagnosticForNodeInSourceFile(sourceFile, valueNode.elements[index], message, arg0))); } } } return; } }, onSetUnknownOptionKeyValueInRoot(key, keyNode, _value, _valueNode) { if (key === "excludes") { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, keyNode, Diagnostics.Unknown_option_excludes_Did_you_mean_exclude)); } if (find(commandOptionsWithoutBuild, (opt) => opt.name === key)) { rootCompilerOptions = append(rootCompilerOptions, keyNode); } } }; const json = convertConfigFileToObject(sourceFile, errors, true, optionsIterator); 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 getExtendsConfigPath(extendedConfig, host, basePath, errors, createDiagnostic) { extendedConfig = normalizeSlashes(extendedConfig); if (isRootedDiskPath(extendedConfig) || startsWith(extendedConfig, "./") || startsWith(extendedConfig, "../")) { let extendedConfigPath = getNormalizedAbsolutePath(extendedConfig, basePath); if (!host.fileExists(extendedConfigPath) && !endsWith(extendedConfigPath, ".json")) { extendedConfigPath = `${extendedConfigPath}.json`; if (!host.fileExists(extendedConfigPath)) { errors.push(createDiagnostic(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(createDiagnostic(Diagnostics.Compiler_option_0_cannot_be_given_an_empty_string, "extends")); } else { errors.push(createDiagnostic(Diagnostics.File_0_not_found, extendedConfig)); } return void 0; } function getExtendedConfig(sourceFile, extendedConfigPath, host, resolutionStack, errors, extendedConfigCache, result) { var _a2; const path = host.useCaseSensitiveFileNames ? extendedConfigPath : toFileNameLowerCase(extendedConfigPath); let value; let extendedResult; let extendedConfig; if (extendedConfigCache && (value = extendedConfigCache.get(path))) { ({ extendedResult, extendedConfig } = value); } else { extendedResult = readJsonConfigFile(extendedConfigPath, (path2) => host.readFile(path2)); if (!extendedResult.parseDiagnostics.length) { extendedConfig = parseConfig(void 0, extendedResult, host, getDirectoryPath(extendedConfigPath), getBaseFileName(extendedConfigPath), resolutionStack, errors, extendedConfigCache); } if (extendedConfigCache) { extendedConfigCache.set(path, { extendedResult, extendedConfig }); } } if (sourceFile) { ((_a2 = result.extendedSourceFiles) != null ? _a2 : 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, void 0, watchOptionsDidYouMeanDiagnostics, errors); } function convertOptionsFromJson(optionsNameMap, jsonOptions, basePath, defaultOptions, diagnostics, errors) { if (!jsonOptions) { return; } for (const id in jsonOptions) { const opt = optionsNameMap.get(id); if (opt) { (defaultOptions || (defaultOptions = {}))[opt.name] = convertJsonOption(opt, jsonOptions[id], basePath, errors); } else { errors.push(createUnknownOptionError(id, diagnostics, createCompilerDiagnostic)); } } return defaultOptions; } function convertJsonOption(opt, value, basePath, errors) { if (isCompilerOptionsValue(opt, value)) { const optType = opt.type; if (optType === "list" && isArray(value)) { return convertJsonOptionOfListType(opt, value, basePath, errors); } else if (optType === "listOrElement") { return isArray(value) ? convertJsonOptionOfListType(opt, value, basePath, errors) : convertJsonOption(opt.element, value, basePath, errors); } else if (!isString(opt.type)) { return convertJsonOptionOfCustomType(opt, value, errors); } const validatedValue = validateJsonOptionValue(opt, value, errors); return isNullOrUndefined(validatedValue) ? validatedValue : normalizeNonListOptionValue(opt, basePath, validatedValue); } else { errors.push(createCompilerDiagnostic(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, opt.name, getCompilerOptionValueTypeString(opt))); } } function normalizeOptionValue(option, basePath, value) { if (isNullOrUndefined(value)) return void 0; if (option.type === "listOrElement" && !isArray(value)) return normalizeOptionValue(option.element, basePath, value); else if (option.type === "list" || option.type === "listOrElement") { const listOption = option; if (listOption.element.isFilePath || !isString(listOption.element.type)) { return filter(map(value, (v) => normalizeOptionValue(listOption.element, basePath, v)), (v) => listOption.listPreserveFalsyValues ? true : !!v); } return value; } else if (!isString(option.type)) { return option.type.get(isString(value) ? value.toLowerCase() : value); } return normalizeNonListOptionValue(option, basePath, value); } function normalizeNonListOptionValue(option, basePath, value) { if (option.isFilePath) { value = getNormalizedAbsolutePath(value, basePath); if (value === "") { value = "."; } } return value; } function validateJsonOptionValue(opt, value, errors) { var _a2; if (isNullOrUndefined(value)) return void 0; const d = (_a2 = opt.extraValidation) == null ? void 0 : _a2.call(opt, value); if (!d) return value; errors.push(createCompilerDiagnostic(...d)); return void 0; } function convertJsonOptionOfCustomType(opt, value, errors) { 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); } else { errors.push(createCompilerDiagnosticForInvalidCustomType(opt)); } } function convertJsonOptionOfListType(option, values, basePath, errors) { return filter(map(values, (v) => convertJsonOption(option.element, v, basePath, errors)), (v) => option.listPreserveFalsyValues ? true : !!v); } 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, void 0)) { if (fileExtensionIs(file, ".json")) { if (!jsonOnlyIncludeRegexes) { const includes = validatedIncludeSpecs.filter((s) => endsWith(s, ".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, useCaseSensitiveFileNames, currentDirectory) { const { validatedFilesSpec, validatedIncludeSpecs, validatedExcludeSpecs } = spec; if (!length(validatedIncludeSpecs) || !length(validatedExcludeSpecs)) return false; basePath = normalizePath(basePath); const keyMapper = createGetCanonicalFileName(useCaseSensitiveFileNames); if (validatedFilesSpec) { for (const fileName of validatedFilesSpec) { if (keyMapper(getNormalizedAbsolutePath(fileName, basePath)) === pathToCheck) return false; } } return matchesExcludeWorker(pathToCheck, validatedExcludeSpecs, useCaseSensitiveFileNames, currentDirectory, basePath); } function invalidDotDotAfterRecursiveWildcard(s) { const wildcardIndex = startsWith(s, "**/") ? 0 : s.indexOf("/**/"); if (wildcardIndex === -1) { return false; } const lastDotIndex = endsWith(s, "/..") ? s.length : s.lastIndexOf("/../"); return lastDotIndex > wildcardIndex; } function matchesExclude(pathToCheck, excludeSpecs, useCaseSensitiveFileNames, currentDirectory) { return matchesExcludeWorker(pathToCheck, filter(excludeSpecs, (spec) => !invalidDotDotAfterRecursiveWildcard(spec)), useCaseSensitiveFileNames, currentDirectory); } function matchesExcludeWorker(pathToCheck, excludeSpecs, useCaseSensitiveFileNames, currentDirectory, basePath) { const excludePattern = getRegularExpressionForWildcard(excludeSpecs, combinePaths(normalizePath(currentDirectory), basePath), "exclude"); const excludeRegex = excludePattern && getRegexFromPattern(excludePattern, useCaseSensitiveFileNames); 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 (!isString(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 element ? createDiagnosticForNodeInSourceFile(jsonSourceFile, element, message, spec) : createCompilerDiagnostic(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 }, path, useCaseSensitiveFileNames) { const rawExcludeRegex = getRegularExpressionForWildcard(exclude, path, "exclude"); const excludeRegex = rawExcludeRegex && new RegExp(rawExcludeRegex, useCaseSensitiveFileNames ? "" : "i"); const wildcardDirectories = {}; if (include !== void 0) { const recursiveKeys = []; for (const file of include) { const spec = normalizePath(combinePaths(path, file)); if (excludeRegex && excludeRegex.test(spec)) { continue; } const match = getWildcardDirectoryFromSpec(spec, useCaseSensitiveFileNames); if (match) { const { key, flags } = match; const existingFlags = wildcardDirectories[key]; if (existingFlags === void 0 || existingFlags < flags) { wildcardDirectories[key] = flags; if (flags === 1) { recursiveKeys.push(key); } } } } for (const key in wildcardDirectories) { if (hasProperty(wildcardDirectories, key)) { for (const recursiveKey of recursiveKeys) { if (key !== recursiveKey && containsPath(recursiveKey, key, path, !useCaseSensitiveFileNames)) { delete wildcardDirectories[key]; } } } } } return wildcardDirectories; } function getWildcardDirectoryFromSpec(spec, useCaseSensitiveFileNames) { const match = wildcardDirectoryPattern.exec(spec); if (match) { const questionWildcardIndex = spec.indexOf("?"); const starWildcardIndex = spec.indexOf("*"); const lastDirectorySeperatorIndex = spec.lastIndexOf(directorySeparator); return { key: useCaseSensitiveFileNames ? match[0] : toFileNameLowerCase(match[0]), flags: questionWildcardIndex !== -1 && questionWildcardIndex < lastDirectorySeperatorIndex || starWildcardIndex !== -1 && starWildcardIndex < lastDirectorySeperatorIndex ? 1 : 0 }; } if (isImplicitGlob(spec.substring(spec.lastIndexOf(directorySeparator) + 1))) { return { key: removeTrailingDirectorySeparator(useCaseSensitiveFileNames ? spec : toFileNameLowerCase(spec)), flags: 1 }; } 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)) { return false; } const higherPriorityPath = keyMapper(changeExtension(file, ext)); if (literalFiles.has(higherPriorityPath) || wildcardFiles.has(higherPriorityPath)) { if (ext === ".d.ts" && (fileExtensionIs(file, ".js") || fileExtensionIs(file, ".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) { 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 (!isArray(value)) return getOptionValueWithEmptyStrings(value, option.element); case "list": const elementType = option.element; return isArray(value) ? value.map((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."); } } var compileOnSaveCommandLineOption, jsxOptionMap, inverseJsxOptionMap, libEntries, libs, libMap, optionsForWatch, commonOptionsWithBuild, targetOptionDeclaration, moduleOptionDeclaration, commandOptionsWithoutBuild, optionDeclarations, semanticDiagnosticsOptionDeclarations, affectsEmitOptionDeclarations, affectsDeclarationPathOptionDeclarations, moduleResolutionOptionDeclarations, sourceFileAffectingCompilerOptions, optionsAffectingProgramStructure, transpileOptionValueCompilerOptions, optionsForBuild, buildOpts, typeAcquisitionDeclarations, optionsNameMapCache, compilerOptionsAlternateMode, defaultInitCompilerOptions, compilerOptionsDidYouMeanDiagnostics, buildOptionsNameMapCache, buildOptionsAlternateMode, buildOptionsDidYouMeanDiagnostics, typeAcquisitionDidYouMeanDiagnostics, watchOptionsNameMapCache, watchOptionsDidYouMeanDiagnostics, commandLineCompilerOptionsMapCache, commandLineWatchOptionsMapCache, commandLineTypeAcquisitionMapCache, extendsOptionDeclaration, _tsconfigRootOptions, defaultIncludeSpec, invalidTrailingRecursionPattern, wildcardDirectoryPattern; var init_commandLineParser = __esm({ "src/compiler/commandLineParser.ts"() { "use strict"; init_ts2(); compileOnSaveCommandLineOption = { name: "compileOnSave", type: "boolean", defaultValueDescription: false }; jsxOptionMap = new Map(Object.entries({ "preserve": 1, "react-native": 3, "react": 2, "react-jsx": 4, "react-jsxdev": 5 })); inverseJsxOptionMap = new Map(mapIterator(jsxOptionMap.entries(), ([key, value]) => ["" + value, key])); libEntries = [ ["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"], ["dom", "lib.dom.d.ts"], ["dom.iterable", "lib.dom.iterable.d.ts"], ["webworker", "lib.webworker.d.ts"], ["webworker.importscripts", "lib.webworker.importscripts.d.ts"], ["webworker.iterable", "lib.webworker.iterable.d.ts"], ["scripthost", "lib.scripthost.d.ts"], ["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"], ["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"], ["esnext.array", "lib.es2023.array.d.ts"], ["esnext.symbol", "lib.es2019.symbol.d.ts"], ["esnext.asynciterable", "lib.es2018.asynciterable.d.ts"], ["esnext.intl", "lib.esnext.intl.d.ts"], ["esnext.bigint", "lib.es2020.bigint.d.ts"], ["esnext.string", "lib.es2022.string.d.ts"], ["esnext.promise", "lib.es2021.promise.d.ts"], ["esnext.weakref", "lib.es2021.weakref.d.ts"], ["decorators", "lib.decorators.d.ts"], ["decorators.legacy", "lib.decorators.legacy.d.ts"] ]; libs = libEntries.map((entry) => entry[0]); libMap = new Map(libEntries); optionsForWatch = [ { name: "watchFile", type: new Map(Object.entries({ fixedpollinginterval: 0, prioritypollinginterval: 1, dynamicprioritypolling: 2, fixedchunksizepolling: 3, usefsevents: 4, usefseventsonparentdirectory: 5 })), category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Specify_how_the_TypeScript_watch_mode_works, defaultValueDescription: 4 }, { name: "watchDirectory", type: new Map(Object.entries({ usefsevents: 0, fixedpollinginterval: 1, dynamicprioritypolling: 2, fixedchunksizepolling: 3 })), category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality, defaultValueDescription: 0 }, { name: "fallbackPolling", type: new Map(Object.entries({ fixedinterval: 0, priorityinterval: 1, dynamicpriority: 2, fixedchunksize: 3 })), 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 }, { 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 }, 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 }, category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Remove_a_list_of_files_from_the_watch_mode_s_processing } ]; 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", 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", affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, transpileOptionValue: void 0, defaultValueDescription: false, description: Diagnostics.Create_sourcemaps_for_d_ts_files }, { name: "emitDeclarationOnly", type: "boolean", 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", affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, defaultValueDescription: false, description: Diagnostics.Create_source_map_files_for_emitted_JavaScript_files }, { name: "inlineSourceMap", type: "boolean", 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 } ]; 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, esnext: 99 })), affectsSourceFile: true, affectsModuleResolution: true, affectsEmit: true, affectsBuildInfo: true, 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 }; 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 })), 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 }; commandOptionsWithoutBuild = [ { 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 }, 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", affectsModuleResolution: 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", 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, 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", 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: "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 })), affectsEmit: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types, defaultValueDescription: 0 }, { 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", 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: "strict", type: "boolean", 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: false }, { 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 }, { 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 }, { name: "moduleResolution", type: new Map(Object.entries({ node10: 2, node: 2, classic: 1, node16: 3, nodenext: 99, bundler: 100 })), deprecatedKeys: /* @__PURE__ */ new Set(["node"]), 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 }, { name: "paths", type: "object", affectsModuleResolution: true, isTSConfigOnly: true, category: Diagnostics.Modules, description: Diagnostics.Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations, transpileOptionValue: void 0 }, { name: "rootDirs", type: "list", isTSConfigOnly: true, element: { name: "rootDirs", type: "string", isFilePath: true }, affectsModuleResolution: 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, 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, 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 }, { 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 }, { 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 }, { 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 }, { 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, 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", 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 })), 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, 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, 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", 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.Emit, 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 }, { 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 })), 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 } ]; optionDeclarations = [ ...commonOptionsWithBuild, ...commandOptionsWithoutBuild ]; semanticDiagnosticsOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsSemanticDiagnostics); affectsEmitOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsEmit); affectsDeclarationPathOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsDeclarationPath); moduleResolutionOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsModuleResolution); sourceFileAffectingCompilerOptions = optionDeclarations.filter((option) => !!option.affectsSourceFile || !!option.affectsModuleResolution || !!option.affectsBindDiagnostics); optionsAffectingProgramStructure = optionDeclarations.filter((option) => !!option.affectsProgramStructure); transpileOptionValueCompilerOptions = optionDeclarations.filter((option) => hasProperty(option, "transpileOptionValue")); 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 } ]; buildOpts = [ ...commonOptionsWithBuild, ...optionsForBuild ]; 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 } ]; compilerOptionsAlternateMode = { diagnostic: Diagnostics.Compiler_option_0_may_only_be_used_with_build, getOptionsNameMap: getBuildOptionsNameMap }; defaultInitCompilerOptions = { module: 1, target: 3, strict: true, esModuleInterop: true, forceConsistentCasingInFileNames: true, skipLibCheck: true }; 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 }; buildOptionsAlternateMode = { diagnostic: Diagnostics.Compiler_option_0_may_not_be_used_with_build, getOptionsNameMap }; 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 }; typeAcquisitionDidYouMeanDiagnostics = { optionDeclarations: typeAcquisitionDeclarations, unknownOptionDiagnostic: Diagnostics.Unknown_type_acquisition_option_0, unknownDidYouMeanDiagnostic: Diagnostics.Unknown_type_acquisition_option_0_Did_you_mean_1 }; 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 }; extendsOptionDeclaration = { name: "extends", type: "listOrElement", element: { name: "extends", type: "string" }, category: Diagnostics.File_Management }; defaultIncludeSpec = "**/*"; invalidTrailingRecursionPattern = /(^|/)**/?$/; wildcardDirectoryPattern = /^[^*?]*(?=/[^/]*[*?])/; } }); function trace(host) { host.trace(formatMessage.apply(void 0, arguments)); } function isTraceEnabled(compilerOptions, host) { return !!compilerOptions.traceResolution && host.trace !== void 0; } function withPackageId(packageInfo, r) { 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 }; } } return r && { path: r.path, extension: r.ext, packageId, resolvedUsingTsExtension: r.resolvedUsingTsExtension }; } function noPackageId(r) { return withPackageId(void 0, r); } 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 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, legacyResult) { 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, legacyResult); } function createResolvedModuleWithFailedLookupLocations(resolved, isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, resultFromCache, legacyResult) { if (resultFromCache) { resultFromCache.failedLookupLocations = updateResolutionField(resultFromCache.failedLookupLocations, failedLookupLocations); resultFromCache.affectingLocations = updateResolutionField(resultFromCache.affectingLocations, affectingLocations); resultFromCache.resolutionDiagnostics = updateResolutionField(resultFromCache.resolutionDiagnostics, diagnostics); return resultFromCache; } 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), node10Result: legacyResult }; } 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 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 path = normalizePath(combinePaths(baseDirectory, fileName)); if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_has_0_field_1_that_references_2, fieldName, fileName, path); } return path; } 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; } 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, host); } } function getDefaultTypeRoots(currentDirectory, host) { if (!host.directoryExists) { return [combinePaths(currentDirectory, nodeModulesAtTypes)]; } let typeRoots; forEachAncestorDirectory(normalizePath(currentDirectory), (directory) => { const atTypes = combinePaths(directory, nodeModulesAtTypes); if (host.directoryExists(atTypes)) { (typeRoots || (typeRoots = [])).push(atTypes); } return void 0; }); return typeRoots; } function arePathsEqual(path1, path2, host) { const useCaseSensitiveFileNames = typeof host.useCaseSensitiveFileNames === "function" ? host.useCaseSensitiveFileNames() : host.useCaseSensitiveFileNames; return comparePaths(path1, path2, !useCaseSensitiveFileNames) === 0; } function getOriginalAndResolvedFileName(fileName, host, traceEnabled) { const resolvedFileName = realPath(fileName, host, traceEnabled); const pathsAreEqual = arePathsEqual(fileName, resolvedFileName, host); return { resolvedFileName: pathsAreEqual ? fileName : resolvedFileName, originalPath: pathsAreEqual ? void 0 : fileName }; } 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 === 99 && (getEmitModuleResolutionKind(options) === 3 || getEmitModuleResolutionKind(options) === 99)) { features |= 32; } const conditions = features & 8 ? getConditions(options, !!(features & 32)) : []; 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 }; 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 == null ? void 0 : cache.getOrCreateCacheForDirectory(containingDirectory, redirectedReference).set(typeReferenceDirectiveName, resolutionMode, result); if (!isExternalModuleNameRelative(typeReferenceDirectiveName)) { cache == null ? void 0 : cache.getOrCreateCacheForNonRelativeName(typeReferenceDirectiveName, resolutionMode, redirectedReference).set(containingDirectory, result); } } if (traceEnabled) traceResult(result); return result; function traceResult(result2) { var _a2; if (!((_a2 = result2.resolvedTypeReferenceDirective) == null ? void 0 : _a2.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 = combinePaths(typeRoot, typeReferenceDirectiveName); const candidateDirectory = getDirectoryPath(candidate); const directoryExists = directoryProbablyExists(candidateDirectory, host); if (!directoryExists && traceEnabled) { trace(host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, candidateDirectory); } 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) { if (traceEnabled) { trace(host, Diagnostics.Looking_up_in_node_modules_folder_initial_location_0, initialLocationForSecondaryLookup); } let result2; if (!isExternalModuleNameRelative(typeReferenceDirectiveName)) { const searchResult = loadModuleFromNearestNodeModulesDirectory(4, typeReferenceDirectiveName, initialLocationForSecondaryLookup, moduleResolutionState, void 0, void 0); result2 = searchResult && searchResult.value; } else { const { path: candidate } = normalizePathForCJSResolution(initialLocationForSecondaryLookup, typeReferenceDirectiveName); result2 = nodeLoadModuleByRelativeName(4, candidate, false, moduleResolutionState, true); } 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, esmMode) { const conditions = esmMode || getEmitModuleResolutionKind(options) === 100 ? ["import"] : ["require"]; if (!options.noDtsResolution) { conditions.push("types"); } if (getEmitModuleResolutionKind(options) !== 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, 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 root of typeRoots) { if (host.directoryExists(root)) { for (const typeDirectivePath of host.getDirectories(root)) { const normalized = normalizePath(typeDirectivePath); const packageJsonPath = combinePaths(root, 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 compilerOptionValueToString(value) { var _a2; if (value === null || typeof value !== "object") { return "" + value; } if (isArray(value)) { return `[${(_a2 = value.map((e) => compilerOptionValueToString(e))) == null ? void 0 : _a2.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 ? `|${options.pathsBasePath}` : void 0); } function createCacheWithRedirects(ownOptions) { const redirectsMap = /* @__PURE__ */ new Map(); const optionsToRedirectsKey = /* @__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 }; function getMapOfCacheRedirects(redirectedReference) { return redirectedReference ? getOrCreateMap(redirectedReference.commandLine.options, false) : ownMap; } function getOrCreateMapOfCacheRedirects(redirectedReference) { return redirectedReference ? getOrCreateMap(redirectedReference.commandLine.options, true) : ownMap; } function update(newOptions) { if (ownOptions !== newOptions) { if (ownOptions) ownMap = getOrCreateMap(newOptions, true); else redirectsMap.set(newOptions, ownMap); ownOptions = newOptions; } } function getOrCreateMap(redirectOptions, create2) { 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 (create2) result != null ? 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, entries, getInternalMap }; function getPackageJsonInfo2(packageJsonPath) { return cache == null ? void 0 : cache.get(toPath(packageJsonPath, currentDirectory, getCanonicalFileName)); } function setPackageJsonInfo(packageJsonPath, info) { (cache || (cache = /* @__PURE__ */ new Map())).set(toPath(packageJsonPath, currentDirectory, getCanonicalFileName), info); } function clear2() { cache = void 0; } function entries() { const iter = cache == null ? void 0 : cache.entries(); return iter ? arrayFrom(iter) : []; } function getInternalMap() { return cache; } } function getOrCreateCache(cacheWithRedirects, redirectedReference, key, create2) { const cache = cacheWithRedirects.getOrCreateMapOfCacheRedirects(redirectedReference); let result = cache.get(key); if (!result) { result = create2(); cache.set(key, result); } return result; } function createPerDirectoryResolutionCache(currentDirectory, getCanonicalFileName, options) { const directoryToModuleNameMap = createCacheWithRedirects(options); return { getFromDirectoryCache, getOrCreateCacheForDirectory, clear: clear2, update }; function clear2() { directoryToModuleNameMap.clear(); } function update(options2) { directoryToModuleNameMap.update(options2); } function getOrCreateCacheForDirectory(directoryName, redirectedReference) { const path = toPath(directoryName, currentDirectory, getCanonicalFileName); return getOrCreateCache(directoryToModuleNameMap, redirectedReference, path, () => createModeAwareCache()); } function getFromDirectoryCache(name, mode, directoryName, redirectedReference) { var _a2, _b; const path = toPath(directoryName, currentDirectory, getCanonicalFileName); return (_b = (_a2 = directoryToModuleNameMap.getMapOfCacheRedirects(redirectedReference)) == null ? void 0 : _a2.get(path)) == 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 zipToModeAwareCache(file, keys, values, nameAndModeGetter) { Debug.assert(keys.length === values.length); const map2 = createModeAwareCache(); for (let i = 0; i < keys.length; ++i) { const entry = keys[i]; map2.set(nameAndModeGetter.getName(entry), nameAndModeGetter.getMode(entry, file), values[i]); } return map2; } 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) { const moduleNameToDirectoryMap = createCacheWithRedirects(options); return { getFromNonRelativeNameCache, getOrCreateCacheForNonRelativeName, clear: clear2, update }; function clear2() { moduleNameToDirectoryMap.clear(); } function update(options2) { moduleNameToDirectoryMap.update(options2); } function getFromNonRelativeNameCache(nonRelativeModuleName, mode, directoryName, redirectedReference) { var _a2, _b; Debug.assert(!isExternalModuleNameRelative(nonRelativeModuleName)); return (_b = (_a2 = moduleNameToDirectoryMap.getMapOfCacheRedirects(redirectedReference)) == null ? void 0 : _a2.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(toPath(directory, currentDirectory, getCanonicalFileName)); } function set(directory, result) { const path = toPath(directory, currentDirectory, getCanonicalFileName); if (directoryPathMap.has(path)) { return; } directoryPathMap.set(path, result); const resolvedFileName = getResolvedFileName(result); const commonPrefix = resolvedFileName && getCommonPrefix(path, resolvedFileName); let current = path; 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 = toPath(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) { const perDirectoryResolutionCache = createPerDirectoryResolutionCache(currentDirectory, getCanonicalFileName, options); const nonRelativeNameResolutionCache = createNonRelativeNameResolutionCache(currentDirectory, getCanonicalFileName, options, getResolvedFileName); packageJsonInfoCache != null ? packageJsonInfoCache : packageJsonInfoCache = createPackageJsonInfoCache(currentDirectory, getCanonicalFileName); return { ...packageJsonInfoCache, ...perDirectoryResolutionCache, ...nonRelativeNameResolutionCache, clear: clear2, update, getPackageJsonInfoCache: () => packageJsonInfoCache, clearAllExceptPackageJsonInfoCache }; 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) { const result = createModuleOrTypeReferenceResolutionCache(currentDirectory, getCanonicalFileName, options, void 0, getOriginalOrResolvedModuleFileName); result.getOrCreateCacheForModuleName = (nonRelativeName, mode, redirectedReference) => result.getOrCreateCacheForNonRelativeName(nonRelativeName, mode, redirectedReference); return result; } function createTypeReferenceDirectiveResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache) { return createModuleOrTypeReferenceResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, getOriginalOrResolvedTypeReferenceFileName); } function resolveModuleNameFromCache(moduleName, containingFile, cache, mode) { const containingDirectory = getDirectoryPath(containingFile); return cache.getFromDirectoryCache(moduleName, mode, containingDirectory, void 0); } function resolveModuleName(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) { 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) { switch (getEmitModuleKind(compilerOptions)) { case 1: moduleResolution = 2; break; case 100: moduleResolution = 3; break; case 199: moduleResolution = 99; break; default: moduleResolution = 1; break; } 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]); } } perfLogger.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); break; case 1: result = classicNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference); break; case 100: result = bundlerModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference); break; default: return Debug.fail(`Unexpected moduleResolution: ${moduleResolution}`); } if (result && result.resolvedModule) perfLogger.logInfoEvent(`Module "${moduleName}" resolved to "${result.resolvedModule.resolvedFileName}"`); perfLogger.logStopResolveModule(result && result.resolvedModule ? "" + result.resolvedModule.resolvedFileName : "null"); cache == null ? void 0 : cache.getOrCreateCacheForDirectory(containingDirectory, redirectedReference).set(moduleName, resolutionMode, result); if (!isExternalModuleNameRelative(moduleName)) { cache == null ? void 0 : 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 _a2; 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) ? (_a2 = configFile.configFileSpecs).pathPatterns || (_a2.pathPatterns = tryParsePatterns(paths)) : void 0; return tryLoadModuleUsingPaths(extensions, moduleName, baseDirectory, paths, pathPatterns, loader, 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 = startsWith(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; } 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) { 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, false, redirectedReference); } function tryResolveJSModuleWorker(moduleName, initialDir, host) { return nodeModuleNameResolverWorker(0, moduleName, initialDir, { moduleResolution: 2, allowJs: true }, host, void 0, 2, false, void 0); } function bundlerModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference) { 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, false, redirectedReference); } function nodeModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, 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(0, moduleName, getDirectoryPath(containingFile), compilerOptions, host, cache, extensions, !!isConfigLookup, redirectedReference); } function nodeNextJsonConfigResolver(moduleName, containingFile, host) { return nodeModuleNameResolverWorker(8, moduleName, getDirectoryPath(containingFile), { moduleResolution: 99 }, host, void 0, 8, true, void 0); } function nodeModuleNameResolverWorker(features, moduleName, containingDirectory, compilerOptions, host, cache, extensions, isConfigLookup, redirectedReference) { var _a2, _b, _c, _d; const traceEnabled = isTraceEnabled(compilerOptions, host); const failedLookupLocations = []; const affectingLocations = []; const conditions = getConditions(compilerOptions, !!(features & 32)); const diagnostics = []; const state = { compilerOptions, host, traceEnabled, failedLookupLocations, affectingLocations, packageJsonInfoCache: cache, features, conditions, requestContainingDirectory: containingDirectory, reportDiagnostic: (diag2) => void diagnostics.push(diag2), isConfigLookup, candidateIsFromPackageJsonField: false }; if (traceEnabled && moduleResolutionSupportsPackageJsonExportsAndImports(getEmitModuleResolutionKind(compilerOptions))) { trace(host, Diagnostics.Resolving_in_0_mode_with_conditions_1, features & 32 ? "ESM" : "CJS", conditions.map((c) => `"${c}"`).join(", ")); } let result; if (getEmitModuleResolutionKind(compilerOptions) === 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 legacyResult; if (((_a2 = result == null ? void 0 : result.value) == null ? void 0 : _a2.isExternalLibraryImport) && !isConfigLookup && extensions & (1 | 4) && features & 8 && !isExternalModuleNameRelative(moduleName) && !extensionIsOk(1 | 4, result.value.resolved.extension) && conditions.indexOf("import") > -1) { 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, failedLookupLocations: [], affectingLocations: [], reportDiagnostic: noop }; const diagnosticResult = tryResolve(extensions & (1 | 4), diagnosticState); if ((_b = diagnosticResult == null ? void 0 : diagnosticResult.value) == null ? void 0 : _b.isExternalLibraryImport) { legacyResult = diagnosticResult.value.resolved.path; } } return createResolvedModuleWithFailedLookupLocationsHandlingSymlink(moduleName, (_c = result == null ? void 0 : result.value) == null ? void 0 : _c.resolved, (_d = result == null ? void 0 : result.value) == null ? void 0 : _d.isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, state, legacyResult); function tryResolve(extensions2, state2) { const loader = (extensions3, candidate, onlyRecordFailures, state3) => nodeLoadModuleByRelativeName(extensions3, candidate, onlyRecordFailures, state3, 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 && startsWith(moduleName, "#")) { resolved2 = loadModuleFromImports(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference); } if (!resolved2 && features & 4) { resolved2 = loadModuleFromSelfNameReference(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference); } if (!resolved2) { 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); } return resolved2 && { value: resolved2.value && { resolved: resolved2.value, isExternalLibraryImport: true } }; } else { const { path: candidate, parts } = normalizePathForCJSResolution(containingDirectory, moduleName); const resolved2 = nodeLoadModuleByRelativeName(extensions2, candidate, false, state2, 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 path = lastPart === "." || lastPart === ".." ? ensureTrailingDirectorySeparator(normalizePath(combined)) : normalizePath(combined); return { path, parts }; } function realPath(path, host, traceEnabled) { if (!host.realpath) { return path; } const real = normalizePath(host.realpath(path)); if (traceEnabled) { trace(host, Diagnostics.Resolving_real_path_for_0_result_1, path, real); } Debug.assert(host.fileExists(real), `${path} linked to nonexistent file ${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, false, state) : void 0; return withPackageId(packageInfo, resolvedFromFile); } } 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; } function pathContainsNodeModules(path) { return stringContains(path, nodeModulesPathPart); } function parseNodeModuleFromPath(resolved) { const path = normalizePath(resolved); const idx = path.lastIndexOf(nodeModulesPathPart); if (idx === -1) { return void 0; } const indexAfterNodeModules = idx + nodeModulesPathPart.length; let indexAfterPackageName = moveToNextDirectorySeparatorIfAvailable(path, indexAfterNodeModules); if (path.charCodeAt(indexAfterNodeModules) === 64) { indexAfterPackageName = moveToNextDirectorySeparatorIfAvailable(path, indexAfterPackageName); } return path.slice(0, indexAfterPackageName); } function moveToNextDirectorySeparatorIfAvailable(path, prevSeparatorIndex) { const nextSeparatorIndex = path.indexOf(directorySeparator, prevSeparatorIndex + 1); return nextSeparatorIndex === -1 ? 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.indexOf(".") === -1) { 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")) { 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") || extensions & 4 && tryExtension(".d.mts", originalExtension === ".mts" || originalExtension === ".d.mts") || extensions & 2 && tryExtension(".mjs") || void 0; case ".cjs": case ".cts": case ".d.cts": return extensions & 1 && tryExtension(".cts", originalExtension === ".cts" || originalExtension === ".d.cts") || extensions & 4 && tryExtension(".d.cts", originalExtension === ".cts" || originalExtension === ".d.cts") || extensions & 2 && tryExtension(".cjs") || void 0; case ".json": return extensions & 4 && tryExtension(".d.json.ts") || extensions & 8 && tryExtension(".json") || void 0; case ".tsx": case ".jsx": return extensions & 1 && (tryExtension(".tsx", originalExtension === ".tsx") || tryExtension(".ts", originalExtension === ".tsx")) || extensions & 4 && tryExtension(".d.ts", originalExtension === ".tsx") || extensions & 2 && (tryExtension(".jsx") || tryExtension(".js")) || void 0; case ".ts": case ".d.ts": case ".js": case "": return extensions & 1 && (tryExtension(".ts", originalExtension === ".ts" || originalExtension === ".d.ts") || tryExtension(".tsx", originalExtension === ".ts" || originalExtension === ".d.ts")) || extensions & 4 && tryExtension(".d.ts", originalExtension === ".ts" || originalExtension === ".d.ts") || extensions & 2 && (tryExtension(".js") || tryExtension(".jsx")) || state.isConfigLookup && tryExtension(".json") || void 0; default: return extensions & 4 && !isDeclarationFileName(candidate + originalExtension) && tryExtension(`.d${originalExtension}.ts`) || void 0; } function tryExtension(ext, resolvedUsingTsExtension) { const path = tryFile(candidate + ext, onlyRecordFailures, state); return path === void 0 ? void 0 : { path, ext, resolvedUsingTsExtension: !state.candidateIsFromPackageJsonField && resolvedUsingTsExtension }; } } function tryFile(fileName, onlyRecordFailures, state) { var _a2, _b; if (!((_a2 = state.compilerOptions.moduleSuffixes) == null ? void 0 : _a2.length)) { return tryFileLookup(fileName, onlyRecordFailures, state); } const ext = (_b = tryGetExtensionFromPath2(fileName)) != null ? _b : ""; const fileNameNoExtension = ext ? removeExtension(fileName, ext) : fileName; return forEach(state.compilerOptions.moduleSuffixes, (suffix) => tryFileLookup(fileNameNoExtension + suffix + ext, onlyRecordFailures, state)); } function tryFileLookup(fileName, onlyRecordFailures, state) { 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); } } } state.failedLookupLocations.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)); } 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, 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, true), getConditions(options, false)], arrayIsEqualTo); for (const conditions of conditionSets) { const loadPackageJsonExportsState = { ...loadPackageJsonMainState, failedLookupLocations: [], conditions }; 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, exports, state, extensions) { let entrypoints; if (isArray(exports)) { for (const target of exports) { loadEntrypointsFromTargetExports(target); } } else if (typeof exports === "object" && exports !== null && allKeysStartWithDot(exports)) { for (const key in exports) { loadEntrypointsFromTargetExports(exports[key]); } } else { loadEntrypointsFromTargetExports(exports); } return entrypoints; function loadEntrypointsFromTargetExports(target) { var _a2, _b; if (typeof target === "string" && startsWith(target, "./") && target.indexOf("*") === -1) { const partsAfterFirst = getPathComponents(target).slice(2); if (partsAfterFirst.indexOf("..") >= 0 || partsAfterFirst.indexOf(".") >= 0 || partsAfterFirst.indexOf("node_modules") >= 0) { return false; } const resolvedTarget = combinePaths(scope.packageDirectory, target); const finalPath = getNormalizedAbsolutePath(resolvedTarget, (_b = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a2)); const result = loadFileNameFromPackageJsonField(extensions, finalPath, 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: noopPush, affectingLocations: noopPush, packageJsonInfoCache, features: 0, conditions: emptyArray, requestContainingDirectory: void 0, reportDiagnostic: noop, isConfigLookup: false, candidateIsFromPackageJsonField: false }; } function getPackageScopeForPath(fileName, state) { const parts = getPathComponents(fileName); parts.pop(); while (parts.length > 0) { const pkg = getPackageJsonInfo(getPathFromPathComponents(parts), 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 getPackageJsonInfo(packageDirectory, onlyRecordFailures, state) { var _a2, _b, _c; const { host, traceEnabled } = state; const packageJsonPath = combinePaths(packageDirectory, "package.json"); if (onlyRecordFailures) { state.failedLookupLocations.push(packageJsonPath); return void 0; } const existing = (_a2 = state.packageJsonInfoCache) == null ? void 0 : _a2.getPackageJsonInfo(packageJsonPath); if (existing !== void 0) { if (typeof existing !== "boolean") { if (traceEnabled) trace(host, Diagnostics.File_0_exists_according_to_earlier_cached_lookups, packageJsonPath); state.affectingLocations.push(packageJsonPath); return existing.packageDirectory === packageDirectory ? existing : { packageDirectory, contents: existing.contents }; } else { if (existing && traceEnabled) trace(host, Diagnostics.File_0_does_not_exist_according_to_earlier_cached_lookups, packageJsonPath); state.failedLookupLocations.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 } }; (_b = state.packageJsonInfoCache) == null ? void 0 : _b.setPackageJsonInfo(packageJsonPath, result); state.affectingLocations.push(packageJsonPath); return result; } else { if (directoryExists && traceEnabled) { trace(host, Diagnostics.File_0_does_not_exist, packageJsonPath); } (_c = state.packageJsonInfoCache) == null ? void 0 : _c.setPackageJsonInfo(packageJsonPath, directoryExists); state.failedLookupLocations.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 = tryFile(candidate2, onlyRecordFailures2, state2); if (fromFile) { const resolved = resolvedIfExtensionMatches(extensions2, fromFile); if (resolved) { return noPackageId(resolved); } if (state2.traceEnabled) { trace(state2.host, Diagnostics.File_0_has_an_unsupported_extension_so_skipping_it, 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, 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, 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, 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 resolvedIfExtensionMatches(extensions, path, resolvedUsingTsExtension) { const ext = tryGetExtensionFromPath2(path); return ext !== void 0 && extensionIsOk(extensions, ext) ? { path, ext, resolvedUsingTsExtension } : void 0; } 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) => startsWith(k, ".")); } function noKeyStartsWithDot(obj) { return !some(getOwnKeys(obj), (k) => startsWith(k, ".")); } function loadModuleFromSelfNameReference(extensions, moduleName, directory, state, cache, redirectedReference) { var _a2, _b; const directoryPath = getNormalizedAbsolutePath(combinePaths(directory, "dummy"), (_b = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a2)); 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)}`; 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, false); return loadModuleFromTargetImportOrExport(mainExport, "", 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(void 0); } const result = loadModuleFromImportsOrExports(extensions, state, cache, redirectedReference, subpath, scope.contents.packageJsonContent.exports, scope, 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(void 0); } function loadModuleFromImports(extensions, moduleName, directory, state, cache, redirectedReference) { var _a2, _b; if (moduleName === "#" || startsWith(moduleName, "#/")) { if (state.traceEnabled) { trace(state.host, Diagnostics.Invalid_import_specifier_0_has_no_possible_resolutions, moduleName); } return toSearchResult(void 0); } const directoryPath = getNormalizedAbsolutePath(combinePaths(directory, "dummy"), (_b = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a2)); 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(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(void 0); } const result = loadModuleFromImportsOrExports(extensions, state, cache, redirectedReference, moduleName, scope.contents.packageJsonContent.imports, scope, 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(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.indexOf("*") === -1 && hasProperty(lookupTable, moduleName)) { const target = lookupTable[moduleName]; return loadModuleFromTargetImportOrExport(target, "", false, moduleName); } const expandingKeys = sort(filter(getOwnKeys(lookupTable), (k) => k.indexOf("*") !== -1 || 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, true, potentialTarget); } else if (endsWith(potentialTarget, "*") && startsWith(moduleName, potentialTarget.substring(0, potentialTarget.length - 1))) { const target = lookupTable[potentialTarget]; const subpath = moduleName.substring(potentialTarget.length - 1); return loadModuleFromTargetImportOrExport(target, subpath, true, potentialTarget); } else if (startsWith(moduleName, potentialTarget)) { const target = lookupTable[potentialTarget]; const subpath = moduleName.substring(potentialTarget.length); return loadModuleFromTargetImportOrExport(target, subpath, false, potentialTarget); } } function matchesPatternWithTrailer(target, name) { if (endsWith(target, "*")) return false; const starPos = target.indexOf("*"); if (starPos === -1) return false; return startsWith(name, target.substring(0, starPos)) && endsWith(name, target.substring(starPos + 1)); } } 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(void 0); } if (!startsWith(target, "./")) { if (isImports && !startsWith(target, "../") && !startsWith(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, false, redirectedReference); 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(void 0); } const parts = pathIsRelative(target) ? getPathComponents(target).slice(1) : getPathComponents(target); const partsAfterFirst = parts.slice(1); if (partsAfterFirst.indexOf("..") >= 0 || partsAfterFirst.indexOf(".") >= 0 || partsAfterFirst.indexOf("node_modules") >= 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(void 0); } const resolvedTarget = combinePaths(scope.packageDirectory, target); const subpathParts = getPathComponents(subpath); if (subpathParts.indexOf("..") >= 0 || subpathParts.indexOf(".") >= 0 || subpathParts.indexOf("node_modules") >= 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(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, false, 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.indexOf(condition) >= 0 || 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(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(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(void 0); function toAbsolutePath(path) { var _a2, _b; if (path === void 0) return path; return getNormalizedAbsolutePath(path, (_b = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a2)); } function combineDirectoryPath(root, dir) { return ensureTrailingDirectorySeparator(combinePaths(root, dir)); } function useCaseSensitiveFileNames() { return !state.host.useCaseSensitiveFileNames ? true : typeof state.host.useCaseSensitiveFileNames === "boolean" ? state.host.useCaseSensitiveFileNames : state.host.useCaseSensitiveFileNames(); } function tryLoadInputFileForPath(finalPath, entry, packagePath, isImports2) { var _a2, _b, _c, _d; if (!state.isConfigLookup && (state.compilerOptions.declarationDir || state.compilerOptions.outDir) && finalPath.indexOf("/node_modules/") === -1 && (state.compilerOptions.configFile ? containsPath(scope.packageDirectory, toAbsolutePath(state.compilerOptions.configFile.fileName), !useCaseSensitiveFileNames()) : true)) { const getCanonicalFileName = hostGetCanonicalFileName({ useCaseSensitiveFileNames }); const commonSourceDirGuesses = []; if (state.compilerOptions.rootDir || state.compilerOptions.composite && state.compilerOptions.configFilePath) { const commonDir = toAbsolutePath(getCommonSourceDirectory(state.compilerOptions, () => [], ((_b = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a2)) || "", 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, packagePath)); } for (const commonSourceDirGuess of commonSourceDirGuesses) { const candidateDirectories = getOutputDirectoriesForBaseDirectory(commonSourceDirGuess); for (const candidateDir of candidateDirectories) { if (containsPath(candidateDir, finalPath, !useCaseSensitiveFileNames())) { const pathFragment = finalPath.slice(candidateDir.length + 1); const possibleInputBase = combinePaths(commonSourceDirGuess, pathFragment); const jsAndDtsExtensions = [".mjs", ".cjs", ".js", ".json", ".d.mts", ".d.cts", ".d.ts"]; 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()); if (state.host.fileExists(possibleInputWithInputExtension)) { return toSearchResult(withPackageId(scope, loadFileNameFromPackageJsonField(extensions, possibleInputWithInputExtension, false, state))); } } } } } } } } return void 0; function getOutputDirectoriesForBaseDirectory(commonSourceDirGuess) { var _a3, _b2; const currentDir = state.compilerOptions.configFile ? ((_b2 = (_a3 = state.host).getCurrentDirectory) == null ? void 0 : _b2.call(_a3)) || "" : 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.indexOf("types") === -1) return false; if (!startsWith(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, false, cache, redirectedReference); } function loadModuleFromNearestNodeModulesDirectoryTypesScope(moduleName, directory, state) { return loadModuleFromNearestNodeModulesDirectoryWorker(4, moduleName, directory, state, true, void 0, 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) { const result = lookup(priorityExtensions); if (result) return result; } if (secondaryExtensions && !typesScopeOnly) { 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 _a2, _b, _c; 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((_b = (_a2 = rootPackageInfo = getPackageJsonInfo(packageDirectory, !nodeModulesDirectoryExists, state)) == null ? void 0 : _a2.contents.packageJsonContent) != null ? _b : 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); } const loader = (extensions2, candidate2, onlyRecordFailures, state2) => { let pathAndExtension = 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); }; if (rest !== "") { packageInfo = rootPackageInfo != null ? rootPackageInfo : getPackageJsonInfo(packageDirectory, !nodeModulesDirectoryExists, state); } if (packageInfo && packageInfo.contents.packageJsonContent.exports && state.features & 8) { return (_c = loadModuleFromExports(packageInfo, extensions, combinePaths(".", rest), state, cache, redirectedReference)) == null ? void 0 : _c.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, 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 = isString(matchedPattern) ? void 0 : matchedText(matchedPattern, moduleName); const matchedPatternText = isString(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 path = matchedStar ? subst.replace("*", matchedStar) : subst; const candidate = normalizePath(combinePaths(baseDirectory, path)); if (state.traceEnabled) { trace(state.host, Diagnostics.Trying_substitution_0_candidate_module_location_Colon_1, subst, path); } const extension = tryGetExtensionFromPath2(subst); if (extension !== void 0) { const path2 = tryFile(candidate, onlyRecordFailures, state); if (path2 !== void 0) { return noPackageId({ path: path2, ext: extension, resolvedUsingTsExtension: void 0 }); } } return loader(extensions, candidate, onlyRecordFailures || !directoryProbablyExists(getDirectoryPath(candidate), state.host), state); }); return { value: resolved }; } } 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 (startsWith(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 stringContains(typesPackageName, 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 }; const resolved = tryResolve(1 | 4) || 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); 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, void 0, directory, redirectedReference, state); if (resolutionFromCache) { return resolutionFromCache; } const searchName = normalizePath(combinePaths(directory, moduleName)); return toSearchResult(loadModuleFromFileNoPackageId(extensions, searchName, false, state)); }); if (resolved2) { return resolved2; } if (extensions & (1 | 4)) { return loadModuleFromNearestNodeModulesDirectoryTypesScope(moduleName, containingDirectory, state); } } else { const candidate = normalizePath(combinePaths(containingDirectory, moduleName)); return toSearchResult(loadModuleFromFileNoPackageId(extensions, candidate, false, state)); } } } 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 }; const resolved = loadModuleFromImmediateNodeModulesDirectory(4, moduleName, globalCache, state, false, void 0, void 0); return createResolvedModuleWithFailedLookupLocations(resolved, true, failedLookupLocations, affectingLocations, diagnostics, state.resultFromCache); } function toSearchResult(value) { return value !== void 0 ? { value } : void 0; } function traceIfEnabled(state, diagnostic, ...args) { if (state.traceEnabled) { trace(state.host, diagnostic, ...args); } } var typeScriptVersion, nodeModulesAtTypes, NodeResolutionFeatures, nodeModulesPathPart, mangledScopedPackageSeparator; var init_moduleNameResolver = __esm({ "src/compiler/moduleNameResolver.ts"() { "use strict"; init_ts2(); nodeModulesAtTypes = combinePaths("node_modules", "@types"); 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] = "NodeNextDefault"; NodeResolutionFeatures2[NodeResolutionFeatures2["BundlerDefault"] = 30] = "BundlerDefault"; NodeResolutionFeatures2[NodeResolutionFeatures2["EsmMode"] = 32] = "EsmMode"; return NodeResolutionFeatures2; })(NodeResolutionFeatures || {}); nodeModulesPathPart = "/node_modules/"; mangledScopedPackageSeparator = "__"; } }); function getModuleInstanceState(node, visited) { if (node.body && !node.body.parent) { setParent(node.body, node); setParentRecursive(node.body, 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 261: case 262: return 0; case 263: if (isEnumConst(node)) { return 2; } break; case 269: case 268: if (!hasSyntacticModifier(node, 1)) { return 0; } break; case 275: const exportDeclaration = node; if (!exportDeclaration.moduleSpecifier && exportDeclaration.exportClause && exportDeclaration.exportClause.kind === 276) { 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 265: { 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 264: return getModuleInstanceState(node, visited); case 79: if (node.flags & 2048) { 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, false); } const state = getModuleInstanceStateCached(statement, visited); if (found === void 0 || state > found) { found = state; } if (found === 1) { return found; } } } if (found !== void 0) { return found; } } p = p.parent; } return 1; } function initFlowNode(node) { Debug.attachFlowNodeDebugInfo(node); return node; } function bindSourceFile(file, options) { mark("beforeBind"); perfLogger.logStartBindFile("" + file.fileName); binder(file, options); perfLogger.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 currentFlow; var currentBreakTarget; var currentContinueTarget; var currentReturnTarget; var currentTrueTarget; var currentFalseTarget; var currentExceptionTarget; var preSwitchCaseFlow; var activeLabelList; var hasExplicitReturn; var emitFlags; var inStrictMode; var inAssignmentPattern = false; var symbolCount = 0; var Symbol46; var classifiableNames; var unreachableFlow = { flags: 1 }; var reportedUnreachableFlow = { flags: 1 }; var bindBinaryExpressionFlow = createBindBinaryExpressionFlow(); return bindSourceFile2; function createDiagnosticForNode2(node, message, arg0, arg1, arg2) { return createDiagnosticForNodeInSourceFile(getSourceFileOfNode(node) || file, node, message, arg0, arg1, arg2); } function bindSourceFile2(f, opts) { var _a2, _b; file = f; options = opts; languageVersion = getEmitScriptTarget(options); inStrictMode = bindInStrictMode(file, opts); classifiableNames = /* @__PURE__ */ new Set(); symbolCount = 0; Symbol46 = objectAllocator.getSymbolConstructor(); Debug.attachFlowNodeDebugInfo(unreachableFlow); Debug.attachFlowNodeDebugInfo(reportedUnreachableFlow); if (!file.locals) { (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Bind, "bindSourceFile", { path: file.path }, true); bind(file); (_b = tracing) == null ? void 0 : _b.pop(); file.symbolCount = symbolCount; file.classifiableNames = classifiableNames; delayedBindJSDocTypedefTag(); } 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; 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; 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 Symbol46(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 === 274) { 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 === 164) { 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); } return isPropertyNameLiteral(name) ? getEscapedTextOfIdentifierOrLiteral(name) : void 0; } switch (node.kind) { case 173: return "__constructor"; case 181: case 176: case 326: return "__call"; case 182: case 177: return "__new"; case 178: return "__index"; case 275: return "__export"; case 308: return "export="; case 223: if (getAssignmentDeclarationKind(node) === 2) { return "export="; } Debug.fail("Unknown binary declaration kind"); break; case 320: return isJSDocConstructSignature(node) ? "__new" : "__call"; case 166: Debug.assert(node.parent.kind === 320, "Impossible parameter parent kind", () => `parent is: ${Debug.formatSyntaxKind(node.parent.kind)}, expected JSDocFunctionType`); const functionType = node.parent; const index = functionType.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, 1024) || 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"); } 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 === 274 && !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, 1) && 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 = createDiagnosticForNode2(decl, message, messageNeedsName ? getDisplayName(declaration) : void 0); 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 = createDiagnosticForNode2(declarationName, message, messageNeedsName ? getDisplayName(node) : void 0); 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) & 1) || jsdocTreatAsExported(node); if (symbolFlags & 2097152) { if (node.kind === 278 || node.kind === 268 && hasExportModifier) { return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); } else { Debug.assertNode(container, canHaveLocals); return declareSymbol(container.locals, void 0, node, symbolFlags, symbolExcludes); } } else { if (isJSDocTypeAlias(node)) Debug.assert(isInJSFile(node)); if (!isAmbientModule(node) && (hasExportModifier || container.flags & 64)) { if (!canHaveLocals(container) || !container.locals || hasSyntacticModifier(node, 1024) && !getDeclarationName(node)) { return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); } const exportKind = symbolFlags & 111551 ? 1048576 : 0; const local = declareSymbol(container.locals, 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, 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) & 1) return true; return false; } function bindContainer(node, containerFlags) { const saveContainer = container; const saveThisParentContainer = thisParentContainer; const savedBlockScopeContainer = blockScopeContainer; if (containerFlags & 1) { if (node.kind !== 216) { 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, 512) && !node.asteriskToken && !!getImmediatelyInvokedFunctionExpression(node) || node.kind === 172; if (!isImmediatelyInvoked) { currentFlow = initFlowNode({ flags: 2 }); if (containerFlags & (16 | 128)) { currentFlow.node = node; } } currentReturnTarget = isImmediatelyInvoked || node.kind === 173 || isInJSFile(node) && (node.kind === 259 || node.kind === 215) ? createBranchLabel() : void 0; currentExceptionTarget = void 0; currentBreakTarget = void 0; currentContinueTarget = void 0; activeLabelList = void 0; hasExplicitReturn = false; bindChildren(node); node.flags &= ~2816; if (!(currentFlow.flags & 1) && containerFlags & 8 && nodeIsPresent(node.body)) { node.flags |= 256; if (hasExplicitReturn) node.flags |= 512; node.endFlowNode = currentFlow; } if (node.kind === 308) { node.flags |= emitFlags; node.endFlowNode = currentFlow; } if (currentReturnTarget) { addAntecedent(currentReturnTarget, currentFlow); currentFlow = finishFlowLabel(currentReturnTarget); if (node.kind === 173 || node.kind === 172 || isInJSFile(node) && (node.kind === 259 || node.kind === 215)) { 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 | 128 : node.flags & ~128; } else { bindChildren(node); } container = saveContainer; thisParentContainer = saveThisParentContainer; blockScopeContainer = savedBlockScopeContainer; } function bindEachFunctionsFirst(nodes) { bindEach(nodes, (n) => n.kind === 259 ? bind(n) : void 0); bindEach(nodes, (n) => n.kind !== 259 ? 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 >= 240 && node.kind <= 256 && !options.allowUnreachableCode) { node.flowNode = currentFlow; } switch (node.kind) { case 244: bindWhileStatement(node); break; case 243: bindDoStatement(node); break; case 245: bindForStatement(node); break; case 246: case 247: bindForInOrForOfStatement(node); break; case 242: bindIfStatement(node); break; case 250: case 254: bindReturnOrThrow(node); break; case 249: case 248: bindBreakOrContinueStatement(node); break; case 255: bindTryStatement(node); break; case 252: bindSwitchStatement(node); break; case 266: bindCaseBlock(node); break; case 292: bindCaseClause(node); break; case 241: bindExpressionStatement(node); break; case 253: bindLabeledStatement(node); break; case 221: bindPrefixUnaryExpressionFlow(node); break; case 222: bindPostfixUnaryExpressionFlow(node); break; case 223: if (isDestructuringAssignment(node)) { inAssignmentPattern = saveInAssignmentPattern; bindDestructuringAssignmentFlow(node); return; } bindBinaryExpressionFlow(node); break; case 217: bindDeleteExpressionFlow(node); break; case 224: bindConditionalExpressionFlow(node); break; case 257: bindVariableDeclarationFlow(node); break; case 208: case 209: bindAccessExpressionFlow(node); break; case 210: bindCallExpressionFlow(node); break; case 232: bindNonNullExpressionFlow(node); break; case 349: case 341: case 343: bindJSDocTypeAlias(node); break; case 308: { bindEachFunctionsFirst(node.statements); bind(node.endOfFileToken); break; } case 238: case 265: bindEachFunctionsFirst(node.statements); break; case 205: bindBindingElementFlow(node); break; case 166: bindParameterFlow(node); break; case 207: case 206: case 299: case 227: inAssignmentPattern = saveInAssignmentPattern; default: bindEachChild(node); break; } bindJSDoc(node); inAssignmentPattern = saveInAssignmentPattern; } function isNarrowingExpression(expr) { switch (expr.kind) { case 79: case 80: case 108: case 208: case 209: return containsNarrowableReference(expr); case 210: return hasNarrowableArgument(expr); case 214: case 232: return isNarrowingExpression(expr.expression); case 223: return isNarrowingBinaryExpression(expr); case 221: return expr.operator === 53 && isNarrowingExpression(expr.operand); case 218: return isNarrowingExpression(expr.expression); } return false; } function isNarrowableReference(expr) { return isDottedName(expr) || (isPropertyAccessExpression(expr) || isNonNullExpression(expr) || isParenthesizedExpression(expr)) && isNarrowableReference(expr.expression) || isBinaryExpression(expr) && expr.operatorToken.kind === 27 && isNarrowableReference(expr.right) || isElementAccessExpression(expr) && (isStringOrNumericLiteralLike(expr.argumentExpression) || isEntityNameExpression(expr.argumentExpression)) && isNarrowableReference(expr.expression) || isAssignmentExpression(expr) && isNarrowableReference(expr.left); } 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 === 208 && 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 63: case 75: case 76: case 77: return containsNarrowableReference(expr.left); case 34: case 35: case 36: case 37: return isNarrowableOperand(expr.left) || isNarrowableOperand(expr.right) || isNarrowingTypeofOperands(expr.right, expr.left) || isNarrowingTypeofOperands(expr.left, expr.right); case 102: return isNarrowableOperand(expr.left); case 101: return isNarrowingExpression(expr.right); case 27: return isNarrowingExpression(expr.right); } return false; } function isNarrowableOperand(expr) { switch (expr.kind) { case 214: return isNarrowableOperand(expr.expression); case 223: switch (expr.operatorToken.kind) { case 63: return isNarrowableOperand(expr.left); case 27: return isNarrowableOperand(expr.right); } } return containsNarrowableReference(expr); } function createBranchLabel() { return initFlowNode({ flags: 4, antecedents: void 0 }); } function createLoopLabel() { return initFlowNode({ flags: 8, antecedents: void 0 }); } function createReduceLabel(target, antecedents, antecedent) { return initFlowNode({ flags: 1024, target, antecedents, antecedent }); } function setFlowNodeReferenced(flow) { flow.flags |= flow.flags & 2048 ? 4096 : 2048; } function addAntecedent(label, antecedent) { if (!(antecedent.flags & 1) && !contains(label.antecedents, antecedent)) { (label.antecedents || (label.antecedents = [])).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 === 110 && flags & 64 || expression.kind === 95 && flags & 32) && !isExpressionOfOptionalChainRoot(expression) && !isNullishCoalesce(expression.parent)) { return unreachableFlow; } if (!isNarrowingExpression(expression)) { return antecedent; } setFlowNodeReferenced(antecedent); return initFlowNode({ flags, antecedent, node: expression }); } function createFlowSwitchClause(antecedent, switchStatement, clauseStart, clauseEnd) { setFlowNodeReferenced(antecedent); return initFlowNode({ flags: 128, antecedent, switchStatement, clauseStart, clauseEnd }); } function createFlowMutation(flags, antecedent, node) { setFlowNodeReferenced(antecedent); const result = initFlowNode({ flags, antecedent, node }); if (currentExceptionTarget) { addAntecedent(currentExceptionTarget, result); } return result; } function createFlowCall(antecedent, node) { setFlowNodeReferenced(antecedent); return initFlowNode({ flags: 512, antecedent, node }); } function finishFlowLabel(flow) { const antecedents = flow.antecedents; if (!antecedents) { return unreachableFlow; } if (antecedents.length === 1) { return antecedents[0]; } return flow; } function isStatementCondition(node) { const parent3 = node.parent; switch (parent3.kind) { case 242: case 244: case 243: return parent3.expression === node; case 245: case 224: return parent3.condition === node; } return false; } function isLogicalExpression(node) { while (true) { if (node.kind === 214) { node = node.expression; } else if (node.kind === 221 && node.operator === 53) { 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 === 53) { node = node.parent; } return !isStatementCondition(node) && !isLogicalExpression(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) && !isLogicalExpression(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 === 253) { 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 === 247) { bind(node.awaitModifier); } addAntecedent(postLoopLabel, currentFlow); bind(node.initializer); if (node.initializer.kind !== 258) { 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 === 250) { hasExplicitReturn = true; if (currentReturnTarget) { addAntecedent(currentReturnTarget, currentFlow); } } currentFlow = unreachableFlow; } 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 === 249 ? breakTarget : continueTarget; if (flowLabel) { addAntecedent(flowLabel, currentFlow); currentFlow = unreachableFlow; } } 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.antecedents = concatenate(concatenate(normalExitLabel.antecedents, exceptionLabel.antecedents), returnLabel.antecedents); currentFlow = finallyLabel; bind(node.finallyBlock); if (currentFlow.flags & 1) { currentFlow = unreachableFlow; } else { if (currentReturnTarget && returnLabel.antecedents) { addAntecedent(currentReturnTarget, createReduceLabel(finallyLabel, returnLabel.antecedents, currentFlow)); } if (currentExceptionTarget && exceptionLabel.antecedents) { addAntecedent(currentExceptionTarget, createReduceLabel(finallyLabel, exceptionLabel.antecedents, currentFlow)); } currentFlow = normalExitLabel.antecedents ? createReduceLabel(finallyLabel, normalExitLabel.antecedents, 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 === 293); node.possiblyExhaustive = !hasDefault && !postSwitchLabel.antecedents; 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 = 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) { 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 === 210) { const call = node; if (call.expression.kind !== 106 && 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 === 223 && node.operatorToken.kind === 63) { bindAssignmentTargetFlow(node.left); } else { bindAssignmentTargetFlow(node); } } function bindAssignmentTargetFlow(node) { if (isNarrowableReference(node)) { currentFlow = createFlowMutation(16, currentFlow, node); } else if (node.kind === 206) { for (const e of node.elements) { if (e.kind === 227) { bindAssignmentTargetFlow(e.expression); } else { bindDestructuringTargetFlow(e); } } } else if (node.kind === 207) { for (const p of node.properties) { if (p.kind === 299) { bindDestructuringTargetFlow(p.initializer); } else if (p.kind === 300) { bindAssignmentTargetFlow(p.name); } else if (p.kind === 301) { bindAssignmentTargetFlow(p.expression); } } } } function bindLogicalLikeExpression(node, trueTarget, falseTarget) { const preRightLabel = createBranchLabel(); if (node.operatorToken.kind === 55 || node.operatorToken.kind === 76) { 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 === 53) { const saveTrueTarget = currentTrueTarget; currentTrueTarget = currentFalseTarget; currentFalseTarget = saveTrueTarget; bindEachChild(node); currentFalseTarget = currentTrueTarget; currentTrueTarget = saveTrueTarget; } else { bindEachChild(node); if (node.operator === 45 || node.operator === 46) { bindAssignmentTargetFlow(node.operand); } } } function bindPostfixUnaryExpressionFlow(node) { bindEachChild(node); if (node.operator === 45 || node.operator === 46) { 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, 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(); bindLogicalLikeExpression(node, postExpressionLabel, postExpressionLabel); currentFlow = finishFlowLabel(postExpressionLabel); } 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 === 27) { 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 === 27) { 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 === 63 && node.left.kind === 209) { 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 === 208) { bindAssignmentTargetFlow(node.expression); } } function bindConditionalExpressionFlow(node) { const trueLabel = createBranchLabel(); const falseLabel = createBranchLabel(); const postExpressionLabel = createBranchLabel(); 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 = finishFlowLabel(postExpressionLabel); } 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 !== 343 && node.fullName) { setParent(node.fullName, node); setParentRecursive(node.fullName, false); } if (typeof node.comment !== "string") { bindEach(node.comment); } } function bindJSDocClassTag(node) { bindEachChild(node); const host = getHostSignatureFromJSDoc(node); if (host && host.kind !== 171) { addDeclarationToSymbol(host.symbol, host, 32); } } 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 208: bind(node.questionDotToken); bind(node.name); break; case 209: bind(node.questionDotToken); bind(node.argumentExpression); break; case 210: 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(); bindOptionalChain(node, postExpressionLabel, postExpressionLabel); currentFlow = finishFlowLabel(postExpressionLabel); } 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 === 215 || expr.kind === 216) { bindEach(node.typeArguments); bindEach(node.arguments); bind(node.expression); } else { bindEachChild(node); if (node.expression.kind === 106) { currentFlow = createFlowCall(currentFlow, node); } } } if (node.expression.kind === 208) { 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 264: return declareModuleMember(node, symbolFlags, symbolExcludes); case 308: return declareSourceFileMember(node, symbolFlags, symbolExcludes); case 228: case 260: return declareClassMember(node, symbolFlags, symbolExcludes); case 263: return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); case 184: case 325: case 207: case 261: case 289: return declareSymbol(container.symbol.members, container.symbol, node, symbolFlags, symbolExcludes); case 181: case 182: case 176: case 177: case 326: case 178: case 171: case 170: case 173: case 174: case 175: case 259: case 215: case 216: case 320: case 172: case 262: case 197: if (container.locals) Debug.assertNode(container, canHaveLocals); return declareSymbol(container.locals, 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, 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 & 16777216 && !hasExportDeclarations(node)) { node.flags |= 64; } else { node.flags &= ~64; } } function bindModuleDeclaration(node) { setExportContextFlag(node); if (isAmbientModule(node)) { if (hasSyntacticModifier(node, 1)) { 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 === 10) { 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); file.patternAmbientModules = append(file.patternAmbientModules, pattern && !isString(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); return state; } function bindFunctionOrConstructorType(node) { const symbol = createSymbol(131072, getDeclarationName(node)); addDeclarationToSymbol(symbol, node, 131072); const typeLiteralSymbol = createSymbol(2048, "__type"); addDeclarationToSymbol(typeLiteralSymbol, node, 2048); typeLiteralSymbol.members = createSymbolTable(); typeLiteralSymbol.members.set(symbol.escapedName, symbol); } function bindObjectLiteralExpression(node) { return bindAnonymousDeclaration(node, 4096, "__object"); } function bindJsxAttributes(node) { return bindAnonymousDeclaration(node, 4096, "__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 264: declareModuleMember(node, symbolFlags, symbolExcludes); break; case 308: if (isExternalOrCommonJsModule(container)) { declareModuleMember(node, symbolFlags, symbolExcludes); break; } default: Debug.assertNode(blockScopeContainer, canHaveLocals); if (!blockScopeContainer.locals) { blockScopeContainer.locals = createSymbolTable(); addToContainerChain(blockScopeContainer); } declareSymbol(blockScopeContainer.locals, 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 = findAncestor(host.parent, (n) => !!(getContainerFlags(n) & 1)) || file; blockScopeContainer = getEnclosingBlockScopeContainer(host) || file; currentFlow = initFlowNode({ flags: 2 }); 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"), 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); } container = oldContainer; } } else if (isJSDocEnumTag(typeAlias) || !typeAlias.fullName || typeAlias.fullName.kind === 79) { parent2 = typeAlias.parent; bindBlockScopedDeclaration(typeAlias, 524288, 788968); } else { bind(typeAlias.fullName); } } container = saveContainer; lastContainer = saveLastContainer; blockScopeContainer = saveBlockScopeContainer; parent2 = saveParent; currentFlow = saveCurrentFlow; } function checkContextualIdentifier(node) { if (!file.parseDiagnostics.length && !(node.flags & 16777216) && !(node.flags & 8388608) && !isIdentifierName(node)) { const originalKeywordKind = identifierToKeywordKind(node); if (originalKeywordKind === void 0) { return; } if (inStrictMode && originalKeywordKind >= 117 && originalKeywordKind <= 125) { file.bindDiagnostics.push(createDiagnosticForNode2(node, getStrictModeIdentifierMessage(node), declarationNameToString(node))); } else if (originalKeywordKind === 133) { 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 & 32768) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here, declarationNameToString(node))); } } else if (originalKeywordKind === 125 && node.flags & 8192) { 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 === 79) { 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 === 79) { 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) { checkStrictModeEvalOrArguments(node, node.name); } } function getStrictModeBlockScopeFunctionDeclarationMessage(node) { if (getContainingClass(node)) { return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_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_ES3_or_ES5_Modules_are_automatically_in_strict_mode; } return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES3_or_ES5; } function checkStrictModeFunctionDeclaration(node) { if (languageVersion < 2) { if (blockScopeContainer.kind !== 308 && blockScopeContainer.kind !== 264 && !isFunctionLikeOrClassStaticBlockDeclaration(blockScopeContainer)) { const errorSpan = getErrorSpanForNode(file, node); file.bindDiagnostics.push(createFileDiagnostic(file, errorSpan.start, errorSpan.length, getStrictModeBlockScopeFunctionDeclarationMessage(node))); } } } function checkStrictModeNumericLiteral(node) { if (languageVersion < 1 && inStrictMode && node.numericLiteralFlags & 32) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Octal_literals_are_not_allowed_in_strict_mode)); } } function checkStrictModePostfixUnaryExpression(node) { if (inStrictMode) { checkStrictModeEvalOrArguments(node, node.operand); } } function checkStrictModePrefixUnaryExpression(node) { if (inStrictMode) { if (node.operator === 45 || node.operator === 46) { 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, arg0, arg1, arg2) { const span = getSpanOfTokenAtPosition(file, node.pos); file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, message, arg0, arg1, arg2)); } 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 }); } } function bind(node) { if (!node) { return; } setParent(node, parent2); if (tracing) node.tracingPath = file.path; const saveInStrictMode = inStrictMode; bindWorker(node); if (node.kind > 162) { 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, 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 79: if (node.flags & 2048) { let parentNode = node.parent; while (parentNode && !isJSDocTypeAlias(parentNode)) { parentNode = parentNode.parent; } bindBlockScopedDeclaration(parentNode, 524288, 788968); break; } case 108: if (currentFlow && (isExpression(node) || parent2.kind === 300)) { node.flowNode = currentFlow; } return checkContextualIdentifier(node); case 163: if (currentFlow && isPartOfTypeQuery(node)) { node.flowNode = currentFlow; } break; case 233: case 106: node.flowNode = currentFlow; break; case 80: return checkPrivateIdentifier(node); case 208: case 209: 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, void 0, expr.expression, 1 | 134217728, 111550); } break; case 223: 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 295: return checkStrictModeCatchClause(node); case 217: return checkStrictModeDeleteExpression(node); case 8: return checkStrictModeNumericLiteral(node); case 222: return checkStrictModePostfixUnaryExpression(node); case 221: return checkStrictModePrefixUnaryExpression(node); case 251: return checkStrictModeWithStatement(node); case 253: return checkStrictModeLabeledStatement(node); case 194: seenThisKeyword = true; return; case 179: break; case 165: return bindTypeParameter(node); case 166: return bindParameter(node); case 257: return bindVariableDeclarationOrBindingElement(node); case 205: node.flowNode = currentFlow; return bindVariableDeclarationOrBindingElement(node); case 169: case 168: return bindPropertyWorker(node); case 299: case 300: return bindPropertyOrMethodOrAccessor(node, 4, 0); case 302: return bindPropertyOrMethodOrAccessor(node, 8, 900095); case 176: case 177: case 178: return declareSymbolAndAddToSymbolTable(node, 131072, 0); case 171: case 170: return bindPropertyOrMethodOrAccessor(node, 8192 | (node.questionToken ? 16777216 : 0), isObjectLiteralMethod(node) ? 0 : 103359); case 259: return bindFunctionDeclaration(node); case 173: return declareSymbolAndAddToSymbolTable(node, 16384, 0); case 174: return bindPropertyOrMethodOrAccessor(node, 32768, 46015); case 175: return bindPropertyOrMethodOrAccessor(node, 65536, 78783); case 181: case 320: case 326: case 182: return bindFunctionOrConstructorType(node); case 184: case 325: case 197: return bindAnonymousTypeWorker(node); case 335: return bindJSDocClassTag(node); case 207: return bindObjectLiteralExpression(node); case 215: case 216: return bindFunctionExpression(node); case 210: 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 228: case 260: inStrictMode = true; return bindClassLikeDeclaration(node); case 261: return bindBlockScopedDeclaration(node, 64, 788872); case 262: return bindBlockScopedDeclaration(node, 524288, 788968); case 263: return bindEnumDeclaration(node); case 264: return bindModuleDeclaration(node); case 289: return bindJsxAttributes(node); case 288: return bindJsxAttribute(node, 4, 0); case 268: case 271: case 273: case 278: return declareSymbolAndAddToSymbolTable(node, 2097152, 2097152); case 267: return bindNamespaceExportDeclaration(node); case 270: return bindImportClause(node); case 275: return bindExportDeclaration(node); case 274: return bindExportAssignment(node); case 308: updateStrictModeStatementList(node.statements); return bindSourceFileIfExternalModule(); case 238: if (!isFunctionLikeOrClassStaticBlockDeclaration(node.parent)) { return; } case 265: return updateStrictModeStatementList(node.statements); case 344: if (node.parent.kind === 326) { return bindParameter(node); } if (node.parent.kind !== 325) { break; } case 351: const propTag = node; const flags = propTag.isBracketed || propTag.typeExpression && propTag.typeExpression.type.kind === 319 ? 4 | 16777216 : 4; return declareSymbolAndAddToSymbolTable(propTag, flags, 0); case 349: case 341: case 343: return (delayedTypeAliases || (delayedTypeAliases = [])).push(node); case 342: return bind(node.typeExpression); } } 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"); } 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, 67108863); 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, 67108863); 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); } } 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); } else if (isNamespaceExport(node.exportClause)) { setParent(node.exportClause, node); declareSymbol(container.symbol.exports, container.symbol, node.exportClause, 2097152, 2097152); } } function bindImportClause(node) { if (node.name) { declareSymbolAndAddToSymbolTable(node, 2097152, 2097152); } } 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], void 0, (id, symbol2) => { if (symbol2) { addDeclarationToSymbol(symbol2, id, 1536 | 67108864); } return symbol2; }); if (symbol) { const flags = 4 | 1048576; declareSymbol(symbol.exports, symbol, node, flags, 0); } } function bindExportsPropertyAssignment(node) { if (!setCommonJsModuleIndicator(node)) { return; } const symbol = forEachIdentifierInEntityName(node.left.expression, void 0, (id, symbol2) => { if (symbol2) { addDeclarationToSymbol(symbol2, id, 1536 | 67108864); } 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); } } 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); setValueDeclaration(symbol, node); } function bindExportAssignedObjectMemberAlias(node) { declareSymbol(file.symbol.exports, file.symbol, node, 2097152 | 67108864, 0); } 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, false, false); switch (thisContainer.kind) { case 259: case 215: let constructorSymbol = thisContainer.symbol; if (isBinaryExpression(thisContainer.parent) && thisContainer.parent.operatorToken.kind === 63) { 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); } addDeclarationToSymbol(constructorSymbol, constructorSymbol.valueDeclaration, 32); } break; case 173: case 169: case 171: case 174: case 175: case 172: 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, true); } break; case 308: if (hasDynamicName(node)) { break; } else if (thisContainer.commonJsModuleIndicator) { declareSymbol(thisContainer.symbol.exports, thisContainer.symbol, node, 4 | 1048576, 0); } else { declareSymbolAndAddToSymbolTable(node, 1, 111550); } break; default: Debug.failBadSyntaxKind(thisContainer); } } function bindDynamicallyNamedThisPropertyAssignment(node, symbol, symbolTable) { declareSymbol(symbolTable, symbol, node, 4, 0, true, 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 === 108) { bindThisPropertyAssignment(node); } else if (isBindableStaticAccessExpression(node) && node.parent.parent.kind === 308) { 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, false, true); } function bindObjectDefinePrototypeProperty(node) { const namespaceSymbol = lookupSymbolForPropertyAccess(node.arguments[0].expression); if (namespaceSymbol && namespaceSymbol.valueDeclaration) { addDeclarationToSymbol(namespaceSymbol, namespaceSymbol.valueDeclaration, 32); } bindPotentiallyNewExpandoMemberToNamespace(node, namespaceSymbol, 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, true, true); } function bindObjectDefinePropertyAssignment(node) { let namespaceSymbol = lookupSymbolForPropertyAccess(node.arguments[0]); const isToplevel = node.parent.parent.kind === 308; namespaceSymbol = bindPotentiallyMissingNamespaces(namespaceSymbol, node.arguments[0], isToplevel, false, false); bindPotentiallyNewExpandoMemberToNamespace(node, namespaceSymbol, false); } function bindSpecialPropertyAssignment(node) { var _a2; const parentSymbol = lookupSymbolForPropertyAccess(node.left.expression, container) || lookupSymbolForPropertyAccess(node.left.expression, blockScopeContainer); if (!isInJSFile(node) && !isFunctionSymbol(parentSymbol)) { return; } const rootExpr = getLeftmostAccessExpression(node.left); if (isIdentifier(rootExpr) && ((_a2 = lookupSymbolForName(container, rootExpr.escapedText)) == null ? void 0 : _a2.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"); const sym = bindPotentiallyMissingNamespaces(parentSymbol, node.left.expression, isTopLevelNamespaceAssignment(node.left), false, 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, false, false); } function bindPotentiallyMissingNamespaces(namespaceSymbol, entityName, isToplevel, isPrototypeProperty, containerIsClass) { if ((namespaceSymbol == null ? void 0 : namespaceSymbol.flags) & 2097152) { return namespaceSymbol; } if (isToplevel && !isPrototypeProperty) { 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); } return namespaceSymbol; } function bindPotentiallyNewExpandoMemberToNamespace(declaration, namespaceSymbol, isPrototypeProperty) { if (!namespaceSymbol || !isExpandoSymbol(namespaceSymbol)) { return; } const symbolTable = isPrototypeProperty ? 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 (isCallExpression(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); } function isTopLevelNamespaceAssignment(propertyAccess) { return isBinaryExpression(propertyAccess.parent) ? getParentOfBinaryExpression(propertyAccess.parent).parent.kind === 308 : propertyAccess.parent.parent.kind === 308; } function bindPropertyAssignment(name, propertyAccess, isPrototypeProperty, containerIsClass) { let namespaceSymbol = lookupSymbolForPropertyAccess(name, container) || lookupSymbolForPropertyAccess(name, blockScopeContainer); const isToplevel = isTopLevelNamespaceAssignment(propertyAccess); namespaceSymbol = bindPotentiallyMissingNamespaces(namespaceSymbol, propertyAccess.expression, isToplevel, isPrototypeProperty, containerIsClass); bindPotentiallyNewExpandoMemberToNamespace(propertyAccess, namespaceSymbol, isPrototypeProperty); } function isExpandoSymbol(symbol) { if (symbol.flags & (16 | 32 | 1024)) { return true; } const node = symbol.valueDeclaration; if (node && isCallExpression(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 === 56 || init.operatorToken.kind === 60) ? 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, false)) { setCommonJsModuleIndicator(node); } } function bindClassLikeDeclaration(node) { if (node.kind === 260) { bindBlockScopedDeclaration(node, 32, 899503); } 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) : bindBlockScopedDeclaration(node, 256, 899327); } function bindVariableDeclarationOrBindingElement(node) { if (inStrictMode) { checkStrictModeEvalOrArguments(node, node.name); } if (!isBindingPattern(node.name)) { const possibleVariableDecl = node.kind === 257 ? node : node.parent.parent; if (isInJSFile(node) && getEmitModuleResolutionKind(options) !== 100 && isVariableDeclarationInitializedToBareOrAccessedRequire(possibleVariableDecl) && !getJSDocTypeTag(node) && !(getCombinedModifierFlags(node) & 1)) { declareSymbolAndAddToSymbolTable(node, 2097152, 2097152); } else if (isBlockOrCatchScoped(node)) { bindBlockScopedDeclaration(node, 2, 111551); } else if (isParameterDeclaration(node)) { declareSymbolAndAddToSymbolTable(node, 1, 111551); } else { declareSymbolAndAddToSymbolTable(node, 1, 111550); } } } function bindParameter(node) { if (node.kind === 344 && container.kind !== 326) { return; } if (inStrictMode && !(node.flags & 16777216)) { checkStrictModeEvalOrArguments(node, node.name); } if (isBindingPattern(node.name)) { bindAnonymousDeclaration(node, 1, "__" + node.parent.parameters.indexOf(node)); } else { declareSymbolAndAddToSymbolTable(node, 1, 111551); } if (isParameterPropertyDeclaration(node, node.parent)) { const classDeclaration = node.parent.parent; declareSymbol(classDeclaration.symbol.members, classDeclaration.symbol, node, 4 | (node.questionToken ? 16777216 : 0), 0); } } function bindFunctionDeclaration(node) { if (!file.isDeclarationFile && !(node.flags & 16777216)) { if (isAsyncFunction(node)) { emitFlags |= 2048; } } checkStrictModeFunctionName(node); if (inStrictMode) { checkStrictModeFunctionDeclaration(node); bindBlockScopedDeclaration(node, 16, 110991); } else { declareSymbolAndAddToSymbolTable(node, 16, 110991); } } function bindFunctionExpression(node) { if (!file.isDeclarationFile && !(node.flags & 16777216)) { if (isAsyncFunction(node)) { emitFlags |= 2048; } } 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 & 16777216) && isAsyncFunction(node)) { emitFlags |= 2048; } if (currentFlow && isObjectLiteralOrClassExpressionMethodOrAccessor(node)) { node.flowNode = currentFlow; } return hasDynamicName(node) ? bindAnonymousDeclaration(node, symbolFlags, "__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) { var _a2, _b; if (isJSDocTemplateTag(node.parent)) { const container2 = getEffectiveContainerForJSDocTemplateTag(node.parent); if (container2) { Debug.assertNode(container2, canHaveLocals); (_a2 = container2.locals) != null ? _a2 : container2.locals = createSymbolTable(); declareSymbol(container2.locals, void 0, node, 262144, 526824); } else { declareSymbolAndAddToSymbolTable(node, 262144, 526824); } } else if (node.parent.kind === 192) { const container2 = getInferTypeContainer(node.parent); if (container2) { Debug.assertNode(container2, canHaveLocals); (_b = container2.locals) != null ? _b : container2.locals = createSymbolTable(); declareSymbol(container2.locals, void 0, node, 262144, 526824); } else { bindAnonymousDeclaration(node, 262144, getDeclarationName(node)); } } else { declareSymbolAndAddToSymbolTable(node, 262144, 526824); } } 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 = isStatementButNotDeclaration(node) && node.kind !== 239 || node.kind === 260 || node.kind === 264 && shouldReportErrorOnModuleDeclaration(node); if (reportError) { currentFlow = reportedUnreachableFlow; if (!options.allowUnreachableCode) { const isError = unreachableCodeIsError(options) && !(node.flags & 16777216) && (!isVariableStatement(node) || !!(getCombinedNodeFlags(node.declarationList) & 3) || 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) && !(isVariableStatement(s) && !(getCombinedNodeFlags(s) & (1 | 2)) && s.declarationList.declarations.some((d) => !d.initializer)); } function isPurelyTypeDeclaration(s) { switch (s.kind) { case 261: case 262: return true; case 264: return getModuleInstanceState(s) !== 1; case 263: return hasSyntacticModifier(s, 2048); 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 (isAssignmentExpression(init, true)) { q.enqueue(init.left); q.enqueue(init.right); } } } } return false; } function getContainerFlags(node) { switch (node.kind) { case 228: case 260: case 263: case 207: case 184: case 325: case 289: return 1; case 261: return 1 | 64; case 264: case 262: case 197: case 178: return 1 | 32; case 308: return 1 | 4 | 32; case 174: case 175: case 171: if (isObjectLiteralOrClassExpressionMethodOrAccessor(node)) { return 1 | 4 | 32 | 8 | 128; } case 173: case 259: case 170: case 176: case 326: case 320: case 181: case 177: case 182: case 172: return 1 | 4 | 32 | 8; case 215: case 216: return 1 | 4 | 32 | 8 | 16; case 265: return 4; case 169: return node.initializer ? 4 : 0; case 295: case 245: case 246: case 247: case 266: return 2 | 32; case 238: return isFunctionLike(node.parent) || isClassStaticBlockDeclaration(node.parent) ? 0 : 2 | 32; } return 0; } function lookupSymbolForName(container, name) { var _a2, _b, _c, _d, _e; const local = (_b = (_a2 = tryCast(container, canHaveLocals)) == null ? void 0 : _a2.locals) == null ? void 0 : _b.get(name); if (local) { return (_c = local.exportSymbol) != null ? _c : local; } if (isSourceFile(container) && container.jsGlobalAugmentations && container.jsGlobalAugmentations.has(name)) { return container.jsGlobalAugmentations.get(name); } if (canHaveSymbol(container)) { return (_e = (_d = container.symbol) == null ? void 0 : _d.exports) == null ? void 0 : _e.get(name); } } var ModuleInstanceState, binder; var init_binder = __esm({ "src/compiler/binder.ts"() { "use strict"; init_ts2(); init_ts_performance(); ModuleInstanceState = /* @__PURE__ */ ((ModuleInstanceState2) => { ModuleInstanceState2[ModuleInstanceState2["NonInstantiated"] = 0] = "NonInstantiated"; ModuleInstanceState2[ModuleInstanceState2["Instantiated"] = 1] = "Instantiated"; ModuleInstanceState2[ModuleInstanceState2["ConstEnumOnly"] = 2] = "ConstEnumOnly"; return ModuleInstanceState2; })(ModuleInstanceState || {}); binder = createBinder(); } }); 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 objectType = type; const objectFlags = objectType.objectFlags; if (objectFlags & 4) { visitTypeReference(type); } if (objectFlags & 32) { visitMappedType(type); } if (objectFlags & (1 | 2)) { visitInterfaceType(type); } if (objectFlags & (8 | 16)) { visitObjectType(objectType); } } 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 === 183) { const query = d.type; const entity = getResolvedSymbol(getFirstIdentifier2(query.exprName)); visitSymbol(entity); } }); return false; } } } var init_symbolWalker = __esm({ "src/compiler/symbolWalker.ts"() { "use strict"; init_ts2(); } }); function getPreferences({ importModuleSpecifierPreference, importModuleSpecifierEnding }, compilerOptions, importingSourceFile, oldImportSpecifier) { const preferredEnding = getPreferredEnding(); return { relativePreference: oldImportSpecifier !== void 0 ? isExternalModuleNameRelative(oldImportSpecifier) ? 0 : 1 : importModuleSpecifierPreference === "relative" ? 0 : importModuleSpecifierPreference === "non-relative" ? 1 : importModuleSpecifierPreference === "project-relative" ? 3 : 2, getAllowedEndingsInPreferredOrder: (syntaxImpliedNodeFormat) => { if ((syntaxImpliedNodeFormat != null ? syntaxImpliedNodeFormat : importingSourceFile.impliedNodeFormat) === 99) { if (shouldAllowImportingTsExtension(compilerOptions, importingSourceFile.fileName)) { return [3, 2]; } return [2]; } if (getEmitModuleResolutionKind(compilerOptions) === 1) { return [1, 2]; } switch (preferredEnding) { case 2: return [2, 0, 1]; case 3: return [3, 0, 2, 1]; case 1: return [1, 0, 2]; case 0: return [0, 1, 2]; default: Debug.assertNever(preferredEnding); } } }; function getPreferredEnding() { if (oldImportSpecifier !== void 0) { if (hasJSFileExtension(oldImportSpecifier)) return 2; if (endsWith(oldImportSpecifier, "/index")) return 1; } return getModuleSpecifierEndingPreference(importModuleSpecifierEnding, importingSourceFile.impliedNodeFormat, compilerOptions, importingSourceFile); } } function updateModuleSpecifier(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, oldImportSpecifier, options = {}) { const res = getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, getPreferences({}, 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, getPreferences({}, compilerOptions, importingSourceFile), {}, options); } function getNodeModulesPackageName(compilerOptions, importingSourceFile, nodeModulesFileName, host, preferences, options = {}) { const info = getInfo(importingSourceFile.path, host); const modulePaths = getAllModulePaths(importingSourceFile.path, nodeModulesFileName, host, preferences, options); return firstDefined(modulePaths, (modulePath) => tryGetModuleNameAsNodeModule(modulePath, info, importingSourceFile, host, compilerOptions, preferences, true, options.overrideImportMode)); } function getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, preferences, userPreferences, options = {}) { const info = getInfo(importingSourceFileName, host); const modulePaths = getAllModulePaths(importingSourceFileName, toFileName2, host, userPreferences, options); return firstDefined(modulePaths, (modulePath) => tryGetModuleNameAsNodeModule(modulePath, info, importingSourceFile, host, compilerOptions, userPreferences, void 0, options.overrideImportMode)) || getLocalModuleSpecifier(toFileName2, info, compilerOptions, host, options.overrideImportMode || importingSourceFile.impliedNodeFormat, preferences); } function tryGetModuleSpecifiersFromCache(moduleSymbol, importingSourceFile, host, userPreferences, options = {}) { return tryGetModuleSpecifiersFromCacheWorker(moduleSymbol, importingSourceFile, host, userPreferences, options)[0]; } function tryGetModuleSpecifiersFromCacheWorker(moduleSymbol, importingSourceFile, host, userPreferences, options = {}) { var _a2; const moduleSourceFile = getSourceFileOfModule(moduleSymbol); if (!moduleSourceFile) { return emptyArray; } const cache = (_a2 = host.getModuleSpecifierCache) == null ? void 0 : _a2.call(host); const cached = cache == null ? void 0 : cache.get(importingSourceFile.path, moduleSourceFile.path, userPreferences, options); return [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).moduleSpecifiers; } function getModuleSpecifiersWithCacheInfo(moduleSymbol, checker, compilerOptions, importingSourceFile, host, userPreferences, options = {}) { let computedWithoutCache = false; const ambient = tryGetModuleNameFromAmbientModule(moduleSymbol, checker); if (ambient) return { moduleSpecifiers: [ambient], computedWithoutCache }; let [specifiers, moduleSourceFile, modulePaths, cache] = tryGetModuleSpecifiersFromCacheWorker(moduleSymbol, importingSourceFile, host, userPreferences, options); if (specifiers) return { moduleSpecifiers: specifiers, computedWithoutCache }; if (!moduleSourceFile) return { moduleSpecifiers: emptyArray, computedWithoutCache }; computedWithoutCache = true; modulePaths || (modulePaths = getAllModulePathsWorker(importingSourceFile.path, moduleSourceFile.originalFileName, host)); const result = computeModuleSpecifiers(modulePaths, compilerOptions, importingSourceFile, host, userPreferences, options); cache == null ? void 0 : cache.set(importingSourceFile.path, moduleSourceFile.path, userPreferences, options, modulePaths, result); return { moduleSpecifiers: result, computedWithoutCache }; } function computeModuleSpecifiers(modulePaths, compilerOptions, importingSourceFile, host, userPreferences, options = {}) { const info = getInfo(importingSourceFile.path, host); const preferences = getPreferences(userPreferences, compilerOptions, importingSourceFile); const existingSpecifier = forEach(modulePaths, (modulePath) => forEach(host.getFileIncludeReasons().get(toPath(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)) return void 0; const specifier = getModuleNameStringLiteralAt(importingSourceFile, reason.index).text; return preferences.relativePreference !== 1 || !pathIsRelative(specifier) ? specifier : void 0; })); if (existingSpecifier) { const moduleSpecifiers = [existingSpecifier]; return moduleSpecifiers; } 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, void 0, options.overrideImportMode) : void 0; nodeModulesSpecifiers = append(nodeModulesSpecifiers, specifier); if (specifier && modulePath.isRedirect) { return nodeModulesSpecifiers; } if (!specifier) { const local = getLocalModuleSpecifier(modulePath.path, info, compilerOptions, host, options.overrideImportMode || importingSourceFile.impliedNodeFormat, preferences, modulePath.isRedirect); if (!local) { continue; } if (modulePath.isRedirect) { redirectPathsSpecifiers = append(redirectPathsSpecifiers, local); } else if (pathIsBareSpecifier(local)) { pathsSpecifiers = append(pathsSpecifiers, local); } else if (!importedFileIsInNodeModules || modulePath.isInNodeModules) { relativeSpecifiers = append(relativeSpecifiers, local); } } } return (pathsSpecifiers == null ? void 0 : pathsSpecifiers.length) ? pathsSpecifiers : (redirectPathsSpecifiers == null ? void 0 : redirectPathsSpecifiers.length) ? redirectPathsSpecifiers : (nodeModulesSpecifiers == null ? void 0 : nodeModulesSpecifiers.length) ? nodeModulesSpecifiers : Debug.checkDefined(relativeSpecifiers); } function getInfo(importingSourceFileName, host) { const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames ? host.useCaseSensitiveFileNames() : true); const sourceDirectory = getDirectoryPath(importingSourceFileName); return { getCanonicalFileName, importingSourceFileName, 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, 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 || relativePreference === 0) { return pathsOnly ? void 0 : relativePath; } const baseDirectory = getNormalizedAbsolutePath(getPathsBasePath(compilerOptions, host) || baseUrl, host.getCurrentDirectory()); const relativeToBaseUrl = getRelativePathIfInDirectory(moduleFileName, baseDirectory, getCanonicalFileName); if (!relativeToBaseUrl) { return pathsOnly ? void 0 : relativePath; } const fromPaths = paths && tryGetModuleNameFromPaths(relativeToBaseUrl, paths, allowedEndings, host, compilerOptions); if (pathsOnly) { return fromPaths; } const maybeNonRelative = 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 ? toPath(getDirectoryPath(compilerOptions.configFilePath), host.getCurrentDirectory(), info.getCanonicalFileName) : info.getCanonicalFileName(host.getCurrentDirectory()); const modulePath = toPath(moduleFileName, projectDirectory, getCanonicalFileName); const sourceIsInternal = startsWith(sourceDirectory, projectDirectory); const targetIsInternal = startsWith(modulePath, projectDirectory); if (sourceIsInternal && !targetIsInternal || !sourceIsInternal && targetIsInternal) { return maybeNonRelative; } const nearestTargetPackageJson = getNearestAncestorDirectoryWithPackageJson(host, getDirectoryPath(modulePath)); const nearestSourcePackageJson = getNearestAncestorDirectoryWithPackageJson(host, sourceDirectory); if (nearestSourcePackageJson !== nearestTargetPackageJson) { return maybeNonRelative; } return relativePath; } return isPathRelativeToParent(maybeNonRelative) || countPathComponents(relativePath) < countPathComponents(maybeNonRelative) ? relativePath : maybeNonRelative; } function countPathComponents(path) { let count = 0; for (let i = startsWith(path, "./") ? 2 : 0; i < path.length; i++) { if (path.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")) ? true : void 0; }); } function forEachFileNameOfModule(importingFileName, importedFileName, host, preferSymlinks, cb) { var _a2; const getCanonicalFileName = hostGetCanonicalFileName(host); const cwd = host.getCurrentDirectory(); const referenceRedirect = host.isSourceOfProjectReferenceRedirect(importedFileName) ? host.getProjectReferenceRedirect(importedFileName) : void 0; const importedPath = toPath(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 = (_a2 = host.getSymlinkCache) == null ? void 0 : _a2.call(host).getSymlinkedDirectoriesByRealpath(); const fullImportedFileName = getNormalizedAbsolutePath(importedFileName, cwd); const result = symlinkedDirectories && forEachAncestorDirectory(getDirectoryPath(fullImportedFileName), (realPathDirectory) => { const symlinkDirectories = symlinkedDirectories.get(ensureTrailingDirectorySeparator(toPath(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 relative = getRelativePathFromDirectory(realPathDirectory, target, getCanonicalFileName); for (const symlinkDirectory of symlinkDirectories) { const option = resolvePath(symlinkDirectory, relative); 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(importingFilePath, importedFileName, host, preferences, options = {}) { var _a2; const importedFilePath = toPath(importedFileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host)); const cache = (_a2 = host.getModuleSpecifierCache) == null ? void 0 : _a2.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(importingFilePath, importedFileName, host); if (cache) { cache.setModulePaths(importingFilePath, importedFilePath, preferences, options, modulePaths); } return modulePaths; } function getAllModulePathsWorker(importingFileName, importedFileName, host) { const getCanonicalFileName = hostGetCanonicalFileName(host); const allFileNames = /* @__PURE__ */ new Map(); let importedFileFromNodeModules = false; forEachFileNameOfModule(importingFileName, importedFileName, host, true, (path, isRedirect) => { const isInNodeModules = pathContainsNodeModules(path); allFileNames.set(path, { path: getCanonicalFileName(path), isRedirect, isInNodeModules }); importedFileFromNodeModules = importedFileFromNodeModules || isInNodeModules; }); const sortedPaths = []; for (let directory = getDirectoryPath(importingFileName); allFileNames.size !== 0; ) { const directoryStart = ensureTrailingDirectorySeparator(directory); let pathsInDirectory; allFileNames.forEach(({ path, isRedirect, isInNodeModules }, fileName) => { if (startsWith(path, 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.values()); if (remainingPaths.length > 1) remainingPaths.sort(comparePathsByRedirectAndNumberOfDirectorySeparators); sortedPaths.push(...remainingPaths); } return sortedPaths; } function tryGetModuleNameFromAmbientModule(moduleSymbol, checker) { var _a2; const decl = (_a2 = moduleSymbol.declarations) == null ? void 0 : _a2.find((d) => isNonGlobalAmbientModule(d) && (!isExternalModuleAugmentation(d) || !isExternalModuleNameRelative(getTextOfIdentifierOrLiteral(d.name)))); if (decl) { return decl.name.text; } const ambientModuleDeclareCandidates = mapDefined(moduleSymbol.declarations, (d) => { var _a3, _b, _c, _d; if (!isModuleDeclaration(d)) return; const topNamespace = getTopNamespace(d); if (!(((_a3 = topNamespace == null ? void 0 : topNamespace.parent) == null ? void 0 : _a3.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 & 4) { 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 && startsWith(value, prefix) && endsWith(value, suffix) && validateEnding({ ending, value })) { const matchedStar = value.substring(prefix.length, value.length - suffix.length); return key.replace("*", 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 tryGetModuleNameFromExports(options, targetFilePath, packageDirectory, packageName, exports, conditions, mode = 0) { if (typeof exports === "string") { const pathOrPattern = getNormalizedAbsolutePath(combinePaths(packageDirectory, exports), void 0); const extensionSwappedTarget = hasTSFileExtension(targetFilePath) ? removeFileExtension(targetFilePath) + tryGetJSExtensionForFile(targetFilePath, options) : void 0; switch (mode) { case 0: if (comparePaths(targetFilePath, pathOrPattern) === 0 || extensionSwappedTarget && comparePaths(extensionSwappedTarget, pathOrPattern) === 0) { return { moduleFileToTry: packageName }; } break; case 1: if (containsPath(pathOrPattern, targetFilePath)) { const fragment = getRelativePathFromDirectory(pathOrPattern, targetFilePath, false); return { moduleFileToTry: getNormalizedAbsolutePath(combinePaths(combinePaths(packageName, exports), fragment), void 0) }; } break; case 2: const starPos = pathOrPattern.indexOf("*"); const leadingSlice = pathOrPattern.slice(0, starPos); const trailingSlice = pathOrPattern.slice(starPos + 1); if (startsWith(targetFilePath, leadingSlice) && endsWith(targetFilePath, trailingSlice)) { const starReplacement = targetFilePath.slice(leadingSlice.length, targetFilePath.length - trailingSlice.length); return { moduleFileToTry: packageName.replace("*", starReplacement) }; } if (extensionSwappedTarget && startsWith(extensionSwappedTarget, leadingSlice) && endsWith(extensionSwappedTarget, trailingSlice)) { const starReplacement = extensionSwappedTarget.slice(leadingSlice.length, extensionSwappedTarget.length - trailingSlice.length); return { moduleFileToTry: packageName.replace("*", starReplacement) }; } break; } } else if (Array.isArray(exports)) { return forEach(exports, (e) => tryGetModuleNameFromExports(options, targetFilePath, packageDirectory, packageName, e, conditions)); } else if (typeof exports === "object" && exports !== null) { if (allKeysStartWithDot(exports)) { return forEach(getOwnKeys(exports), (k) => { const subPackageName = getNormalizedAbsolutePath(combinePaths(packageName, k), void 0); const mode2 = endsWith(k, "/") ? 1 : stringContains(k, "*") ? 2 : 0; return tryGetModuleNameFromExports(options, targetFilePath, packageDirectory, subPackageName, exports[k], conditions, mode2); }); } else { for (const key of getOwnKeys(exports)) { if (key === "default" || conditions.indexOf(key) >= 0 || isApplicableVersionedTypesKey(conditions, key)) { const subTarget = exports[key]; const result = tryGetModuleNameFromExports(options, targetFilePath, packageDirectory, packageName, subTarget, conditions); if (result) { return result; } } } } } return void 0; } 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, isRedirect }, { getCanonicalFileName, sourceDirectory }, importingSourceFile, host, options, userPreferences, packageNameOnly, overrideMode) { if (!host.fileExists || !host.readFile) { return void 0; } const parts = getNodeModulePathParts(path); if (!parts) { return void 0; } const preferences = getPreferences(userPreferences, options, importingSourceFile); const allowedEndings = preferences.getAllowedEndingsInPreferredOrder(); let moduleSpecifier = path; 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 = path.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 (!(startsWith(sourceDirectory, pathToTopLevelNodeModules) || globalTypingsCacheLocation && startsWith(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 _a2, _b; const packageRootPath = path.substring(0, packageRootIndex); const packageJsonPath = combinePaths(packageRootPath, "package.json"); let moduleFileToTry = path; let maybeBlockedByTypesVersions = false; const cachedPackageJson = (_b = (_a2 = host.getPackageJsonInfoCache) == null ? void 0 : _a2.call(host)) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath); if (typeof cachedPackageJson === "object" || cachedPackageJson === void 0 && host.fileExists(packageJsonPath)) { const packageJsonContent = (cachedPackageJson == null ? void 0 : cachedPackageJson.contents.packageJsonContent) || JSON.parse(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 === 99); const fromExports = packageJsonContent.exports ? tryGetModuleNameFromExports(options, path, packageRootPath, packageName2, packageJsonContent.exports, conditions) : void 0; if (fromExports) { const withJsExtension = !hasTSFileExtension(fromExports.moduleFileToTry) ? fromExports : { moduleFileToTry: removeFileExtension(fromExports.moduleFileToTry) + tryGetJSExtensionForFile(fromExports.moduleFileToTry, options) }; return { ...withJsExtension, verbatimFromExports: true }; } if (packageJsonContent.exports) { return { moduleFileToTry: path, blockedByExports: true }; } } const versionPaths = packageJsonContent.typesVersions ? getPackageJsonTypesVersionsPaths(packageJsonContent.typesVersions) : void 0; if (versionPaths) { const subModuleName = path.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.typings || packageJsonContent.types || packageJsonContent.main || "index.js"; if (isString(mainFileRelative) && !(maybeBlockedByTypesVersions && matchPatternOrExact(tryParsePatterns(versionPaths.paths), mainFileRelative))) { const mainExportFile = toPath(mainFileRelative, packageRootPath, getCanonicalFileName); if (removeFileExtension(mainExportFile) === removeFileExtension(getCanonicalFileName(moduleFileToTry))) { 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, path) { if (!host.fileExists) return; const extensions = flatten(getSupportedExtensions({ allowJs: true }, [{ extension: "node", isMixedContent: false }, { extension: "json", isMixedContent: false, scriptKind: 6 }])); for (const e of extensions) { const fullPath = path + e; if (host.fileExists(fullPath)) { return fullPath; } } } function getPathsRelativeToRootDirs(path, rootDirs, getCanonicalFileName) { return mapDefined(rootDirs, (rootDir) => { const relativePath = getRelativePathIfInDirectory(path, rootDir, getCanonicalFileName); return relativePath !== void 0 && isPathRelativeToParent(relativePath) ? void 0 : relativePath; }); } function processEnding(fileName, allowedEndings, options, host) { if (fileExtensionIsOneOf(fileName, [".json", ".mjs", ".cjs"])) { return fileName; } const noExtension = removeFileExtension(fileName); if (fileName === noExtension) { return fileName; } if (fileExtensionIsOneOf(fileName, [".d.mts", ".mts", ".d.cts", ".cts"])) { return noExtension + getJSExtensionForFile(fileName, options); } else if (!fileExtensionIsOneOf(fileName, [".d.ts"]) && fileExtensionIsOneOf(fileName, [".ts"]) && stringContains(fileName, ".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); const jsPriority = allowedEndings.indexOf(2); 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") || !stringContains(baseName, ".d.") || fileExtensionIsOneOf(baseName, [".d.ts"])) return void 0; const noExtension = removeExtension(fileName, ".ts"); const ext = noExtension.substring(noExtension.lastIndexOf(".")); return noExtension.substring(0, noExtension.indexOf(".d.")) + ext; } function getJSExtensionForFile(fileName, options) { var _a2; return (_a2 = tryGetJSExtensionForFile(fileName, options)) != null ? _a2 : 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 getRelativePathIfInDirectory(path, directoryPath, getCanonicalFileName) { const relativePath = getRelativePathToDirectoryOrUrl(directoryPath, path, directoryPath, getCanonicalFileName, false); return isRootedDiskPath(relativePath) ? void 0 : relativePath; } function isPathRelativeToParent(path) { return startsWith(path, ".."); } var init_moduleSpecifiers = __esm({ "src/compiler/moduleSpecifiers.ts"() { "use strict"; init_ts2(); } }); var ts_moduleSpecifiers_exports = {}; __export2(ts_moduleSpecifiers_exports, { countPathComponents: () => countPathComponents, forEachFileNameOfModule: () => forEachFileNameOfModule, getModuleSpecifier: () => getModuleSpecifier, getModuleSpecifiers: () => getModuleSpecifiers, getModuleSpecifiersWithCacheInfo: () => getModuleSpecifiersWithCacheInfo, getNodeModulesPackageName: () => getNodeModulesPackageName, tryGetJSExtensionForFile: () => tryGetJSExtensionForFile, tryGetModuleSpecifiersFromCache: () => tryGetModuleSpecifiersFromCache, tryGetRealFileNameForNonJsDeclarationFileName: () => tryGetRealFileNameForNonJsDeclarationFileName, updateModuleSpecifier: () => updateModuleSpecifier }); var init_ts_moduleSpecifiers = __esm({ "src/compiler/_namespaces/ts.moduleSpecifiers.ts"() { "use strict"; init_moduleSpecifiers(); } }); 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 getPackagesMap = memoize(() => { var map2 = /* @__PURE__ */ new Map(); host.getSourceFiles().forEach((sf) => { if (!sf.resolvedModules) return; sf.resolvedModules.forEach(({ resolvedModule }) => { if (resolvedModule == null ? void 0 : resolvedModule.packageId) map2.set(resolvedModule.packageId.name, resolvedModule.extension === ".d.ts" || !!map2.get(resolvedModule.packageId.name)); }); }); return map2; }); var deferredDiagnosticsCallbacks = []; var addLazyDiagnostic = (arg) => { deferredDiagnosticsCallbacks.push(arg); }; var cancellationToken; var requestedExternalEmitHelperNames = /* @__PURE__ */ new Set(); var requestedExternalEmitHelpers; var externalHelpersModule; var Symbol46 = objectAllocator.getSymbolConstructor(); var Type27 = objectAllocator.getTypeConstructor(); var Signature15 = 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]; var compilerOptions = host.getCompilerOptions(); var languageVersion = getEmitScriptTarget(compilerOptions); var moduleKind = getEmitModuleKind(compilerOptions); var legacyDecorators = !!compilerOptions.experimentalDecorators; var useDefineForClassFields = getUseDefineForClassFields(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 keyofStringsOnly = !!compilerOptions.keyofStringsOnly; var freshObjectLiteralFlag = compilerOptions.suppressExcessPropertyErrors ? 0 : 8192; var exactOptionalPropertyTypes = compilerOptions.exactOptionalPropertyTypes; var checkBinaryExpression = createCheckBinaryExpression(); var emitResolver = createResolver(); var nodeBuilder = createNodeBuilder(); var globals = createSymbolTable(); var undefinedSymbol = createSymbol(4, "undefined"); undefinedSymbol.declarations = []; var globalThisSymbol = createSymbol(1536, "globalThis", 8); globalThisSymbol.exports = globals; globalThisSymbol.declarations = []; globals.set(globalThisSymbol.escapedName, globalThisSymbol); var argumentsSymbol = createSymbol(4, "arguments"); var requireSymbol = createSymbol(4, "require"); var isolatedModulesLikeFlagName = compilerOptions.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules"; var apparentArgumentCount; 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, 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 ? stringType : numberType), getIndexInfosOfType, getIndexInfosOfIndexSymbol, getSignaturesOfType, getIndexTypeOfType: (type, kind) => getIndexTypeOfType(type, kind === 0 ? stringType : numberType), getIndexType: (type) => getIndexType(type), getBaseTypes, getBaseTypeOfLiteralType, getWidenedType, getTypeFromTypeNode: (nodeIn) => { const node = getParseTreeNode(nodeIn, isTypeNode); return node ? getTypeFromTypeNode(node) : errorType; }, getParameterType: getTypeAtPosition, getParameterIdentifierNameAtPosition, 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, 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 symbolToString(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 symbolToString(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, 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, void 0); }, isContextSensitive, getTypeOfPropertyOfContextualType, getFullyQualifiedName, getResolvedSignature: (node, candidatesOutArray, argumentCount) => getResolvedSignatureWorker(node, candidatesOutArray, argumentCount, 0), getResolvedSignatureForStringLiteralCompletions: (call, editingArgument, candidatesOutArray) => runWithInferenceBlockedFromSourceNode(editingArgument, () => getResolvedSignatureWorker(call, candidatesOutArray, void 0, 32)), getResolvedSignatureForSignatureHelp: (node, candidatesOutArray, argumentCount) => runWithoutResolvedSignatureCaching(node, () => getResolvedSignatureWorker(node, candidatesOutArray, argumentCount, 16)), 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, 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, true), tryFindAmbientModuleWithoutAugmentations: (moduleName) => { return tryFindAmbientModule(moduleName, false); }, getApparentType, getUnionType, isTypeAssignableTo, createAnonymousType, createSignature, createSymbol, createIndexInfo, getAnyType: () => anyType, getStringType: () => stringType, getNumberType: () => numberType, createPromiseType, createArrayType, getElementTypeOfArrayType, getBooleanType: () => booleanType, getFalseType: (fresh) => fresh ? falseType : regularFalseType, getTrueType: (fresh) => fresh ? trueType : regularTrueType, getVoidType: () => voidType, getUndefinedType: () => undefinedType, getNullType: () => nullType, getESSymbolType: () => esSymbolType, getNeverType: () => neverType, getOptionalType: () => optionalType, getPromiseType: () => getGlobalPromiseType(false), getPromiseLikeType: () => getGlobalPromiseLikeType(false), getAsyncIterableType: () => { const type = getGlobalAsyncIterableType(false); if (type === emptyGenericType) return void 0; return type; }, isSymbolAccessible, isArrayType, isTupleType, isArrayLikeType, isEmptyAnonymousObjectType, isTypeInvalidDueToUnionDiscriminant, getExactOptionalProperties, getAllPossiblePropertiesOfTypes, getSuggestedSymbolForNonexistentProperty, getSuggestionForNonexistentProperty, getSuggestedSymbolForNonexistentJSXAttribute, getSuggestedSymbolForNonexistentSymbol: (location, name, meaning) => getSuggestedSymbolForNonexistentSymbol(location, escapeLeadingUnderscores(name), meaning), getSuggestionForNonexistentSymbol: (location, name, meaning) => getSuggestionForNonexistentSymbol(location, escapeLeadingUnderscores(name), meaning), getSuggestedSymbolForNonexistentModule, getSuggestionForNonexistentExport, getSuggestedSymbolForNonexistentClassMember, getBaseConstraintOfType, getDefaultFromTypeParameter: (type) => type && type.flags & 262144 ? getDefaultFromTypeParameter(type) : void 0, resolveName(name, location, meaning, excludeGlobals) { return resolveName(location, escapeLeadingUnderscores(name), meaning, void 0, void 0, 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, 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 & 16777216))) { (diagnostics2 || (diagnostics2 = [])).push({ ...diag2, category: 2 }); } }); 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 }; function runWithoutResolvedSignatureCaching(node, fn) { const containingCall = findAncestor(node, isCallLikeExpression); const containingCallResolvedSignature = containingCall && getNodeLinks(containingCall).resolvedSignature; if (containingCall) { getNodeLinks(containingCall).resolvedSignature = void 0; } const result = fn(); if (containingCall) { getNodeLinks(containingCall).resolvedSignature = containingCallResolvedSignature; } return result; } 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 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__"); var unresolvedSymbols = /* @__PURE__ */ new Map(); var errorTypes = /* @__PURE__ */ new Map(); var anyType = createIntrinsicType(1, "any"); var autoType = createIntrinsicType(1, "any", 262144); var wildcardType = createIntrinsicType(1, "any"); var errorType = createIntrinsicType(1, "error"); var unresolvedType = createIntrinsicType(1, "unresolved"); var nonInferrableAnyType = createIntrinsicType(1, "any", 65536); var intrinsicMarkerType = createIntrinsicType(1, "intrinsic"); var unknownType = createIntrinsicType(2, "unknown"); var nonNullUnknownType = createIntrinsicType(2, "unknown"); var undefinedType = createIntrinsicType(32768, "undefined"); var undefinedWideningType = strictNullChecks ? undefinedType : createIntrinsicType(32768, "undefined", 65536); var missingType = createIntrinsicType(32768, "undefined"); var undefinedOrMissingType = exactOptionalPropertyTypes ? missingType : undefinedType; var optionalType = createIntrinsicType(32768, "undefined"); var nullType = createIntrinsicType(65536, "null"); var nullWideningType = strictNullChecks ? nullType : createIntrinsicType(65536, "null", 65536); var stringType = createIntrinsicType(4, "string"); var numberType = createIntrinsicType(8, "number"); var bigintType = createIntrinsicType(64, "bigint"); var falseType = createIntrinsicType(512, "false"); var regularFalseType = createIntrinsicType(512, "false"); var trueType = createIntrinsicType(512, "true"); 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 booleanType = getUnionType([regularFalseType, regularTrueType]); var esSymbolType = createIntrinsicType(4096, "symbol"); var voidType = createIntrinsicType(16384, "void"); var neverType = createIntrinsicType(131072, "never"); var silentNeverType = createIntrinsicType(131072, "never", 262144); var implicitNeverType = createIntrinsicType(131072, "never"); var unreachableNeverType = createIntrinsicType(131072, "never"); var nonPrimitiveType = createIntrinsicType(67108864, "object"); var stringOrNumberType = getUnionType([stringType, numberType]); var stringNumberSymbolType = getUnionType([stringType, numberType, esSymbolType]); var keyofConstraintType = keyofStringsOnly ? stringType : stringNumberSymbolType; var numberOrBigIntType = getUnionType([numberType, bigintType]); var templateConstraintType = getUnionType([stringType, numberType, booleanType, bigintType, nullType, undefinedType]); var numericStringType = getTemplateLiteralType(["", ""], [numberType]); 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"); 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(true); } return t; }, () => "(unmeasurable reporter)"); var reportUnmeasurableMapper = makeFunctionTypeMapper((t) => { if (outofbandVarianceMarkerHandler && (t === markerSuperType || t === markerSubType || t === markerOtherType)) { outofbandVarianceMarkerHandler(false); } return t; }, () => "(unreliable reporter)"); var emptyObjectType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); var emptyJsxObjectType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); emptyJsxObjectType.objectFlags |= 2048; var emptyTypeLiteralSymbol = createSymbol(2048, "__type"); emptyTypeLiteralSymbol.members = createSymbolTable(); var emptyTypeLiteralType = createAnonymousType(emptyTypeLiteralSymbol, emptySymbols, emptyArray, emptyArray, emptyArray); var unknownEmptyObjectType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); var unknownUnionType = strictNullChecks ? getUnionType([undefinedType, nullType, unknownEmptyObjectType]) : unknownType; var emptyGenericType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); emptyGenericType.instantiations = /* @__PURE__ */ new Map(); var anyFunctionType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); anyFunctionType.objectFlags |= 262144; var noConstraintType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); var circularConstraintType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); var resolvingDefaultType = createAnonymousType(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, anyType); var anySignature = createSignature(void 0, void 0, void 0, emptyArray, anyType, void 0, 0, 0); var unknownSignature = createSignature(void 0, void 0, void 0, emptyArray, errorType, void 0, 0, 0); var resolvingSignature = createSignature(void 0, void 0, void 0, emptyArray, anyType, void 0, 0, 0); var silentNeverSignature = createSignature(void 0, void 0, void 0, emptyArray, silentNeverType, void 0, 0, 0); var enumNumberIndexInfo = createIndexInfo(numberType, stringType, 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(anyType, anyType, anyType); var anyIterationTypesExceptNext = createIterationTypes(anyType, anyType, unknownType); var defaultIterationTypes = createIterationTypes(neverType, anyType, undefinedType); var asyncIterationTypesResolver = { iterableCacheKey: "iterationTypesOfAsyncIterable", iteratorCacheKey: "iterationTypesOfAsyncIterator", iteratorSymbolName: "asyncIterator", getGlobalIteratorType: getGlobalAsyncIteratorType, getGlobalIterableType: getGlobalAsyncIterableType, getGlobalIterableIteratorType: getGlobalAsyncIterableIteratorType, getGlobalGeneratorType: getGlobalAsyncGeneratorType, resolveIterationType: getAwaitedType, 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 inInferTypeForHomomorphicMappedType = false; 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 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 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 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 builtinGlobals = createSymbolTable(); builtinGlobals.set(undefinedSymbol.escapedName, undefinedSymbol); 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 = isArray(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 = isArray(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, nullTransformationContext); } function getEmitResolver(sourceFile, cancellationToken2) { getDiagnostics2(sourceFile, cancellationToken2); return emitResolver; } function lookupOrIssueError(location, message, arg0, arg1, arg2, arg3) { const diagnostic = location ? createDiagnosticForNode(location, message, arg0, arg1, arg2, arg3) : createCompilerDiagnostic(message, arg0, arg1, arg2, arg3); const existing = diagnostics.lookup(diagnostic); if (existing) { return existing; } else { diagnostics.add(diagnostic); return diagnostic; } } function errorSkippedOn(key, location, message, arg0, arg1, arg2, arg3) { const diagnostic = error(location, message, arg0, arg1, arg2, arg3); diagnostic.skippedOn = key; return diagnostic; } function createError(location, message, arg0, arg1, arg2, arg3) { return location ? createDiagnosticForNode(location, message, arg0, arg1, arg2, arg3) : createCompilerDiagnostic(message, arg0, arg1, arg2, arg3); } function error(location, message, arg0, arg1, arg2, arg3) { const diagnostic = createError(location, message, arg0, arg1, arg2, arg3); diagnostics.add(diagnostic); return diagnostic; } function addErrorOrSuggestion(isError, diagnostic) { if (isError) { diagnostics.add(diagnostic); } else { suggestionDiagnostics.add({ ...diagnostic, category: 2 }); } } function errorOrSuggestion(isError, location, message, arg0, arg1, arg2, arg3) { if (location.pos < 0 || location.end < 0) { if (!isError) { return; } const file = getSourceFileOfNode(location); addErrorOrSuggestion(isError, "message" in message ? createFileDiagnostic(file, 0, 0, message, arg0, arg1, arg2, arg3) : createDiagnosticForFileFromMessageChain(file, message)); return; } addErrorOrSuggestion(isError, "message" in message ? createDiagnosticForNode(location, message, arg0, arg1, arg2, arg3) : createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(location), location, message)); } function errorAndMaybeSuggestAwait(location, maybeMissingAwait, message, arg0, arg1, arg2, arg3) { const diagnostic = error(location, message, arg0, arg1, arg2, arg3); 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) { if (length(symbol.declarations) > 1) { const parentSymbol = getParentOfSymbol(symbol); if (parentSymbol && parentSymbol.flags & 64) { return some(symbol.declarations, (d) => !!(getCombinedNodeFlags(d) & 268435456)); } } return !!(getDeclarationNodeFlagsFromSymbol(symbol) & 268435456); } 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 Symbol46(flags | 33554432, name); symbol.links = new SymbolLinks(); symbol.links.checkFlags = checkFlags || 0; return symbol; } function createParameter(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; } target = cloneSymbol(resolvedTarget); } 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) { error(source.declarations && getNameOfDeclaration(source.declarations[0]), Diagnostics.Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity, symbolToString(target)); } } else { const isEitherEnum = !!(target.flags & 384 || source.flags & 384); const isEitherBlockScoped = !!(target.flags & 2 || source.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 = source.declarations && getSourceFileOfNode(source.declarations[0]); const targetSymbolFile = target.declarations && getSourceFileOfNode(target.declarations[0]); const isSourcePlainJs = isPlainJsFile(sourceSymbolFile, compilerOptions.checkJs); const isTargetPlainJs = isPlainJsFile(targetSymbolFile, compilerOptions.checkJs); const symbolName2 = symbolToString(source); 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, source); if (!isTargetPlainJs) addDuplicateLocations(conflictingSymbolInfo.secondFileLocations, target); } else { if (!isSourcePlainJs) addDuplicateDeclarationErrorsForSymbols(source, message, symbolName2, target); if (!isTargetPlainJs) addDuplicateDeclarationErrorsForSymbols(target, message, symbolName2, source); } } return target; 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, false) ? getNameOfExpando(node) : getNameOfDeclaration(node)) || node; const err = lookupOrIssueError(errorNode, message, symbolName2); for (const relatedNode of relatedNodes || emptyArray) { const adjustedNode = (getExpandoInitializer(relatedNode, 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)) 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 _a2, _b, _c; const moduleAugmentation = moduleName.parent; if (((_a2 = moduleAugmentation.symbol.declarations) == null ? void 0 : _a2[0]) !== moduleAugmentation) { Debug.assert(moduleAugmentation.symbol.declarations.length > 1); return; } if (isGlobalScopeAugmentation(moduleAugmentation)) { mergeSymbolTable(globals, moduleAugmentation.symbol.exports); } else { const moduleNotFoundError = !(moduleName.parent.parent.flags & 16777216) ? Diagnostics.Invalid_module_name_in_augmentation_module_0_cannot_be_found : void 0; let mainModule = resolveExternalModuleNameWorker(moduleName, moduleName, moduleNotFoundError, true); if (!mainModule) { return; } mainModule = resolveExternalModuleSymbol(mainModule); if (mainModule.flags & 1920) { if (some(patternAmbientModules, (module2) => mainModule === module2.symbol)) { const merged = mergeSymbol(moduleAugmentation.symbol, mainModule, true); if (!patternAmbientModuleAugmentations) { patternAmbientModuleAugmentations = /* @__PURE__ */ new Map(); } patternAmbientModuleAugmentations.set(moduleName.text, merged); } else { if (((_b = mainModule.exports) == null ? void 0 : _b.get("__export")) && ((_c = moduleAugmentation.symbol.exports) == null ? void 0 : _c.size)) { const resolvedExports = getResolvedMembersOrExportsOfSymbol(mainModule, "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 { error(moduleName, Diagnostics.Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity, moduleName.text); } } } function addToSymbolTable(target, source, message) { source.forEach((sourceSymbol, id) => { const targetSymbol = target.get(id); if (targetSymbol) { forEach(targetSymbol.declarations, addDeclarationDiagnostic(unescapeLeadingUnderscores(id), message)); } else { target.set(id, sourceSymbol); } }); function addDeclarationDiagnostic(id, message2) { return (declaration) => diagnostics.add(createDiagnosticForNode(declaration, message2, id)); } } function getSymbolLinks(symbol) { var _a2; if (symbol.flags & 33554432) return symbol.links; const id = getSymbolId(symbol); return (_a2 = symbolLinks[id]) != null ? _a2 : symbolLinks[id] = new SymbolLinks(); } function getNodeLinks(node) { const nodeId = getNodeId(node); return nodeLinks[nodeId] || (nodeLinks[nodeId] = new NodeLinks()); } function isGlobalSourceFile(node) { return node.kind === 308 && !isExternalOrCommonJsModule(node); } function getSymbol2(symbols, name, meaning) { if (meaning) { const symbol = getMergedSymbol(symbols.get(name)); if (symbol) { Debug.assert((getCheckFlags(symbol) & 1) === 0, "Should never get an instantiated symbol here."); if (symbol.flags & meaning) { return symbol; } if (symbol.flags & 2097152) { const targetFlags = getAllSymbolFlags(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); const propertySymbol = getSymbol2(getMembersOfSymbol(classDeclaration.symbol), parameterName, 111551); 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) || !outFile(compilerOptions) || isInTypeQuery(usage) || declaration.flags & 16777216) { return true; } if (isUsedInFunctionOrInstanceProperty(usage, declaration)) { return true; } const sourceFiles = host.getSourceFiles(); return sourceFiles.indexOf(declarationFile) <= sourceFiles.indexOf(useFile); } if (declaration.pos <= usage.pos && !(isPropertyDeclaration(declaration) && isThisProperty(usage.parent) && !declaration.initializer && !declaration.exclamationToken)) { if (declaration.kind === 205) { const errorBindingElement = getAncestor(usage, 205); if (errorBindingElement) { return findAncestor(errorBindingElement, isBindingElement) !== findAncestor(declaration, isBindingElement) || declaration.pos < errorBindingElement.pos; } return isBlockScopedNameDeclaredBeforeUse(getAncestor(declaration, 257), usage); } else if (declaration.kind === 257) { return !isImmediatelyUsedInInitializerOfBlockScopedVariable(declaration, usage); } else if (isClassDeclaration(declaration)) { return !findAncestor(usage, (n) => isComputedPropertyName(n) && n.parent.parent === declaration); } else if (isPropertyDeclaration(declaration)) { return !isPropertyImmediatelyReferencedWithinDeclaration(declaration, usage, false); } else if (isParameterPropertyDeclaration(declaration, declaration.parent)) { return !(getEmitScriptTarget(compilerOptions) === 99 && useDefineForClassFields && getContainingClass(declaration) === getContainingClass(usage) && isUsedInFunctionOrInstanceProperty(usage, declaration)); } return true; } if (usage.parent.kind === 278 || usage.parent.kind === 274 && usage.parent.isExportEquals) { return true; } if (usage.kind === 274 && usage.isExportEquals) { return true; } if (!!(usage.flags & 8388608) || isInTypeQuery(usage) || isInAmbientOrTypeNode(usage)) { return true; } if (isUsedInFunctionOrInstanceProperty(usage, declaration)) { if (getEmitScriptTarget(compilerOptions) === 99 && useDefineForClassFields && getContainingClass(declaration) && (isPropertyDeclaration(declaration) || isParameterPropertyDeclaration(declaration, declaration.parent))) { return !isPropertyImmediatelyReferencedWithinDeclaration(declaration, usage, true); } else { return true; } } return false; function isImmediatelyUsedInInitializerOfBlockScopedVariable(declaration2, usage2) { switch (declaration2.parent.parent.kind) { case 240: case 245: case 247: 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 === 171) { 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 === 169 && !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 216: return true; case 169: return stopAtAnyPropertyDeclaration && (isPropertyDeclaration(declaration2) && node.parent === declaration2.parent || isParameterPropertyDeclaration(declaration2, declaration2.parent) && node.parent === declaration2.parent.parent) ? "quit" : true; case 238: switch (node.parent.kind) { case 174: case 171: case 175: return true; default: return false; } default: return false; } }); return ancestorChangingReferenceScope === void 0; } } 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) { const links = getNodeLinks(functionLocation); if (links.declarationRequiresScopeChange === void 0) { links.declarationRequiresScopeChange = forEach(functionLocation.parameters, requiresScopeChange) || false; } return !links.declarationRequiresScopeChange; } } return false; function requiresScopeChange(node) { return requiresScopeChangeWorker(node.name) || !!node.initializer && requiresScopeChangeWorker(node.initializer); } function requiresScopeChangeWorker(node) { switch (node.kind) { case 216: case 215: case 259: case 173: return false; case 171: case 174: case 175: case 299: return requiresScopeChangeWorker(node.name); case 169: if (hasStaticModifier(node)) { return target < 99 || !useDefineForClassFields; } 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 isConstAssertion(location) { return isAssertionExpression(location) && isConstTypeReference(location.type) || isJSDocTypeTag(location) && isConstTypeReference(location.typeExpression); } function resolveName(location, name, meaning, nameNotFoundMessage, nameArg, isUse, excludeGlobals = false, getSpellingSuggestions = true) { return resolveNameHelper(location, name, meaning, nameNotFoundMessage, nameArg, isUse, excludeGlobals, getSpellingSuggestions, getSymbol2); } function resolveNameHelper(location, name, meaning, nameNotFoundMessage, nameArg, isUse, excludeGlobals, getSpellingSuggestions, lookup) { var _a2, _b, _c; const originalLocation = location; let result; let lastLocation; let lastSelfReferenceLocation; let propertyWithInvalidInitializer; let associatedDeclarationForContainingInitializerOrBindingName; let withinDeferredContext = false; const errorLocation = location; let grandparent; let isInExternalModule = false; loop: while (location) { if (name === "const" && isConstAssertion(location)) { return void 0; } 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 !== 323) { useResult = result.flags & 262144 ? lastLocation === location.type || lastLocation.kind === 166 || lastLocation.kind === 344 || lastLocation.kind === 345 || lastLocation.kind === 165 : false; } if (meaning & result.flags & 3) { if (useOuterVariableScopeInParameter(result, location, lastLocation)) { useResult = false; } else if (result.flags & 1) { useResult = lastLocation.kind === 166 || lastLocation === location.type && !!findAncestor(result.valueDeclaration, isParameter); } } } else if (location.kind === 191) { useResult = lastLocation === location.trueType; } if (useResult) { break loop; } else { result = void 0; } } } withinDeferredContext = withinDeferredContext || getIsDeferredContext(location, lastLocation); switch (location.kind) { case 308: if (!isExternalOrCommonJsModule(location)) break; isInExternalModule = true; case 264: const moduleExports = ((_a2 = getSymbolOfDeclaration(location)) == null ? void 0 : _a2.exports) || emptySymbols; if (location.kind === 308 || isModuleDeclaration(location) && location.flags & 16777216 && !isGlobalScopeAugmentation(location)) { if (result = moduleExports.get("default")) { const localSymbol = getLocalSymbolForExportDefault(result); if (localSymbol && result.flags & meaning && localSymbol.escapedName === name) { break loop; } result = void 0; } const moduleExport = moduleExports.get(name); if (moduleExport && moduleExport.flags === 2097152 && (getDeclarationOfKind(moduleExport, 278) || getDeclarationOfKind(moduleExport, 277))) { break; } } if (name !== "default" && (result = lookup(moduleExports, name, meaning & 2623475))) { if (isSourceFile(location) && location.commonJsModuleIndicator && !((_b = result.declarations) == null ? void 0 : _b.some(isJSDocTypeAlias))) { result = void 0; } else { break loop; } } break; case 263: if (result = lookup(((_c = getSymbolOfDeclaration(location)) == null ? void 0 : _c.exports) || emptySymbols, name, meaning & 8)) { if (nameNotFoundMessage && getIsolatedModules(compilerOptions) && !(location.flags & 16777216) && getSourceFileOfNode(location) !== getSourceFileOfNode(result.valueDeclaration)) { error(errorLocation, Diagnostics.Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead, unescapeLeadingUnderscores(name), isolatedModulesLikeFlagName, `${unescapeLeadingUnderscores(getSymbolOfNode(location).escapedName)}.${unescapeLeadingUnderscores(name)}`); } break loop; } break; case 169: if (!isStatic(location)) { const ctor = findConstructorDeclaration(location.parent); if (ctor && ctor.locals) { if (lookup(ctor.locals, name, meaning & 111551)) { Debug.assertNode(location, isPropertyDeclaration); propertyWithInvalidInitializer = location; } } } break; case 260: case 228: case 261: if (result = lookup(getSymbolOfDeclaration(location).members || emptySymbols, name, meaning & 788968)) { if (!isTypeParameterSymbolDeclaredInContainer(result, location)) { result = void 0; break; } if (lastLocation && isStatic(lastLocation)) { if (nameNotFoundMessage) { error(errorLocation, 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 230: if (lastLocation === location.expression && location.parent.token === 94) { const container = location.parent.parent; if (isClassLike(container) && (result = lookup(getSymbolOfDeclaration(container).members, name, meaning & 788968))) { if (nameNotFoundMessage) { error(errorLocation, Diagnostics.Base_class_expressions_cannot_reference_class_type_parameters); } return void 0; } } break; case 164: grandparent = location.parent.parent; if (isClassLike(grandparent) || grandparent.kind === 261) { if (result = lookup(getSymbolOfDeclaration(grandparent).members, name, meaning & 788968)) { if (nameNotFoundMessage) { error(errorLocation, Diagnostics.A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type); } return void 0; } } break; case 216: if (getEmitScriptTarget(compilerOptions) >= 2) { break; } case 171: case 173: case 174: case 175: case 259: if (meaning & 3 && name === "arguments") { result = argumentsSymbol; break loop; } break; case 215: 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 167: if (location.parent && location.parent.kind === 166) { location = location.parent; } if (location.parent && (isClassElement(location.parent) || location.parent.kind === 260)) { location = location.parent; } break; case 349: case 341: case 343: const root = getJSDocRoot(location); if (root) { location = root.parent; } break; case 166: if (lastLocation && (lastLocation === location.initializer || lastLocation === location.name && isBindingPattern(lastLocation))) { if (!associatedDeclarationForContainingInitializerOrBindingName) { associatedDeclarationForContainingInitializerOrBindingName = location; } } break; case 205: if (lastLocation && (lastLocation === location.initializer || lastLocation === location.name && isBindingPattern(lastLocation))) { if (isParameterDeclaration(location) && !associatedDeclarationForContainingInitializerOrBindingName) { associatedDeclarationForContainingInitializerOrBindingName = location; } } break; case 192: if (meaning & 262144) { const parameterName = location.typeParameter.name; if (parameterName && name === parameterName.escapedText) { result = location.typeParameter.symbol; break loop; } } break; } if (isSelfReferenceLocation(location)) { 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(globals, name, meaning); } } if (!result) { if (originalLocation && isInJSFile(originalLocation) && originalLocation.parent) { if (isRequireCall(originalLocation.parent, false)) { return requireSymbol; } } } function checkAndReportErrorForInvalidInitializer() { if (propertyWithInvalidInitializer && !(useDefineForClassFields && getEmitScriptTarget(compilerOptions) >= 9)) { error(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(nameArg)); return true; } return false; } if (!result) { if (nameNotFoundMessage) { addLazyDiagnostic(() => { if (!errorLocation || !checkAndReportErrorForMissingPrefix(errorLocation, name, nameArg) && !checkAndReportErrorForInvalidInitializer() && !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) { error(errorLocation, nameNotFoundMessage, diagnosticName(nameArg), suggestedLib); } } if (!suggestedLib && getSpellingSuggestions && suggestionCount < maximumSuggestionCount) { suggestion = getSuggestedSymbolForNonexistentSymbol(originalLocation, 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 = symbolToString(suggestion); const isUncheckedJS = isUncheckedJSSuggestion(originalLocation, suggestion, 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); addErrorOrSuggestion(!isUncheckedJS, diagnostic); if (suggestion.valueDeclaration) { addRelatedInfo(diagnostic, createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestionName)); } } } if (!suggestion && !suggestedLib && nameArg) { error(errorLocation, nameNotFoundMessage, diagnosticName(nameArg)); } suggestionCount++; } }); } return void 0; } else if (nameNotFoundMessage && checkAndReportErrorForInvalidInitializer()) { return void 0; } if (nameNotFoundMessage) { addLazyDiagnostic(() => { 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 (result && isInExternalModule && (meaning & 111551) === 111551 && !(originalLocation.flags & 8388608)) { 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 (result && associatedDeclarationForContainingInitializerOrBindingName && !withinDeferredContext && (meaning & 111551) === 111551) { const candidate = getMergedSymbol(getLateBoundSymbol(result)); const root = getRootDeclaration(associatedDeclarationForContainingInitializerOrBindingName); if (candidate === getSymbolOfDeclaration(associatedDeclarationForContainingInitializerOrBindingName)) { error(errorLocation, Diagnostics.Parameter_0_cannot_reference_itself, declarationNameToString(associatedDeclarationForContainingInitializerOrBindingName.name)); } else if (candidate.valueDeclaration && candidate.valueDeclaration.pos > associatedDeclarationForContainingInitializerOrBindingName.pos && root.parent.locals && lookup(root.parent.locals, candidate.escapedName, meaning) === candidate) { error(errorLocation, Diagnostics.Parameter_0_cannot_reference_identifier_1_declared_after_it, declarationNameToString(associatedDeclarationForContainingInitializerOrBindingName.name), declarationNameToString(errorLocation)); } } if (result && errorLocation && meaning & 111551 && result.flags & 2097152 && !(result.flags & 111551) && !isValidTypeOnlyAliasUseSite(errorLocation)) { const typeOnlyDeclaration = getTypeOnlyAliasDeclaration(result, 111551); if (typeOnlyDeclaration) { const message = typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 275 || typeOnlyDeclaration.kind === 277 ? 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(error(errorLocation, message, unescapedName), typeOnlyDeclaration, unescapedName); } } }); } return result; } function addTypeOnlyDeclarationRelatedInfo(diagnostic, typeOnlyDeclaration, unescapedName) { if (!typeOnlyDeclaration) return diagnostic; return addRelatedInfo(diagnostic, createDiagnosticForNode(typeOnlyDeclaration, typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 275 || typeOnlyDeclaration.kind === 277 ? Diagnostics._0_was_exported_here : Diagnostics._0_was_imported_here, unescapedName)); } function getIsDeferredContext(location, lastLocation) { if (location.kind !== 216 && location.kind !== 215) { return isTypeQueryNode(location) || (isFunctionLikeDeclaration(location) || location.kind === 169 && !isStatic(location)) && (!lastLocation || lastLocation !== location.name); } if (lastLocation && lastLocation === location.name) { return false; } if (location.asteriskToken || hasSyntacticModifier(location, 512)) { return true; } return !getImmediatelyInvokedFunctionExpression(location); } function isSelfReferenceLocation(node) { switch (node.kind) { case 259: case 260: case 261: case 263: case 262: case 264: return true; default: return false; } } function diagnosticName(nameArg) { return isString(nameArg) ? unescapeLeadingUnderscores(nameArg) : declarationNameToString(nameArg); } function isTypeParameterSymbolDeclaredInContainer(symbol, container) { if (symbol.declarations) { for (const decl of symbol.declarations) { if (decl.kind === 165) { 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 checkAndReportErrorForMissingPrefix(errorLocation, name, nameArg) { if (!isIdentifier(errorLocation) || errorLocation.escapedText !== name || isTypeReferenceIdentifier(errorLocation) || isInTypeQuery(errorLocation)) { return false; } const container = getThisContainer(errorLocation, false, 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)) { error(errorLocation, Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0, diagnosticName(nameArg), symbolToString(classSymbol)); return true; } if (location === container && !isStatic(location)) { const instanceType = getDeclaredTypeOfSymbol(classSymbol).thisType; if (getPropertyOfType(instanceType, name)) { error(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, true)) { error(errorLocation, Diagnostics.Cannot_extend_an_interface_0_Did_you_mean_implements, getTextOfNode(expression)); return true; } return false; } function getEntityNameForExtendingInterface(node) { switch (node.kind) { case 79: case 208: return node.parent ? getEntityNameForExtendingInterface(node.parent) : void 0; case 230: 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, void 0, void 0, 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) { error(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; } } error(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, void 0, void 0, false)); if (symbol && !(symbol.flags & 1920)) { error(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 === 278) { error(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)) { if (isExtendedByInterface(errorLocation)) { error(errorLocation, Diagnostics.An_interface_cannot_extend_a_primitive_type_like_0_an_interface_can_only_extend_named_types_and_classes, unescapeLeadingUnderscores(name)); } else { error(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, void 0, void 0, false)); const allFlags = symbol && getAllSymbolFlags(symbol); if (symbol && allFlags !== void 0 && !(allFlags & 111551)) { const rawName = unescapeLeadingUnderscores(name); if (isES2015OrLaterConstructorName(name)) { error(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)) { error(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 { error(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here, rawName); } return true; } } return false; } function isExtendedByInterface(node) { const grandparent = node.parent.parent; const parentOfGrandparent = grandparent.parent; if (grandparent && parentOfGrandparent) { const isExtending = isHeritageClause(grandparent) && grandparent.token === 94; const isInterface = isInterfaceDeclaration(parentOfGrandparent); return isExtending && isInterface; } 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, 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, void 0, void 0, false)); if (symbol) { error(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, void 0, void 0, false)); if (symbol) { error(errorLocation, Diagnostics.Cannot_use_namespace_0_as_a_type, unescapeLeadingUnderscores(name)); return true; } } return false; } function checkResolvedBlockScopedVariable(result, errorLocation) { var _a2; Debug.assert(!!(result.flags & 2 || result.flags & 32 || result.flags & 384)); if (result.flags & (16 | 1 | 67108864) && result.flags & 32) { return; } const declaration = (_a2 = result.declarations) == null ? void 0 : _a2.find((d) => isBlockOrCatchScoped(d) || isClassLike(d) || d.kind === 263); if (declaration === void 0) return Debug.fail("checkResolvedBlockScopedVariable could not find block-scoped declaration"); if (!(declaration.flags & 16777216) && !isBlockScopedNameDeclaredBeforeUse(declaration, errorLocation)) { let diagnosticMessage; const declarationName = declarationNameToString(getNameOfDeclaration(declaration)); if (result.flags & 2) { diagnosticMessage = error(errorLocation, Diagnostics.Block_scoped_variable_0_used_before_its_declaration, declarationName); } else if (result.flags & 32) { diagnosticMessage = error(errorLocation, Diagnostics.Class_0_used_before_its_declaration, declarationName); } else if (result.flags & 256) { diagnosticMessage = error(errorLocation, Diagnostics.Enum_0_used_before_its_declaration, declarationName); } else { Debug.assert(!!(result.flags & 128)); if (shouldPreserveConstEnums(compilerOptions)) { diagnosticMessage = error(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) || isAsyncFunction(n)) ? "quit" : false)); } function getAnyImportSyntax(node) { switch (node.kind) { case 268: return node; case 270: return node.parent; case 271: return node.parent.parent; case 273: 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 === 268 || node.kind === 267 || node.kind === 270 && !!node.name || node.kind === 271 || node.kind === 277 || node.kind === 273 || node.kind === 278 || node.kind === 274 && exportAssignmentIsAlias(node) || isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 2 && exportAssignmentIsAlias(node) || isAccessExpression(node) && isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 63 && isAliasableOrJsExpression(node.parent.right) || node.kind === 300 || node.kind === 299 && isAliasableOrJsExpression(node.initializer) || node.kind === 257 && isVariableDeclarationInitializedToBareOrAccessedRequire(node) || node.kind === 205 && 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 === 280) { const immediate = resolveExternalModuleName(node, getExternalModuleRequireArgument(node) || getExternalModuleImportEqualsDeclarationExpression(node)); const resolved2 = resolveExternalModuleSymbol(immediate); markSymbolOfAliasDeclarationIfTypeOnly(node, immediate, resolved2, false); return resolved2; } const resolved = getSymbolOfPartOfRightHandSideOfImportEquals(node.moduleReference, dontResolveAlias); checkAndReportErrorForResolvingImportAliasToTypeOnlySymbol(node, resolved); return resolved; } function checkAndReportErrorForResolvingImportAliasToTypeOnlySymbol(node, resolved) { if (markSymbolOfAliasDeclarationIfTypeOnly(node, void 0, resolved, false) && !node.isTypeOnly) { const typeOnlyDeclaration = getTypeOnlyAliasDeclaration(getSymbolOfDeclaration(node)); const isExport = typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 275; 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 === 275 ? "*" : unescapeLeadingUnderscores(typeOnlyDeclaration.name.escapedText); addRelatedInfo(error(node.moduleReference, message), createDiagnosticForNode(typeOnlyDeclaration, relatedMessage, name)); } } function resolveExportByName(moduleSymbol, name, sourceNode, dontResolveAlias) { const exportValue = moduleSymbol.exports.get("export="); const exportSymbol = exportValue ? getPropertyOfType(getTypeOfSymbol(exportValue), name, true) : moduleSymbol.exports.get(name); const resolved = resolveSymbol(exportSymbol, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly(sourceNode, exportSymbol, resolved, false); return resolved; } function isSyntacticDefault(node) { return isExportAssignment(node) && !node.isExportEquals || hasSyntacticModifier(node, 1024) || isExportSpecifier(node); } function getUsageModeForExpression(usage) { return isStringLiteralLike(usage) ? 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"); } function canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, usage) { const usageMode = file && getUsageModeForExpression(usage); if (file && usageMode !== void 0) { 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", void 0, true); if (defaultExportSymbol && some(defaultExportSymbol.declarations, isSyntacticDefault)) { return false; } if (resolveExportByName(moduleSymbol, escapeLeadingUnderscores("__esModule"), void 0, dontResolveAlias)) { return false; } return true; } if (!isSourceFileJS(file)) { return hasExportAssignmentSymbol(moduleSymbol); } return typeof file.externalModuleIndicator !== "object" && !resolveExportByName(moduleSymbol, escapeLeadingUnderscores("__esModule"), 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 _a2; let exportDefaultSymbol; if (isShorthandAmbientModuleSymbol(moduleSymbol)) { exportDefaultSymbol = moduleSymbol; } else { exportDefaultSymbol = resolveExportByName(moduleSymbol, "default", node, dontResolveAlias); } const file = (_a2 = moduleSymbol.declarations) == null ? void 0 : _a2.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) && !(getAllowSyntheticDefaultImports(compilerOptions) || getESModuleInterop(compilerOptions))) { const compilerOptionName = moduleKind >= 5 ? "allowSyntheticDefaultImports" : "esModuleInterop"; const exportEqualsSymbol = moduleSymbol.exports.get("export="); const exportAssignment = exportEqualsSymbol.valueDeclaration; const err = error(node.name, Diagnostics.Module_0_can_only_be_default_imported_using_the_1_flag, symbolToString(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, false); return resolved; } markSymbolOfAliasDeclarationIfTypeOnly(node, exportDefaultSymbol, void 0, false); return exportDefaultSymbol; } function getModuleSpecifierForImportOrExport(node) { switch (node.kind) { case 270: return node.parent.moduleSpecifier; case 268: return isExternalModuleReference(node.moduleReference) ? node.moduleReference.expression : void 0; case 271: return node.parent.parent.moduleSpecifier; case 273: return node.parent.parent.parent.moduleSpecifier; case 278: return node.parent.parent.moduleSpecifier; default: return Debug.assertNever(node); } } function reportNonDefaultExport(moduleSymbol, node) { var _a2, _b, _c; if ((_a2 = moduleSymbol.exports) == null ? void 0 : _a2.has(node.symbol.escapedName)) { error(node.name, Diagnostics.Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead, symbolToString(moduleSymbol), symbolToString(node.symbol)); } else { const diagnostic = error(node.name, Diagnostics.Module_0_has_no_default_export, symbolToString(moduleSymbol)); const exportStar = (_b = moduleSymbol.exports) == null ? void 0 : _b.get("__export"); if (exportStar) { const defaultExport = (_c = exportStar.declarations) == null ? void 0 : _c.find((decl) => { var _a3, _b2; return !!(isExportDeclaration(decl) && decl.moduleSpecifier && ((_b2 = (_a3 = resolveExternalModuleName(decl, decl.moduleSpecifier)) == null ? void 0 : _a3.exports) == null ? void 0 : _b2.has("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, false); markSymbolOfAliasDeclarationIfTypeOnly(node, immediate, resolved, 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, false); markSymbolOfAliasDeclarationIfTypeOnly(node, immediate, resolved, 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 _a2; if (symbol.flags & 1536) { const exportSymbol = getExportsOfSymbol(symbol).get(name.escapedText); const resolved = resolveSymbol(exportSymbol, dontResolveAlias); const exportStarDeclaration = (_a2 = getSymbolLinks(symbol).typeOnlyExportStarMap) == null ? void 0 : _a2.get(name.escapedText); markSymbolOfAliasDeclarationIfTypeOnly(specifier, exportSymbol, resolved, 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 _a2; 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" && !!(compilerOptions.allowSyntheticDefaultImports || getESModuleInterop(compilerOptions)); const targetSymbol = resolveESModuleSymbol(moduleSymbol, moduleSpecifier, false, suppressInteropError); if (targetSymbol) { if (name.escapedText) { if (isShorthandAmbientModuleSymbol(moduleSymbol)) { return moduleSymbol; } let symbolFromVariable; if (moduleSymbol && moduleSymbol.exports && moduleSymbol.exports.get("export=")) { symbolFromVariable = getPropertyOfType(getTypeOfSymbol(targetSymbol), name.escapedText, 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 = (_a2 = moduleSymbol.declarations) == null ? void 0 : _a2.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 _a2; const moduleName = getFullyQualifiedName(moduleSymbol, node); const declarationName = declarationNameToString(name); const suggestion = getSuggestedSymbolForNonexistentModule(name, targetSymbol); if (suggestion !== void 0) { const suggestionName = symbolToString(suggestion); const diagnostic = error(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 ((_a2 = moduleSymbol.exports) == null ? void 0 : _a2.has("default")) { error(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 _a2, _b; const localSymbol = (_b = (_a2 = tryCast(moduleSymbol.valueDeclaration, canHaveLocals)) == null ? void 0 : _a2.locals) == null ? void 0 : _b.get(name.escapedText); const exports = moduleSymbol.exports; if (localSymbol) { const exportedEqualsSymbol = exports == null ? void 0 : exports.get("export="); if (exportedEqualsSymbol) { getSymbolIfSameReference(exportedEqualsSymbol, localSymbol) ? reportInvalidImportEqualsExportMember(node, name, declarationName, moduleName) : error(name, Diagnostics.Module_0_has_no_exported_member_1, moduleName, declarationName); } else { const exportedSymbol = exports ? find(symbolsToArray(exports), (symbol) => !!getSymbolIfSameReference(symbol, localSymbol)) : void 0; const diagnostic = exportedSymbol ? error(name, Diagnostics.Module_0_declares_1_locally_but_it_is_exported_as_2, moduleName, declarationName, symbolToString(exportedSymbol)) : error(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 { error(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; error(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; error(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; error(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 root = isBindingElement(node) ? getRootDeclaration(node) : node.parent.parent.parent; const commonJSPropertyAccess = getCommonJSPropertyAccess(root); const resolved = getExternalModuleMember(root, commonJSPropertyAccess || node, dontResolveAlias); const name = node.propertyName || node.name; if (commonJSPropertyAccess && resolved && isIdentifier(name)) { return resolveSymbol(getPropertyOfType(getTypeOfSymbol(resolved), name.escapedText), dontResolveAlias); } markSymbolOfAliasDeclarationIfTypeOnly(node, void 0, resolved, 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, void 0, resolved, 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, false, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly(node, void 0, resolved, false); return resolved; } function getTargetOfExportAssignment(node, dontResolveAlias) { const expression = isExportAssignment(node) ? node.expression : node.right; const resolved = getTargetOfAliasLikeExpression(expression, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly(node, void 0, resolved, 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, 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 === 63)) { return void 0; } return getTargetOfAliasLikeExpression(node.parent.right, dontRecursivelyResolve); } function getTargetOfAliasDeclaration(node, dontRecursivelyResolve = false) { switch (node.kind) { case 268: case 257: return getTargetOfImportEqualsDeclaration(node, dontRecursivelyResolve); case 270: return getTargetOfImportClause(node, dontRecursivelyResolve); case 271: return getTargetOfNamespaceImport(node, dontRecursivelyResolve); case 277: return getTargetOfNamespaceExport(node, dontRecursivelyResolve); case 273: case 205: return getTargetOfImportSpecifier(node, dontRecursivelyResolve); case 278: return getTargetOfExportSpecifier(node, 111551 | 788968 | 1920, dontRecursivelyResolve); case 274: case 223: return getTargetOfExportAssignment(node, dontRecursivelyResolve); case 267: return getTargetOfNamespaceExportDeclaration(node, dontRecursivelyResolve); case 300: return resolveEntityName(node.name, 111551 | 788968 | 1920, true, dontRecursivelyResolve); case 299: return getTargetOfAliasLikeExpression(node.initializer, dontRecursivelyResolve); case 209: case 208: 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 { error(node, Diagnostics.Circular_definition_of_import_alias_0, symbolToString(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 getAllSymbolFlags(symbol) { let flags = symbol.flags; let seenSymbols; while (symbol.flags & 2097152) { const target = resolveAlias(symbol); if (target === unknownSymbol) { return 67108863; } 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 _a2, _b, _c; if (target && (aliasDeclarationLinks.typeOnlyDeclaration === void 0 || overwriteEmpty && aliasDeclarationLinks.typeOnlyDeclaration === false)) { const exportSymbol = (_b = (_a2 = target.exports) == null ? void 0 : _a2.get("export=")) != null ? _b : target; const typeOnly = exportSymbol.declarations && find(exportSymbol.declarations, isTypeOnlyImportOrExportDeclaration); aliasDeclarationLinks.typeOnlyDeclaration = (_c = typeOnly != null ? typeOnly : getSymbolLinks(exportSymbol).typeOnlyDeclaration) != null ? _c : false; } return !!aliasDeclarationLinks.typeOnlyDeclaration; } function getTypeOnlyAliasDeclaration(symbol, include) { if (!(symbol.flags & 2097152)) { return void 0; } const links = getSymbolLinks(symbol); if (include === void 0) { return links.typeOnlyDeclaration || void 0; } if (links.typeOnlyDeclaration) { const resolved = links.typeOnlyDeclaration.kind === 275 ? resolveSymbol(getExportsOfModule(links.typeOnlyDeclaration.symbol.parent).get(links.typeOnlyExportStarName || symbol.escapedName)) : resolveAlias(links.typeOnlyDeclaration.symbol); return getAllSymbolFlags(resolved) & include ? links.typeOnlyDeclaration : void 0; } return void 0; } function markExportAsReferenced(node) { if (compilerOptions.verbatimModuleSyntax) { return; } const symbol = getSymbolOfDeclaration(node); const target = resolveAlias(symbol); if (target) { const markAlias = target === unknownSymbol || getAllSymbolFlags(target) & 111551 && !isConstEnumOrConstEnumOnlyModule(target) && !getTypeOnlyAliasDeclaration(symbol, 111551); if (markAlias) { markAliasSymbolAsReferenced(symbol); } } } function markAliasSymbolAsReferenced(symbol) { Debug.assert(!compilerOptions.verbatimModuleSyntax); const links = getSymbolLinks(symbol); if (!links.referenced) { links.referenced = true; const node = getDeclarationOfAliasSymbol(symbol); if (!node) return Debug.fail(); if (isInternalModuleImportEqualsDeclaration(node)) { if (getAllSymbolFlags(resolveSymbol(symbol)) & 111551) { checkExpressionCached(node.moduleReference); } } } } function markConstEnumAliasAsReferenced(symbol) { const links = getSymbolLinks(symbol); if (!links.constEnumReferenced) { links.constEnumReferenced = true; } } function getSymbolOfPartOfRightHandSideOfImportEquals(entityName, dontResolveAlias) { if (entityName.kind === 79 && isRightSideOfQualifiedNameOrPropertyAccess(entityName)) { entityName = entityName.parent; } if (entityName.kind === 79 || entityName.parent.kind === 163) { return resolveEntityName(entityName, 1920, false, dontResolveAlias); } else { Debug.assert(entityName.parent.kind === 268); return resolveEntityName(entityName, 111551 | 788968 | 1920, false, dontResolveAlias); } } function getFullyQualifiedName(symbol, containingLocation) { return symbol.parent ? getFullyQualifiedName(symbol.parent, containingLocation) + "." + symbolToString(symbol) : symbolToString(symbol, containingLocation, void 0, 32 | 4); } function getContainingQualifiedNameNode(node) { while (isQualifiedName(node.parent)) { node = node.parent; } return node; } function tryGetQualifiedNameAsValue(node) { let left = getFirstIdentifier(node); let symbol = resolveName(left, left.escapedText, 111551, void 0, left, 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 === 79) { 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.escapedText, meaning, ignoreErrors || symbolFromJSPrototype ? void 0 : message, name, true, false)); if (!symbol) { return getMergedSymbol(symbolFromJSPrototype); } } else if (name.kind === 163 || name.kind === 208) { const left = name.kind === 163 ? name.left : name.expression; const right = name.kind === 163 ? name.right : name.name; let namespace = resolveEntityName(left, namespaceMeaning, ignoreErrors, 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) { if (!ignoreErrors) { const namespaceName = getFullyQualifiedName(namespace); const declarationName = declarationNameToString(right); const suggestionForNonexistentModule = getSuggestedSymbolForNonexistentModule(right, namespace); if (suggestionForNonexistentModule) { error(right, Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2, namespaceName, declarationName, symbolToString(suggestionForNonexistentModule)); return void 0; } const containingQualifiedName = isQualifiedName(name) && getContainingQualifiedNameNode(name); const canSuggestTypeof = globalObjectType && meaning & 788968 && containingQualifiedName && !isTypeOfExpression(containingQualifiedName.parent) && tryGetQualifiedNameAsValue(containingQualifiedName); if (canSuggestTypeof) { error(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)); if (exportedTypeSymbol) { error(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, symbolToString(exportedTypeSymbol), unescapeLeadingUnderscores(name.parent.right.escapedText)); return void 0; } } error(right, Diagnostics.Namespace_0_has_no_exported_member_1, namespaceName, declarationName); } return void 0; } } else { throw Debug.assertNever(name, "Unknown entity name kind."); } Debug.assert((getCheckFlags(symbol) & 1) === 0, "Should never get an instantiated symbol here."); if (!nodeIsSynthesized(name) && isEntityName(name) && (symbol.flags & 2097152 || name.parent.kind === 274)) { markSymbolOfAliasDeclarationIfTypeOnly(getAliasDeclarationFromName(name), symbol, void 0, 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.escapedText, meaning, void 0, name, true); } } } function getAssignmentDeclarationLocation(node) { const typeAlias = findAncestor(node, (node2) => !(isJSDocNode(node2) || node2.flags & 8388608) ? "quit" : isJSDocTypeAlias(node2)); if (typeAlias) { return; } const host2 = getJSDocHost(node); if (host2 && isExpressionStatement(host2) && isPrototypePropertyAssignment(host2.expression)) { const symbol = getSymbolOfDeclaration(host2.expression.left); if (symbol) { return getDeclarationOfJSPrototypeContainer(symbol); } } if (host2 && isFunctionExpression(host2) && isPrototypePropertyAssignment(host2.parent) && isExpressionStatement(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, 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 _a2, _b, _c, _d, _e, _f, _g, _h, _i; if (startsWith(moduleReference, "@types/")) { const diag2 = Diagnostics.Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1; const withoutAtTypePrefix = removePrefix(moduleReference, "@types/"); error(errorNode, diag2, withoutAtTypePrefix, moduleReference); } const ambientModule = tryFindAmbientModule(moduleReference, true); if (ambientModule) { return ambientModule; } const currentSourceFile = getSourceFileOfNode(location); const contextSpecifier = isStringLiteralLike(location) ? location : ((_a2 = findAncestor(location, isImportCall)) == null ? void 0 : _a2.arguments[0]) || ((_b = findAncestor(location, isImportDeclaration)) == null ? void 0 : _b.moduleSpecifier) || ((_c = findAncestor(location, isExternalModuleImportEqualsDeclaration)) == null ? void 0 : _c.moduleReference.expression) || ((_d = findAncestor(location, isExportDeclaration)) == null ? void 0 : _d.moduleSpecifier) || ((_e = isModuleDeclaration(location) ? location : location.parent && isModuleDeclaration(location.parent) && location.parent.name === location ? location.parent : void 0) == null ? void 0 : _e.name) || ((_f = isLiteralImportTypeNode(location) ? location : void 0) == null ? void 0 : _f.argument.literal); const mode = contextSpecifier && isStringLiteralLike(contextSpecifier) ? getModeForUsageLocation(currentSourceFile, contextSpecifier) : currentSourceFile.impliedNodeFormat; const moduleResolutionKind = getEmitModuleResolutionKind(compilerOptions); const resolvedModule = getResolvedModule(currentSourceFile, moduleReference, mode); 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) { error(errorNode, resolutionDiagnostic, moduleReference, resolvedModule.resolvedFileName); } if (resolvedModule.resolvedUsingTsExtension && isDeclarationFileName(moduleReference)) { const importOrExport = ((_g = findAncestor(location, isImportDeclaration)) == null ? void 0 : _g.importClause) || findAncestor(location, or(isImportEqualsDeclaration, isExportDeclaration)); if (importOrExport && !importOrExport.isTypeOnly || findAncestor(location, isImportCall)) { error(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 tsExtension = Debug.checkDefined(tryExtractTSExtension(moduleReference)); error(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(false, errorNode, currentSourceFile, mode, resolvedModule, moduleReference); } if (moduleResolutionKind === 3 || moduleResolutionKind === 99) { const isSyncImport = currentSourceFile.impliedNodeFormat === 1 && !findAncestor(location, isImportCall) || !!findAncestor(location, isImportEqualsDeclaration); const overrideClauseHost = findAncestor(location, (l) => isImportTypeNode(l) || isExportDeclaration(l) || isImportDeclaration(l)); const overrideClause = overrideClauseHost && isImportTypeNode(overrideClauseHost) ? (_h = overrideClauseHost.assertions) == null ? void 0 : _h.assertClause : overrideClauseHost == null ? void 0 : overrideClauseHost.assertClause; if (isSyncImport && sourceFile.impliedNodeFormat === 99 && !getResolutionModeOverrideForClause(overrideClause)) { if (findAncestor(location, isImportEqualsDeclaration)) { error(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(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(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(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(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) { error(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; error(errorNode, diag2, moduleReference, resolvedModule.resolvedFileName); } else { errorOnImplicitAnyModule(noImplicitAny && !!moduleNotFoundError, errorNode, currentSourceFile, mode, resolvedModule, moduleReference); } return void 0; } if (moduleNotFoundError) { if (resolvedModule) { const redirect = host.getProjectReferenceRedirect(resolvedModule.resolvedFileName); if (redirect) { error(errorNode, Diagnostics.Output_file_0_has_not_been_built_from_source_file_1, redirect, resolvedModule.resolvedFileName); return void 0; } } if (resolutionDiagnostic) { error(errorNode, resolutionDiagnostic, moduleReference, resolvedModule.resolvedFileName); } else { const isExtensionlessRelativePathImport = pathIsRelative(moduleReference) && !hasExtension(moduleReference); const resolutionIsNode16OrNext = moduleResolutionKind === 3 || moduleResolutionKind === 99; if (!getResolveJsonModule(compilerOptions) && fileExtensionIs(moduleReference, ".json") && moduleResolutionKind !== 1 && hasJsonModuleEmitEnabled(compilerOptions)) { error(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 = (_i = suggestedExtensions.find(([actualExt, _importExt]) => host.fileExists(absoluteRef + actualExt))) == null ? void 0 : _i[1]; if (suggestedExt) { error(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 { error(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 { error(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) { var _a2, _b; let errorInfo; if (!isExternalModuleNameRelative(moduleReference) && packageId) { const node10Result = (_b = (_a2 = sourceFile.resolvedModules) == null ? void 0 : _a2.get(moduleReference, mode)) == null ? void 0 : _b.node10Result; errorInfo = node10Result ? chainDiagnosticMessages(void 0, 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, node10Result, node10Result.indexOf(nodeModulesPathPart + "@types/") > -1 ? `@types/${mangleScopedPackageName(packageId.name)}` : packageId.name) : typesPackageExists(packageId.name) ? chainDiagnosticMessages(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, packageId.name, mangleScopedPackageName(packageId.name)) : packageBundlesTypes(packageId.name) ? chainDiagnosticMessages(void 0, Diagnostics.If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_declare_module_1, packageId.name, moduleReference) : chainDiagnosticMessages(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(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 typesPackageExists(packageName) { return getPackagesMap().has(getTypesPackageName(packageName)); } function packageBundlesTypes(packageName) { return !!getPackagesMap().get(packageName); } function resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) { if (moduleSymbol == null ? void 0 : moduleSymbol.exports) { const exportEquals = resolveSymbol(moduleSymbol.exports.get("export="), 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); }); getSymbolLinks(merged).cjsExportMerged = merged; return links.cjsExportMerged = merged; } function resolveESModuleSymbol(moduleSymbol, referencingLocation, dontResolveAlias, suppressInteropError) { var _a2; const symbol = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias); if (!dontResolveAlias && symbol) { if (!suppressInteropError && !(symbol.flags & (1536 | 3)) && !getDeclarationOfKind(symbol, 308)) { const compilerOptionName = moduleKind >= 5 ? "allowSyntheticDefaultImports" : "esModuleInterop"; error(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 = (_a2 = moduleSymbol == null ? void 0 : moduleSymbol.declarations) == null ? void 0 : _a2.find(isSourceFile); const isEsmCjsRef = targetFile && isESMFormatImportImportingCommonjsFormatFile(getUsageModeForExpression(reference), targetFile.impliedNodeFormat); if (getESModuleInterop(compilerOptions) || isEsmCjsRef) { let sigs = getSignaturesOfStructuredType(type, 0); if (!sigs || !sigs.length) { sigs = getSignaturesOfStructuredType(type, 1); } if (sigs && sigs.length || getPropertyOfType(type, "default", true) || isEsmCjsRef) { const moduleType = getTypeWithSyntheticDefaultImportType(type, symbol, moduleSymbol, reference); 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=") !== void 0; } function getExportsOfModuleAsArray(moduleSymbol) { return symbolsToArray(getExportsOfModule(moduleSymbol)); } function getExportsAndPropertiesOfModule(moduleSymbol) { const exports = getExportsOfModuleAsArray(moduleSymbol); const exportEquals = resolveExternalModuleSymbol(moduleSymbol); if (exportEquals !== moduleSymbol) { const type = getTypeOfSymbol(exportEquals); if (shouldTreatPropertiesOfExternalModuleAsExports(type)) { addRange(exports, getPropertiesOfType(type)); } } return exports; } function forEachExportAndPropertyOfModule(moduleSymbol, cb) { const exports = getExportsOfModule(moduleSymbol); exports.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 & 134348796 || getObjectFlags(resolvedExternalModuleType) & 1 || isArrayType(resolvedExternalModuleType) || isTupleType(resolvedExternalModuleType)); } function getExportsOfSymbol(symbol) { return symbol.flags & 6256 ? getResolvedMembersOrExportsOfSymbol(symbol, "resolvedExports") : symbol.flags & 1536 ? getExportsOfModule(symbol) : symbol.exports || emptySymbols; } function getExportsOfModule(moduleSymbol) { const links = getSymbolLinks(moduleSymbol); if (!links.resolvedExports) { const { exports, typeOnlyExportStarMap } = getExportsOfModuleWorker(moduleSymbol); links.resolvedExports = exports; 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 exports = visit(moduleSymbol) || emptySymbols; if (typeOnlyExportStarMap) { nonTypeOnlyNames.forEach((name) => typeOnlyExportStarMap.delete(name)); } return { exports, 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"); 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 != null ? 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 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, 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)) { const additionalContainers = mapDefined(container.declarations, fileSymbolIfFileSymbolExportEqualsContainer); const reexportContainers = enclosingDeclaration && getAlternativeContainingModules(symbol, enclosingDeclaration); const objectLiteralContainer = getVariableDeclarationOfObjectLiteral(container, meaning); if (enclosingDeclaration && container.flags & getQualifiedLeftMeaning(meaning) && getAccessibleSymbolChain(container, enclosingDeclaration, 1920, false)) { return append(concatenate(concatenate([container], additionalContainers), reexportContainers), objectLiteralContainer); } const firstVariableMatch = !(container.flags & getQualifiedLeftMeaning(meaning)) && container.flags & 788968 && getDeclaredTypeOfSymbol(container).flags & 524288 && meaning === 111551 ? forEachSymbolTableInScope(enclosingDeclaration, (t) => { return forEachEntry(t, (s) => { if (s.flags & getQualifiedLeftMeaning(meaning) && getTypeOfSymbol(s) === getDeclaredTypeOfSymbol(container)) { return s; } }); }) : void 0; let res = firstVariableMatch ? [firstVariableMatch, ...additionalContainers, container] : [...additionalContainers, container]; res = append(res, objectLiteralContainer); res = addRange(res, reexportContainers); return res; } 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 === 63 && 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; } return mapDefined(candidates, (candidate) => getAliasForSymbolInContainer(candidate, symbol) ? candidate : void 0); 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="); 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="); if (exportEquals && getSymbolIfSameReference(exportEquals, symbol)) { return container; } const exports = getExportsOfSymbol(container); const quick = exports.get(symbol.escapedName); if (quick && getSymbolIfSameReference(quick, symbol)) { return quick; } return forEachEntry(exports, (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 && getAllSymbolFlags(symbol) & 111551 && (includeTypeOnlyMembers || !getTypeOnlyAliasDeclaration(symbol))); } function findConstructorDeclaration(node) { const members = node.members; for (const member of members) { if (member.kind === 173 && nodeIsPresent(member.body)) { return member; } } } function createType(flags) { var _a2; const result = new Type27(checker, flags); typeCount++; result.id = typeCount; (_a2 = tracing) == null ? void 0 : _a2.recordType(result); return result; } function createTypeWithSymbol(flags, symbol) { const result = createType(flags); result.symbol = symbol; return result; } function createOriginType(flags) { return new Type27(checker, flags); } function createIntrinsicType(kind, intrinsicName, objectFlags = 0) { const type = createType(kind); type.intrinsicName = intrinsicName; type.objectFlags = objectFlags; return type; } 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, void 0, true, location)) { return result; } } switch (location.kind) { case 308: if (!isExternalOrCommonJsModule(location)) { break; } case 264: const sym = getSymbolOfDeclaration(location); if (result = callback((sym == null ? void 0 : sym.exports) || emptySymbols, void 0, true, location)) { return result; } break; case 260: case 228: case 261: 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, void 0, false, location))) { return result; } break; } } return callback(globals, void 0, 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) || !!getAccessibleSymbolChain(symbolFromSymbolTable.parent, enclosingDeclaration, getQualifiedLeftMeaning(meaning2), useOnlyExternalAliasing, visitedSymbolTablesMap); } function isAccessible(symbolFromSymbolTable, resolvedAliasSymbol, ignoreQualification) { return (symbol === (resolvedAliasSymbol || symbolFromSymbolTable) || getMergedSymbol(symbol) === getMergedSymbol(resolvedAliasSymbol || symbolFromSymbolTable)) && !some(symbolFromSymbolTable.declarations, hasNonGlobalAugmentationExternalModuleSymbol) && (ignoreQualification || canQualifySymbol(getMergedSymbol(symbolFromSymbolTable), meaning)); } function trySymbolTable(symbols, ignoreQualification, isLocalNameLookup) { if (isAccessible(symbols.get(symbol.escapedName), 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, 278))) { 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), void 0, ignoreQualification)) { return [symbol]; } } }); return result2 || (symbols === globals ? 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, 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, 278); symbolFromSymbolTable = shouldResolveAlias ? resolveAlias(symbolFromSymbolTable) : symbolFromSymbolTable; const flags = shouldResolveAlias ? getAllSymbolFlags(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 169: case 171: case 174: case 175: continue; default: return false; } } return true; } return false; } function isTypeSymbolAccessible(typeSymbol, enclosingDeclaration) { const access = isSymbolAccessibleWorker(typeSymbol, enclosingDeclaration, 788968, false, true); return access.accessibility === 0; } function isValueSymbolAccessible(typeSymbol, enclosingDeclaration) { const access = isSymbolAccessibleWorker(typeSymbol, enclosingDeclaration, 111551, false, true); return access.accessibility === 0; } function isSymbolAccessibleByFlags(typeSymbol, enclosingDeclaration, flags) { const access = isSymbolAccessibleWorker(typeSymbol, enclosingDeclaration, flags, false, 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, 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 }; } } 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 }; } if (hadAccessibleChain) { return { accessibility: 1, errorSymbolName: symbolToString(initialSymbol, enclosingDeclaration, meaning), errorModuleName: hadAccessibleChain !== initialSymbol ? symbolToString(hadAccessibleChain, enclosingDeclaration, 1920) : void 0 }; } } function isSymbolAccessible(symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible) { return isSymbolAccessibleWorker(symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible, 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: symbolToString(symbol, enclosingDeclaration, meaning), errorModuleName: symbolToString(symbolExternalModule), errorNode: isInJSFile(enclosingDeclaration) ? enclosingDeclaration : void 0 }; } } return { accessibility: 1, errorSymbolName: symbolToString(symbol, enclosingDeclaration, meaning) }; } return { accessibility: 0 }; } function getExternalModuleContainer(declaration) { const node = findAncestor(declaration, hasExternalModuleSymbol); return node && getSymbolOfDeclaration(node); } function hasExternalModuleSymbol(declaration) { return isAmbientModule(declaration) || declaration.kind === 308 && isExternalOrCommonJsModule(declaration); } function hasNonGlobalAugmentationExternalModuleSymbol(declaration) { return isModuleWithStringLiteralName(declaration) || declaration.kind === 308 && isExternalOrCommonJsModule(declaration); } function hasVisibleDeclarations(symbol, shouldComputeAliasToMakeVisible) { let aliasesToMakeVisible; if (!every(filter(symbol.declarations, (d) => d.kind !== 79), getIsDeclarationVisible)) { return void 0; } return { accessibility: 0, aliasesToMakeVisible }; function getIsDeclarationVisible(declaration) { var _a2, _b; if (!isDeclarationVisible(declaration)) { const anyImportSyntax = getAnyImportSyntax(declaration); if (anyImportSyntax && !hasSyntacticModifier(anyImportSyntax, 1) && isDeclarationVisible(anyImportSyntax.parent)) { return addVisibleAlias(declaration, anyImportSyntax); } else if (isVariableDeclaration(declaration) && isVariableStatement(declaration.parent.parent) && !hasSyntacticModifier(declaration.parent.parent, 1) && isDeclarationVisible(declaration.parent.parent.parent)) { return addVisibleAlias(declaration, declaration.parent.parent); } else if (isLateVisibilityPaintedStatement(declaration) && !hasSyntacticModifier(declaration, 1) && isDeclarationVisible(declaration.parent)) { return addVisibleAlias(declaration, declaration); } else if (isBindingElement(declaration)) { if (symbol.flags & 2097152 && isInJSFile(declaration) && ((_a2 = declaration.parent) == null ? void 0 : _a2.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, 1) && 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, 1)) { 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 isEntityNameVisible(entityName, enclosingDeclaration) { let meaning; if (entityName.parent.kind === 183 || entityName.parent.kind === 230 && !isPartOfTypeNode(entityName.parent) || entityName.parent.kind === 164) { meaning = 111551 | 1048576; } else if (entityName.kind === 163 || entityName.kind === 208 || entityName.parent.kind === 268) { meaning = 1920; } else { meaning = 788968; } const firstIdentifier = getFirstIdentifier(entityName); const symbol = resolveName(enclosingDeclaration, firstIdentifier.escapedText, meaning, void 0, void 0, false); if (symbol && symbol.flags & 262144 && meaning & 788968) { return { accessibility: 0 }; } if (!symbol && isThisIdentifier(firstIdentifier) && isSymbolAccessible(getSymbolOfDeclaration(getThisContainer(firstIdentifier, false, false)), firstIdentifier, meaning, false).accessibility === 0) { return { accessibility: 0 }; } return symbol && hasVisibleDeclarations(symbol, true) || { accessibility: 1, errorSymbolName: getTextOfNode(firstIdentifier), errorNode: firstIdentifier }; } function symbolToString(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) === 308 ? createPrinterWithRemoveCommentsNeverAsciiEscape() : createPrinterWithRemoveComments(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode(4, entity, 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 ? 182 : 181; } else { sigOutput = kind === 1 ? 177 : 176; } const sig = nodeBuilder.signatureToSignatureDeclaration(signature, sigOutput, enclosingDeclaration, toNodeBuilderFlags(flags) | 70221824 | 512); const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode(4, sig, 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, 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, void 0, 64); } function symbolValueDeclarationIsContextSensitive(symbol) { return symbol && !!symbol.valueDeclaration && isExpression(symbol.valueDeclaration) && !isContextSensitive(symbol.valueDeclaration); } function toNodeBuilderFlags(flags = 0) { return flags & 848330091; } function isClassInstanceSide(type) { return !!type.symbol && !!(type.symbol.flags & 32) && (type === getDeclaredTypeOfClassOrInterface(type.symbol) || !!(type.flags & 524288) && !!(getObjectFlags(type) & 16777216)); } function createNodeBuilder() { return { typeToTypeNode: (type, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => typeToTypeNodeHelper(type, context)), indexInfoToIndexSignatureDeclaration: (indexInfo, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => indexInfoToIndexSignatureDeclarationHelper(indexInfo, context, void 0)), signatureToSignatureDeclaration: (signature, kind, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => signatureToSignatureDeclarationHelper(signature, kind, context)), symbolToEntityName: (symbol, meaning, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => symbolToName(symbol, context, meaning, false)), symbolToExpression: (symbol, meaning, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => symbolToExpression(symbol, context, meaning)), symbolToTypeParameterDeclarations: (symbol, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => typeParametersToTypeParameterDeclarations(symbol, context)), symbolToParameterDeclaration: (symbol, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => symbolToParameterDeclaration(symbol, context)), typeParameterToDeclaration: (parameter, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => typeParameterToDeclaration(parameter, context)), symbolTableToDeclarationStatements: (symbolTable, enclosingDeclaration, flags, tracker, bundled) => withContext(enclosingDeclaration, flags, tracker, (context) => symbolTableToDeclarationStatements(symbolTable, context, bundled)), symbolToNode: (symbol, meaning, enclosingDeclaration, flags, tracker) => withContext(enclosingDeclaration, flags, tracker, (context) => symbolToNode(symbol, context, meaning)) }; 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 withContext(enclosingDeclaration, flags, tracker, cb) { Debug.assert(enclosingDeclaration === void 0 || (enclosingDeclaration.flags & 8) === 0); const moduleResolverHost = (tracker == null ? void 0 : tracker.trackSymbol) ? tracker.moduleResolverHost : flags & 134217728 ? createBasicNodeBuilderModuleSpecifierResolutionHost(host) : void 0; const context = { enclosingDeclaration, flags: flags || 0, tracker: void 0, encounteredError: false, reportedDiagnostic: false, visitedTypes: void 0, symbolDepth: void 0, inferTypeParameters: void 0, approximateLength: 0 }; context.tracker = new SymbolTrackerImpl(context, tracker, 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 _a2, _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(131); } 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(131), 3, "unresolved"); } context.approximateLength += 3; return factory.createKeywordTypeNode(type === intrinsicMarkerType ? 139 : 131); } if (type.flags & 2) { return factory.createKeywordTypeNode(157); } if (type.flags & 4) { context.approximateLength += 6; return factory.createKeywordTypeNode(152); } if (type.flags & 8) { context.approximateLength += 6; return factory.createKeywordTypeNode(148); } if (type.flags & 64) { context.approximateLength += 6; return factory.createKeywordTypeNode(160); } if (type.flags & 16 && !type.aliasSymbol) { context.approximateLength += 7; return factory.createKeywordTypeNode(134); } if (type.flags & 1056) { if (type.symbol.flags & 8) { const parentSymbol = getParentOfSymbol(type.symbol); const parentName = symbolToTypeNode(parentSymbol, context, 788968); if (getDeclaredTypeOfSymbol(parentSymbol) === type) { return parentName; } const memberName = symbolName(type.symbol); if (isIdentifierText(memberName, 0)) { return appendReferenceToType(parentName, factory.createTypeReferenceNode(memberName, 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); } if (type.flags & 128) { context.approximateLength += type.value.length + 2; return factory.createLiteralTypeNode(setEmitFlags(factory.createStringLiteral(type.value, !!(context.flags & 268435456)), 33554432)); } if (type.flags & 256) { const value = type.value; context.approximateLength += ("" + value).length; return factory.createLiteralTypeNode(value < 0 ? factory.createPrefixUnaryExpression(40, 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); } if (context.tracker.reportInaccessibleUniqueSymbolError) { context.tracker.reportInaccessibleUniqueSymbolError(); } } context.approximateLength += 13; return factory.createTypeOperatorNode(156, factory.createKeywordTypeNode(153)); } if (type.flags & 16384) { context.approximateLength += 4; return factory.createKeywordTypeNode(114); } if (type.flags & 32768) { context.approximateLength += 9; return factory.createKeywordTypeNode(155); } if (type.flags & 65536) { context.approximateLength += 4; return factory.createLiteralTypeNode(factory.createNull()); } if (type.flags & 131072) { context.approximateLength += 5; return factory.createKeywordTypeNode(144); } if (type.flags & 4096) { context.approximateLength += 6; return factory.createKeywordTypeNode(153); } if (type.flags & 67108864) { context.approximateLength += 6; return factory.createKeywordTypeNode(149); } if (isThisTypeParameter(type)) { if (context.flags & 4194304) { if (!context.encounteredError && !(context.flags & 32768)) { context.encounteredError = true; } (_b = (_a2 = context.tracker).reportInaccessibleThisError) == null ? void 0 : _b.call(_a2); } 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, 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 && !isTypeSymbolAccessible(type.symbol, context.enclosingDeclaration)) { const name2 = typeParameterToName(type, context); context.approximateLength += idText(name2).length; return factory.createTypeReferenceNode(factory.createIdentifier(idText(name2)), void 0); } if (type.symbol) { return symbolToTypeNode(type.symbol, context, 788968); } const name = (type === markerSuperTypeForCheck || type === markerSubTypeForCheck) && varianceTypeParameter && varianceTypeParameter.symbol ? (type === markerSubTypeForCheck ? "sub-" : "super-") + symbolName(varianceTypeParameter.symbol) : "?"; return factory.createTypeReferenceNode(factory.createIdentifier(name), 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, 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(141, 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) { return typeToTypeNodeHelper(type.baseType, context); } 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(getTypeFromTypeNode(type2.root.node.trueType), newMapper)); const falseTypeNode2 = typeToTypeNodeOrCircularityElision(instantiateType(getTypeFromTypeNode(type2.root.node.falseType), newMapper)); return factory.createConditionalTypeNode(checkTypeNode, factory.createInferTypeNode(factory.createTypeParameterDeclaration(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(144)), factory.createKeywordTypeNode(144)); } 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 _a3, _b2, _c; if (type2.flags & 1048576) { if ((_a3 = context.visitedTypes) == null ? void 0 : _a3.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 isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) { return isMappedTypeWithKeyofConstraintDeclaration(type2) && !(getModifiersTypeFromMappedType(type2).flags & 262144); } function createMappedTypeNodeFromType(type2) { 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; 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(141, newTypeVariable || typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context)); } 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, void 0); context.approximateLength += 10; const result = setEmitFlags(mappedTypeNode, 1); if (isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) && context.flags & 4) { const originalConstraint = instantiateType(getConstraintOfTypeParameter(getTypeFromTypeNode(type2.declaration.typeParameter.constraint.type)) || unknownType, type2.mapper); return factory.createConditionalTypeNode(typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context), factory.createInferTypeNode(factory.createTypeParameterDeclaration(void 0, factory.cloneNode(newTypeVariable.typeName), originalConstraint.flags & 2 ? void 0 : typeToTypeNodeHelper(originalConstraint, context))), result, factory.createKeywordTypeNode(144)); } return result; } function createAnonymousTypeNode(type2) { var _a3, _b2; const typeId = type2.id; const symbol = type2.symbol; if (symbol) { 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, false).accessibility !== 0)) || symbol.flags & (384 | 512) || shouldWriteTypeOfFunctionSymbol()) { return symbolToTypeNode(symbol, context, isInstanceType); } else if ((_a3 = context.visitedTypes) == null ? void 0 : _a3.has(typeId)) { const typeAlias = getTypeAliasForTypeLiteral(type2); if (typeAlias) { return symbolToTypeNode(typeAlias, context, 788968); } else { return createElidedInformationPlaceholder(context); } } else { return visitAndTransformType(type2, createTypeNodeFromObjectType); } } else { const isInstantiationExpressionType = !!(getObjectFlags(type2) & 8388608); if (isInstantiationExpressionType) { const instantiationExpressionType = type2; if (isTypeQueryNode(instantiationExpressionType.node)) { const typeNode = serializeExistingTypeNode(context, instantiationExpressionType.node); if (typeNode) { return typeNode; } } if ((_b2 = context.visitedTypes) == null ? void 0 : _b2.has(typeId)) { return createElidedInformationPlaceholder(context); } return visitAndTransformType(type2, createTypeNodeFromObjectType); } return createTypeNodeFromObjectType(type2); } function shouldWriteTypeOfFunctionSymbol() { var _a4; const isStaticMethodSymbol = !!(symbol.flags & 8192) && some(symbol.declarations, (declaration) => isStatic(declaration)); const isNonLocalFunctionSymbol = !!(symbol.flags & 16) && (symbol.parent || forEach(symbol.declarations, (declaration) => declaration.parent.kind === 308 || declaration.parent.kind === 265)); if (isStaticMethodSymbol || isNonLocalFunctionSymbol) { return (!!(context.flags & 4096) || ((_a4 = context.visitedTypes) == null ? void 0 : _a4.has(typeId))) && (!(context.flags & 8) || isValueSymbolAccessible(symbol, context.enclosingDeclaration)); } } } function visitAndTransformType(type2, transform2) { var _a3, _b2; 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 = (_a3 = links == null ? void 0 : links.serializedTypes) == null ? void 0 : _a3.get(key); if (cachedResult) { if (cachedResult.truncating) { context.truncating = true; } context.approximateLength += cachedResult.addedLength; return deepCloneOrReuseNode(cachedResult.node); } let depth; if (id) { depth = context.symbolDepth.get(id) || 0; if (depth > 10) { return createElidedInformationPlaceholder(context); } context.symbolDepth.set(id, depth + 1); } context.visitedTypes.add(typeId); const startLength = context.approximateLength; const result = transform2(type2); const addedLength = context.approximateLength - startLength; if (!context.reportedDiagnostic && !context.encounteredError) { (_b2 = links == null ? void 0 : links.serializedTypes) == null ? void 0 : _b2.set(key, { node: result, truncating: context.truncating, addedLength }); } context.visitedTypes.delete(typeId); if (id) { context.symbolDepth.set(id, depth); } return result; function deepCloneOrReuseNode(node) { if (!nodeIsSynthesized(node) && getParseTreeNode(node) === node) { return node; } return setTextRange(factory.cloneNode(visitEachChild(node, deepCloneOrReuseNode, nullTransformationContext, deepCloneOrReuseNodes)), node); } function deepCloneOrReuseNodes(nodes, visitor, test, start, count) { if (nodes && nodes.length === 0) { return setTextRange(factory.createNodeArray(void 0, nodes.hasTrailingComma), nodes); } return visitNodes2(nodes, visitor, 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(void 0), 1); } if (resolved.callSignatures.length === 1 && !resolved.constructSignatures.length) { const signature = resolved.callSignatures[0]; const signatureNode = signatureToSignatureDeclarationHelper(signature, 181, context); return signatureNode; } if (resolved.constructSignatures.length === 1 && !resolved.callSignatures.length) { const signature = resolved.constructSignatures[0]; const signatureNode = signatureToSignatureDeclarationHelper(signature, 182, context); return signatureNode; } } const abstractSignatures = filter(resolved.constructSignatures, (signature) => !!(signature.flags & 4)); if (some(abstractSignatures)) { const types = map(abstractSignatures, getOrCreateTypeFromSignature); const typeElementCount = resolved.callSignatures.length + (resolved.constructSignatures.length - abstractSignatures.length) + resolved.indexInfos.length + (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); 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 arrayType = factory.createArrayTypeNode(elementType); return type2.target === globalArrayType ? arrayType : factory.createTypeOperatorNode(146, arrayType); } 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) { if (type2.target.labeledElementDeclarations) { for (let i = 0; i < tupleConstituentNodes.length; i++) { const flags = type2.target.elementFlags[i]; tupleConstituentNodes[i] = factory.createNamedTupleMember(flags & 12 ? factory.createToken(25) : void 0, factory.createIdentifier(unescapeLeadingUnderscores(getTupleElementLabel(type2.target.labeledElementDeclarations[i]))), flags & 2 ? factory.createToken(57) : void 0, flags & 4 ? factory.createArrayTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i]); } } else { for (let i = 0; i < Math.min(arity, tupleConstituentNodes.length); i++) { const flags = type2.target.elementFlags[i]; 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); return type2.target.readonly ? factory.createTypeOperatorNode(146, tupleTypeNode) : tupleTypeNode; } } if (context.encounteredError || context.flags & 524288) { const tupleTypeNode = setEmitFlags(factory.createTupleTypeNode([]), 1); return type2.target.readonly ? factory.createTypeOperatorNode(146, 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(root, ref) { if (isImportTypeNode(root)) { let typeArguments = root.typeArguments; let qualifier = root.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(root, root.argument, root.assertions, qualifier, typeArguments, root.isTypeOf); } else { let typeArguments = root.typeArguments; let typeName = root.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(root, 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(void 0, "...", void 0, void 0)]; } const typeElements = []; for (const signature of resolvedType.callSignatures) { typeElements.push(signatureToSignatureDeclarationHelper(signature, 176, context)); } for (const signature of resolvedType.constructSignatures) { if (signature.flags & 4) continue; typeElements.push(signatureToSignatureDeclarationHelper(signature, 177, 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) & (8 | 16) && context.tracker.reportPrivateInBaseOfClassExpression) { context.tracker.reportPrivateInBaseOfClassExpression(unescapeLeadingUnderscores(propertySymbol.escapedName)); } } if (checkTruncationLength(context) && i + 2 < properties.length - 1) { typeElements.push(factory.createPropertySignature(void 0, `... ${properties.length - i} more ...`, void 0, 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("..."), void 0); } return factory.createKeywordTypeNode(131); } function shouldUsePlaceholderForProperty(propertySymbol, context) { var _a2; return !!(getCheckFlags(propertySymbol) & 8192) && (contains(context.reverseMappedStack, propertySymbol) || ((_a2 = context.reverseMappedStack) == null ? void 0 : _a2[0]) && !(getObjectFlags(last(context.reverseMappedStack).links.propertyType) & 16)); } function addPropertyToElementList(propertySymbol, context, typeElements) { var _a2; const propertyIsReverseMapped = !!(getCheckFlags(propertySymbol) & 8192); const propertyType = shouldUsePlaceholderForProperty(propertySymbol, context) ? anyType : 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(symbolToString(propertySymbol)); } } context.enclosingDeclaration = propertySymbol.valueDeclaration || ((_a2 = propertySymbol.declarations) == null ? void 0 : _a2[0]) || saveEnclosingDeclaration; const propertyName = getPropertyNameNodeForSymbol(propertySymbol, context); context.enclosingDeclaration = saveEnclosingDeclaration; context.approximateLength += symbolName(propertySymbol).length + 1; const optionalToken = propertySymbol.flags & 16777216 ? factory.createToken(57) : void 0; if (propertySymbol.flags & (16 | 8192) && !getPropertiesOfObjectType(propertyType).length && !isReadonlySymbol(propertySymbol)) { const signatures = getSignaturesOfType(filterType(propertyType, (t) => !(t.flags & 32768)), 0); for (const signature of signatures) { const methodDeclaration = signatureToSignatureDeclarationHelper(signature, 170, context, { name: propertyName, questionToken: optionalToken }); typeElements.push(preserveCommentsOn(methodDeclaration)); } } else { let propertyTypeNode; if (shouldUsePlaceholderForProperty(propertySymbol, context)) { propertyTypeNode = createElidedInformationPlaceholder(context); } else { if (propertyIsReverseMapped) { context.reverseMappedStack || (context.reverseMappedStack = []); context.reverseMappedStack.push(propertySymbol); } propertyTypeNode = propertyType ? serializeTypeForDeclaration(context, propertyType, propertySymbol, saveEnclosingDeclaration) : factory.createKeywordTypeNode(131); if (propertyIsReverseMapped) { context.reverseMappedStack.pop(); } } const modifiers = isReadonlySymbol(propertySymbol) ? [factory.createToken(146)] : void 0; if (modifiers) { context.approximateLength += 9; } const propertySignature = factory.createPropertySignature(modifiers, propertyName, optionalToken, propertyTypeNode); typeElements.push(preserveCommentsOn(propertySignature)); } function preserveCommentsOn(node) { var _a3; if (some(propertySymbol.declarations, (d) => d.kind === 351)) { const d = (_a3 = propertySymbol.declarations) == null ? void 0 : _a3.find((d2) => d2.kind === 351); const commentText = getTextOfJSDocComment(d.comment); if (commentText) { setSyntheticLeadingComments(node, [{ kind: 3, text: "* * " + commentText.replace(/ /g, " * ") + " ", pos: -1, end: -1, hasTrailingNewLine: true }]); } } else if (propertySymbol.valueDeclaration) { setCommentRange(node, propertySymbol.valueDeclaration); } return node; } } function mapToTypeNodes(types, context, isBareList) { if (some(types)) { if (checkTruncationLength(context)) { if (!isBareList) { return [factory.createTypeReferenceNode("...", void 0)]; } else if (types.length > 2) { return [ typeToTypeNodeHelper(types[0], context), factory.createTypeReferenceNode(`... ${types.length - 2} more ...`, void 0), typeToTypeNodeHelper(types[types.length - 1], context) ]; } } const mayHaveNameCollisions = !(context.flags & 64); const seenNames = mayHaveNameCollisions ? createUnderscoreEscapedMultiMap() : 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 ...`, 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(void 0, void 0, name, void 0, indexerTypeNode, void 0); if (!typeNode) { typeNode = typeToTypeNodeHelper(indexInfo.type || anyType, context); } if (!indexInfo.type && !(context.flags & 2097152)) { context.encounteredError = true; } context.approximateLength += name.length + 4; return factory.createIndexSignature(indexInfo.isReadonly ? [factory.createToken(146)] : void 0, [indexingParameter], typeNode); } function signatureToSignatureDeclarationHelper(signature, kind, context, options) { var _a2, _b, _c, _d, _e; const suppressAny = context.flags & 256; if (suppressAny) context.flags &= ~256; context.approximateLength += 3; let typeParameters; let typeArguments; 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 expandedParams = getExpandedParameters(signature, true)[0]; let cleanup; if (context.enclosingDeclaration && signature.declaration && signature.declaration !== context.enclosingDeclaration && !isInJSFile(signature.declaration) && some(expandedParams)) { const existingFakeScope = getNodeLinks(context.enclosingDeclaration).fakeScopeForSignatureDeclaration ? context.enclosingDeclaration : void 0; Debug.assertOptionalNode(existingFakeScope, isBlock); const locals = (_a2 = existingFakeScope == null ? void 0 : existingFakeScope.locals) != null ? _a2 : createSymbolTable(); let newLocals; for (const param of expandedParams) { if (!locals.has(param.escapedName)) { newLocals = append(newLocals, param.escapedName); locals.set(param.escapedName, param); } } if (newLocals) { let removeNewLocals2 = function() { forEach(newLocals, (s) => locals.delete(s)); }; var removeNewLocals = removeNewLocals2; if (existingFakeScope) { cleanup = removeNewLocals2; } else { const fakeScope = parseNodeFactory.createBlock(emptyArray); getNodeLinks(fakeScope).fakeScopeForSignatureDeclaration = true; fakeScope.locals = locals; const saveEnclosingDeclaration = context.enclosingDeclaration; setParent(fakeScope, saveEnclosingDeclaration); context.enclosingDeclaration = fakeScope; cleanup = () => { context.enclosingDeclaration = saveEnclosingDeclaration; removeNewLocals2(); }; } } } const parameters = (some(expandedParams, (p) => p !== expandedParams[expandedParams.length - 1] && !!(getCheckFlags(p) & 32768)) ? signature.parameters : expandedParams).map((parameter) => symbolToParameterDeclaration(parameter, context, kind === 173, options == null ? void 0 : options.privateSymbolVisitor, options == null ? void 0 : options.bundledImports)); const thisParameter = context.flags & 33554432 ? void 0 : tryGetThisParameterDeclaration(signature, context); if (thisParameter) { parameters.unshift(thisParameter); } let returnTypeNode; const typePredicate = getTypePredicateOfSignature(signature); if (typePredicate) { const assertsModifier = typePredicate.kind === 2 || typePredicate.kind === 3 ? factory.createToken(129) : void 0; const parameterName = typePredicate.kind === 1 || typePredicate.kind === 3 ? setEmitFlags(factory.createIdentifier(typePredicate.parameterName), 33554432) : factory.createThisTypeNode(); const typeNode = typePredicate.type && typeToTypeNodeHelper(typePredicate.type, context); returnTypeNode = factory.createTypePredicateNode(assertsModifier, parameterName, typeNode); } else { const returnType = getReturnTypeOfSignature(signature); if (returnType && !(suppressAny && isTypeAny(returnType))) { returnTypeNode = serializeReturnTypeForSignature(context, returnType, signature, options == null ? void 0 : options.privateSymbolVisitor, options == null ? void 0 : options.bundledImports); } else if (!suppressAny) { returnTypeNode = factory.createKeywordTypeNode(131); } } let modifiers = options == null ? void 0 : options.modifiers; if (kind === 182 && signature.flags & 4) { const flags = modifiersToFlags(modifiers); modifiers = factory.createModifiersFromModifierFlags(flags | 256); } const node = kind === 176 ? factory.createCallSignature(typeParameters, parameters, returnTypeNode) : kind === 177 ? factory.createConstructSignature(typeParameters, parameters, returnTypeNode) : kind === 170 ? factory.createMethodSignature(modifiers, (_b = options == null ? void 0 : options.name) != null ? _b : factory.createIdentifier(""), options == null ? void 0 : options.questionToken, typeParameters, parameters, returnTypeNode) : kind === 171 ? factory.createMethodDeclaration(modifiers, void 0, (_c = options == null ? void 0 : options.name) != null ? _c : factory.createIdentifier(""), void 0, typeParameters, parameters, returnTypeNode, void 0) : kind === 173 ? factory.createConstructorDeclaration(modifiers, parameters, void 0) : kind === 174 ? factory.createGetAccessorDeclaration(modifiers, (_d = options == null ? void 0 : options.name) != null ? _d : factory.createIdentifier(""), parameters, returnTypeNode, void 0) : kind === 175 ? factory.createSetAccessorDeclaration(modifiers, (_e = options == null ? void 0 : options.name) != null ? _e : factory.createIdentifier(""), parameters, void 0) : kind === 178 ? factory.createIndexSignature(modifiers, parameters, returnTypeNode) : kind === 320 ? factory.createJSDocFunctionType(parameters, returnTypeNode) : kind === 181 ? factory.createFunctionTypeNode(typeParameters, parameters, returnTypeNode != null ? returnTypeNode : factory.createTypeReferenceNode(factory.createIdentifier(""))) : kind === 182 ? factory.createConstructorTypeNode(modifiers, typeParameters, parameters, returnTypeNode != null ? returnTypeNode : factory.createTypeReferenceNode(factory.createIdentifier(""))) : kind === 259 ? factory.createFunctionDeclaration(modifiers, void 0, (options == null ? void 0 : options.name) ? cast(options.name, isIdentifier) : factory.createIdentifier(""), typeParameters, parameters, returnTypeNode, void 0) : kind === 215 ? factory.createFunctionExpression(modifiers, void 0, (options == null ? void 0 : options.name) ? cast(options.name, isIdentifier) : factory.createIdentifier(""), typeParameters, parameters, returnTypeNode, factory.createBlock([])) : kind === 216 ? factory.createArrowFunction(modifiers, typeParameters, parameters, returnTypeNode, void 0, factory.createBlock([])) : Debug.assertNever(kind); if (typeArguments) { node.typeArguments = factory.createNodeArray(typeArguments); } cleanup == null ? void 0 : cleanup(); return node; } 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(void 0, void 0, "this", void 0, typeToTypeNodeHelper(getTypeFromTypeNode(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 typeParameterToDeclaration(type, context, constraint = getConstraintOfTypeParameter(type)) { const constraintNode = constraint && typeToTypeNodeHelper(constraint, context); return typeParameterToDeclarationWithConstraint(type, context, constraintNode); } function symbolToParameterDeclaration(parameterSymbol, context, preserveModifierFlags, privateSymbolVisitor, bundledImports) { let parameterDeclaration = getDeclarationOfKind(parameterSymbol, 166); if (!parameterDeclaration && !isTransientSymbol(parameterSymbol)) { parameterDeclaration = getDeclarationOfKind(parameterSymbol, 344); } let parameterType = getTypeOfSymbol(parameterSymbol); if (parameterDeclaration && isRequiredInitializedParameter(parameterDeclaration)) { parameterType = getOptionalType(parameterType); } const parameterTypeNode = serializeTypeForDeclaration(context, parameterType, parameterSymbol, context.enclosingDeclaration, privateSymbolVisitor, bundledImports); 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(25) : void 0; const name = parameterDeclaration ? parameterDeclaration.name ? parameterDeclaration.name.kind === 79 ? setEmitFlags(factory.cloneNode(parameterDeclaration.name), 33554432) : parameterDeclaration.name.kind === 163 ? setEmitFlags(factory.cloneNode(parameterDeclaration.name.right), 33554432) : cloneBindingName(parameterDeclaration.name) : symbolName(parameterSymbol) : symbolName(parameterSymbol); const isOptional = parameterDeclaration && isOptionalParameter(parameterDeclaration) || getCheckFlags(parameterSymbol) & 16384; const questionToken = isOptional ? factory.createToken(57) : void 0; const parameterNode = factory.createParameterDeclaration(modifiers, dotDotDotToken, name, questionToken, parameterTypeNode, void 0); context.approximateLength += symbolName(parameterSymbol).length + 3; return parameterNode; 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, nullTransformationContext, void 0, elideInitializerAndSetEmitFlags); if (isBindingElement(visited)) { visited = factory.updateBindingElement(visited, visited.dotDotDotToken, visited.propertyName, visited.name, void 0); } if (!nodeIsSynthesized(visited)) { visited = factory.cloneNode(visited); } return setEmitFlags(visited, 1 | 33554432); } } } function trackComputedName(accessExpression, enclosingDeclaration, context) { if (!context.tracker.canTrackSymbol) return; const firstIdentifier = getFirstIdentifier(accessExpression); const name = resolveName(firstIdentifier, firstIdentifier.escapedText, 111551 | 1048576, void 0, void 0, true); if (name) { context.tracker.trackSymbol(name, enclosingDeclaration, 111551); } } 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, 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), false); if (parentChain) { if (parent2.exports && parent2.exports.get("export=") && getSymbolIfSameReference(parent2.exports.get("export="), symbol2)) { accessibleSymbolChain = parentChain; break; } accessibleSymbolChain = parentChain.concat(accessibleSymbolChain || [getAliasForSymbolInContainer(parent2, symbol2) || symbol2]); break; } } } } if (accessibleSymbolChain) { return accessibleSymbolChain; } if (endOfChain || !(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 _a2; Debug.assert(chain && 0 <= index && index < chain.length); const symbol = chain[index]; const symbolId = getSymbolId(symbol); if ((_a2 = context.typeParameterSymbolList) == null ? void 0 : _a2.has(symbolId)) { return void 0; } (context.typeParameterSymbolList || (context.typeParameterSymbolList = /* @__PURE__ */ new Set())).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) { var _a2; let file = getDeclarationOfKind(symbol, 308); if (!file) { const equivalentFileSymbol = firstDefined(symbol.declarations, (d) => getFileSymbolIfFileSymbolExportEqualsContainer(d, symbol)); if (equivalentFileSymbol) { file = getDeclarationOfKind(equivalentFileSymbol, 308); } } if (file && file.moduleName !== void 0) { return file.moduleName; } if (!file) { if (context.tracker.trackReferencedAmbientModule) { const ambientDecls = filter(symbol.declarations, isAmbientModule); if (length(ambientDecls)) { for (const decl of ambientDecls) { context.tracker.trackReferencedAmbientModule(decl, symbol); } } } if (ambientModuleSymbolRegex.test(symbol.escapedName)) { return symbol.escapedName.substring(1, symbol.escapedName.length - 1); } } if (!context.enclosingDeclaration || !context.tracker.moduleResolverHost) { if (ambientModuleSymbolRegex.test(symbol.escapedName)) { return symbol.escapedName.substring(1, symbol.escapedName.length - 1); } return getSourceFileOfNode(getNonAugmentationDeclaration(symbol)).fileName; } const contextFile = getSourceFileOfNode(getOriginalNode(context.enclosingDeclaration)); 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 = !!outFile(compilerOptions); 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 })); (_a2 = links.specifierCache) != null ? _a2 : 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) { var _a2, _b, _c, _d; 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 assertion; 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); assertion = factory.createImportTypeAssertionContainer(factory.createAssertClause(factory.createNodeArray([ factory.createAssertEntry(factory.createStringLiteral("resolution-mode"), factory.createStringLiteral("import")) ]))); (_b = (_a2 = context.tracker).reportImportTypeNodeResolutionModeOverride) == null ? void 0 : _b.call(_a2); } } if (!specifier) { specifier = getSpecifierForModuleSymbol(chain[0], context); } if (!(context.flags & 67108864) && getEmitModuleResolutionKind(compilerOptions) !== 1 && specifier.indexOf("/node_modules/") >= 0) { 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.indexOf("/node_modules/") >= 0) { specifier = oldSpecifier; } else { assertion = factory.createImportTypeAssertionContainer(factory.createAssertClause(factory.createNodeArray([ factory.createAssertEntry(factory.createStringLiteral("resolution-mode"), factory.createStringLiteral(swappedMode === 99 ? "import" : "require")) ]))); (_d = (_c = context.tracker).reportImportTypeNodeResolutionModeOverride) == null ? void 0 : _d.call(_c); } } if (!assertion) { context.encounteredError = true; if (context.tracker.reportLikelyUnsafeImportRequiredError) { context.tracker.reportLikelyUnsafeImportRequiredError(oldSpecifier); } } } const lit = factory.createLiteralTypeNode(factory.createStringLiteral(specifier)); if (context.tracker.trackExternalModuleSymbolOfImportTypeNode) context.tracker.trackExternalModuleSymbolOfImportTypeNode(chain[0]); context.approximateLength += specifier.length + 10; if (!nonRootParts || isEntityName(nonRootParts)) { if (nonRootParts) { const lastId = isIdentifier(nonRootParts) ? nonRootParts : nonRootParts.right; setIdentifierTypeArguments(lastId, void 0); } return factory.createImportTypeNode(lit, assertion, nonRootParts, typeParameterNodes, isTypeOf); } else { const splitNode = getTopmostIndexedAccessType(nonRootParts); const qualifier = splitNode.objectType.typeName; return factory.createIndexedAccessTypeNode(factory.createImportTypeNode(lit, assertion, 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, 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 exports = getExportsOfSymbol(parent2); forEachEntry(exports, (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), 33554432); 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 typeParameterShadowsNameInScope(escapedName, context, type) { const result = resolveName(context.enclosingDeclaration, escapedName, 788968, void 0, escapedName, false); if (result) { if (result.flags & 262144 && result === type.symbol) { return false; } return true; } return false; } function typeParameterToName(type, context) { var _a2, _b; if (context.flags & 4 && context.typeParameterNames) { const cached = context.typeParameterNames.get(getTypeId(type)); if (cached) { return cached; } } let result = symbolToName(type.symbol, context, 788968, true); if (!(result.kind & 79)) { return factory.createIdentifier("(Missing type parameter)"); } if (context.flags & 4) { const rawtext = result.escapedText; let i = ((_a2 = context.typeParameterNamesByTextNextNameCount) == null ? void 0 : _a2.get(rawtext)) || 0; let text = rawtext; while (((_b = context.typeParameterNamesByText) == null ? void 0 : _b.has(text)) || typeParameterShadowsNameInScope(text, context, type)) { i++; text = `${rawtext}_${i}`; } if (text !== rawtext) { const typeArguments = getIdentifierTypeArguments(result); result = factory.createIdentifier(text); setIdentifierTypeArguments(result, typeArguments); } (context.typeParameterNamesByTextNextNameCount || (context.typeParameterNamesByTextNextNameCount = /* @__PURE__ */ new Map())).set(rawtext, i); (context.typeParameterNames || (context.typeParameterNames = /* @__PURE__ */ new Map())).set(getTypeId(type), result); (context.typeParameterNamesByText || (context.typeParameterNamesByText = /* @__PURE__ */ new Set())).add(rawtext); } 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), 33554432); 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), 33554432); 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); } else if ("" + +symbolName2 === symbolName2) { expression = factory.createNumericLiteral(+symbolName2); } if (!expression) { const identifier = setEmitFlags(factory.createIdentifier(symbolName2), 33554432); 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); return !!name && isStringLiteral(name); } function isSingleQuotedStringNamed(d) { const name = getNameOfDeclaration(d); return !!(name && isStringLiteral(name) && (name.singleQuote || !nodeIsSynthesized(name) && startsWith(getTextOfNode(name, false), """))); } function getPropertyNameNodeForSymbol(symbol, context) { const stringNamed = !!length(symbol.declarations) && every(symbol.declarations, isStringNamed); const singleQuote = !!length(symbol.declarations) && every(symbol.declarations, isSingleQuotedStringNamed); const fromNameType = getPropertyNameNodeForSymbolFromNameType(symbol, context, singleQuote, stringNamed); if (fromNameType) { return fromNameType; } const rawName = unescapeLeadingUnderscores(symbol.escapedName); return createPropertyNameNodeForIdentifierOrLiteral(rawName, getEmitScriptTarget(compilerOptions), singleQuote, stringNamed); } function getPropertyNameNodeForSymbolFromNameType(symbol, context, singleQuote, stringNamed) { 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) && startsWith(name, "-")) { return factory.createComputedPropertyName(factory.createNumericLiteral(+name)); } return createPropertyNameNodeForIdentifierOrLiteral(name, getEmitScriptTarget(compilerOptions)); } if (nameType.flags & 8192) { return factory.createComputedPropertyName(symbolToExpression(nameType.symbol, context, 111551)); } } } function cloneNodeBuilderContext(context) { const initial = { ...context }; if (initial.typeParameterNames) { initial.typeParameterNames = new Map(initial.typeParameterNames); } if (initial.typeParameterNamesByText) { initial.typeParameterNamesByText = new Set(initial.typeParameterNamesByText); } if (initial.typeParameterSymbolList) { initial.typeParameterSymbolList = new Set(initial.typeParameterSymbolList); } initial.tracker = new SymbolTrackerImpl(initial, initial.tracker.inner, initial.tracker.moduleResolverHost); return initial; } function getDeclarationWithTypeAnnotation(symbol, enclosingDeclaration) { return symbol.declarations && find(symbol.declarations, (s) => !!getEffectiveTypeAnnotationNode(s) && (!enclosingDeclaration || !!findAncestor(s, (n) => n === enclosingDeclaration))); } function existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type) { return !(getObjectFlags(type) & 4) || !isTypeReferenceNode(existing) || length(existing.typeArguments) >= getMinTypeArgumentCount(type.target.typeParameters); } function getEnclosingDeclarationIgnoringFakeScope(enclosingDeclaration) { return getNodeLinks(enclosingDeclaration).fakeScopeForSignatureDeclaration ? enclosingDeclaration.parent : enclosingDeclaration; } function serializeTypeForDeclaration(context, type, symbol, enclosingDeclaration, includePrivateSymbol, bundled) { if (!isErrorType(type) && enclosingDeclaration) { const declWithExistingAnnotation = getDeclarationWithTypeAnnotation(symbol, getEnclosingDeclarationIgnoringFakeScope(enclosingDeclaration)); if (declWithExistingAnnotation && !isFunctionLikeDeclaration(declWithExistingAnnotation) && !isGetAccessorDeclaration(declWithExistingAnnotation)) { const existing = getEffectiveTypeAnnotationNode(declWithExistingAnnotation); if (typeNodeIsEquivalentToType(existing, declWithExistingAnnotation, type) && existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type)) { const result2 = serializeExistingTypeNode(context, existing, includePrivateSymbol, bundled); if (result2) { return result2; } } } } const oldFlags = context.flags; if (type.flags & 8192 && type.symbol === symbol && (!context.enclosingDeclaration || some(symbol.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(context.enclosingDeclaration)))) { context.flags |= 1048576; } const result = typeToTypeNodeHelper(type, context); context.flags = oldFlags; return result; } function typeNodeIsEquivalentToType(typeNode, annotatedDeclaration, type) { const typeFromTypeNode = getTypeFromTypeNode(typeNode); if (typeFromTypeNode === type) { return true; } if (isParameter(annotatedDeclaration) && annotatedDeclaration.questionToken) { return getTypeWithFacts(type, 524288) === typeFromTypeNode; } return false; } function serializeReturnTypeForSignature(context, type, signature, includePrivateSymbol, bundled) { if (!isErrorType(type) && context.enclosingDeclaration) { const annotation = signature.declaration && getEffectiveReturnTypeNode(signature.declaration); const enclosingDeclarationIgnoringFakeScope = getEnclosingDeclarationIgnoringFakeScope(context.enclosingDeclaration); if (!!findAncestor(annotation, (n) => n === enclosingDeclarationIgnoringFakeScope) && annotation) { const annotated = getTypeFromTypeNode(annotation); const thisInstantiated = annotated.flags & 262144 && annotated.isThisType ? instantiateType(annotated, signature.mapper) : annotated; if (thisInstantiated === type && existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(annotation, type)) { const result = serializeExistingTypeNode(context, annotation, includePrivateSymbol, bundled); if (result) { return result; } } } } return typeToTypeNodeHelper(type, context); } function trackExistingEntityName(node, context, includePrivateSymbol) { 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 sym = resolveEntityName(leftmost, 67108863, true, true); if (sym) { if (isSymbolAccessible(sym, context.enclosingDeclaration, 67108863, false).accessibility !== 0) { introducesError = true; } else { context.tracker.trackSymbol(sym, context.enclosingDeclaration, 67108863); includePrivateSymbol == null ? void 0 : includePrivateSymbol(sym); } if (isIdentifier(node)) { const type = getDeclaredTypeOfSymbol(sym); const name = sym.flags & 262144 && !isTypeSymbolAccessible(type.symbol, context.enclosingDeclaration) ? typeParameterToName(type, context) : factory.cloneNode(node); name.symbol = sym; return { introducesError, node: setEmitFlags(setOriginalNode(name, node), 33554432) }; } } return { introducesError, node }; } function serializeExistingTypeNode(context, existing, includePrivateSymbol, bundled) { if (cancellationToken && cancellationToken.throwIfCancellationRequested) { cancellationToken.throwIfCancellationRequested(); } let hadError = false; const file = getSourceFileOfNode(existing); const transformed = visitNode(existing, visitExistingNodeTreeSymbols, isTypeNode); if (hadError) { return void 0; } return transformed === existing ? setTextRange(factory.cloneNode(existing), existing) : transformed; function visitExistingNodeTreeSymbols(node) { if (isJSDocAllType(node) || node.kind === 322) { return factory.createKeywordTypeNode(131); } if (isJSDocUnknownType(node)) { return factory.createKeywordTypeNode(157); } 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(155)]); } 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 = isIdentifier(t.name) ? t.name : t.name.right; const typeViaParent = getTypeOfPropertyOfType(getTypeFromTypeNode(node), name.escapedText); const overrideTypeNode = typeViaParent && t.typeExpression && getTypeFromTypeNode(t.typeExpression.type) !== typeViaParent ? typeToTypeNodeHelper(typeViaParent, context) : void 0; return factory.createPropertySignature(void 0, name, t.isBracketed || t.typeExpression && isJSDocOptionalType(t.typeExpression.type) ? factory.createToken(57) : void 0, overrideTypeNode || t.typeExpression && visitNode(t.typeExpression.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode(131)); })); } if (isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "") { return setOriginalNode(factory.createKeywordTypeNode(131), node); } if ((isExpressionWithTypeArguments(node) || isTypeReferenceNode(node)) && isJSDocIndexSignature(node)) { return factory.createTypeLiteralNode([factory.createIndexSignature(void 0, [factory.createParameterDeclaration(void 0, void 0, "x", 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(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(void 0, getEffectiveDotDotDotForParameter(p), getNameForJSDocFunctionParameter(p, i), p.questionToken, visitNode(p.type, visitExistingNodeTreeSymbols, isTypeNode), void 0)), visitNode(newTypeNode || node.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode(131)); } else { return factory.createFunctionTypeNode(visitNodes2(node.typeParameters, visitExistingNodeTreeSymbols, isTypeParameterDeclaration), map(node.parameters, (p, i) => factory.createParameterDeclaration(void 0, getEffectiveDotDotDotForParameter(p), getNameForJSDocFunctionParameter(p, i), p.questionToken, visitNode(p.type, visitExistingNodeTreeSymbols, isTypeNode), void 0)), visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode(131)); } } if (isTypeReferenceNode(node) && isInJSDoc(node) && (!existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(node, getTypeFromTypeNode(node)) || getIntendedTypeFromJSDocTypeReference(node) || unknownSymbol === resolveTypeReferenceName(node, 788968, true))) { return setOriginalNode(typeToTypeNodeHelper(getTypeFromTypeNode(node), context), node); } if (isLiteralImportTypeNode(node)) { const nodeSymbol = getNodeLinks(node).resolvedSymbol; if (isInJSDoc(node) && nodeSymbol && (!node.isTypeOf && !(nodeSymbol.flags & 788968) || !(length(node.typeArguments) >= getMinTypeArgumentCount(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(nodeSymbol))))) { return setOriginalNode(typeToTypeNodeHelper(getTypeFromTypeNode(node), context), node); } return factory.updateImportTypeNode(node, factory.updateLiteralTypeNode(node.argument, rewriteModuleSpecifier(node, node.argument.literal)), node.assertions, node.qualifier, visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode), node.isTypeOf); } if (isEntityName(node) || isEntityNameExpression(node)) { const { introducesError, node: result } = trackExistingEntityName(node, context, includePrivateSymbol); hadError = hadError || introducesError; if (result !== node) { return result; } } if (file && isTupleTypeNode(node) && getLineAndCharacterOfPosition(file, node.pos).line === getLineAndCharacterOfPosition(file, node.end).line) { setEmitFlags(node, 1); } return visitEachChild(node, visitExistingNodeTreeSymbols, nullTransformationContext); function getEffectiveDotDotDotForParameter(p) { return p.dotDotDotToken || (p.type && isJSDocVariadicType(p.type) ? factory.createToken(25) : 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 (bundled) { if (context.tracker && context.tracker.moduleResolverHost) { const targetFile = getExternalModuleFileFromDeclaration(parent2); if (targetFile) { const getCanonicalFileName = createGetCanonicalFileName(!!host.useCaseSensitiveFileNames); const resolverHost = { getCanonicalFileName, getCurrentDirectory: () => context.tracker.moduleResolverHost.getCurrentDirectory(), getCommonSourceDirectory: () => context.tracker.moduleResolverHost.getCommonSourceDirectory() }; const newName = getResolvedExternalModuleName(resolverHost, targetFile); return factory.createStringLiteral(newName); } } } else { if (context.tracker && context.tracker.trackExternalModuleSymbolOfImportTypeNode) { const moduleSym = resolveExternalModuleNameWorker(lit, lit, void 0); if (moduleSym) { context.tracker.trackExternalModuleSymbolOfImportTypeNode(moduleSym); } } } return lit; } } } function symbolTableToDeclarationStatements(symbolTable, context, bundled) { const serializePropertySymbolForClass = makeSerializePropertySymbol(factory.createPropertyDeclaration, 171, true); const serializePropertySymbolForInterfaceWorker = makeSerializePropertySymbol((mods, name, question, type) => factory.createPropertySignature(mods, name, question, type), 170, 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(), tracker: void 0 }; const tracker = { ...oldcontext.tracker.inner, trackSymbol: (sym, decl, meaning) => { var _a2; const accessibleResult = isSymbolAccessible(sym, decl, meaning, false); if (accessibleResult.accessibility === 0) { const chain = lookupSymbolChainWorker(sym, context, meaning); if (!(sym.flags & 4)) { includePrivateSymbol(chain[0]); } } else if ((_a2 = oldcontext.tracker.inner) == null ? void 0 : _a2.trackSymbol) { return oldcontext.tracker.inner.trackSymbol(sym, decl, meaning); } return false; } }; context.tracker = new SymbolTrackerImpl(context, tracker, oldcontext.tracker.moduleResolverHost); forEachEntry(symbolTable, (symbol, name) => { const baseName = unescapeLeadingUnderscores(name); void getInternalSymbolName(symbol, baseName); }); let addingDeclare = !bundled; const exportEquals = symbolTable.get("export="); if (exportEquals && symbolTable.size > 1 && exportEquals.flags & 2097152) { symbolTable = createSymbolTable(); symbolTable.set("export=", exportEquals); } visitSymbolTable(symbolTable); return mergeRedundantStatements(results); function isIdentifierAndNotUndefined(node) { return !!node && node.kind === 79; } 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) & 1)); 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(void 0, false, factory.createNamedExports(map(flatMap(excessExports, (e) => getNamesOfDeclaration(e)), (id) => factory.createExportSpecifier(false, void 0, id))), 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, 1) || isExportAssignment(s) || isExportDeclaration(s)); forEach(body.statements, (s) => { addResult(s, mixinExportFlag ? 1 : 0); }); statements = [...filter(statements, (s) => s !== ns && s !== exportAssignment), ...results]; } } return statements; } function mergeExportDeclarations(statements) { const exports = filter(statements, (d) => isExportDeclaration(d) && !d.moduleSpecifier && !!d.exportClause && isNamedExports(d.exportClause)); if (length(exports) > 1) { const nonExports = filter(statements, (d) => !isExportDeclaration(d) || !!d.moduleSpecifier || !d.exportClause); statements = [...nonExports, factory.createExportDeclaration(void 0, false, factory.createNamedExports(flatMap(exports, (e) => cast(e.exportClause, isNamedExports).elements)), 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) => isStringLiteral(decl.moduleSpecifier) ? ">" + decl.moduleSpecifier.text : ">"); if (groups.length !== reexports.length) { for (const group2 of groups) { if (group2.length > 1) { statements = [ ...filter(statements, (s) => group2.indexOf(s) === -1), factory.createExportDeclaration(void 0, 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.assertClause && !!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.assertClause); } } 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) | 1) & ~2; return factory.updateModifiers(node, flags); } function removeExportModifier(node) { const flags = getEffectiveModifierFlags(node) & ~1; return factory.updateModifiers(node, flags); } function visitSymbolTable(symbolTable2, suppressNewPrivateContext, propertyAsAlias) { if (!suppressNewPrivateContext) { deferredPrivatesStack.push(/* @__PURE__ */ new Map()); } symbolTable2.forEach((symbol) => { serializeSymbol(symbol, false, !!propertyAsAlias); }); if (!suppressNewPrivateContext) { deferredPrivatesStack[deferredPrivatesStack.length - 1].forEach((symbol) => { serializeSymbol(symbol, true, !!propertyAsAlias); }); deferredPrivatesStack.pop(); } } function serializeSymbol(symbol, isPrivate, propertyAsAlias) { 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 oldContext = context; context = cloneNodeBuilderContext(context); serializeSymbolWorker(symbol, isPrivate, propertyAsAlias); if (context.reportedDiagnostic) { oldcontext.reportedDiagnostic = context.reportedDiagnostic; } context = oldContext; } } function serializeSymbolWorker(symbol, isPrivate, propertyAsAlias) { var _a2, _b, _c, _d; const symbolName2 = unescapeLeadingUnderscores(symbol.escapedName); const isDefault = symbol.escapedName === "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 ? 1 : 0) | (isDefault && !needsPostExportDefault ? 1024 : 0); const isConstMergedWithNS = symbol.flags & 1536 && symbol.flags & (2 | 1 | 4) && symbol.escapedName !== "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) && symbol.escapedName !== "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 (!(symbol.flags & 16) && isTypeRepresentableAsFunctionNamespaceMerge(type, symbol)) { serializeAsFunctionNamespaceMerge(type, symbol, localName, modifierFlags); } else { const flags = !(symbol.flags & 2) ? ((_a2 = symbol.parent) == null ? void 0 : _a2.valueDeclaration) && isSourceFile((_b = symbol.parent) == null ? void 0 : _b.valueDeclaration) ? 2 : void 0 : isConstVariable(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 = (_c = symbol.declarations) == null ? void 0 : _c.find(isPropertyAccessExpression); if (propertyAccessRequire && isBinaryExpression(propertyAccessRequire.parent) && isIdentifier(propertyAccessRequire.parent.right) && ((_d = type.symbol) == null ? void 0 : _d.valueDeclaration) && isSourceFile(type.symbol.valueDeclaration)) { const alias = localName === propertyAccessRequire.parent.right.escapedText ? void 0 : propertyAccessRequire.parent.right; addResult(factory.createExportDeclaration(void 0, false, factory.createNamedExports([factory.createExportSpecifier(false, alias, localName)])), 0); context.tracker.trackSymbol(type.symbol, context.enclosingDeclaration, 111551); } else { const statement = setTextRange(factory.createVariableStatement(void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration(name, void 0, serializeTypeForDeclaration(context, type, symbol, enclosingDeclaration, includePrivateSymbol, bundled)) ], flags)), textRange); addResult(statement, name !== localName ? modifierFlags & ~1 : modifierFlags); if (name !== localName && !isPrivate) { addResult(factory.createExportDeclaration(void 0, false, factory.createNamedExports([factory.createExportSpecifier(false, name, localName)])), 0); 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(void 0, node.isTypeOnly, void 0, factory.createStringLiteral(getSpecifierForModuleSymbol(resolvedModule, context))), 0); } } } if (needsPostExportDefault) { addResult(factory.createExportAssignment(void 0, false, factory.createIdentifier(getInternalSymbolName(symbol, symbolName2))), 0); } else if (needsExportDeclaration) { addResult(factory.createExportDeclaration(void 0, false, factory.createNamedExports([factory.createExportSpecifier(false, getInternalSymbolName(symbol, symbolName2), symbolName2)])), 0); } } function includePrivateSymbol(symbol) { if (some(symbol.declarations, isParameterDeclaration)) 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 & 1 && enclosingDeclaration2 && (isExportingScope(enclosingDeclaration2) || isModuleDeclaration(enclosingDeclaration2)) && canHaveExportModifier(node)) { newModifierFlags |= 1; } if (addingDeclare && !(newModifierFlags & 1) && (!enclosingDeclaration2 || !(enclosingDeclaration2.flags & 16777216)) && (isEnumDeclaration(node) || isVariableStatement(node) || isFunctionDeclaration(node) || isClassDeclaration(node) || isModuleDeclaration(node))) { newModifierFlags |= 2; } if (additionalModifierFlags & 1024 && (isClassDeclaration(node) || isInterfaceDeclaration(node) || isFunctionDeclaration(node))) { newModifierFlags |= 1024; } if (newModifierFlags) { node = factory.updateModifiers(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) && serializeExistingTypeNode(context, jsdocAliasDecl.typeExpression.type, includePrivateSymbol, bundled) || typeToTypeNodeHelper(aliasType, context); addResult(setSyntheticLeadingComments(factory.createTypeAliasDeclaration(void 0, getInternalSymbolName(symbol, symbolName2), typeParamDecls, typeNode), !commentText ? [] : [{ kind: 3, text: "* * " + commentText.replace(/ /g, " * ") + " ", 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, 176); const constructSignatures = serializeSignatures(1, interfaceType, baseType, 177); const indexSignatures = serializeIndexSignatures(interfaceType, baseType); const heritageClauses = !length(baseTypes) ? void 0 : [factory.createHeritageClause(94, mapDefined(baseTypes, (b) => trySerializeAsTypeReference(b, 111551)))]; addResult(factory.createInterfaceDeclaration(void 0, getInternalSymbolName(symbol, symbolName2), typeParamDecls, heritageClauses, [...indexSignatures, ...constructSignatures, ...callSignatures, ...members]), modifierFlags); } function getNamespaceMembersForSerialization(symbol) { return !symbol.exports ? [] : filter(arrayFrom(symbol.exports.values()), isNamespaceMember); } function isTypeOnlyNamespace(symbol) { return every(getNamespaceMembersForSerialization(symbol), (m) => !(getAllSymbolFlags(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(void 0, false, factory.createNamedExports(mapDefined(filter(mergedMembers, (n) => n.escapedName !== "export="), (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, true); includePrivateSymbol(target || s); const targetName = target ? getInternalSymbolName(target, unescapeLeadingUnderscores(target.escapedName)) : localName2; return factory.createExportSpecifier(false, name === targetName ? void 0 : targetName, name); })))]); addResult(factory.createModuleDeclaration(void 0, factory.createIdentifier(localName), nsBody, 16), 0); } } function serializeEnum(symbol, symbolName2, modifierFlags) { addResult(factory.createEnumDeclaration(factory.createModifiersFromModifierFlags(isConstEnumSymbol(symbol) ? 2048 : 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); for (const sig of signatures) { const decl = signatureToSignatureDeclarationHelper(sig, 259, context, { name: factory.createIdentifier(localName), privateSymbolVisitor: includePrivateSymbol, bundledImports: bundled }); addResult(setTextRange(decl, getSignatureTextRangeLocation(sig)), modifierFlags); } if (!(symbol.flags & (512 | 1024) && !!symbol.exports && !!symbol.exports.size)) { const props = filter(getPropertiesOfType(type), isNamespaceMember); serializeAsNamespaceDeclaration(props, localName, modifierFlags, 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(void 0, factory.createIdentifier(localName), factory.createModuleBlock([]), 16); 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, true); context = oldContext; addingDeclare = oldAddingDeclare; const declarations = results; results = oldResults; const defaultReplaced = map(declarations, (d) => isExportAssignment(d) && !d.isExportEquals && isIdentifier(d.expression) ? factory.createExportDeclaration(void 0, false, factory.createNamedExports([factory.createExportSpecifier(false, d.expression, factory.createIdentifier("default"))])) : d); const exportModifierStripped = every(defaultReplaced, (d) => hasSyntacticModifier(d, 1)) ? 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(void 0); } let introducesError; ({ introducesError, node: expr } = trackExistingEntityName(expr, context, includePrivateSymbol)); if (introducesError) { return cleanup(void 0); } } return cleanup(factory.createExpressionWithTypeArguments(expr, map(e.typeArguments, (a) => serializeExistingTypeNode(context, a, includePrivateSymbol, bundled) || typeToTypeNodeHelper(getTypeFromTypeNode(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 = 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) : anyType; const heritageClauses = [ ...!length(baseTypes) ? [] : [factory.createHeritageClause(94, map(baseTypes, (b) => serializeBaseType(b, staticBaseType, localName)))], ...!length(implementsExpressions) ? [] : [factory.createHeritageClause(117, 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(void 0, factory.createPrivateIdentifier("#private"), void 0, void 0, void 0)] : emptyArray; const publicProperties = flatMap(publicSymbolProps, (p) => serializePropertySymbolForClass(p, false, baseTypes[0])); const staticMembers = flatMap(filter(getPropertiesOfType(staticType), (p) => !(p.flags & 4194304) && p.escapedName !== "prototype" && !isNamespaceMember(p)), (p) => serializePropertySymbolForClass(p, true, staticBaseType)); const isNonConstructableClassLikeInJsFile = !isClass && !!symbol.valueDeclaration && isInJSFile(symbol.valueDeclaration) && !some(getSignaturesOfType(staticType, 1)); const constructors = isNonConstructableClassLikeInJsFile ? [factory.createConstructorDeclaration(factory.createModifiersFromModifierFlags(8), [], void 0)] : serializeSignatures(1, staticType, staticBaseType, 173); const indexSignatures = serializeIndexSignatures(classType, baseTypes[0]); context.enclosingDeclaration = oldEnclosing; addResult(setTextRange(factory.createClassDeclaration(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; const node = getDeclarationOfAliasSymbol(symbol); if (!node) return Debug.fail(); const target = getMergedSymbol(getTargetOfAliasDeclaration(node, true)); if (!target) { return; } let verbatimTargetName = isShorthandAmbientModuleSymbol(target) && getSomeTargetNameFromDeclarations(symbol.declarations) || unescapeLeadingUnderscores(target.escapedName); if (verbatimTargetName === "export=" && (getESModuleInterop(compilerOptions) || compilerOptions.allowSyntheticDefaultImports)) { verbatimTargetName = "default"; } const targetName = getInternalSymbolName(target, verbatimTargetName); includePrivateSymbol(target); switch (node.kind) { case 205: if (((_b = (_a2 = node.parent) == null ? void 0 : _a2.parent) == null ? void 0 : _b.kind) === 257) { const specifier2 = getSpecifierForModuleSymbol(target.parent || target, context); const { propertyName } = node; addResult(factory.createImportDeclaration(void 0, factory.createImportClause(false, void 0, factory.createNamedImports([factory.createImportSpecifier(false, propertyName && isIdentifier(propertyName) ? factory.createIdentifier(idText(propertyName)) : void 0, factory.createIdentifier(localName))])), factory.createStringLiteral(specifier2), void 0), 0); break; } Debug.failBadSyntaxKind(((_c = node.parent) == null ? void 0 : _c.parent) || node, "Unhandled binding element grandparent kind in declaration serialization"); break; case 300: if (((_e = (_d = node.parent) == null ? void 0 : _d.parent) == null ? void 0 : _e.kind) === 223) { serializeExportSpecifier(unescapeLeadingUnderscores(symbol.escapedName), targetName); } break; case 257: if (isPropertyAccessExpression(node.initializer)) { const initializer = node.initializer; const uniqueName = factory.createUniqueName(localName); const specifier2 = getSpecifierForModuleSymbol(target.parent || target, context); addResult(factory.createImportEqualsDeclaration(void 0, false, uniqueName, factory.createExternalModuleReference(factory.createStringLiteral(specifier2))), 0); addResult(factory.createImportEqualsDeclaration(void 0, false, factory.createIdentifier(localName), factory.createQualifiedName(uniqueName, initializer.name)), modifierFlags); break; } case 268: 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(void 0, false, factory.createIdentifier(localName), isLocalImport ? symbolToName(target, context, 67108863, false) : factory.createExternalModuleReference(factory.createStringLiteral(getSpecifierForModuleSymbol(target, context)))), isLocalImport ? modifierFlags : 0); break; case 267: addResult(factory.createNamespaceExportDeclaration(idText(node.name)), 0); break; case 270: { const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context); const specifier2 = bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.moduleSpecifier; addResult(factory.createImportDeclaration(void 0, factory.createImportClause(false, factory.createIdentifier(localName), void 0), specifier2, node.parent.assertClause), 0); break; } case 271: { const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context); const specifier2 = bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.parent.moduleSpecifier; addResult(factory.createImportDeclaration(void 0, factory.createImportClause(false, void 0, factory.createNamespaceImport(factory.createIdentifier(localName))), specifier2, node.parent.parent.assertClause), 0); break; } case 277: addResult(factory.createExportDeclaration(void 0, false, factory.createNamespaceExport(factory.createIdentifier(localName)), factory.createStringLiteral(getSpecifierForModuleSymbol(target, context))), 0); break; case 273: { const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context); const specifier2 = bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.parent.parent.moduleSpecifier; addResult(factory.createImportDeclaration(void 0, factory.createImportClause(false, void 0, factory.createNamedImports([ factory.createImportSpecifier(false, localName !== verbatimTargetName ? factory.createIdentifier(verbatimTargetName) : void 0, factory.createIdentifier(localName)) ])), specifier2, node.parent.parent.parent.assertClause), 0); break; } case 278: const specifier = node.parent.parent.moduleSpecifier; serializeExportSpecifier(unescapeLeadingUnderscores(symbol.escapedName), specifier ? verbatimTargetName : targetName, specifier && isStringLiteralLike(specifier) ? factory.createStringLiteral(specifier.text) : void 0); break; case 274: serializeMaybeAliasAssignment(symbol); break; case 223: case 208: case 209: 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(void 0, false, factory.createNamedExports([factory.createExportSpecifier(false, localName !== targetName ? targetName : void 0, localName)]), specifier), 0); } function serializeMaybeAliasAssignment(symbol) { 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, 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, 67108863, true, true, enclosingDeclaration); if (referenced || target) { includePrivateSymbol(referenced || target); } const prevDisableTrackSymbol = context.tracker.disableTrackSymbol; context.tracker.disableTrackSymbol = true; if (isExportAssignmentCompatibleSymbolName) { results.push(factory.createExportAssignment(void 0, isExportEquals, symbolToExpression(target, context, 67108863))); } 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(void 0, false, factory.createIdentifier(varName), symbolToName(target, context, 67108863, false)), 0); 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 : 1); } else { const statement = factory.createVariableStatement(void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration(varName, void 0, serializeTypeForDeclaration(context, typeToSerialize, symbol, enclosingDeclaration, includePrivateSymbol, bundled)) ], 2)); addResult(statement, target && target.flags & 4 && target.escapedName === "export=" ? 2 : name === varName ? 1 : 0); } if (isExportAssignmentCompatibleSymbolName) { results.push(factory.createExportAssignment(void 0, isExportEquals, factory.createIdentifier(varName))); return true; } else if (name !== varName) { serializeExportSpecifier(name, varName); return true; } return false; } } function isTypeRepresentableAsFunctionNamespaceMerge(typeToSerialize, hostSymbol) { const ctxSrc = getSourceFileOfNode(context.enclosingDeclaration); return getObjectFlags(typeToSerialize) & (16 | 32) && !length(getIndexInfosOfType(typeToSerialize)) && !isClassInstanceSide(typeToSerialize) && !!(length(filter(getPropertiesOfType(typeToSerialize), isNamespaceMember)) || length(getSignaturesOfType(typeToSerialize, 0))) && !length(getSignaturesOfType(typeToSerialize, 1)) && !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) => isIdentifierText(symbolName(p), languageVersion)); } function makeSerializePropertySymbol(createProperty2, methodKind, useAccessors) { return function serializePropertySymbol(p, isStatic2, baseType) { var _a2, _b, _c, _d, _e; const modifierFlags = getDeclarationModifierFlagsFromSymbol(p); const isPrivate = !!(modifierFlags & 8); if (isStatic2 && p.flags & (788968 | 1920 | 2097152)) { return []; } if (p.flags & 4194304 || 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 & ~512 | (isStatic2 ? 32 : 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) { result.push(setTextRange(factory.createSetAccessorDeclaration(factory.createModifiersFromModifierFlags(flag), name, [factory.createParameterDeclaration(void 0, void 0, "arg", void 0, isPrivate ? void 0 : serializeTypeForDeclaration(context, getTypeOfSymbol(p), p, enclosingDeclaration, includePrivateSymbol, bundled))], void 0), ((_b = p.declarations) == null ? void 0 : _b.find(isSetAccessor)) || firstPropertyLikeDecl)); } if (p.flags & 32768) { const isPrivate2 = modifierFlags & 8; result.push(setTextRange(factory.createGetAccessorDeclaration(factory.createModifiersFromModifierFlags(flag), name, [], isPrivate2 ? void 0 : serializeTypeForDeclaration(context, getTypeOfSymbol(p), p, enclosingDeclaration, includePrivateSymbol, bundled), void 0), ((_c = p.declarations) == null ? void 0 : _c.find(isGetAccessor)) || firstPropertyLikeDecl)); } return result; } else if (p.flags & (4 | 3 | 98304)) { return setTextRange(createProperty2(factory.createModifiersFromModifierFlags((isReadonlySymbol(p) ? 64 : 0) | flag), name, p.flags & 16777216 ? factory.createToken(57) : void 0, isPrivate ? void 0 : serializeTypeForDeclaration(context, getWriteTypeOfSymbol(p), p, enclosingDeclaration, includePrivateSymbol, bundled), 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); if (flag & 8) { return setTextRange(createProperty2(factory.createModifiersFromModifierFlags((isReadonlySymbol(p) ? 64 : 0) | flag), name, p.flags & 16777216 ? factory.createToken(57) : void 0, void 0, 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(57) : void 0, modifiers: flag ? factory.createModifiersFromModifierFlags(flag) : void 0 }); const location = sig.declaration && isPrototypePropertyAssignment(sig.declaration.parent) ? sig.declaration.parent : sig.declaration; results2.push(setTextRange(decl, location)); } return results2; } return Debug.fail(`Unhandled class member kind! ${p.__debugFlags || p.flags}`); }; } function serializePropertySymbolForInterface(p, baseType) { return serializePropertySymbolForInterfaceWorker(p, 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); 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], false, false, true, compareTypesIdentical)) { failed = true; break; } } if (!failed) { return []; } } } let privateProtected = 0; for (const s of signatures) { if (s.declaration) { privateProtected |= getSelectedEffectiveModifierFlags(s.declaration, 8 | 16); } } if (privateProtected) { return [setTextRange(factory.createConstructorDeclaration(factory.createModifiersFromModifierFlags(privateProtected), [], void 0), signatures[0].declaration)]; } } const results2 = []; for (const sig of signatures) { const decl = signatureToSignatureDeclarationHelper(sig, outputKind, context); results2.push(setTextRange(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, void 0)); } return results2; } function serializeBaseType(t, staticType, rootName) { const ref = trySerializeAsTypeReference(t, 111551); if (ref) { return ref; } const tempName = getUnusedName(`${rootName}_base`); const statement = factory.createVariableStatement(void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration(tempName, void 0, typeToTypeNodeHelper(staticType, context)) ], 2)); addResult(statement, 0); return factory.createExpressionWithTypeArguments(factory.createIdentifier(tempName), 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); } else if (t.symbol && isSymbolAccessibleByFlags(t.symbol, enclosingDeclaration, flags)) { reference = symbolToExpression(t.symbol, context, 788968); } if (reference) { return factory.createExpressionWithTypeArguments(reference, typeArgs); } } function serializeImplementedType(t) { const ref = trySerializeAsTypeReference(t, 788968); if (ref) { return ref; } if (t.symbol) { return factory.createExpressionWithTypeArguments(symbolToExpression(t.symbol, context, 788968), 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 predicate = factory.createTypePredicateNode(typePredicate.kind === 2 || typePredicate.kind === 3 ? factory.createToken(129) : void 0, typePredicate.kind === 1 || typePredicate.kind === 3 ? factory.createIdentifier(typePredicate.parameterName) : factory.createThisTypeNode(), typePredicate.type && nodeBuilder.typeToTypeNode(typePredicate.type, enclosingDeclaration, toNodeBuilderFlags(flags) | 70221824 | 512)); const printer = createPrinterWithRemoveComments(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode(4, predicate, 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 ? booleanType : 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(nullType); if (flags & 32768) result.push(undefinedType); return result || types; } function visibilityToString(flags) { if (flags === 8) { return "private"; } if (flags === 16) { 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 === 265 && isExternalModuleAugmentation(node.parent.parent); } function isDefaultBindingContext(location) { return location.kind === 308 || 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 `"${escapeString(name, 34)}"`; } if (isNumericLiteralName(name) && startsWith(name, "-")) { return `[${name}]`; } return name; } if (nameType.flags & 8192) { return `[${getNameOfSymbolAsWritten(nameType.symbol, context)}]`; } } } function getNameOfSymbolAsWritten(symbol, context) { if (context && symbol.escapedName === "default" && !(context.flags & 16384) && (!(context.flags & 16777216) || !symbol.declarations || 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 (isCallExpression(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 === 257) { return declarationNameToString(declaration.parent.name); } switch (declaration.kind) { case 228: case 215: case 216: if (context && !context.encounteredError && !(context.flags & 131072)) { context.encounteredError = true; } return declaration.kind === 228 ? "(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 341: case 349: case 343: return !!(node.parent && node.parent.parent && node.parent.parent.parent && isSourceFile(node.parent.parent.parent)); case 205: return isDeclarationVisible(node.parent.parent); case 257: if (isBindingPattern(node.name) && !node.name.elements.length) { return false; } case 264: case 260: case 261: case 262: case 259: case 263: case 268: if (isExternalModuleAugmentation(node)) { return true; } const parent2 = getDeclarationContainer(node); if (!(getCombinedModifierFlags(node) & 1) && !(node.kind !== 268 && parent2.kind !== 308 && parent2.flags & 16777216)) { return isGlobalSourceFile(parent2); } return isDeclarationVisible(parent2); case 169: case 168: case 174: case 175: case 171: case 170: if (hasEffectiveModifier(node, 8 | 16)) { return false; } case 173: case 177: case 176: case 178: case 166: case 265: case 181: case 182: case 184: case 180: case 185: case 186: case 189: case 190: case 193: case 199: return isDeclarationVisible(node.parent); case 270: case 271: case 273: return false; case 165: case 308: case 267: return true; case 274: return false; default: return false; } } } function collectLinkedAliases(node, setVisibility) { let exportSymbol; if (node.parent && node.parent.kind === 274) { exportSymbol = resolveName(node, node.escapedText, 111551 | 788968 | 1920 | 2097152, void 0, node, false); } else if (node.parent.kind === 278) { exportSymbol = getTargetOfExportSpecifier(node.parent, 111551 | 788968 | 1920 | 2097152); } 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, void 0, void 0, 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(true); resolutionPropertyNames.push(propertyName); return true; } function findResolutionCycleStartIndex(target, propertyName) { for (let i = resolutionTargets.length - 1; i >= 0; 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 5: return !!getNodeLinks(target).resolvedEnumType; case 2: return !!getSymbolLinks(target).declaredType; case 1: return !!target.resolvedBaseConstructorType; case 3: return !!target.resolvedReturnType; case 4: return !!target.immediateBaseConstraint; case 6: return !!target.resolvedTypeArguments; case 7: return !!target.baseTypesResolved; case 8: return !!getSymbolLinks(target).writeType; case 9: 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 257: case 258: case 273: case 272: case 271: case 270: return false; default: return true; } }).parent; } function getTypeOfPrototypeProperty(prototype) { const classType = getDeclaredTypeOfSymbol(getParentOfSymbol(prototype)); return classType.typeParameters ? createTypeReference(classType, map(classType.typeParameters, (_) => anyType)) : classType; } function getTypeOfPropertyOfType(type, name) { const prop = getPropertyOfType(type, name); return prop ? getTypeOfSymbol(prop) : void 0; } function getTypeOfPropertyOrIndexSignature(type, name) { var _a2; return getTypeOfPropertyOfType(type, name) || ((_a2 = getApplicableIndexInfoForName(type, name)) == null ? void 0 : _a2.type) || unknownType; } 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, false, checkMode); } const symbol = getSymbolOfDeclaration(node); return symbol && getSymbolLinks(symbol).type || getTypeForVariableLikeDeclaration(node, 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 mapType(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); if (!isTypeAssignableTo(literalTypeFromProperty, omitKeyType) && !(getDeclarationModifierFlagsFromSymbol(prop) & (8 | 16)) && 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, 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) || unknownType, 32768); } function getNonUndefinedType(type) { const typeOrConstraint = someType(type, isGenericTypeWithUndefinedConstraint) ? mapType(type, (t) => t.flags & 465829888 ? getBaseConstraintOrType(t) : t) : type; return getTypeWithFacts(typeOrConstraint, 524288); } 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 205: case 299: return getSyntheticElementAccess(ancestor); case 206: return getSyntheticElementAccess(node.parent); case 257: return ancestor.initializer; case 223: return ancestor.right; } } function getDestructuringPropertyName(node) { const parent2 = node.parent; if (node.kind === 205 && parent2.kind === 203) { return getLiteralPropertyNameText(node.propertyName || node.name); } if (node.kind === 299 || node.kind === 300) { 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 ? 64 : 0; const parentType = getTypeForBindingElementParent(declaration.parent.parent, checkMode); return parentType && getBindingElementTypeFromParentType(declaration, parentType); } function getBindingElementTypeFromParentType(declaration, parentType) { if (isTypeAny(parentType)) { return parentType; } const pattern = declaration.parent; if (strictNullChecks && declaration.flags & 16777216 && isParameterDeclaration(declaration)) { parentType = getNonNullableType(parentType); } else if (strictNullChecks && pattern.parent.initializer && !(getTypeFacts(getTypeOfInitializer(pattern.parent.initializer)) & 65536)) { parentType = getTypeWithFacts(parentType, 524288); } let type; if (pattern.kind === 203) { if (declaration.dotDotDotToken) { parentType = getReducedType(parentType); if (parentType.flags & 2 || !isValidSpreadType(parentType)) { error(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, undefinedType, pattern); const index = pattern.elements.indexOf(declaration); if (declaration.dotDotDotToken) { const baseConstraint = getBaseConstraintOrType(parentType); type = everyType(baseConstraint, isTupleType) ? mapType(baseConstraint, (t) => sliceTupleType(t, index)) : createArrayType(elementType); } else if (isArrayLikeType(parentType)) { const indexType = getNumberLiteralType(index); const accessFlags = 32 | (hasDefaultValue(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 && !(getTypeFacts(checkDeclarationInitializer(declaration, 0)) & 16777216) ? getNonUndefinedType(type) : type; } return widenTypeInferredFromInitializer(declaration, getUnionType([getNonUndefinedType(type), checkDeclarationInitializer(declaration, 0)], 2)); } function getTypeForDeclarationFromJSDocComment(declaration) { const jsdocType = getJSDocType(declaration); if (jsdocType) { return getTypeFromTypeNode(jsdocType); } return void 0; } function isNullOrUndefined3(node) { const expr = skipParentheses(node, true); return expr.kind === 104 || expr.kind === 79 && getResolvedSymbol(expr) === undefinedSymbol; } function isEmptyArrayLiteral2(node) { const expr = skipParentheses(node, true); return expr.kind === 206 && expr.elements.length === 0; } function addOptionality(type, isProperty = false, isOptional = true) { return strictNullChecks && isOptional ? getOptionalType(type, isProperty) : type; } function getTypeForVariableLikeDeclaration(declaration, includeOptionality, checkMode) { if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 246) { const indexType = getIndexType(getNonNullableTypeIfNeeded(checkExpression(declaration.parent.parent.expression, checkMode))); return indexType.flags & (262144 | 4194304) ? getExtractStringType(indexType) : stringType; } if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 247) { const forOfStatement = declaration.parent.parent; return checkRightHandSideOfForOf(forOfStatement) || anyType; } if (isBindingPattern(declaration.parent)) { return getTypeForBindingElement(declaration); } const isProperty = 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 === unknownType ? declaredType : errorType; } return useUnknownInCatchVariables ? unknownType : anyType; } if (declaredType) { return addOptionality(declaredType, isProperty, isOptional); } if ((noImplicitAny || isInJSFile(declaration)) && isVariableDeclaration(declaration) && !isBindingPattern(declaration.name) && !(getCombinedModifierFlags(declaration) & 1) && !(declaration.flags & 16777216)) { if (!(getCombinedNodeFlags(declaration) & 2) && (!declaration.initializer || isNullOrUndefined3(declaration.initializer))) { return autoType; } if (declaration.initializer && isEmptyArrayLiteral2(declaration.initializer)) { return autoArrayType; } } if (isParameter(declaration)) { const func = declaration.parent; if (func.kind === 175 && hasBindableName(func)) { const getter = getDeclarationOfKind(getSymbolOfDeclaration(declaration.parent), 174); 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, 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, isProperty, isOptional); } if (isPropertyDeclaration(declaration) && (noImplicitAny || isInJSFile(declaration))) { if (!hasStaticModifier(declaration)) { const constructor = findConstructorDeclaration(declaration.parent); const type = constructor ? getFlowTypeInConstructor(declaration.symbol, constructor) : getEffectiveModifierFlags(declaration) & 2 ? getTypeOfPropertyInBaseClass(declaration.symbol) : void 0; return type && addOptionality(type, true, isOptional); } else { const staticBlocks = filter(declaration.parent.members, isClassStaticBlockDeclaration); const type = staticBlocks.length ? getFlowTypeInStaticBlocks(declaration.symbol, staticBlocks) : getEffectiveModifierFlags(declaration) & 2 ? getTypeOfPropertyInBaseClass(declaration.symbol) : void 0; return type && addOptionality(type, true, isOptional); } } if (isJsxAttribute(declaration)) { return trueType; } if (isBindingPattern(declaration.name)) { return getTypeFromBindingPattern(declaration.name, false, 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 !== 209 || isStringOrNumericLiteralLike(declaration.left.argumentExpression)) && !getAnnotatedTypeForAssignmentDeclaration(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, false, false); if (container && (container.kind === 173 || 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, undefinedType); } function getFlowTypeInStaticBlocks(symbol, staticBlocks) { const accessName = startsWith(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)) { error(symbol.valueDeclaration, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString(symbol), typeToString(flowType)); } if (everyType(flowType, isNullableType)) { continue; } return convertAutoToAny(flowType); } } function getFlowTypeInConstructor(symbol, constructor) { const accessName = startsWith(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)) { error(symbol.valueDeclaration, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString(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) & 2) && getTypeOfPropertyInBaseClass(prop) || undefinedType; 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) || isCallExpression(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 (!isCallExpression(expression)) { jsdocType = getAnnotatedTypeForAssignmentDeclaration(jsdocType, expression, symbol, declaration); } if (!jsdocType) { (types || (types = [])).push(isBinaryExpression(expression) || isCallExpression(expression) ? getInitializerTypeFromAssignmentDeclaration(symbol, resolvedSymbol, expression, kind) : neverType); } } 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, false, definedInMethod && !definedInConstructor)); if (symbol.valueDeclaration && filterType(widened, (t) => !!(t.flags & ~98304)) === neverType) { reportImplicitAny(symbol.valueDeclaration, anyType); return anyType; } return widened; } function getJSContainerObjectType(decl, symbol, init) { var _a2, _b; if (!isInJSFile(decl) || !init || !isObjectLiteralExpression(init) || init.properties.length) { return void 0; } const exports = createSymbolTable(); while (isBinaryExpression(decl) || isPropertyAccessExpression(decl)) { const s2 = getSymbolOfNode(decl); if ((_a2 = s2 == null ? void 0 : s2.exports) == null ? void 0 : _a2.size) { mergeSymbolTable(exports, 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(exports, s.exports); } const type = createAnonymousType(symbol, exports, emptyArray, emptyArray, emptyArray); type.objectFlags |= 4096; return type; } function getAnnotatedTypeForAssignmentDeclaration(declaredType, expression, symbol, declaration) { var _a2; 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(void 0, declaredType, declaration, type); } } if ((_a2 = symbol.parent) == null ? void 0 : _a2.valueDeclaration) { const typeNode2 = getEffectiveTypeAnnotationNode(symbol.parent.valueDeclaration); if (typeNode2) { const annotationSymbol = getPropertyOfType(getTypeFromTypeNode(typeNode2), symbol.escapedName); if (annotationSymbol) { return getNonMissingTypeOfSymbol(annotationSymbol); } } } return declaredType; } function getInitializerTypeFromAssignmentDeclaration(symbol, resolvedSymbol, expression, kind) { if (isCallExpression(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 anyType; } if (containsSameNamedThisProperty(expression.left, expression.right)) { return anyType; } 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 _a2; 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 = ((_a2 = tryCast(exportedMember.valueDeclaration, isNamedDeclaration)) == null ? void 0 : _a2.name) || exportedMember.valueDeclaration; addRelatedInfo(error(s.valueDeclaration, Diagnostics.Duplicate_identifier_0, unescapedName), createDiagnosticForNode(exportedMemberName, Diagnostics._0_was_also_declared_here, unescapedName)); addRelatedInfo(error(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, 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 |= getObjectFlags(type) & 4096; 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 === 108 && forEachChildRecursively(expression, (n) => isMatchingReference(thisProperty, n)); } function isDeclarationInConstructor(expression) { const thisContainer = getThisContainer(expression, false, false); return thisContainer.kind === 173 || thisContainer.kind === 259 || thisContainer.kind === 215 && !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, true, false) : unknownType; return addOptionality(widenTypeInferredFromInitializer(element, checkDeclarationInitializer(element, 0, contextualType))); } if (isBindingPattern(element.name)) { return getTypeFromBindingPattern(element.name, includePatternInType, reportErrors2); } if (reportErrors2 && !declarationBelongsToPrivateAmbientMember(element)) { reportImplicitAny(element, anyType); } return includePatternInType ? nonInferrableAnyType : anyType; } 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(stringType, anyType, 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(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 === 205 && lastElement.dotDotDotToken ? lastElement : void 0; if (elements.length === 0 || elements.length === 1 && restElement) { return languageVersion >= 2 ? createIterableType(anyType) : anyArrayType; } const elementTypes = map(elements, (e) => isOmittedExpression(e) ? anyType : getTypeFromBindingElement(e, includePatternInType, reportErrors2)); const minLength = findLastIndex(elements, (e) => !(e === restElement || isOmittedExpression(e) || hasDefaultValue(e)), elements.length - 1) + 1; const elementFlags = map(elements, (e, i) => e === restElement ? 4 : i >= minLength ? 2 : 1); 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 === 203 ? getTypeFromObjectBindingPattern(pattern, includePatternInType, reportErrors2) : getTypeFromArrayBindingPattern(pattern, includePatternInType, reportErrors2); } function getWidenedTypeForVariableLikeDeclaration(declaration, reportErrors2) { return widenTypeForVariableLikeDeclaration(getTypeForVariableLikeDeclaration(declaration, true, 0), declaration, reportErrors2); } function isGlobalSymbolConstructor(node) { const symbol = getSymbolOfNode(node); const globalSymbol = getGlobalESSymbolConstructorTypeSymbol(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 : anyType; if (reportErrors2) { if (!declarationBelongsToPrivateAmbientMember(declaration)) { reportImplicitAny(declaration, type); } } return type; } function declarationBelongsToPrivateAmbientMember(declaration) { const root = getRootDeclaration(declaration); const memberDeclaration = root.kind === 166 ? root.parent : root; 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) { const links = getSymbolLinks(symbol); if (!links.type) { const type = getTypeOfVariableOrParameterOrPropertyWorker(symbol); if (!links.type && !isParameterOfContextSensitiveSignature(symbol)) { links.type = type; } return type; } return links.type; } function getTypeOfVariableOrParameterOrPropertyWorker(symbol) { if (symbol.flags & 4194304) { return getTypeOfPrototypeProperty(symbol); } if (symbol === requireSymbol) { return anyType; } 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)) { if (symbol.flags & 512 && !(symbol.flags & 67108864)) { return getTypeOfFuncClassEnumModule(symbol); } return reportCircularityError(symbol); } let type; if (declaration.kind === 274) { type = widenTypeForVariableLikeDeclaration(tryGetTypeFromEffectiveTypeNode(declaration) || checkExpressionCached(declaration.expression), declaration); } else if (isBinaryExpression(declaration) || isInJSFile(declaration) && (isCallExpression(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) || anyType; } 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); } else if (isObjectLiteralMethod(declaration)) { type = tryGetTypeFromEffectiveTypeNode(declaration) || checkObjectLiteralMethod(declaration, 0); } else if (isParameter(declaration) || isPropertyDeclaration(declaration) || isPropertySignature(declaration) || isVariableDeclaration(declaration) || isBindingElement(declaration) || isJSDocPropertyLikeTag(declaration)) { type = getWidenedTypeForVariableLikeDeclaration(declaration, 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); } return reportCircularityError(symbol); } return type; } function getAnnotatedAccessorTypeNode(accessor) { if (accessor) { switch (accessor.kind) { case 174: const getterTypeAnnotation = getEffectiveReturnTypeNode(accessor); return getterTypeAnnotation; case 175: const setterTypeAnnotation = getEffectiveSetAccessorTypeAnnotationNode(accessor); return setterTypeAnnotation; case 169: 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)) { return errorType; } const getter = getDeclarationOfKind(symbol, 174); const setter = getDeclarationOfKind(symbol, 175); const accessor = tryCast(getDeclarationOfKind(symbol, 169), isAutoAccessorPropertyDeclaration); let type = getter && isInJSFile(getter) && getTypeForDeclarationFromJSDocComment(getter) || getAnnotatedAccessorType(getter) || getAnnotatedAccessorType(setter) || getAnnotatedAccessorType(accessor) || getter && getter.body && getReturnTypeFromBody(getter) || accessor && accessor.initializer && getWidenedTypeForVariableLikeDeclaration(accessor, 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, symbolToString(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, symbolToString(symbol)); } else if (accessor && !isPrivateWithinAmbient(accessor)) { errorOrSuggestion(noImplicitAny, accessor, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString(symbol), "any"); } type = anyType; } if (!popTypeResolution()) { if (getAnnotatedAccessorTypeNode(getter)) { error(getter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString(symbol)); } else if (getAnnotatedAccessorTypeNode(setter)) { error(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString(symbol)); } else if (getAnnotatedAccessorTypeNode(accessor)) { error(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString(symbol)); } else if (getter && noImplicitAny) { error(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, symbolToString(symbol)); } type = anyType; } links.type = type; } return links.type; } function getWriteTypeOfAccessors(symbol) { var _a2; const links = getSymbolLinks(symbol); if (!links.writeType) { if (!pushTypeResolution(symbol, 8)) { return errorType; } const setter = (_a2 = getDeclarationOfKind(symbol, 175)) != null ? _a2 : tryCast(getDeclarationOfKind(symbol, 169), isAutoAccessorPropertyDeclaration); let writeType = getAnnotatedAccessorType(setter); if (!popTypeResolution()) { if (getAnnotatedAccessorTypeNode(setter)) { error(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString(symbol)); } writeType = anyType; } 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, 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 anyType; } else if (declaration && (declaration.kind === 223 || isAccessExpression(declaration) && declaration.parent.kind === 223)) { return getWidenedTypeForAssignmentDeclaration(symbol); } else if (symbol.flags & 512 && declaration && isSourceFile(declaration) && declaration.commonJsModuleIndicator) { const resolvedModule = resolveExternalModuleSymbol(symbol); if (resolvedModule !== symbol) { if (!pushTypeResolution(symbol, 0)) { return errorType; } const exportEquals = getMergedSymbol(symbol.exports.get("export=")); 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) : 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) { const targetSymbol = resolveAlias(symbol); const exportSymbol = symbol.declarations && getTargetOfAliasDeclaration(getDeclarationOfAliasSymbol(symbol), true); const declaredType = firstDefined(exportSymbol == null ? void 0 : exportSymbol.declarations, (d) => isExportAssignment(d) ? tryGetTypeFromEffectiveTypeNode(d) : void 0); links.type = (exportSymbol == null ? void 0 : exportSymbol.declarations) && isDuplicatedCommonJSExport(exportSymbol.declarations) && symbol.declarations.length ? getFlowTypeFromCommonJSExport(exportSymbol) : isDuplicatedCommonJSExport(symbol.declarations) ? autoType : declaredType ? declaredType : getAllSymbolFlags(targetSymbol) & 111551 ? getTypeOfSymbol(targetSymbol) : 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 (getEffectiveTypeAnnotationNode(declaration)) { error(symbol.valueDeclaration, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString(symbol)); return errorType; } if (noImplicitAny && (declaration.kind !== 166 || declaration.initializer)) { error(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, symbolToString(symbol)); } return anyType; } 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) : symbol.links.writeType || symbol.links.type : getTypeOfSymbol(symbol); } if (symbol.flags & 98304) { return checkFlags & 1 ? getWriteTypeOfInstantiatedSymbol(symbol) : getWriteTypeOfAccessors(symbol); } return getTypeOfSymbol(symbol); } function getTypeOfSymbol(symbol) { 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); } 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 260: case 228: case 261: case 176: case 177: case 170: case 181: case 182: case 320: case 259: case 171: case 215: case 216: case 262: case 348: case 349: case 343: case 341: case 197: case 191: { const outerTypeParameters = getOuterTypeParameters(node, includeThisTypes); if (node.kind === 197) { return append(outerTypeParameters, getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter))); } else if (node.kind === 191) { return concatenate(outerTypeParameters, getInferTypeParameters(node)); } const outerAndOwnTypeParameters = appendTypeParameters(outerTypeParameters, getEffectiveTypeParameterDeclarations(node)); const thisType = includeThisTypes && (node.kind === 260 || node.kind === 228 || node.kind === 261 || isJSConstructor(node)) && getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node)).thisType; return thisType ? append(outerAndOwnTypeParameters, thisType) : outerAndOwnTypeParameters; } case 344: const paramSymbol = getParameterSymbolFromJSDoc(node); if (paramSymbol) { node = paramSymbol.valueDeclaration; } break; case 323: { 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 _a2; const declaration = symbol.flags & 32 || symbol.flags & 16 ? symbol.valueDeclaration : (_a2 = symbol.declarations) == null ? void 0 : _a2.find((decl) => { if (decl.kind === 261) { return true; } if (decl.kind !== 257) { return false; } const initializer = decl.initializer; return !!initializer && (initializer.kind === 215 || initializer.kind === 216); }); 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 === 261 || node.kind === 260 || node.kind === 228 || 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); 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) === anyType; } } return false; } function isConstructorType(type) { if (getSignaturesOfType(type, 1).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), (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 = undefinedType; } if (!pushTypeResolution(type, 1)) { 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()) { error(type.symbol.valueDeclaration, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_base_expression, symbolToString(type.symbol)); return type.resolvedBaseConstructorType = errorType; } if (!(baseConstructorType.flags & 1) && baseConstructorType !== nullWideningType && !isConstructorType(baseConstructorType)) { const err = error(baseTypeNode.expression, Diagnostics.Type_0_is_not_a_constructor_function_type, typeToString(baseConstructorType)); if (baseConstructorType.flags & 262144) { const constraint = getConstraintFromTypeParameter(baseConstructorType); let ctorReturn = unknownType; if (constraint) { const ctorSig = getSignaturesOfType(constraint, 1); 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, symbolToString(baseConstructorType.symbol), typeToString(ctorReturn))); } } return type.resolvedBaseConstructorType = errorType; } 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) { error(node, Diagnostics.Type_0_recursively_references_itself_as_a_base_type, typeToString(type, void 0, 2)); } function getBaseTypes(type) { if (!type.baseTypesResolved) { if (pushTypeResolution(type, 7)) { 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 === 260 || declaration.kind === 261) { 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, numberType) : 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) { error(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(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)) { error(type.symbol.valueDeclaration, Diagnostics.Type_0_recursively_references_itself_as_a_base_type, typeToString(type, void 0, 2)); 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 === 261 && 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 { error(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 === 261) { if (declaration.flags & 128) { return false; } const baseTypeNodes = getInterfaceBaseTypeNodes(declaration); if (baseTypeNodes) { for (const node of baseTypeNodes) { if (isEntityNameExpression(node.expression)) { const baseSymbol = resolveEntityName(node.expression, 788968, 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 _a2; const links = getSymbolLinks(symbol); if (!links.declaredType) { if (!pushTypeResolution(symbol, 2)) { return errorType; } const declaration = Debug.checkDefined((_a2 = symbol.declarations) == null ? void 0 : _a2.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 === 343) { error(declaration.typeExpression.type, Diagnostics.Type_alias_0_circularly_references_itself, symbolToString(symbol)); } else { error(isNamedDeclaration(declaration) ? declaration.name || declaration : declaration, Diagnostics.Type_alias_0_circularly_references_itself, symbolToString(symbol)); } } 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 === 263) { for (const member of declaration.members) { if (hasBindableName(member)) { const memberSymbol = getSymbolOfDeclaration(member); const value = getEnumMemberValue(member); const memberType = getFreshTypeOfLiteralType(value !== void 0 ? getEnumLiteralType(value, getSymbolId(symbol), memberSymbol) : createComputedEnumType(memberSymbol)); getSymbolLinks(memberSymbol).declaredType = memberType; memberTypeList.push(getRegularTypeOfLiteralType(memberType)); } } } } } const enumType = memberTypeList.length ? getUnionType(memberTypeList, 1, symbol, void 0) : createComputedEnumType(symbol); if (enumType.flags & 1048576) { enumType.flags |= 1024; enumType.symbol = symbol; } links.declaredType = enumType; } 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 enumType = getDeclaredTypeOfEnum(getParentOfSymbol(symbol)); if (!links.declaredType) { links.declaredType = enumType; } } 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 131: case 157: case 152: case 148: case 160: case 134: case 153: case 149: case 114: case 155: case 144: case 198: return true; case 185: return isThislessType(node.elementType); case 180: 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 === 173 || !!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 169: case 168: return isThislessVariableLikeDeclaration(declaration); case 171: case 170: case 173: case 174: case 175: 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 s of baseSymbols) { if (!symbols.has(s.escapedName) && !isStaticPrivateIdentifierProperty(s)) { symbols.set(s.escapedName, s); } } } 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")); type.declaredConstructSignatures = getSignaturesOfSymbol(members.get("__new")); type.declaredIndexInfos = getIndexInfosOfSymbol(symbol); } return type; } function isTypeUsableAsPropertyName(type) { return !!(type.flags & 8576); } 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 getPropertyNameFromType(type) { if (type.flags & 8192) { return type.escapedName; } if (type.flags & (128 | 256)) { return escapeLeadingUnderscores("" + type.value); } return Debug.fail(); } 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)); const earlySymbol = earlySymbols && earlySymbols.get(memberName); if (lateSymbol.flags & getExcludedSymbolFlags(symbolFlags) || earlySymbol) { const declarations = earlySymbol ? concatenate(earlySymbol.declarations, lateSymbol.declarations) : lateSymbol.declarations; const name = !(type.flags & 8192) && unescapeLeadingUnderscores(memberName) || declarationNameToString(declName); forEach(declarations, (declaration) => error(getNameOfDeclaration(declaration) || declaration, Diagnostics.Property_0_was_also_declared_here, name)); error(declName || decl, Diagnostics.Duplicate_property_0, name); lateSymbol = createSymbol(0, memberName, 4096); } 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 = 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); } } } } links[resolutionKind] = combineSymbolTables(earlySymbols, lateSymbols) || emptySymbols; } return links[resolutionKind]; } function getMembersOfSymbol(symbol) { return symbol.flags & 6256 ? getResolvedMembersOrExportsOfSymbol(symbol, "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); if (length(target.typeParameters) === length(typeArguments)) { const ref = createTypeReference(target, concatenate(typeArguments, [thisArgument || target.thisType])); return needApparentType ? getApparentType(ref) : ref; } } 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, 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)) { members = createSymbolTable(source.declaredProperties); } 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)); constructSignatures = concatenate(constructSignatures, getSignaturesOfType(instantiatedBaseType, 1)); const inheritedIndexInfos = instantiatedBaseType !== anyType ? getIndexInfosOfType(instantiatedBaseType) : [createIndexInfo(stringType, anyType, 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 Signature15(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, void 0, void 0, sig.minArgumentCount, sig.flags & 39); 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 restType = getTypeOfSymbol(sig.parameters[restIndex]); if (isTupleType(restType)) { return [expandSignatureParametersWithTupleMembers(restType, restIndex)]; } else if (!skipUnionExpanding && restType.flags & 1048576 && every(restType.types, isTupleType)) { return map(restType.types, (t) => expandSignatureParametersWithTupleMembers(t, restIndex)); } } return [sig.parameters]; function expandSignatureParametersWithTupleMembers(restType, restIndex) { const elementTypes = getTypeArguments(restType); const associatedNames = restType.target.labeledElementDeclarations; const restParams = map(elementTypes, (t, i) => { const tupleLabelName = !!associatedNames && getTupleElementLabel(associatedNames[i]); const name = tupleLabelName || 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 getDefaultConstructSignatures(classType) { const baseConstructorType = getBaseConstructorTypeOfClass(classType); const baseSignatures = getSignaturesOfType(baseConstructorType, 1); const declaration = getClassLikeDeclarationOfSymbol(classType.symbol); const isAbstract = !!declaration && hasSyntacticModifier(declaration, 256); if (baseSignatures.length === 0) { return [createSignature(void 0, classType.localTypeParameters, void 0, emptyArray, classType, void 0, 0, isAbstract ? 4 : 0)]; } 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, false, false, 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, true, false, 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, false, false, 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) || unknownType, instantiateType(getConstraintFromTypeParameter(target) || unknownType, 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) || unknownType; 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}`); 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 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, void 0, void 0, minArgCount, (left.flags | right.flags) & 39); 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; } 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))); const constructSignatures = getUnionSignatures(map(type.types, (t) => getSignaturesOfType(t, 1))); 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).length > 0); const mixinFlags = map(types, isMixinConstructorType); if (constructorTypeCount > 0 && constructorTypeCount === countWhere(mixinFlags, (b) => b)) { const firstMixinIndex = mixinFlags.indexOf(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)[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); 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)); indexInfos = reduceLeft(getIndexInfosOfType(t), (infos, newInfo) => appendIndexInfo(infos, newInfo, 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, false, false, 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, false); const callSignatures = instantiateSignatures(getSignaturesOfType(type.target, 0), type.mapper); const constructSignatures = instantiateSignatures(getSignaturesOfType(type.target, 1), 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")); const constructSignatures = getSignaturesOfSymbol(members2.get("__new")); const indexInfos2 = getIndexInfosOfSymbol(symbol); setStructuredTypeMembers(type, members2, callSignatures, constructSignatures, indexInfos2); return; } let members = emptySymbols; let indexInfos; if (symbol.exports) { members = getExportsOfSymbol(symbol); if (symbol === globalThisSymbol) { const varsOnly = /* @__PURE__ */ new Map(); members.forEach((p) => { var _a2; if (!(p.flags & 418) && !(p.flags & 512 && ((_a2 = p.declarations) == null ? void 0 : _a2.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 === anyType) { baseConstructorIndexInfo = createIndexInfo(stringType, anyType, 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")) : 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, void 0, sig.minArgumentCount, sig.flags & 39) : 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 resolveReverseMappedTypeMembers(type) { const indexInfo = getIndexInfoOfType(type.source, stringType); const modifiers = getMappedTypeModifiers(type.mappedType); const readonlyMask = modifiers & 1 ? false : true; const optionalMask = modifiers & 4 ? 0 : 16777216; const indexInfos = indexInfo ? [createIndexInfo(stringType, inferReverseMappedType(indexInfo.type, type.mappedType, type.constraintType), readonlyMask && indexInfo.isReadonly)] : emptyArray; const members = createSymbolTable(); for (const prop of getPropertiesOfType(type.source)) { 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)); } } return type; } if (type.flags & 1048576) { return mapType(type, getLowerBoundOfKeyType, 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(stringType); } 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 nameType = getNameTypeFromMappedType(type.target || type); const isFilteringMappedType = nameType && isTypeAssignableTo(nameType, typeParameter); const templateType = getTemplateTypeFromMappedType(type.target || type); const modifiersType = getApparentType(getModifiersTypeFromMappedType(type)); const templateModifiers = getMappedTypeModifiers(type); const include = keyofStringsOnly ? 128 : 8576; if (isMappedTypeWithKeyofConstraintDeclaration(type)) { forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(modifiersType, include, keyofStringsOnly, 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 = !nameType || isFilteringMappedType ? modifiersProp.declarations : void 0; } members.set(propName, prop); } } else if (isValidIndexKeyType(propNameType) || propNameType.flags & (1 | 32)) { const indexKeyType = propNameType.flags & (1 | 4) ? stringType : propNameType.flags & (8 | 32) ? numberType : propNameType; const propType = instantiateType(templateType, appendTypeMapping(type.mapper, typeParameter, keyType)); const indexInfo = createIndexInfo(indexKeyType, propType, !!(templateModifiers & 1)); indexInfos = appendIndexInfo(indexInfos, indexInfo, true); } } } function getTypeOfMappedSymbol(symbol) { if (!symbol.links.type) { const mappedType = symbol.links.mappedType; if (!pushTypeResolution(symbol, 0)) { 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) ? getOptionalType(propType, true) : symbol.links.checkFlags & 524288 ? removeMissingOrUndefinedType(propType) : propType; if (!popTypeResolution()) { error(currentNode, Diagnostics.Type_of_property_0_circularly_references_itself_in_mapped_type_1, symbolToString(symbol), typeToString(mappedType)); type = errorType; } symbol.links.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), 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 === 195 && constraintDeclaration.operator === 141; } 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) : unknownType; } } return type.modifiersType; } function getMappedTypeModifiers(type) { const declaration = type.declaration; return (declaration.readonlyToken ? declaration.readonlyToken.kind === 40 ? 2 : 1 : 0) | (declaration.questionToken ? declaration.questionToken.kind === 40 ? 8 : 4 : 0); } function getMappedTypeOptionality(type) { const modifiers = getMappedTypeModifiers(type); return modifiers & 8 ? -1 : modifiers & 4 ? 1 : 0; } function getCombinedMappedTypeOptionality(type) { const optionality = getMappedTypeOptionality(type); const modifiersType = getModifiersTypeFromMappedType(type); return optionality || (isGenericMappedType(modifiersType) ? getMappedTypeOptionality(modifiersType) : 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 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); 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 && 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 unionType = getUnionType(types); if (!(unionType.flags & 1048576)) { return getAugmentedPropertiesOfType(unionType); } const props = createSymbolTable(); for (const memberType of types) { for (const { escapedName } of getAugmentedPropertiesOfType(memberType)) { if (!props.has(escapedName)) { const prop = createUnionOrIntersectionProperty(unionType, 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 isConstTypeVariable(type) { var _a2; return !!(type.flags & 262144 && some((_a2 = type.symbol) == null ? void 0 : _a2.declarations, (d) => hasSyntacticModifier(d, 2048)) || isGenericTupleType(type) && findIndex(getTypeArguments(type), (t, i) => !!(type.target.elementFlags[i] & 8) && isConstTypeVariable(t)) >= 0 || type.flags & 8388608 && isConstTypeVariable(type.objectType)); } function getConstraintOfIndexedAccess(type) { return hasNonCircularBaseConstraint(type) ? getConstraintFromIndexedAccess(type) : void 0; } function getSimplifiedTypeOrConstraint(type) { const simplified = getSimplifiedType(type, 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.root.isDistributive && type.restrictiveInstantiation !== type) { const simplified = getSimplifiedType(type.checkType, 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)); if (!(instantiated.flags & 131072)) { return instantiated; } } } 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), false); } return void 0; } function getBaseConstraintOfType(type) { if (type.flags & (58982400 | 3145728 | 134217728 | 268435456)) { const constraint = getResolvedBaseConstraint(type); return constraint !== noConstraintType && constraint !== circularConstraintType ? constraint : void 0; } return type.flags & 4194304 ? keyofConstraintType : 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 = getTypeWithThisArgument(getImmediateBaseConstraint(type), type); function getImmediateBaseConstraint(t) { if (!t.immediateBaseConstraint) { if (!pushTypeResolution(t, 4)) { return circularConstraintType; } let result; const identity2 = getRecursionIdentity(t); if (stack.length < 10 || stack.length < 50 && !contains(stack, identity2)) { stack.push(identity2); result = computeBaseConstraint(getSimplifiedType(t, false)); stack.pop(); } if (!popTypeResolution()) { if (t.flags & 262144) { const errorNode = getConstraintDeclaration(t); if (errorNode) { const diagnostic = error(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 = 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 keyofConstraintType; } if (t.flags & 134217728) { const types = t.types; const constraints = mapDefined(types, getBaseConstraint); return constraints.length === types.length ? getTemplateLiteralType(t.texts, constraints) : stringType; } if (t.flags & 268435456) { const constraint = getBaseConstraint(t.type); return constraint && constraint !== t.type ? getStringMappingType(t.symbol, constraint) : stringType; } 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)); } return t; } } function getApparentTypeOfIntersectionType(type) { return type.resolvedApparentType || (type.resolvedApparentType = getTypeWithThisArgument(type, type, 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 typeVariable = getHomomorphicTypeVariable(type); if (typeVariable && !type.declaration.nameType) { const constraint = getConstraintOfTypeParameter(typeVariable); if (constraint && isArrayOrTupleType(constraint)) { return instantiateType(type, prependTypeMapping(typeVariable, constraint, type.mapper)); } } return type; } function isMappedTypeGenericIndexedAccess(type) { let objectType; return !!(type.flags & 8388608 && getObjectFlags(objectType = type.objectType) & 32 && !isGenericMappedType(objectType) && isGenericIndexType(type.indexType) && !(getMappedTypeModifiers(objectType) & 8) && !objectType.declaration.nameType); } function getApparentType(type) { const t = !(type.flags & 465829888) ? type : getBaseConstraintOfType(type) || unknownType; return getObjectFlags(t) & 32 ? getApparentTypeOfMappedType(t) : t.flags & 2097152 ? getApparentTypeOfIntersectionType(t) : 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 ? keyofConstraintType : t.flags & 2 && !strictNullChecks ? emptyObjectType : t; } function getReducedApparentType(type) { return getReducedType(getApparentType(getReducedType(type))); } function createUnionOrIntersectionProperty(containingType, name, skipObjectFunctionPropertyAugment) { var _a2, _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 != null ? 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) === -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 & 24) ? 256 : 0) | (modifiers & 16 ? 512 : 0) | (modifiers & 8 ? 1024 : 0) | (modifiers & 32 ? 2048 : 0); if (!isPrototypeProperty(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) || undefinedType : indexInfo.type); } else if (isObjectLiteralType2(type) && !(getObjectFlags(type) & 2097152)) { checkFlags |= 32; indexTypes = append(indexTypes, undefinedType); } 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 = (_a2 = tryCast(singleProp, isTransientSymbol)) == null ? void 0 : _a2.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; 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); } else if (type !== firstType) { checkFlags |= 64; } if (isLiteralType(type) || isPatternLiteralType(type) || type === uniqueLiteralType) { checkFlags |= 128; } if (type.flags & 131072 && type !== uniqueLiteralType) { checkFlags |= 131072; } propTypes.push(type); } addRange(propTypes, indexTypes); const result = createSymbol(4 | (optionalFlag != null ? 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 _a2, _b; let property = ((_a2 = type.propertyCacheWithoutObjectFunctionPropertyAugment) == null ? void 0 : _a2.get(name)) || !skipObjectFunctionPropertyAugment ? (_b = type.propertyCache) == null ? void 0 : _b.get(name) : void 0; 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); } } 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 ? neverType : type; } return type; } function getReducedUnionType(unionType) { const reducedTypes = sameMap(unionType.types, getReducedType); if (reducedTypes === unionType.types) { return unionType; } 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 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, void 0, 536870912), symbolToString(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, void 0, 536870912), symbolToString(privateProp)); } } return errorInfo; } function getPropertyOfType(type, name, skipObjectFunctionPropertyAugment, includeTypeOnlyMembers) { type = getReducedApparentType(type); if (type.flags & 524288) { const resolved = resolveStructuredTypeMembers(type); const symbol = resolved.members.get(name); if (symbol && symbolIsValue(symbol, includeTypeOnlyMembers)) { return symbol; } if (skipObjectFunctionPropertyAugment) return void 0; const functionType = resolved === anyFunctionType ? globalFunctionType : resolved.callSignatures.length ? globalCallableFunctionType : resolved.constructSignatures.length ? globalNewableFunctionType : void 0; if (functionType) { const symbol2 = getPropertyOfObjectType(functionType, name); if (symbol2) { return symbol2; } } return getPropertyOfObjectType(globalObjectType, name); } if (type.flags & 3145728) { 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) { return getSignaturesOfStructuredType(getReducedApparentType(type), kind); } 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 === stringType) { stringIndexInfo = info; } else if (isApplicableIndexType(keyType, info.keyType)) { if (!applicableInfo) { applicableInfo = info; } else { (applicableInfos || (applicableInfos = [applicableInfo])).push(info); } } } return applicableInfos ? createIndexInfo(unknownType, getIntersectionType(map(applicableInfos, (info) => info.type)), reduceLeft(applicableInfos, (isReadonly, info) => isReadonly && info.isReadonly, true)) : applicableInfo ? applicableInfo : stringIndexInfo && isApplicableIndexType(keyType, stringType) ? stringIndexInfo : void 0; } function isApplicableIndexType(source, target) { return isTypeAssignableTo(source, target) || target === stringType && isTypeAssignableTo(source, numberType) || target === numberType && (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 _a2; return (_a2 = getIndexInfoOfType(type, keyType)) == null ? void 0 : _a2.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 _a2; let result; for (const node of getEffectiveTypeParameterDeclarations(declaration)) { result = appendIfUnique(result, getDeclaredTypeOfTypeParameter(node.symbol)); } return (result == null ? void 0 : result.length) ? result : isFunctionDeclaration(declaration) ? (_a2 = getSignatureOfTypeTag(declaration)) == null ? void 0 : _a2.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(globals, """ + moduleName + """, 512); return symbol && withAugmentations ? getMergedSymbol(symbol) : symbol; } function isOptionalParameter(node) { if (hasQuestionToken(node) || isOptionalJSDocPropertyLikeTag(node) || isJSDocOptionalParameter(node)) { return true; } 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); } const iife = getImmediatelyInvokedFunctionExpression(node.parent); if (iife) { return !node.type && !node.dotDotDotToken && node.parent.parameters.indexOf(node) >= iife.arguments.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, unknownType) || isTypeIdenticalTo(defaultType, emptyObjectType))) { defaultType = anyType; } 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 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]; 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, void 0, void 0, false); paramSymbol = resolvedSymbol; } if (i === 0 && paramSymbol.escapedName === "this") { hasThisParameter2 = true; thisParameter = param.symbol; } else { parameters.push(paramSymbol); } if (type && type.kind === 198) { flags |= 2; } const isOptionalParameter2 = isOptionalJSDocPropertyLikeTag(param) || param.initializer || param.questionToken || isRestParameter(param) || iife && parameters.length > iife.arguments.length && !type || isJSDocOptionalParameter(param); if (!isOptionalParameter2) { minArgumentCount = parameters.length; } } if ((declaration.kind === 174 || declaration.kind === 175) && hasBindableName(declaration) && (!hasThisParameter2 || !thisParameter)) { const otherKind = declaration.kind === 174 ? 175 : 174; const other = getDeclarationOfKind(getSymbolOfDeclaration(declaration), otherKind); if (other) { thisParameter = getAnnotatedAccessorThisParameter(other); } } if (isInJSFile(declaration)) { const thisTag = getJSDocThisTag(declaration); if (thisTag && thisTag.typeExpression) { thisParameter = createSymbolWithType(createSymbol(1, "this"), getTypeFromTypeNode(thisTag.typeExpression)); } } const classType = declaration.kind === 173 ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(declaration.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, 256) || isConstructorDeclaration(declaration) && hasSyntacticModifier(declaration.parent, 256)) { flags |= 4; } links.resolvedSignature = createSignature(declaration, typeParameters, thisParameter, parameters, void 0, 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); if (lastParamVariadicType) { syntheticArgsSymbol.links.type = createArrayType(getTypeFromTypeNode(lastParamVariadicType.type)); } else { syntheticArgsSymbol.links.checkFlags |= 65536; syntheticArgsSymbol.links.deferralParent = neverType; 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 79: return node.escapedText === argumentsSymbol.escapedName && getReferencedValueSymbol(node) === argumentsSymbol; case 169: case 171: case 174: case 175: return node.name.kind === 164 && traverse(node.name); case 208: case 209: return traverse(node.expression); case 299: 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) { let hasJSDocOverloads = false; for (const node of decl.jsDoc) { if (node.tags) { for (const tag of node.tags) { if (isJSDocOverloadTag(tag)) { const jsDocSignature = tag.typeExpression; if (jsDocSignature.type === void 0 && !isConstructorDeclaration(decl)) { reportImplicitAny(jsDocSignature, anyType); } result.push(getSignatureFromDeclaration(jsDocSignature)); hasJSDocOverloads = true; } } } } if (hasJSDocOverloads) { 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 anyType; } 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); } } signature.resolvedTypePredicate = type && isTypePredicateNode(type) ? createTypePredicateFromTypePredicateNode(type, signature) : jsdocPredicate || 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 === 194 ? createTypePredicate(node.assertsModifier ? 2 : 0, void 0, 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)) { return errorType; } let type = signature.target ? instantiateType(getReturnTypeOfSignature(signature.target), signature.mapper) : signature.compositeSignatures ? instantiateType(getUnionOrIntersectionType(map(signature.compositeSignatures, getReturnTypeOfSignature), signature.compositeKind, 2), signature.mapper) : getReturnTypeFromAnnotation(signature.declaration) || (nodeIsMissing(signature.declaration.body) ? anyType : 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) { error(typeNode, Diagnostics.Return_type_annotation_circularly_references_itself); } else if (noImplicitAny) { const declaration = signature.declaration; const name = getNameOfDeclaration(declaration); if (name) { error(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 { error(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 = anyType; } signature.resolvedReturnType = type; } return signature.resolvedReturnType; } function getReturnTypeFromAnnotation(declaration) { if (declaration.kind === 173) { return getDeclaredTypeOfClassOrInterface(getMergedSymbol(declaration.parent.symbol)); } if (isJSDocSignature(declaration)) { const root = getJSDocRoot(declaration); if (root && isConstructorDeclaration(root.parent)) { return getDeclaredTypeOfClassOrInterface(getMergedSymbol(root.parent.parent.symbol)); } } if (isJSDocConstructSignature(declaration)) { return getTypeFromTypeNode(declaration.parameters[0].type); } const typeNode = getEffectiveReturnTypeNode(declaration); if (typeNode) { return getTypeFromTypeNode(typeNode); } if (declaration.kind === 174 && hasBindableName(declaration)) { const jsDocType = isInJSFile(declaration) && getTypeForDeclarationFromJSDocComment(declaration); if (jsDocType) { return jsDocType; } const setter = getDeclarationOfKind(getSymbolOfDeclaration(declaration), 175); const setterType = getAnnotatedAccessorType(setter); if (setterType) { return setterType; } } return getReturnTypeOfTypeTag(declaration); } function isResolvingReturnTypeOfSignature(signature) { return !signature.resolvedReturnType && findResolutionCycleStartIndex(signature, 3) >= 0; } function getRestTypeOfSignature(signature) { return tryGetRestTypeOfSignature(signature) || anyType; } 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, numberType); } 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), 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), 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 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) || unknownType)); let baseConstraints = map(typeParameters, (tp) => instantiateType(tp, baseConstraintMapper) || unknownType); 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), true); } return signature; } function getOrCreateTypeFromSignature(signature) { var _a2; if (!signature.isolatedSignatureType) { const kind = (_a2 = signature.declaration) == null ? void 0 : _a2.kind; const isConstructor = kind === void 0 || kind === 173 || kind === 177 || kind === 182; const type = createObjectType(16); 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"); } 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) : anyType, hasEffectiveModifier(declaration, 64), 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 _a2; let inferences; if ((_a2 = typeParameter.symbol) == null ? void 0 : _a2.declarations) { for (const declaration of typeParameter.symbol.declarations) { if (declaration.parent.kind === 192) { const [childTypeParameter = declaration.parent, grandParent] = walkUpParenthesizedTypesAndGetParentAndChild(declaration.parent.parent); if (grandParent.kind === 180 && !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 === 166 && grandParent.dotDotDotToken || grandParent.kind === 188 || grandParent.kind === 199 && grandParent.dotDotDotToken) { inferences = append(inferences, createArrayType(unknownType)); } else if (grandParent.kind === 201) { inferences = append(inferences, stringType); } else if (grandParent.kind === 165 && grandParent.parent.kind === 197) { inferences = append(inferences, keyofConstraintType); } else if (grandParent.kind === 197 && grandParent.type && skipParentheses(grandParent.type) === declaration.parent && grandParent.parent.kind === 191 && grandParent.parent.extendsType === grandParent && grandParent.parent.checkType.kind === 197 && 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) : keyofConstraintType))); } } } } 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 === 197 ? keyofConstraintType : unknownType; } typeParameter.constraint = type; } } } return typeParameter.constraint === noConstraintType ? void 0 : typeParameter.constraint; } function getParentSymbolOfTypeParameter(typeParameter) { const tp = getDeclarationOfKind(typeParameter.symbol, 165); 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 unknownType; } 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 _a2, _b; if (!type.resolvedTypeArguments) { if (!pushTypeResolution(type, 6)) { return ((_a2 = type.target.localTypeParameters) == null ? void 0 : _a2.map(() => errorType)) || emptyArray; } const node = type.node; const typeArguments = !node ? emptyArray : node.kind === 180 ? concatenate(type.target.outerTypeParameters, getEffectiveTypeArguments2(node, type.target.localTypeParameters)) : node.kind === 185 ? [getTypeFromTypeNode(node.elementType)] : map(node.elements, getTypeFromTypeNode); if (popTypeResolution()) { type.resolvedTypeArguments = type.mapper ? instantiateTypes(typeArguments, type.mapper) : typeArguments; } else { type.resolvedTypeArguments = ((_b = type.target.localTypeParameters) == null ? void 0 : _b.map(() => errorType)) || emptyArray; error(type.node || currentNode, type.target.symbol ? Diagnostics.Type_arguments_for_0_circularly_reference_themselves : Diagnostics.Tuple_type_arguments_circularly_reference_themselves, type.target.symbol && symbolToString(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, void 0, 2); error(node, diag2, typeStr, minTypeArgumentCount, typeParameters.length); if (!isJs) { return errorType; } } if (node.kind === 180 && isDeferredTypeReferenceNode(node, length(node.typeArguments) !== typeParameters.length)) { return createDeferredTypeReference(type, node, 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 && intrinsicTypeKinds.has(symbol.escapedName) && typeArguments && typeArguments.length === 1) { return 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"); 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) { error(node, minTypeArgumentCount === typeParameters.length ? Diagnostics.Generic_type_0_requires_1_type_argument_s : Diagnostics.Generic_type_0_requires_between_1_and_2_type_arguments, symbolToString(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, 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 _a2; const declaration = (_a2 = symbol.declarations) == null ? void 0 : _a2.find(isTypeAlias); return !!(declaration && getContainingFunction(declaration)); } function getTypeReferenceName(node) { switch (node.kind) { case 180: return node.typeName; case 230: 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 === 163 ? name.right : name.kind === 208 ? name.name : name; const text = identifier.escapedText; if (text) { const parentSymbol = name.kind === 163 ? getUnresolvedSymbolForEntityName(name.left) : name.kind === 208 ? getUnresolvedSymbolForEntityName(name.expression) : void 0; const path = parentSymbol ? `${getSymbolPath(parentSymbol)}.${text}` : text; let result = unresolvedSymbols.get(path); if (!result) { unresolvedSymbols.set(path, result = createSymbol(524288, text, 1048576)); 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); 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 === 202 && node.qualifier; if (valueType.symbol && valueType.symbol !== symbol && isImportTypeWithQualifier) { typeType = getTypeReferenceType(node, valueType.symbol); } } links.resolvedJSDocType = typeType; } return links.resolvedJSDocType; } function getSubstitutionType(baseType, constraint) { if (constraint.flags & 3 || constraint === baseType || baseType.flags & 1) { return baseType; } const id = `${getTypeId(baseType)}>${getTypeId(constraint)}`; const cached = substitutionTypes.get(id); if (cached) { return cached; } const result = createType(33554432); result.baseType = baseType; result.constraint = constraint; substitutionTypes.set(id, result); return result; } function getSubstitutionIntersection(substitutionType) { return getIntersectionType([substitutionType.constraint, substitutionType.baseType]); } function isUnaryTupleTypeNode(node) { return node.kind === 186 && node.elements.length === 1; } function getImpliedConstraint(type, checkNode, extendsNode) { return isUnaryTupleTypeNode(checkNode) && isUnaryTupleTypeNode(extendsNode) ? getImpliedConstraint(type, checkNode.elements[0], extendsNode.elements[0]) : getActualTypeVariable(getTypeFromTypeNode(checkNode)) === getActualTypeVariable(type) ? getTypeFromTypeNode(extendsNode) : void 0; } function getConditionalFlowTypeOfType(type, node) { let constraints; let covariant = true; while (node && !isStatement(node) && node.kind !== 323) { const parent2 = node.parent; if (parent2.kind === 166) { covariant = !covariant; } if ((covariant || type.flags & 8650752) && parent2.kind === 191 && node === parent2.trueType) { const constraint = getImpliedConstraint(type, parent2.checkType, parent2.extendsType); if (constraint) { constraints = append(constraints, constraint); } } else if (type.flags & 262144 && parent2.kind === 197 && 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([numberType, numericStringType])); } } } } node = parent2; } return constraints ? getSubstitutionType(type, getIntersectionType(constraints)) : type; } function isJSDocTypeReference(node) { return !!(node.flags & 8388608) && (node.kind === 180 || node.kind === 202); } function checkNoTypeArguments(node, symbol) { if (node.typeArguments) { error(node, Diagnostics.Type_0_is_not_generic, symbol ? symbolToString(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 stringType; case "Number": checkNoTypeArguments(node); return numberType; case "Boolean": checkNoTypeArguments(node); return booleanType; case "Void": checkNoTypeArguments(node); return voidType; case "Undefined": checkNoTypeArguments(node); return undefinedType; case "Null": checkNoTypeArguments(node); return nullType; 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(anyType) : 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 === stringType || indexed === numberType ? [createIndexInfo(indexed, target, false)] : emptyArray; return createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, indexInfo); } return anyType; } checkNoTypeArguments(node); return !noImplicitAny ? anyType : void 0; } } } function getTypeFromJSDocNullableTypeNode(node) { const type = getTypeFromTypeNode(node.type); return strictNullChecks ? getNullableType(type, 65536) : 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, true); if (symbol === unknownSymbol) { symbol = resolveTypeReferenceName(node, meaning | 111551); } 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 260: case 261: case 263: return declaration; } } } } if (!symbol) { return arity ? emptyGenericType : emptyObjectType; } const type = getDeclaredTypeOfSymbol(symbol); if (!(type.flags & 524288)) { error(getTypeDeclaration(symbol), Diagnostics.Global_type_0_must_be_a_class_or_interface_type, symbolName(symbol)); return arity ? emptyGenericType : emptyObjectType; } if (length(type.typeParameters) !== arity) { error(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); error(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(void 0, name, meaning, diagnostic, name, false, false, 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", 1, true) || emptyGenericType); } function getGlobalTemplateStringsArrayType() { return deferredGlobalTemplateStringsArrayType || (deferredGlobalTemplateStringsArrayType = getGlobalType("TemplateStringsArray", 0, true) || emptyObjectType); } function getGlobalImportMetaType() { return deferredGlobalImportMetaType || (deferredGlobalImportMetaType = getGlobalType("ImportMeta", 0, true) || emptyObjectType); } function getGlobalImportMetaExpressionType() { if (!deferredGlobalImportMetaExpressionType) { const symbol = createSymbol(0, "ImportMetaExpression"); const importMetaType = getGlobalImportMetaType(); const metaPropertySymbol = createSymbol(4, "meta", 8); 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", 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", 0, false)) || emptyObjectType; } function getGlobalPromiseType(reportErrors2) { return deferredGlobalPromiseType || (deferredGlobalPromiseType = getGlobalType("Promise", 1, reportErrors2)) || emptyGenericType; } function getGlobalPromiseLikeType(reportErrors2) { return deferredGlobalPromiseLikeType || (deferredGlobalPromiseLikeType = getGlobalType("PromiseLike", 1, reportErrors2)) || emptyGenericType; } function getGlobalPromiseConstructorSymbol(reportErrors2) { return deferredGlobalPromiseConstructorSymbol || (deferredGlobalPromiseConstructorSymbol = getGlobalValueSymbol("Promise", reportErrors2)); } function getGlobalPromiseConstructorLikeType(reportErrors2) { return deferredGlobalPromiseConstructorLikeType || (deferredGlobalPromiseConstructorLikeType = getGlobalType("PromiseConstructorLike", 0, reportErrors2)) || emptyObjectType; } function getGlobalAsyncIterableType(reportErrors2) { return deferredGlobalAsyncIterableType || (deferredGlobalAsyncIterableType = getGlobalType("AsyncIterable", 1, reportErrors2)) || emptyGenericType; } function getGlobalAsyncIteratorType(reportErrors2) { return deferredGlobalAsyncIteratorType || (deferredGlobalAsyncIteratorType = getGlobalType("AsyncIterator", 3, reportErrors2)) || emptyGenericType; } function getGlobalAsyncIterableIteratorType(reportErrors2) { return deferredGlobalAsyncIterableIteratorType || (deferredGlobalAsyncIterableIteratorType = getGlobalType("AsyncIterableIterator", 1, reportErrors2)) || emptyGenericType; } function getGlobalAsyncGeneratorType(reportErrors2) { return deferredGlobalAsyncGeneratorType || (deferredGlobalAsyncGeneratorType = getGlobalType("AsyncGenerator", 3, reportErrors2)) || emptyGenericType; } function getGlobalIterableType(reportErrors2) { return deferredGlobalIterableType || (deferredGlobalIterableType = getGlobalType("Iterable", 1, reportErrors2)) || emptyGenericType; } function getGlobalIteratorType(reportErrors2) { return deferredGlobalIteratorType || (deferredGlobalIteratorType = getGlobalType("Iterator", 3, reportErrors2)) || emptyGenericType; } function getGlobalIterableIteratorType(reportErrors2) { return deferredGlobalIterableIteratorType || (deferredGlobalIterableIteratorType = getGlobalType("IterableIterator", 1, reportErrors2)) || emptyGenericType; } function getGlobalGeneratorType(reportErrors2) { return deferredGlobalGeneratorType || (deferredGlobalGeneratorType = getGlobalType("Generator", 3, reportErrors2)) || emptyGenericType; } function getGlobalIteratorYieldResultType(reportErrors2) { return deferredGlobalIteratorYieldResultType || (deferredGlobalIteratorYieldResultType = getGlobalType("IteratorYieldResult", 1, reportErrors2)) || emptyGenericType; } function getGlobalIteratorReturnResultType(reportErrors2) { return deferredGlobalIteratorReturnResultType || (deferredGlobalIteratorReturnResultType = getGlobalType("IteratorReturnResult", 1, reportErrors2)) || emptyGenericType; } function getGlobalTypeOrUndefined(name, arity = 0) { const symbol = getGlobalSymbol(name, 788968, void 0); return symbol && getTypeOfGlobalSymbol(symbol, arity); } function getGlobalExtractSymbol() { deferredGlobalExtractSymbol || (deferredGlobalExtractSymbol = getGlobalTypeAliasSymbol("Extract", 2, true) || unknownSymbol); return deferredGlobalExtractSymbol === unknownSymbol ? void 0 : deferredGlobalExtractSymbol; } function getGlobalOmitSymbol() { deferredGlobalOmitSymbol || (deferredGlobalOmitSymbol = getGlobalTypeAliasSymbol("Omit", 2, true) || unknownSymbol); return deferredGlobalOmitSymbol === unknownSymbol ? void 0 : deferredGlobalOmitSymbol; } function getGlobalAwaitedSymbol(reportErrors2) { deferredGlobalAwaitedSymbol || (deferredGlobalAwaitedSymbol = getGlobalTypeAliasSymbol("Awaited", 1, reportErrors2) || (reportErrors2 ? unknownSymbol : void 0)); return deferredGlobalAwaitedSymbol === unknownSymbol ? void 0 : deferredGlobalAwaitedSymbol; } function getGlobalBigIntType() { return deferredGlobalBigIntType || (deferredGlobalBigIntType = getGlobalType("BigInt", 0, false)) || emptyObjectType; } function getGlobalClassDecoratorContextType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassDecoratorContextType != null ? deferredGlobalClassDecoratorContextType : deferredGlobalClassDecoratorContextType = getGlobalType("ClassDecoratorContext", 1, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassMethodDecoratorContextType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassMethodDecoratorContextType != null ? deferredGlobalClassMethodDecoratorContextType : deferredGlobalClassMethodDecoratorContextType = getGlobalType("ClassMethodDecoratorContext", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassGetterDecoratorContextType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassGetterDecoratorContextType != null ? deferredGlobalClassGetterDecoratorContextType : deferredGlobalClassGetterDecoratorContextType = getGlobalType("ClassGetterDecoratorContext", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassSetterDecoratorContextType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassSetterDecoratorContextType != null ? deferredGlobalClassSetterDecoratorContextType : deferredGlobalClassSetterDecoratorContextType = getGlobalType("ClassSetterDecoratorContext", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassAccessorDecoratorContextType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassAccessorDecoratorContextType != null ? deferredGlobalClassAccessorDecoratorContextType : deferredGlobalClassAccessorDecoratorContextType = getGlobalType("ClassAccessorDecoratorContext", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassAccessorDecoratorTargetType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassAccessorDecoratorTargetType != null ? deferredGlobalClassAccessorDecoratorTargetType : deferredGlobalClassAccessorDecoratorTargetType = getGlobalType("ClassAccessorDecoratorTarget", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassAccessorDecoratorResultType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassAccessorDecoratorResultType != null ? deferredGlobalClassAccessorDecoratorResultType : deferredGlobalClassAccessorDecoratorResultType = getGlobalType("ClassAccessorDecoratorResult", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalClassFieldDecoratorContextType(reportErrors2) { var _a2; return (_a2 = deferredGlobalClassFieldDecoratorContextType != null ? deferredGlobalClassFieldDecoratorContextType : deferredGlobalClassFieldDecoratorContextType = getGlobalType("ClassFieldDecoratorContext", 2, reportErrors2)) != null ? _a2 : emptyGenericType; } function getGlobalNaNSymbol() { return deferredGlobalNaNSymbol || (deferredGlobalNaNSymbol = getGlobalValueSymbol("NaN", false)); } function getGlobalRecordSymbol() { deferredGlobalRecordSymbol || (deferredGlobalRecordSymbol = getGlobalTypeAliasSymbol("Record", 2, 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(true), [iteratedType]); } function createArrayType(elementType, readonly) { return createTypeFromGenericGlobalType(readonly ? globalReadonlyArrayType : globalArrayType, [elementType]); } function getTupleElementFlags(node) { switch (node.kind) { case 187: return 2; case 188: return getRestTypeElementFlags(node); case 199: 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); const missingName = some(node.elements, (e) => e.kind !== 199); return getTupleTargetType(elementFlags, readonly, missingName ? void 0 : node.elements); } function isDeferredTypeReferenceNode(node, hasDefaultTypeArguments) { return !!getAliasSymbolForTypeNode(node) || isResolvedByTypeAlias(node) && (node.kind === 185 ? mayResolveTypeAlias(node.elementType) : node.kind === 186 ? some(node.elements, mayResolveTypeAlias) : hasDefaultTypeArguments || some(node.typeArguments, mayResolveTypeAlias)); } function isResolvedByTypeAlias(node) { const parent2 = node.parent; switch (parent2.kind) { case 193: case 199: case 180: case 189: case 190: case 196: case 191: case 195: case 185: case 186: return isResolvedByTypeAlias(parent2); case 262: return true; } return false; } function mayResolveTypeAlias(node) { switch (node.kind) { case 180: return isJSDocTypeReference(node) || !!(resolveTypeReferenceName(node, 788968).flags & 524288); case 183: return true; case 195: return node.operator !== 156 && mayResolveTypeAlias(node.type); case 193: case 187: case 199: case 319: case 317: case 318: case 312: return mayResolveTypeAlias(node.type); case 188: return node.type.kind !== 185 || mayResolveTypeAlias(node.type.elementType); case 189: case 190: return some(node.types, mayResolveTypeAlias); case 196: return mayResolveTypeAlias(node.objectType) || mayResolveTypeAlias(node.indexType); case 191: 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 === 186 && some(node.elements, (e) => !!(getTupleElementFlags(e) & 8))) && isDeferredTypeReferenceNode(node)) { links.resolvedType = node.kind === 186 && node.elements.length === 0 ? target : createDeferredTypeReference(target, node, void 0); } else { const elementTypes = node.kind === 185 ? [getTypeFromTypeNode(node.elementType)] : map(node.elements, getTypeFromTypeNode); links.resolvedType = createNormalizedTypeReference(target, elementTypes); } } return links.resolvedType; } function isReadonlyTypeOperator(node) { return isTypeOperatorNode(node) && node.operator === 146; } function createTupleType(elementTypes, elementFlags, readonly = false, namedMemberDeclarations) { const tupleTarget = getTupleTargetType(elementFlags || map(elementTypes, (_) => 1), 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" : "") + (namedMemberDeclarations && namedMemberDeclarations.length ? "," + map(namedMemberDeclarations, getNodeId).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 = numberType; } 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); 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 _a2, _b, _c; 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 : unknownType)) ? mapType(elementTypes[unionIndex], (t) => createNormalizedTupleType(target, replaceElement(elementTypes, unionIndex, t))) : errorType; } } const expandedTypes = []; const expandedFlags = []; let 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 & 58982400 || isGenericMappedType(type)) { addElement(type, 8, (_a2 = target.labeledElementDeclarations) == null ? void 0 : _a2[i]); } else if (isTupleType(type)) { const elements = getTypeArguments(type); if (elements.length + expandedTypes.length >= 1e4) { error(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 _a3; return addElement(t, type.target.elementFlags[n], (_a3 = type.target.labeledElementDeclarations) == null ? void 0 : _a3[n]); }); } else { addElement(isArrayLikeType(type) && getIndexTypeOfType(type, numberType) || errorType, 4, (_b = target.labeledElementDeclarations) == null ? void 0 : _b[i]); } } else { addElement(type, flags, (_c = target.labeledElementDeclarations) == null ? void 0 : _c[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, numberType) : t)); expandedTypes.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex); expandedFlags.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex); expandedDeclarations == null ? void 0 : 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, true) : type); expandedFlags.push(flags); if (expandedDeclarations && declaration) { expandedDeclarations.push(declaration); } else { expandedDeclarations = void 0; } } } 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), 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 getTypeFromOptionalTypeNode(node) { return addOptionality(getTypeFromTypeNode(node.type), 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 & 1048576) { return addTypesToUnion(typeSet, includes | (isNamedUnionType(type) ? 1048576 : 0), type.types); } if (!(flags & 131072)) { includes |= flags & 205258751; if (flags & 465829888) includes |= 33554432; if (type === wildcardType) includes |= 8388608; 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) { for (const type of types) { includes = addTypeToUnion(typeSet, includes, type); } return includes; } function removeSubtypes(types, hasObjectTypes) { var _a2; 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) { 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) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "removeSubtypes_DepthLimit", { typeIds: types.map((t) => t.id) }); error(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, (t) => !!(t.flags & 134217728) && isPatternLiteralType(t)); if (templates.length) { let i = types.length; while (i > 0) { i--; const t = types[i]; if (t.flags & 128 && some(templates, (template) => isTypeMatchedByTemplateLiteralType(t, template))) { orderedRemoveItemAt(types, i); } } } } 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 neverType; } if (types.length === 1) { return types[0]; } let typeSet = []; const includes = addTypesToUnion(typeSet, 0, types); if (unionReduction !== 0) { if (includes & 3) { return includes & 1 ? includes & 8388608 ? wildcardType : anyType : includes & 65536 || containsType(typeSet, unknownType) ? unknownType : nonNullUnknownType; } if (includes & 32768) { if (typeSet.length >= 2 && typeSet[0] === undefinedType && 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) { removeStringLiteralsMatchedByTemplateLiterals(typeSet); } if (unionReduction === 2) { typeSet = removeSubtypes(typeSet, !!(includes & 524288)); if (!typeSet) { return errorType; } } if (typeSet.length === 0) { return includes & 65536 ? includes & 4194304 ? nullType : nullWideningType : includes & 32768 ? includes & 4194304 ? undefinedType : undefinedWideningType : neverType; } } 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 & 36323363 ? 0 : 32768) | (includes & 2097152 ? 16777216 : 0); return getUnionTypeFromSortedList(typeSet, objectFlags, aliasSymbol, aliasTypeArguments, origin); } function getUnionOrIntersectionTypePredicate(signatures, kind) { let first2; const types = []; for (const sig of signatures) { const pred = getTypePredicateOfSignature(sig); if (!pred || pred.kind === 2 || pred.kind === 3) { if (kind !== 2097152) { continue; } else { return; } } if (first2) { if (!typePredicateKindsMatch(first2, pred)) { return void 0; } } else { first2 = pred; } types.push(pred.type); } if (!first2) { return void 0; } const compositeType = getUnionOrIntersectionType(types, kind); return createTypePredicate(first2.kind, first2.parameterName, first2.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 neverType; } 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); type.objectFlags = precomputedObjectFlags | getPropagatingFlagsOfTypes(types, 98304); 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; } else if (strictNullChecks || !(flags & 98304)) { if (type === missingType) { includes |= 262144; type = undefinedType; } if (!typeSet.has(type.id.toString())) { if (type.flags & 109472 && includes & 109472) { includes |= 67108864; } typeSet.set(type.id.toString(), type); } } includes |= flags & 205258751; } 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 ? stringType : type.flags & 256 ? numberType : 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)) continue; for (const t2 of literals) { if (isTypeSubtypeOf(t2, t)) { orderedRemoveItemAt(types, i); break; } else if (isPatternLiteralType(t)) { return true; } } } return false; } function eachIsUnionContaining(types, flag) { return every(types, (t) => !!(t.flags & 1048576) && some(t.types, (tt) => !!(tt.flags & flag))); } 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); return true; } function createIntersectionType(types, aliasSymbol, aliasTypeArguments) { const result = createType(2097152); result.objectFlags = getPropagatingFlagsOfTypes(types, 98304); result.types = types; result.aliasSymbol = aliasSymbol; result.aliasTypeArguments = aliasTypeArguments; return result; } function getIntersectionType(types, aliasSymbol, aliasTypeArguments, noSupertypeReduction) { const typeMembershipMap = /* @__PURE__ */ new Map(); const includes = addTypesToIntersection(typeMembershipMap, 0, types); const typeSet = arrayFrom(typeMembershipMap.values()); if (includes & 131072) { return contains(typeSet, silentNeverType) ? silentNeverType : neverType; } 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 neverType; } if (includes & 134217728 && includes & 128 && extractRedundantTemplateLiterals(typeSet)) { return neverType; } if (includes & 1) { return includes & 8388608 ? wildcardType : anyType; } if (!strictNullChecks && includes & 98304) { return includes & 16777216 ? neverType : includes & 32768 ? undefinedType : nullType; } 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 (!noSupertypeReduction) removeRedundantSupertypes(typeSet, includes); } if (includes & 262144) { typeSet[typeSet.indexOf(undefinedType)] = missingType; } if (typeSet.length === 0) { return unknownType; } if (typeSet.length === 1) { return typeSet[0]; } const id = getTypeListId(typeSet) + getAliasId(aliasSymbol, aliasTypeArguments); let result = intersectionTypes.get(id); if (!result) { if (includes & 1048576) { if (intersectUnionsOfPrimitiveTypes(typeSet)) { result = getIntersectionType(typeSet, aliasSymbol, aliasTypeArguments); } else if (eachIsUnionContaining(typeSet, 32768)) { const containedUndefinedType = some(typeSet, containsMissingType) ? missingType : undefinedType; removeFromEach(typeSet, 32768); result = getUnionType([getIntersectionType(typeSet), containedUndefinedType], 1, aliasSymbol, aliasTypeArguments); } else if (eachIsUnionContaining(typeSet, 65536)) { removeFromEach(typeSet, 65536); result = getUnionType([getIntersectionType(typeSet), nullType], 1, aliasSymbol, aliasTypeArguments); } else { if (!checkCrossProductUnion(typeSet)) { return errorType; } const constituents = getCrossProductIntersections(typeSet); 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, 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 _a2; const size = getCrossProductUnionSize(types); if (size >= 1e5) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "checkCrossProductUnion_DepthLimit", { typeIds: types.map((t) => t.id), size }); error(currentNode, Diagnostics.Expression_produces_a_union_type_that_is_too_complex_to_represent); return false; } return true; } function getCrossProductIntersections(types) { 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); 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 noSupertypeReduction = types.length === 2 && !!(types[0].flags & (4 | 8 | 64)) && types[1] === emptyTypeLiteralType; links.resolvedType = getIntersectionType(types, aliasSymbol, getTypeArgumentsForAliasSymbol(aliasSymbol), noSupertypeReduction); } return links.resolvedType; } function createIndexType(type, stringsOnly) { const result = createType(4194304); result.type = type; result.stringsOnly = stringsOnly; return result; } function createOriginIndexType(type) { const result = createOriginType(4194304); result.type = type; return result; } function getIndexTypeForGenericType(type, stringsOnly) { return stringsOnly ? type.resolvedStringIndexType || (type.resolvedStringIndexType = createIndexType(type, true)) : type.resolvedIndexType || (type.resolvedIndexType = createIndexType(type, false)); } function getIndexTypeForMappedType(type, stringsOnly, noIndexSignatures) { const typeParameter = getTypeParameterFromMappedType(type); const constraintType = getConstraintTypeFromMappedType(type); const nameType = getNameTypeFromMappedType(type.target || type); if (!nameType && !noIndexSignatures) { return constraintType; } const keyTypes = []; if (isMappedTypeWithKeyofConstraintDeclaration(type)) { if (!isGenericIndexType(constraintType)) { const modifiersType = getApparentType(getModifiersTypeFromMappedType(type)); forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(modifiersType, 8576, stringsOnly, addMemberForKeyType); } else { return getIndexTypeForGenericType(type, stringsOnly); } } else { forEachType(getLowerBoundOfKeyType(constraintType), addMemberForKeyType); } if (isGenericIndexType(constraintType)) { forEachType(constraintType, addMemberForKeyType); } const result = noIndexSignatures ? 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 === stringType ? stringOrNumberType : propNameType); } } function hasDistributiveNameType(mappedType) { const typeVariable = getTypeParameterFromMappedType(mappedType); return isDistributive(getNameTypeFromMappedType(mappedType) || typeVariable); function isDistributive(type) { return type.flags & (3 | 134348796 | 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 neverType; } return isIdentifier(name) ? getStringLiteralType(unescapeLeadingUnderscores(name.escapedText)) : getRegularTypeOfLiteralType(isComputedPropertyName(name) ? checkComputedPropertyName(name) : checkExpression(name)); } function getLiteralTypeFromProperty(prop, include, includeNonPublic) { if (includeNonPublic || !(getDeclarationModifierFlagsFromSymbol(prop) & 24)) { 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 neverType; } 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 === stringType && include & 8 ? stringOrNumberType : info.keyType : neverType); return getUnionType(concatenate(propertyTypes, indexKeyTypes), 1, void 0, void 0, origin); } function isPossiblyReducibleByInstantiation(type) { const uniqueFilled = getUniqueLiteralFilledInstantiation(type); return getReducedType(uniqueFilled) !== uniqueFilled; } function shouldDeferIndexType(type) { return !!(type.flags & 58982400 || isGenericTupleType(type) || isGenericMappedType(type) && !hasDistributiveNameType(type) || type.flags & 1048576 && some(type.types, isPossiblyReducibleByInstantiation) || type.flags & 2097152 && maybeTypeOfKind(type, 465829888) && some(type.types, isEmptyAnonymousObjectType)); } function getIndexType(type, stringsOnly = keyofStringsOnly, noIndexSignatures) { type = getReducedType(type); return shouldDeferIndexType(type) ? getIndexTypeForGenericType(type, stringsOnly) : type.flags & 1048576 ? getIntersectionType(map(type.types, (t) => getIndexType(t, stringsOnly, noIndexSignatures))) : type.flags & 2097152 ? getUnionType(map(type.types, (t) => getIndexType(t, stringsOnly, noIndexSignatures))) : getObjectFlags(type) & 32 ? getIndexTypeForMappedType(type, stringsOnly, noIndexSignatures) : type === wildcardType ? wildcardType : type.flags & 2 ? neverType : type.flags & (1 | 131072) ? keyofConstraintType : getLiteralTypeFromProperties(type, (noIndexSignatures ? 128 : 402653316) | (stringsOnly ? 0 : 296 | 12288), stringsOnly === keyofStringsOnly && !noIndexSignatures); } function getExtractStringType(type) { if (keyofStringsOnly) { return type; } const extractTypeAlias = getGlobalExtractSymbol(); return extractTypeAlias ? getTypeAliasInstantiation(extractTypeAlias, [type, stringType]) : stringType; } function getIndexTypeOrString(type) { const indexType = getExtractStringType(getIndexType(type)); return indexType.flags & 131072 ? stringType : indexType; } function getTypeFromTypeOperatorNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { switch (node.operator) { case 141: links.resolvedType = getIndexType(getTypeFromTypeNode(node.type)); break; case 156: links.resolvedType = node.type.kind === 153 ? getESSymbolLikeTypeForNode(walkUpParenthesizedTypes(node.parent)) : errorType; break; case 146: links.resolvedType = getTypeFromTypeNode(node.type); break; default: throw 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) ? mapType(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 stringType; } if (newTypes.length === 0) { return getStringLiteralType(text); } newTexts.push(text); if (every(newTexts, (t) => t === "")) { if (every(newTypes, (t) => !!(t.flags & 4))) { return stringType; } 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) { const isTextsArray = isArray(texts2); for (let i = 0; i < types2.length; i++) { const t = types2[i]; const addText = isTextsArray ? texts2[i + 1] : texts2; if (t.flags & (2944 | 65536 | 32768)) { text += getTemplateStringForType(t) || ""; text += addText; if (!isTextsArray) return true; } else if (t.flags & 134217728) { text += t.texts[0]; if (!addSpans(t.texts, t.types)) return false; text += addText; if (!isTextsArray) return true; } else if (isGenericIndexType(t) || isPatternLiteralPlaceholderType(t)) { newTypes.push(t); newTexts.push(text); text = addText; } else if (t.flags & 2097152) { const added = addSpans(texts2[i + 1], t.types); if (!added) return false; } else if (isTextsArray) { 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); type.texts = texts; type.types = types; return type; } function getStringMappingType(symbol, type) { return type.flags & (1048576 | 131072) ? mapType(type, (t) => getStringMappingType(symbol, t)) : type.flags & 128 ? getStringLiteralType(applyStringMapping(symbol, type.value)) : type.flags & 134217728 ? getTemplateLiteralType(...applyTemplateStringMapping(symbol, type.texts, type.types)) : type.flags & 268435456 && symbol === type.symbol ? type : type.flags & (1 | 4 | 268435456) || isGenericIndexType(type) ? getStringMappingTypeForGenericType(symbol, type) : 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(objectType, indexType, accessFlags, aliasSymbol, aliasTypeArguments) { const type = createType(8388608); type.objectType = objectType; 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) ? 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 isCallOrNewExpression(parent2) && isIdentifier(node) && hasMatchingArgument(parent2, node); } return every(symbol.declarations, (d) => !isFunctionLike(d) || !!(getCombinedNodeFlags(d) & 268435456)); } return true; } function getPropertyTypeForIndexType(originalObjectType, objectType, indexType, fullIndexType, accessNode, accessFlags) { var _a2; const accessExpression = accessNode && accessNode.kind === 209 ? accessNode : void 0; const propName = accessNode && isPrivateIdentifier(accessNode) ? void 0 : getPropertyNameFromIndex(indexType, accessNode); if (propName !== void 0) { if (accessFlags & 256) { return getTypeOfPropertyOfContextualType(objectType, propName) || anyType; } const prop = getPropertyOfType(objectType, propName); if (prop) { if (accessFlags & 64 && accessNode && prop.declarations && isDeprecatedSymbol(prop) && isUncalledFunctionReference(accessNode, prop)) { const deprecatedNode = (_a2 = accessExpression == null ? void 0 : accessExpression.argumentExpression) != null ? _a2 : isIndexedAccessTypeNode(accessNode) ? accessNode.indexType : accessNode; addDeprecatedSuggestion(deprecatedNode, prop.declarations, propName); } if (accessExpression) { markPropertyAsReferenced(prop, accessExpression, isSelfTypeAccess(accessExpression.expression, objectType.symbol)); if (isAssignmentToReadonlyEntity(accessExpression, prop, getAssignmentTargetKind(accessExpression))) { error(accessExpression.argumentExpression, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, symbolToString(prop)); return void 0; } if (accessFlags & 8) { getNodeLinks(accessNode).resolvedSymbol = prop; } if (isThisPropertyAccessInConstructor(accessExpression, prop)) { return autoType; } } const propType = getTypeOfSymbol(prop); return accessExpression && getAssignmentTargetKind(accessExpression) !== 1 ? getFlowTypeOfReference(accessExpression, propType) : accessNode && isIndexedAccessTypeNode(accessNode) && containsMissingType(propType) ? getUnionType([propType, undefinedType]) : propType; } if (everyType(objectType, isTupleType) && isNumericLiteralName(propName)) { const index = +propName; if (accessNode && everyType(objectType, (t) => !t.target.hasRestElement) && !(accessFlags & 16)) { const indexNode = getIndexNodeForAccessExpression(accessNode); if (isTupleType(objectType)) { if (index < 0) { error(indexNode, Diagnostics.A_tuple_type_cannot_be_indexed_with_a_negative_value); return undefinedType; } error(indexNode, Diagnostics.Tuple_type_0_of_length_1_has_no_element_at_index_2, typeToString(objectType), getTypeReferenceArity(objectType), unescapeLeadingUnderscores(propName)); } else { error(indexNode, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(propName), typeToString(objectType)); } } if (index >= 0) { errorIfWritingToReadonlyIndex(getIndexInfoOfType(objectType, numberType)); return mapType(objectType, (t) => { const restType = getRestTypeOfTupleType(t) || undefinedType; return accessFlags & 1 ? getUnionType([restType, missingType]) : restType; }); } } } if (!(indexType.flags & 98304) && isTypeAssignableToKind(indexType, 402653316 | 296 | 12288)) { if (objectType.flags & (1 | 131072)) { return objectType; } const indexInfo = getApplicableIndexInfo(objectType, indexType) || getIndexInfoOfType(objectType, stringType); if (indexInfo) { if (accessFlags & 2 && indexInfo.keyType !== numberType) { if (accessExpression) { error(accessExpression, Diagnostics.Type_0_cannot_be_used_to_index_type_1, typeToString(indexType), typeToString(originalObjectType)); } return void 0; } if (accessNode && indexInfo.keyType === stringType && !isTypeAssignableToKind(indexType, 4 | 8)) { const indexNode = getIndexNodeForAccessExpression(accessNode); error(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 && !(objectType.symbol && objectType.symbol.flags & (256 | 128) && (indexType.symbol && indexType.flags & 1024 && getParentOfSymbol(indexType.symbol) === objectType.symbol))) { return getUnionType([indexInfo.type, missingType]); } return indexInfo.type; } if (indexType.flags & 131072) { return neverType; } if (isJSLiteralType(objectType)) { return anyType; } if (accessExpression && !isConstEnumObjectType(objectType)) { if (isObjectLiteralType2(objectType)) { if (noImplicitAny && indexType.flags & (128 | 256)) { diagnostics.add(createDiagnosticForNode(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType))); return undefinedType; } else if (indexType.flags & (8 | 4)) { const types = map(objectType.properties, (property) => { return getTypeOfSymbol(property); }); return getUnionType(append(types, undefinedType)); } } if (objectType.symbol === globalThisSymbol && propName !== void 0 && globalThisSymbol.exports.has(propName) && globalThisSymbol.exports.get(propName).flags & 418) { error(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(propName), typeToString(objectType)); } else if (noImplicitAny && !compilerOptions.suppressImplicitAnyIndexErrors && !(accessFlags & 128)) { if (propName !== void 0 && typeHasStaticProperty(propName, objectType)) { const typeName = typeToString(objectType); error(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(objectType, numberType)) { error(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, objectType))) { if (suggestion !== void 0) { error(accessExpression.argumentExpression, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2, propName, typeToString(objectType), suggestion); } } else { const suggestion2 = getSuggestionForNonexistentIndexSignature(objectType, accessExpression, indexType); if (suggestion2 !== void 0) { error(accessExpression, Diagnostics.Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1, typeToString(objectType), suggestion2); } else { let errorInfo; if (indexType.flags & 1024) { errorInfo = chainDiagnosticMessages(void 0, Diagnostics.Property_0_does_not_exist_on_type_1, "[" + typeToString(indexType) + "]", typeToString(objectType)); } else if (indexType.flags & 8192) { const symbolName2 = getFullyQualifiedName(indexType.symbol, accessExpression); errorInfo = chainDiagnosticMessages(void 0, Diagnostics.Property_0_does_not_exist_on_type_1, "[" + symbolName2 + "]", typeToString(objectType)); } else if (indexType.flags & 128) { errorInfo = chainDiagnosticMessages(void 0, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType)); } else if (indexType.flags & 256) { errorInfo = chainDiagnosticMessages(void 0, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType)); } else if (indexType.flags & (8 | 4)) { errorInfo = chainDiagnosticMessages(void 0, Diagnostics.No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1, typeToString(indexType), typeToString(objectType)); } 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(objectType)); diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(accessExpression), accessExpression, errorInfo)); } } } } return void 0; } } if (isJSLiteralType(objectType)) { return anyType; } if (accessNode) { const indexNode = getIndexNodeForAccessExpression(accessNode); if (indexType.flags & (128 | 256)) { error(indexNode, Diagnostics.Property_0_does_not_exist_on_type_1, "" + indexType.value, typeToString(objectType)); } else if (indexType.flags & (4 | 8)) { error(indexNode, Diagnostics.Type_0_has_no_matching_index_signature_for_type_1, typeToString(objectType), typeToString(indexType)); } else { error(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))) { error(accessExpression, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(objectType)); } } } function getIndexNodeForAccessExpression(accessNode) { return accessNode.kind === 209 ? accessNode.argumentExpression : accessNode.kind === 196 ? accessNode.indexType : accessNode.kind === 164 ? accessNode.expression : accessNode; } function isPatternLiteralPlaceholderType(type) { 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 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 | 134217728 | 268435456) && !isPatternLiteralType(type) ? 8388608 : 0); } function getSimplifiedType(type, writing) { return type.flags & 8388608 ? getSimplifiedIndexedAccessType(type, writing) : type.flags & 16777216 ? getSimplifiedConditionalType(type, writing) : type; } function distributeIndexOverObjectType(objectType, indexType, writing) { if (objectType.flags & 1048576 || objectType.flags & 2097152 && !shouldDeferIndexType(objectType)) { const types = map(objectType.types, (t) => getSimplifiedType(getIndexedAccessType(t, indexType), writing)); return objectType.flags & 2097152 || writing ? getIntersectionType(types) : getUnionType(types); } } function distributeObjectOverIndexType(objectType, indexType, writing) { if (indexType.flags & 1048576) { const types = map(indexType.types, (t) => getSimplifiedType(getIndexedAccessType(objectType, 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 objectType = getSimplifiedType(type.objectType, writing); const indexType = getSimplifiedType(type.indexType, writing); const distributedOverIndex = distributeObjectOverIndexType(objectType, indexType, writing); if (distributedOverIndex) { return type[cache] = distributedOverIndex; } if (!(indexType.flags & 465829888)) { const distributedOverObject = distributeIndexOverObjectType(objectType, indexType, writing); if (distributedOverObject) { return type[cache] = distributedOverObject; } } if (isGenericTupleType(objectType) && indexType.flags & 296) { const elementType = getElementTypeOfSliceOfTupleType(objectType, indexType.flags & 8 ? 0 : objectType.target.fixedLength, 0, writing); if (elementType) { return type[cache] = elementType; } } if (isGenericMappedType(objectType)) { const nameType = getNameTypeFromMappedType(objectType); if (!nameType || isTypeAssignableTo(nameType, getTypeParameterFromMappedType(objectType))) { return type[cache] = mapType(substituteIndexedMappedType(objectType, 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 neverType; } } else if (trueType2.flags & 131072 && getActualTypeVariable(falseType2) === getActualTypeVariable(checkType)) { if (!(checkType.flags & 1) && isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(extendsType))) { return neverType; } else if (checkType.flags & 1 || isIntersectionEmpty(checkType, extendsType)) { return getSimplifiedType(falseType2, writing); } } return type; } function isIntersectionEmpty(type1, type2) { return !!(getUnionType([intersectTypes(type1, type2), neverType]).flags & 131072); } function substituteIndexedMappedType(objectType, index) { const mapper = createTypeMapper([getTypeParameterFromMappedType(objectType)], [index]); const templateMapper = combineTypeMappers(objectType.mapper, mapper); return instantiateType(getTemplateTypeFromMappedType(objectType.target || objectType), templateMapper); } function getIndexedAccessType(objectType, indexType, accessFlags = 0, accessNode, aliasSymbol, aliasTypeArguments) { return getIndexedAccessTypeOrUndefined(objectType, indexType, accessFlags, accessNode, aliasSymbol, aliasTypeArguments) || (accessNode ? errorType : unknownType); } 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(objectType, indexType, accessFlags = 0, accessNode, aliasSymbol, aliasTypeArguments) { if (objectType === wildcardType || indexType === wildcardType) { return wildcardType; } if (isStringIndexSignatureOnlyType(objectType) && !(indexType.flags & 98304) && isTypeAssignableToKind(indexType, 4 | 8)) { indexType = stringType; } if (compilerOptions.noUncheckedIndexedAccess && accessFlags & 32) accessFlags |= 1; if (isGenericIndexType(indexType) || (accessNode && accessNode.kind !== 196 ? isGenericTupleType(objectType) && !indexTypeLessThan(indexType, objectType.target.fixedLength) : isGenericObjectType(objectType) && !(isTupleType(objectType) && indexTypeLessThan(indexType, objectType.target.fixedLength)))) { if (objectType.flags & 3) { return objectType; } const persistentAccessFlags = accessFlags & 1; const id = objectType.id + "," + indexType.id + "," + persistentAccessFlags + getAliasId(aliasSymbol, aliasTypeArguments); let type = indexedAccessTypes.get(id); if (!type) { indexedAccessTypes.set(id, type = createIndexedAccessType(objectType, indexType, persistentAccessFlags, aliasSymbol, aliasTypeArguments)); } return type; } const apparentObjectType = getReducedApparentType(objectType); if (indexType.flags & 1048576 && !(indexType.flags & 16)) { const propTypes = []; let wasMissingProp = false; for (const t of indexType.types) { const propType = getPropertyTypeForIndexType(objectType, 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, aliasSymbol, aliasTypeArguments) : getUnionType(propTypes, 1, aliasSymbol, aliasTypeArguments); } return getPropertyTypeForIndexType(objectType, apparentObjectType, indexType, indexType, accessNode, accessFlags | 8 | 64); } function getTypeFromIndexedAccessTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const objectType = getTypeFromTypeNode(node.objectType); const indexType = getTypeFromTypeNode(node.indexType); const potentialAlias = getAliasSymbolForTypeNode(node); links.resolvedType = getIndexedAccessType(objectType, 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 maybeCloneTypeParameter(p) { const constraint = getConstraintOfTypeParameter(p); return constraint && (isGenericObjectType(constraint) || isGenericIndexType(constraint)) ? cloneTypeParameter(p) : p; } 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(getTypeArguments(type), isGenericType); } function getConditionalType(root, mapper, aliasSymbol, aliasTypeArguments) { let result; let extraTypes; let tailCount = 0; while (true) { if (tailCount === 1e3) { error(currentNode, Diagnostics.Type_instantiation_is_excessively_deep_and_possibly_infinite); result = errorType; break; } const checkTuples = isSimpleTupleType(root.node.checkType) && isSimpleTupleType(root.node.extendsType) && length(root.node.checkType.elements) === length(root.node.extendsType.elements); const checkType = instantiateType(getActualTypeVariable(root.checkType), mapper); const checkTypeDeferred = isDeferredType(checkType, checkTuples); const extendsType = instantiateType(root.extendsType, mapper); if (checkType === wildcardType || extendsType === wildcardType) { return wildcardType; } let combinedMapper; if (root.inferTypeParameters) { const freshParams = sameMap(root.inferTypeParameters, maybeCloneTypeParameter); const freshMapper = freshParams !== root.inferTypeParameters ? createTypeMapper(root.inferTypeParameters, freshParams) : void 0; const context = createInferenceContext(freshParams, void 0, 0); if (freshMapper) { const freshCombinedMapper = combineTypeMappers(mapper, freshMapper); for (const p of freshParams) { if (root.inferTypeParameters.indexOf(p) === -1) { p.mapper = freshCombinedMapper; } } } if (!checkTypeDeferred) { inferTypes(context.inferences, checkType, instantiateType(extendsType, freshMapper), 512 | 1024); } const innerMapper = combineTypeMappers(freshMapper, context.mapper); combinedMapper = mapper ? combineTypeMappers(innerMapper, mapper) : innerMapper; } const inferredExtendsType = combinedMapper ? instantiateType(root.extendsType, combinedMapper) : extendsType; if (!checkTypeDeferred && !isDeferredType(inferredExtendsType, checkTuples)) { if (!(inferredExtendsType.flags & 3) && (checkType.flags & 1 || !isTypeAssignableTo(getPermissiveInstantiation(checkType), getPermissiveInstantiation(inferredExtendsType)))) { if (checkType.flags & 1) { (extraTypes || (extraTypes = [])).push(instantiateType(getTypeFromTypeNode(root.node.trueType), combinedMapper || mapper)); } const falseType2 = getTypeFromTypeNode(root.node.falseType); if (falseType2.flags & 16777216) { const newRoot = falseType2.root; if (newRoot.node.parent === root.node && (!newRoot.isDistributive || newRoot.checkType === root.checkType)) { root = newRoot; continue; } if (canTailRecurse(falseType2, mapper)) { continue; } } result = instantiateType(falseType2, mapper); break; } if (inferredExtendsType.flags & 3 || isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(inferredExtendsType))) { const trueType2 = getTypeFromTypeNode(root.node.trueType); const trueMapper = combinedMapper || mapper; if (canTailRecurse(trueType2, trueMapper)) { continue; } result = instantiateType(trueType2, trueMapper); break; } } result = createType(16777216); result.root = root; result.checkType = instantiateType(root.checkType, mapper); result.extendsType = instantiateType(root.extendsType, mapper); result.mapper = mapper; result.combinedMapper = combinedMapper; result.aliasSymbol = aliasSymbol || root.aliasSymbol; result.aliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(root.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))) { root = 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(root) { return root.isDistributive && (isTypeParameterPossiblyReferenced(root.checkType, root.node.trueType) || isTypeParameterPossiblyReferenced(root.checkType, root.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, true); const outerTypeParameters = aliasTypeArguments ? allOuterTypeParameters : filter(allOuterTypeParameters, (tp) => isTypeParameterPossiblyReferenced(tp, node)); const root = { node, checkType, extendsType: getTypeFromTypeNode(node.extendsType), isDistributive: !!(checkType.flags & 262144), inferTypeParameters: getInferTypeParameters(node), outerTypeParameters, instantiations: void 0, aliasSymbol, aliasTypeArguments }; links.resolvedType = getConditionalType(root, void 0); if (outerTypeParameters) { root.instantiations = /* @__PURE__ */ new Map(); root.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 _a2; const links = getNodeLinks(node); if (!links.resolvedType) { if (!isLiteralImportTypeNode(node)) { error(node.argument, Diagnostics.String_literal_expected); links.resolvedSymbol = unknownSymbol; return links.resolvedType = errorType; } const targetMeaning = node.isTypeOf ? 111551 : node.flags & 8388608 ? 111551 | 788968 : 788968; const innerModuleSymbol = resolveExternalModuleName(node, node.argument.literal); if (!innerModuleSymbol) { links.resolvedSymbol = unknownSymbol; return links.resolvedType = errorType; } const isExportEquals = !!((_a2 = innerModuleSymbol.exports) == null ? void 0 : _a2.get("export=")); const moduleSymbol = resolveExternalModuleSymbol(innerModuleSymbol, 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, false, true) : void 0; const symbolFromModule = node.isTypeOf ? void 0 : getSymbol2(getExportsOfSymbol(mergedResolvedSymbol), current.escapedText, meaning); const next = symbolFromModule != null ? symbolFromModule : symbolFromVariable; if (!next) { error(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; error(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 === 146) { 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) & (8 | 16)) { } 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 ? undefinedType : addOptionality(getTypeOfSymbol(prop), 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 anyType; } if (left.flags & 2 || right.flags & 2) { return unknownType; } if (left.flags & 131072) { return right; } if (right.flags & 131072) { return left; } left = tryMergeUnionOfObjectTypeAndEmptyObject(left, readonly); if (left.flags & 1048576) { return checkCrossProductUnion([left, right]) ? mapType(left, (t) => getSpreadType(t, right, symbol, objectFlags, readonly)) : errorType; } right = tryMergeUnionOfObjectTypeAndEmptyObject(right, readonly); if (right.flags & 1048576) { return checkCrossProductUnion([left, right]) ? mapType(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) & (8 | 16)) { 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); result.links.type = getUnionType([getTypeOfSymbol(leftProp), removeMissingOrUndefinedType(rightType)], 2); 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 _a2; return !some(prop.declarations, isPrivateIdentifierClassElementDeclaration) && (!(prop.flags & (8192 | 32768 | 65536)) || !((_a2 = prop.declarations) == null ? void 0 : _a2.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 ? undefinedType : 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 = mapType(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 === 104) { return nullType; } 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 (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, false, false); const parent2 = container && container.parent; if (parent2 && (isClassLike(parent2) || parent2.kind === 261)) { 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 & 8388608 ? 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; } error(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 193: return getArrayElementTypeNode(node.type); case 186: if (node.elements.length === 1) { node = node.elements[0]; if (node.kind === 188 || node.kind === 199 && node.dotDotDotToken) { return getArrayElementTypeNode(node.type); } } break; case 185: 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), true, !!node.questionToken)); } function getTypeFromTypeNode(node) { return getConditionalFlowTypeOfType(getTypeFromTypeNodeWorker(node), node); } function getTypeFromTypeNodeWorker(node) { switch (node.kind) { case 131: case 315: case 316: return anyType; case 157: return unknownType; case 152: return stringType; case 148: return numberType; case 160: return bigintType; case 134: return booleanType; case 153: return esSymbolType; case 114: return voidType; case 155: return undefinedType; case 104: return nullType; case 144: return neverType; case 149: return node.flags & 262144 && !noImplicitAny ? anyType : nonPrimitiveType; case 139: return intrinsicMarkerType; case 194: case 108: return getTypeFromThisTypeNode(node); case 198: return getTypeFromLiteralTypeNode(node); case 180: return getTypeFromTypeReference(node); case 179: return node.assertsModifier ? voidType : booleanType; case 230: return getTypeFromTypeReference(node); case 183: return getTypeFromTypeQueryNode(node); case 185: case 186: return getTypeFromArrayOrTupleTypeNode(node); case 187: return getTypeFromOptionalTypeNode(node); case 189: return getTypeFromUnionTypeNode(node); case 190: return getTypeFromIntersectionTypeNode(node); case 317: return getTypeFromJSDocNullableTypeNode(node); case 319: return addOptionality(getTypeFromTypeNode(node.type)); case 199: return getTypeFromNamedTupleTypeNode(node); case 193: case 318: case 312: return getTypeFromTypeNode(node.type); case 188: return getTypeFromRestTypeNode(node); case 321: return getTypeFromJSDocVariadicType(node); case 181: case 182: case 184: case 325: case 320: case 326: return getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node); case 195: return getTypeFromTypeOperatorNode(node); case 196: return getTypeFromIndexedAccessTypeNode(node); case 197: return getTypeFromMappedTypeNode(node); case 191: return getTypeFromConditionalTypeNode(node); case 192: return getTypeFromInferTypeNode(node); case 200: return getTypeFromTemplateTypeNode(node); case 202: return getTypeFromImportTypeNode(node); case 79: case 163: case 208: 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] : anyType) : 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] : anyType; } } 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, void 0); } function createBackreferenceMapper(context, index) { const forwardInferences = context.inferences.slice(index); return createTypeMapper(map(forwardInferences, (i) => i.typeParameter), map(forwardInferences, () => unknownType)); } 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), void 0, void 0, signature.minArgumentCount, signature.flags & 39); result.target = signature; result.mapper = mapper; return result; } function instantiateSymbol(symbol, mapper) { const links = getSymbolLinks(symbol); if (links.type && !couldContainTypeVariables(links.type)) { 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 = links.outerTypeParameters; if (!typeParameters) { let outerTypeParameters = getOuterTypeParameters(declaration, 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 = 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) { 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); } return result; } return type; } function maybeTypeParameterReference(node) { return !(node.parent.kind === 180 && node.parent.typeArguments && node === node.parent.typeName || node.parent.kind === 202 && 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 === 238 || n.kind === 191 && forEachChild(n.extendsType, containsReference)) { return true; } } return containsReference(node); } return true; function containsReference(node2) { switch (node2.kind) { case 194: return !!tp.isThisType; case 79: return !tp.isThisType && isPartOfTypeNode(node2) && maybeTypeParameterReference(node2) && getTypeFromTypeNodeWorker(node2) === tp; case 183: const entityName = node2.exprName; const firstIdentifier = getFirstIdentifier(entityName); const firstIdentifierSymbol = getResolvedSymbol(firstIdentifier); const tpDeclaration = tp.symbol.declarations[0]; let tpScope; if (tpDeclaration.kind === 165) { tpScope = tpDeclaration.parent; } else if (tp.isThisType) { tpScope = tpDeclaration; } else { return true; } if (firstIdentifierSymbol.declarations) { return some(firstIdentifierSymbol.declarations, (idDecl) => isNodeDescendantOf(idDecl, tpScope)) || some(node2.typeArguments, containsReference); } return true; case 171: case 170: 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), (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) < 0 && (constraint = getConstraintOfTypeParameter(typeVariable)) && everyType(constraint, isArrayOrTupleType)) { return instantiateMappedArrayType(t, type, prependTypeMapping(typeVariable, t, mapper)); } if (isGenericTupleType(t)) { return instantiateMappedGenericTupleType(t, type, typeVariable, mapper); } if (isTupleType(t)) { return instantiateMappedTupleType(t, type, prependTypeMapping(typeVariable, t, mapper)); } } return instantiateAnonymousType(type, prependTypeMapping(typeVariable, t, mapper)); } return t; }, aliasSymbol, aliasTypeArguments); } } return instantiateType(getConstraintTypeFromMappedType(type), mapper) === wildcardType ? wildcardType : instantiateAnonymousType(type, mapper, aliasSymbol, aliasTypeArguments); } function getModifiedReadonlyState(state, modifiers) { return modifiers & 1 ? true : modifiers & 2 ? false : state; } function instantiateMappedGenericTupleType(tupleType, mappedType, typeVariable, mapper) { const elementFlags = tupleType.target.elementFlags; const elementTypes = map(getTypeArguments(tupleType), (t, i) => { const singleton = elementFlags[i] & 8 ? t : elementFlags[i] & 4 ? createArrayType(t) : createTupleType([t], [elementFlags[i]]); return instantiateMappedType(mappedType, prependTypeMapping(typeVariable, singleton, mapper)); }); const newReadonly = getModifiedReadonlyState(tupleType.target.readonly, getMappedTypeModifiers(mappedType)); return createTupleType(elementTypes, map(elementTypes, (_) => 8), newReadonly); } function instantiateMappedArrayType(arrayType, mappedType, mapper) { const elementType = instantiateMappedTypeTemplate(mappedType, numberType, true, mapper); return isErrorType(elementType) ? errorType : createArrayType(elementType, getModifiedReadonlyState(isReadonlyArrayType(arrayType), getMappedTypeModifiers(mappedType))); } function instantiateMappedTupleType(tupleType, mappedType, mapper) { const elementFlags = tupleType.target.elementFlags; const elementTypes = map(getTypeArguments(tupleType), (_, i) => instantiateMappedTypeTemplate(mappedType, getStringLiteralType("" + i), !!(elementFlags[i] & 2), mapper)); const modifiers = getMappedTypeModifiers(mappedType); const newTupleModifiers = modifiers & 4 ? map(elementFlags, (f) => f & 1 ? 2 : f) : modifiers & 8 ? map(elementFlags, (f) => f & 2 ? 1 : f) : elementFlags; const newReadonly = getModifiedReadonlyState(tupleType.target.readonly, modifiers); return contains(elementTypes, errorType) ? errorType : createTupleType(elementTypes, newTupleModifiers, newReadonly, tupleType.target.labeledElementDeclarations); } 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) ? getOptionalType(propType, true) : strictNullChecks && modifiers & 8 && isOptional ? getTypeWithFacts(propType, 524288) : propType; } function instantiateAnonymousType(type, mapper, aliasSymbol, aliasTypeArguments) { const result = createObjectType(type.objectFlags | 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; } 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, aliasSymbol, aliasTypeArguments) { const root = type.root; if (root.outerTypeParameters) { const typeArguments = map(root.outerTypeParameters, (t) => getMappedType(t, mapper)); const id = getTypeListId(typeArguments) + getAliasId(aliasSymbol, aliasTypeArguments); let result = root.instantiations.get(id); if (!result) { const newMapper = createTypeMapper(root.outerTypeParameters, typeArguments); const checkType = root.checkType; const distributionType = root.isDistributive ? getMappedType(checkType, newMapper) : void 0; result = distributionType && checkType !== distributionType && distributionType.flags & (1048576 | 131072) ? mapTypeWithAlias(getReducedType(distributionType), (t) => getConditionalType(root, prependTypeMapping(checkType, t, newMapper)), aliasSymbol, aliasTypeArguments) : getConditionalType(root, newMapper, aliasSymbol, aliasTypeArguments); root.instantiations.set(id, result); } return result; } return type; } function instantiateType(type, mapper) { return type && mapper ? instantiateTypeWithAlias(type, mapper, void 0, void 0) : type; } function instantiateTypeWithAlias(type, mapper, aliasSymbol, aliasTypeArguments) { var _a2; if (!couldContainTypeVariables(type)) { return type; } if (instantiationDepth === 100 || instantiationCount >= 5e6) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "instantiateType_DepthLimit", { typeId: type.id, instantiationDepth, instantiationCount }); error(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, 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, void 0, newAliasSymbol, newAliasTypeArguments); } if (flags & 16777216) { return getConditionalTypeInstantiation(type, combineTypeMappers(type.mapper, mapper), aliasSymbol, aliasTypeArguments); } if (flags & 33554432) { const newBaseType = instantiateType(type.baseType, mapper); 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 getUniqueLiteralFilledInstantiation(type) { return type.flags & (134348796 | 3 | 131072) ? type : type.uniqueLiteralFilledInstantiation || (type.uniqueLiteralFilledInstantiation = instantiateType(type, uniqueLiteralMapper)); } function getPermissiveInstantiation(type) { return type.flags & (134348796 | 3 | 131072) ? type : type.permissiveInstantiation || (type.permissiveInstantiation = instantiateType(type, permissiveMapper)); } function getRestrictiveInstantiation(type) { if (type.flags & (134348796 | 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 !== 171 || isObjectLiteralMethod(node)); switch (node.kind) { case 215: case 216: case 171: case 259: return isContextSensitiveFunctionLikeDeclaration(node); case 207: return some(node.properties, isContextSensitive); case 206: return some(node.elements, isContextSensitive); case 224: return isContextSensitive(node.whenTrue) || isContextSensitive(node.whenFalse); case 223: return (node.operatorToken.kind === 56 || node.operatorToken.kind === 60) && (isContextSensitive(node.left) || isContextSensitive(node.right)); case 299: return isContextSensitive(node.initializer); case 214: return isContextSensitive(node.expression); case 289: return some(node.properties, isContextSensitive) || isJsxOpeningElement(node.parent) && some(node.parent.parent.children, isContextSensitive); case 288: { const { initializer } = node; return !!initializer && isContextSensitive(initializer); } case 291: { const { expression } = node; return !!expression && isContextSensitive(expression); } } return false; } function isContextSensitiveFunctionLikeDeclaration(node) { return hasContextSensitiveParameters(node) || hasContextSensitiveReturnExpression(node); } function hasContextSensitiveReturnExpression(node) { return !node.typeParameters && !getEffectiveReturnTypeNode(node) && !!node.body && node.body.kind !== 238 && isContextSensitive(node.body); } 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) || unknownType, 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, 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, void 0) && elaborateDidYouMeanToCallOrConstruct(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer)) { return true; } switch (node.kind) { case 291: case 214: return elaborateError(node.expression, source, target, relation, headMessage, containingMessageChain, errorOutputContainer); case 223: switch (node.operatorToken.kind) { case 63: case 27: return elaborateError(node.right, source, target, relation, headMessage, containingMessageChain, errorOutputContainer); } break; case 207: return elaborateObjectLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer); case 206: return elaborateArrayLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer); case 289: return elaborateJsxComponents(node, source, target, relation, containingMessageChain, errorOutputContainer); case 216: return elaborateArrowFunction(node, source, target, relation, containingMessageChain, errorOutputContainer); } return false; } function elaborateDidYouMeanToCallOrConstruct(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer) { const callSignatures = getSignaturesOfType(source, 0); const constructSignatures = getSignaturesOfType(source, 1); for (const signatures of [constructSignatures, callSignatures]) { if (some(signatures, (s) => { const returnType = getReturnTypeOfSignature(s); return !(returnType.flags & (1 | 131072)) && checkTypeRelatedTo(returnType, target, relation, 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); if (!length(targetSignatures)) { return false; } const returnExpression = node.body; const sourceReturn = getReturnTypeOfSignature(sourceSig); const targetReturn = getUnionType(map(targetSignatures, getReturnTypeOfSignature)); if (!checkTypeRelatedTo(sourceReturn, targetReturn, relation, void 0)) { const elaborated = returnExpression && elaborateError(returnExpression, sourceReturn, targetReturn, relation, void 0, containingMessageChain, errorOutputContainer); if (elaborated) { return elaborated; } const resultObj = errorOutputContainer || {}; checkTypeRelatedTo(sourceReturn, targetReturn, relation, returnExpression, 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, 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, false); const result = checkExpressionForMutableLocation(next, 1); 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, void 0); if (!checkTypeRelatedTo(sourcePropType, targetPropType, relation, void 0)) { const elaborated = next && elaborateError(next, sourcePropType, targetPropType, relation, 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 !== neverType ? getIterationTypeOfIterable(13, 0, nonTupleOrArrayLikeTargetParts, 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 !== neverType ? 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, void 0); if (!checkTypeRelatedTo(sourcePropType, targetPropType, relation, void 0)) { const elaborated = next && elaborateError(next, sourcePropType, targetPropType, relation, 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(idText(prop.name))) continue; yield { errorNode: prop.name, innerExpression: prop.initializer, nameType: getStringLiteralType(idText(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 291: return { errorNode: child, innerExpression: child.expression, nameType }; case 11: if (child.containsOnlyTriviaWhiteSpaces) { break; } return { errorNode: child, innerExpression: void 0, nameType, errorMessage: getInvalidTextDiagnostic() }; case 281: case 282: case 285: 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(false); if (iterableType !== emptyGenericType) { const anyIterable = createIterableType(anyType); 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 !== neverType) { const realSource = createTupleType(checkJsxChildren(containingElement, 0)); 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 = error(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 !== neverType) { 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 = error(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(void 0, 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); yield { errorNode: elem, innerExpression: elem, nameType }; } } function elaborateArrayLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer) { if (target.flags & (134348796 | 131072)) return false; if (isTupleLikeType(source)) { return elaborateElementwise(generateLimitedTupleElements(node, target), source, target, relation, containingMessageChain, errorOutputContainer); } pushContextualType(node, target, false); const tupleizedType = checkArrayLiteral(node, 1, 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); if (!type || type.flags & 131072) { continue; } switch (prop.kind) { case 175: case 174: case 171: case 300: yield { errorNode: prop.name, innerExpression: void 0, nameType: type }; break; case 299: 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 & (134348796 | 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, false, void 0, void 0, compareTypesAssignable, 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) { return 0; } if (source.typeParameters && source.typeParameters !== target.typeParameters) { target = getCanonicalSignature(target); source = instantiateSignatureInContextOf(source, target, 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 !== 171 && kind !== 170 && kind !== 173; let result = -1; const sourceThisType = getThisTypeOfSignature(source); if (sourceThisType && sourceThisType !== voidType) { const targetThisType = getThisTypeOfSignature(target); if (targetThisType) { const related = !strictVariance && compareTypes(sourceThisType, targetThisType, 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 ? getRestTypeAtPosition(source, i) : tryGetTypeAtPosition(source, i); const targetType = i === restIndex ? getRestTypeAtPosition(target, i) : tryGetTypeAtPosition(target, i); if (sourceType && targetType) { const sourceSig = checkMode & 3 ? void 0 : getSingleCallSignature(getNonNullableType(sourceType)); const targetSig = checkMode & 3 ? void 0 : getSingleCallSignature(getNonNullableType(targetType)); const callbacks = sourceSig && targetSig && !getTypePredicateOfSignature(sourceSig) && !getTypePredicateOfSignature(targetSig) && (getTypeFacts(sourceType) & 50331648) === (getTypeFacts(targetType) & 50331648); let related = callbacks ? compareSignaturesRelated(targetSig, sourceSig, checkMode & 8 | (strictVariance ? 2 : 1), reportErrors2, errorReporter, incompatibleErrorReporter, compareTypes, reportUnreliableMarkers) : !(checkMode & 3) && !strictVariance && compareTypes(sourceType, targetType, false) || compareTypes(targetType, sourceType, reportErrors2); if (related && checkMode & 8 && i >= getMinArgumentCount(source) && i < getMinArgumentCount(target) && compareTypes(sourceType, targetType, 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) ? anyType : target.declaration && isJSConstructor(target.declaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(target.declaration.symbol)) : getReturnTypeOfSignature(target); if (targetReturnType === voidType || targetReturnType === anyType) { return result; } const sourceReturnType = isResolvingReturnTypeOfSignature(source) ? anyType : 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)) { if (reportErrors2) { errorReporter(Diagnostics.Signature_0_must_be_a_type_predicate, signatureToString(source)); } return 0; } } else { result &= checkMode & 1 && compareTypes(targetReturnType, sourceReturnType, 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 === voidType || isTypeRelatedTo(targetReturnType, sourceReturnType, assignableRelation) || isTypeRelatedTo(sourceReturnType, targetReturnType, assignableRelation)) { return isSignatureAssignableTo(erasedSource, erasedTarget, 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, stringType) || 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 property of getPropertiesOfType(getTypeOfSymbol(sourceSymbol))) { if (property.flags & 8) { const targetProperty = getPropertyOfType(targetEnumType, property.escapedName); if (!targetProperty || !(targetProperty.flags & 8)) { if (errorReporter) { errorReporter(Diagnostics.Property_0_is_missing_in_type_1, symbolName(property), typeToString(getDeclaredTypeOfSymbol(targetSymbol), void 0, 64)); enumRelation.set(id, 2 | 4); } else { enumRelation.set(id, 2); } return false; } } } enumRelation.set(id, 1); 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, false)); if (related !== void 0) { return !!(related & 1); } } if (source.flags & 469499904 || target.flags & 469499904) { return checkTypeRelatedTo(source, target, relation, 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 : 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 && some(type.types, isEmptyAnonymousObjectType)) { const normalizedTypes = sameMap(type.types, (t) => getNormalizedType(t, writing)); if (normalizedTypes !== type.types) { return getIntersectionType(normalizedTypes); } } return type; } function checkTypeRelatedTo(source, target, relation, errorNode, headMessage, containingMessageChain, errorOutputContainer) { var _a2; let errorInfo; let relatedInfo; let maybeKeys; let sourceStack; let targetStack; let maybeCount = 0; let sourceDepth = 0; let targetDepth = 0; let expandingFlags = 0; let overflow = false; let overrideNextErrorInfo = 0; let lastSkippedInfo; let incompatibleStack; Debug.assert(relation !== identityRelation || !errorNode, "no error reporting in identity checking"); const result = isRelatedTo(source, target, 3, !!errorNode, headMessage); if (incompatibleStack) { reportIncompatibleStack(); } if (overflow) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "checkTypeRelatedTo_DepthLimit", { sourceId: source.id, targetId: target.id, depth: sourceDepth, targetDepth }); const diag2 = error(errorNode || currentNode, Diagnostics.Excessive_stack_depth_comparing_types_0_and_1, 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, 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; relatedInfo = saved.relatedInfo; } function captureErrorCalculationState() { return { errorInfo, lastSkippedInfo, incompatibleStack: incompatibleStack == null ? void 0 : incompatibleStack.slice(), overrideNextErrorInfo, relatedInfo: relatedInfo == null ? void 0 : relatedInfo.slice() }; } function reportIncompatibleError(message, arg0, arg1, arg2, arg3) { overrideNextErrorInfo++; lastSkippedInfo = void 0; (incompatibleStack || (incompatibleStack = [])).push([message, arg0, arg1, arg2, arg3]); } function reportIncompatibleStack() { const stack = incompatibleStack || []; incompatibleStack = void 0; const info = lastSkippedInfo; lastSkippedInfo = void 0; if (stack.length === 1) { reportError(...stack[0]); if (info) { reportRelationError(void 0, ...info); } return; } let path = ""; const secondaryRootErrors = []; while (stack.length) { const [msg, ...args] = stack.pop(); switch (msg.code) { case Diagnostics.Types_of_property_0_are_incompatible.code: { if (path.indexOf("new ") === 0) { path = `(${path})`; } const str = "" + args[0]; if (path.length === 0) { path = `${str}`; } else if (isIdentifierText(str, getEmitScriptTarget(compilerOptions))) { path = `${path}.${str}`; } else if (str[0] === "[" && str[str.length - 1] === "]") { path = `${path}${str}`; } else { path = `${path}[${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 (path.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 ? "" : "..."; path = `${prefix}${path}(${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 (path) { reportError(path[path.length - 1] === ")" ? Diagnostics.The_types_returned_by_0_are_incompatible_between_these_types : Diagnostics.The_types_of_0_are_incompatible_between_these_types, path); } 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(void 0, ...info); } } function reportError(message, arg0, arg1, arg2, arg3) { Debug.assert(!!errorNode); if (incompatibleStack) reportIncompatibleStack(); if (message.elidedInCompatabilityPyramid) return; errorInfo = chainDiagnosticMessages(errorInfo, message, arg0, arg1, arg2, arg3); } 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 && stringType === target2 || globalNumberType === source2 && numberType === target2 || globalBooleanType === source2 && booleanType === 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.flags & 524288 && originalTarget.flags & 134348796) { 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, false); let target2 = getNormalizedType(originalTarget, 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, 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, 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 & (134348796 | 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); const constructs = getSignaturesOfType(source2, 1); if (calls.length > 0 && isRelatedTo(getReturnTypeOfSignature(calls[0]), target2, 1, false) || constructs.length > 0 && isRelatedTo(getReturnTypeOfSignature(constructs[0]), target2, 1, 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 _a3, _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, true); if (errorInfo !== currentError) { maybeSuppress = !!errorInfo; } } if (source2.flags & 524288 && target2.flags & 134348796) { 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) { lastSkippedInfo = [source2, target2]; return; } reportRelationError(headMessage2, source2, target2); if (source2.flags & 262144 && ((_b = (_a3 = source2.symbol) == null ? void 0 : _a3.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 _a3; type = getApparentType(type); const prop = type.flags & 3145728 ? getPropertyOfUnionOrIntersectionType(type, name) : getPropertyOfObjectType(type, name); const propType = prop && getTypeOfSymbol(prop) || ((_a3 = getApplicableIndexInfoForName(type, name)) == null ? void 0 : _a3.type) || undefinedType; return append(propTypes, propType); }; return getUnionType(reduceLeft(types, appendPropType, void 0) || emptyArray); } function hasExcessProperties(source2, target2, reportErrors2) { var _a3; 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 = symbolToString(prop); const suggestionSymbol = getSuggestedSymbolForNonexistentJSXAttribute(propName, errorTarget); const suggestion = suggestionSymbol ? symbolToString(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 = ((_a3 = source2.symbol) == null ? void 0 : _a3.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); errorNode = propDeclaration; const name = propDeclaration.name; if (isIdentifier(name)) { suggestion = getSuggestionForNonexistentProperty(name, errorTarget); } } if (suggestion !== void 0) { reportError(Diagnostics.Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_write_2, symbolToString(prop), typeToString(errorTarget), suggestion); } else { reportError(Diagnostics.Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1, symbolToString(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, symbolToString(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) { return relation === comparableRelation ? someTypeRelatedToType(source2, target2, reportErrors2 && !(source2.flags & 134348796), intersectionState) : eachTypeRelatedToType(source2, target2, reportErrors2 && !(source2.flags & 134348796), intersectionState); } if (target2.flags & 1048576) { return typeRelatedToSomeType(getRegularTypeOfObjectLiteral(source2), target2, reportErrors2 && !(source2.flags & 134348796) && !(target2.flags & 134348796)); } if (target2.flags & 2097152) { return typeRelatedToEachType(source2, target2, reportErrors2, 2); } if (relation === comparableRelation && target2.flags & 134348796) { const constraints = sameMap(source2.types, (t) => t.flags & 465829888 ? getBaseConstraintOfType(t) || unknownType : t); if (constraints !== source2.types) { source2 = getIntersectionType(constraints); if (source2.flags & 131072) { return 0; } if (!(source2.flags & 2097152)) { return isRelatedTo(source2, target2, 1, false) || isRelatedTo(target2, source2, 1, false); } } } return someTypeRelatedToType(source2, target2, false, 1); } function eachTypeRelatedToSomeType(source2, target2) { let result2 = -1; const sourceTypes = source2.types; for (const sourceType of sourceTypes) { const related = typeRelatedToSomeType(sourceType, target2, false); if (!related) { return 0; } result2 &= related; } return result2; } function typeRelatedToSomeType(source2, target2, reportErrors2) { const targetTypes = target2.types; if (target2.flags & 1048576) { if (containsType(targetTypes, source2)) { return -1; } const match = getMatchingUnionConstituentForType(target2, source2); if (match) { const related = isRelatedTo(source2, match, 2, false); if (related) { return related; } } } for (const type of targetTypes) { const related = isRelatedTo(source2, type, 2, false); if (related) { return related; } } if (reportErrors2) { const bestMatchingType = getBestMatchingType(source2, target2, isRelatedTo); if (bestMatchingType) { isRelatedTo(source2, bestMatchingType, 2, true); } } 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, 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, 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); } 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, false, void 0, intersectionState); if (related2) { result2 &= related2; continue; } } const related = isRelatedTo(sourceType, target2, 1, reportErrors2, 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, false) : compareTypesIdentical(s, t); } else if (variance === 1) { related = isRelatedTo(s, t, 3, reportErrors2, void 0, intersectionState); } else if (variance === 2) { related = isRelatedTo(t, s, 3, reportErrors2, void 0, intersectionState); } else if (variance === 3) { related = isRelatedTo(t, s, 3, false); if (!related) { related = isRelatedTo(s, t, 3, reportErrors2, void 0, intersectionState); } } else { related = isRelatedTo(s, t, 3, reportErrors2, void 0, intersectionState); if (related) { related &= isRelatedTo(t, s, 3, reportErrors2, void 0, intersectionState); } } if (!related) { return 0; } result2 &= related; } } return result2; } function recursiveTypeRelatedTo(source2, target2, reportErrors2, intersectionState, recursionFlags) { var _a3, _b, _c; if (overflow) { return 0; } const id = getRelationKey(source2, target2, intersectionState, relation, 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 (!maybeKeys) { maybeKeys = []; sourceStack = []; targetStack = []; } else { const broadestEquivalentId = id.startsWith("*") ? getRelationKey(source2, target2, intersectionState, relation, true) : void 0; for (let i = 0; i < maybeCount; i++) { if (id === maybeKeys[i] || broadestEquivalentId && broadestEquivalentId === maybeKeys[i]) { return 3; } } if (sourceDepth === 100 || targetDepth === 100) { overflow = true; return 0; } } const maybeStart = maybeCount; maybeKeys[maybeCount] = 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) { (_a3 = tracing) == null ? void 0 : _a3.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) { for (let i = maybeStart; i < maybeCount; i++) { relation.set(maybeKeys[i], 1 | propagatingVarianceFlags); } } maybeCount = maybeStart; } } else { relation.set(id, (reportErrors2 ? 4 : 0) | 2 | propagatingVarianceFlags); maybeCount = maybeStart; } return result2; } 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, false, void 0, intersectionState); } } if (result2 && !(intersectionState & 2) && target2.flags & 2097152 && !isGenericObjectType(target2) && source2.flags & (524288 | 2097152)) { result2 &= propertiesRelatedTo(source2, target2, reportErrors2, void 0, false, 0); if (result2 && isObjectLiteralType2(source2) && getObjectFlags(source2) & 8192) { result2 &= indexSignaturesRelatedTo(source2, target2, false, reportErrors2, 0); } } 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, void 0, true, intersectionState); } } if (result2) { resetErrorInfo(saveErrorInfo); } return result2; } 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, false); } if (sourceFlags & 8388608) { if (result2 = isRelatedTo(source2.objectType, target2.objectType, 3, false)) { if (result2 &= isRelatedTo(source2.indexType, target2.indexType, 3, false)) { return result2; } } } if (sourceFlags & 16777216) { if (source2.root.isDistributive === target2.root.isDistributive) { if (result2 = isRelatedTo(source2.checkType, target2.checkType, 3, false)) { if (result2 &= isRelatedTo(source2.extendsType, target2.extendsType, 3, false)) { if (result2 &= isRelatedTo(getTrueTypeFromConditionalType(source2), getTrueTypeFromConditionalType(target2), 3, false)) { if (result2 &= isRelatedTo(getFalseTypeFromConditionalType(source2), getFalseTypeFromConditionalType(target2), 3, false)) { return result2; } } } } } } if (sourceFlags & 33554432) { if (result2 = isRelatedTo(source2.baseType, target2.baseType, 3, false)) { if (result2 &= isRelatedTo(source2.constraint, target2.constraint, 3, 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)) || isSingleElementGenericTupleType(target2) && (target2.target.readonly || isMutableArrayOrTuple(getBaseConstraintOfType(source2) || source2)) && (result2 = isRelatedTo(source2, getTypeArguments(target2)[0], 2))) { return result2; } if (targetFlags & 262144) { if (getObjectFlags(source2) & 32 && !source2.declaration.nameType && isRelatedTo(getIndexType(target2), getConstraintTypeFromMappedType(source2), 3)) { 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 && hasNonCircularBaseConstraint(source2)) { while (constraint && someType(constraint, (c) => !!(c.flags & 262144))) { if (result2 = isRelatedTo(constraint, target2, 1, 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, 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.stringsOnly), 2, reportErrors2) === -1) { return -1; } } else if (isGenericMappedType(targetType)) { const nameType = getNameTypeFromMappedType(targetType); const constraintType = getConstraintTypeFromMappedType(targetType); let targetKeys; if (nameType && isMappedTypeWithKeyofConstraintDeclaration(targetType)) { const modifiersType = getApparentType(getModifiersTypeFromMappedType(targetType)); const mappedKeys = []; forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(modifiersType, 8576, false, (t) => void mappedKeys.push(instantiateType(nameType, appendTypeMapping(targetType.mapper, getTypeParameterFromMappedType(targetType), t)))); 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 objectType = target2.objectType; const indexType = target2.indexType; const baseObjectType = getBaseConstraintOfType(objectType) || objectType; const baseIndexType = getBaseConstraintOfType(indexType) || indexType; if (!isGenericObjectType(baseObjectType) && !isGenericIndexType(baseIndexType)) { const accessFlags = 4 | (baseObjectType !== objectType ? 2 : 0); const constraint = getIndexedAccessTypeOrUndefined(baseObjectType, baseIndexType, accessFlags); if (constraint) { if (reportErrors2 && originalErrorInfo) { resetErrorInfo(saveErrorInfo); } if (result2 = isRelatedTo(source2, constraint, 2, reportErrors2, 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, void 0, true); const includeOptional = modifiers & 4; const filteredByApplicability = includeOptional ? intersectTypes(targetKeys, sourceKeys) : void 0; if (includeOptional ? !(filteredByApplicability.flags & 131072) : isRelatedTo(targetKeys, sourceKeys, 3)) { const templateType2 = getTemplateTypeFromMappedType(target2); const typeParameter = getTypeParameterFromMappedType(target2); const nonNullComponent = extractTypesOfKind(templateType2, ~98304); 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)) { 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, false, void 0, intersectionState)) { result2 &= skipFalse ? -1 : isRelatedTo(source2, getFalseTypeFromConditionalType(c), 2, false, 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) || unknownType; if (result2 = isRelatedTo(constraint, target2, 1, false, void 0, intersectionState)) { return result2; } else if (result2 = isRelatedTo(getTypeWithThisArgument(constraint, source2), target2, 1, reportErrors2 && constraint !== unknownType && !(targetFlags & sourceFlags & 262144), 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) { if (result2 = isRelatedTo(keyofConstraintType, 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, void 0, 0, isRelatedToWorker); inferTypes(ctx.inferences, target2.extendsType, sourceExtends, 512 | 1024); sourceExtends = instantiateType(sourceExtends, ctx.mapper); mapper = ctx.mapper; } if (isTypeIdenticalTo(sourceExtends, target2.extendsType) && (isRelatedTo(source2.checkType, target2.checkType, 3) || isRelatedTo(target2.checkType, source2.checkType, 3))) { if (result2 = isRelatedTo(instantiateType(getTrueTypeFromConditionalType(source2), mapper), getTrueTypeFromConditionalType(target2), 3, reportErrors2)) { result2 &= isRelatedTo(getFalseTypeFromConditionalType(source2), getFalseTypeFromConditionalType(target2), 3, reportErrors2); } if (result2) { return result2; } } } else { const distributiveConstraint = hasNonCircularBaseConstraint(source2) ? getConstraintOfDistributiveConditionalType(source2) : void 0; if (distributiveConstraint) { if (result2 = isRelatedTo(distributiveConstraint, target2, 1, reportErrors2)) { return result2; } } } const defaultConstraint = getDefaultConstraintOfConditionalType(source2); if (defaultConstraint) { if (result2 = isRelatedTo(defaultConstraint, 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 & 134348796); 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) ? isArrayOrTupleType(source2) : isArrayType(target2) && isTupleType(source2) && !source2.target.readonly) { if (relation !== identityRelation) { return isRelatedTo(getIndexTypeOfType(source2, numberType) || anyType, getIndexTypeOfType(target2, numberType) || anyType, 3, reportErrors2); } else { return 0; } } 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, void 0, 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); 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))) { 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 _a3; 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) { (_a3 = tracing) == null ? void 0 : _a3.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], false, 0, 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, false, excludedProperties, false, 0); if (result2) { result2 &= signaturesRelatedTo(source2, type, 0, false, 0); if (result2) { result2 &= signaturesRelatedTo(source2, type, 1, false, 0); if (result2 && !(isTupleType(source2) && isTupleType(type))) { result2 &= indexSignaturesRelatedTo(source2, type, false, false, 0); } } } 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), false, targetIsOptional); const effectiveSource = getTypeOfSourceProperty(sourceProp); return isRelatedTo(effectiveSource, effectiveTarget, 3, reportErrors2, void 0, intersectionState); } function propertyRelatedTo(source2, target2, sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState, skipOptional) { const sourcePropFlags = getDeclarationModifierFlagsFromSymbol(sourceProp); const targetPropFlags = getDeclarationModifierFlagsFromSymbol(targetProp); if (sourcePropFlags & 8 || targetPropFlags & 8) { if (sourceProp.valueDeclaration !== targetProp.valueDeclaration) { if (reportErrors2) { if (sourcePropFlags & 8 && targetPropFlags & 8) { reportError(Diagnostics.Types_have_separate_declarations_of_a_private_property_0, symbolToString(targetProp)); } else { reportError(Diagnostics.Property_0_is_private_in_type_1_but_not_in_type_2, symbolToString(targetProp), typeToString(sourcePropFlags & 8 ? source2 : target2), typeToString(sourcePropFlags & 8 ? target2 : source2)); } } return 0; } } else if (targetPropFlags & 16) { if (!isValidOverrideOf(sourceProp, targetProp)) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2, symbolToString(targetProp), typeToString(getDeclaringClass(sourceProp) || source2), typeToString(getDeclaringClass(targetProp) || target2)); } return 0; } } else if (sourcePropFlags & 16) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_protected_in_type_1_but_public_in_type_2, symbolToString(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, symbolToString(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, symbolToString(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, 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 = symbolToString(unmatchedProperty, void 0, 0, 4 | 16); 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, 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) => symbolToString(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) => symbolToString(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); const targetEndCount = getEndElementCount(target2.target, 11); 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, 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, 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, symbolToString(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 _a3, _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) { for (let i = 0; i < targetSignatures.length; i++) { const related = signatureRelatedTo(sourceSignatures[i], targetSignatures[i], 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 || !!compilerOptions.noStrictGenericChecks; 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 && (((_a3 = targetSignature.declaration) == null ? void 0 : _a3.kind) === 173 || ((_b = sourceSignature.declaration) == null ? void 0 : _b.kind) === 173)) { const constructSignatureToString = (signature) => signatureToString(signature, 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, 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, void 0, void 0, kind)); } return 0; } } return result2; } function shouldReportUnmatchedPropertyError(source2, target2) { const typeCallSignatures = getSignaturesOfStructuredType(source2, 0); const typeConstructSignatures = getSignaturesOfStructuredType(source2, 1); const typeProperties = getPropertiesOfObjectType(source2); if ((typeCallSignatures.length || typeConstructSignatures.length) && !typeProperties.length) { if (getSignaturesOfType(target2, 0).length && typeCallSignatures.length || getSignaturesOfType(target2, 1).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, 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], false, false, 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), keyType)) { const propType = getNonMissingTypeOfSymbol(prop); const type = exactOptionalPropertyTypes || propType.flags & 32768 || keyType === numberType || !(prop.flags & 16777216) ? propType : getTypeWithFacts(propType, 524288); const related = isRelatedTo(type, targetInfo.type, 3, reportErrors2, void 0, intersectionState); if (!related) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_incompatible_with_index_signature, symbolToString(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, 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 === stringType); let result2 = -1; for (const targetInfo of indexInfos) { const related = !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) && 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, 24); const targetAccessibility = getSelectedEffectiveModifierFlags(targetSignature.declaration, 24); if (targetAccessibility === 8) { return true; } if (targetAccessibility === 16 && sourceAccessibility !== 8) { return true; } if (targetAccessibility !== 16 && !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) && !!containsMissingType(target); } function getExactOptionalProperties(type) { return getPropertiesOfType(type).filter((targetProp) => containsMissingType(getTypeOfSymbol(targetProp))); } function getBestMatchingType(source, target, isRelatedTo = compareTypesAssignable) { return findMatchingDiscriminantType(source, target, isRelatedTo, true) || findMatchingTypeReferenceOrTypeAliasReference(source, target) || findBestTypeForObjectLiteral(source, target) || findBestTypeForInvokable(source, target) || findMostOverlappyType(source, target); } function discriminateTypeByDiscriminableItems(target, discriminators, related, defaultValue, skipPartial) { const discriminable = target.types.map((_) => void 0); for (const [getDiscriminatingType, propertyName] of discriminators) { const targetProp = getUnionOrIntersectionProperty(target, propertyName); if (skipPartial && targetProp && getCheckFlags(targetProp) & 16) { continue; } let i = 0; for (const type of target.types) { const targetType = getTypeOfPropertyOfType(type, propertyName); if (targetType && related(getDiscriminatingType(), targetType)) { discriminable[i] = discriminable[i] === void 0 ? true : discriminable[i]; } else { discriminable[i] = false; } i++; } } const match = discriminable.indexOf(true); if (match === -1) { return defaultValue; } let nextMatch = discriminable.indexOf(true, match + 1); while (nextMatch !== -1) { if (!isTypeIdenticalTo(target.types[match], target.types[nextMatch])) { return defaultValue; } nextMatch = discriminable.indexOf(true, nextMatch + 1); } return target.types[match]; } 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 & 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 _a2, _b; const links = getSymbolLinks(symbol); if (!links.variances) { (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.CheckTypes, "getVariancesWorker", { arity: typeParameters.length, id: getTypeId(getDeclaredTypeOfSymbol(symbol)) }); links.variances = emptyArray; const variances = []; for (const tp of typeParameters) { const modifiers = getTypeParameterModifiers(tp); let variance = modifiers & 65536 ? modifiers & 32768 ? 0 : 1 : modifiers & 32768 ? 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); } 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 _a2; return reduceLeft((_a2 = tp.symbol) == null ? void 0 : _a2.declarations, (modifiers, d) => modifiers | getEffectiveModifierFlags(d), 0) & (32768 | 65536 | 2048); } 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, depth = 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 (depth < 4 && isTypeReferenceWithGenericArguments(t)) { result += "<" + getTypeReferenceId(t, depth + 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) & 16 ? !isPropertyInClassDerivedFrom(sourceProp, getDeclaringClass(tp)) : false); } function isClassDerivedFromDeclaringClasses(checkClass, prop, writing) { return forEachProperty2(prop, (p) => getDeclarationModifierFlagsFromSymbol(p, writing) & 16 ? !hasBaseType(checkClass, getDeclaringClass(p)) : false) ? void 0 : checkClass; } function isDeeplyNestedType(type, stack, depth, maxDepth = 3) { if (depth >= maxDepth) { if (type.flags & 2097152) { return some(type.types, (t) => isDeeplyNestedType(t, stack, depth, maxDepth)); } const identity2 = getRecursionIdentity(type); let count = 0; let lastTypeId = 0; for (let i = 0; i < depth; i++) { const t = stack[i]; if (t.flags & 2097152 ? some(t.types, (u) => getRecursionIdentity(u) === identity2) : getRecursionIdentity(t) === identity2) { if (t.id >= lastTypeId) { count++; if (count >= maxDepth) { return true; } } lastTypeId = t.id; } } } return false; } 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) & 24; const targetPropAccessibility = getDeclarationModifierFlagsFromSymbol(targetProp) & 24; 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) || unknownType, getConstraintFromTypeParameter(t) || unknownType) && compareTypes(instantiateType(getDefaultFromTypeParameter(s), mapper) || unknownType, getDefaultFromTypeParameter(t) || unknownType))) { return 0; } } source = instantiateSignature(source, mapper, 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 != null ? 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); } 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 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 !== 79 && baseTypeNode.expression.kind !== 208) { 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) { return isTupleType(type) || !!getPropertyOfType(type, "0"); } 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 mapType(type, (t) => { const tupleType = t; const restType = getRestTypeOfTupleType(tupleType); if (!restType) { return undefinedType; } if (compilerOptions.noUncheckedIndexedAccess && index >= tupleType.target.fixedLength + getEndElementCount(tupleType.target, 3)) { return getUnionType([restType, undefinedType]); } return restType; }); } 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) ? stringType : type.flags & 256 ? numberType : type.flags & 2048 ? bigintType : type.flags & 512 ? booleanType : type.flags & 1048576 ? getBaseTypeOfLiteralTypeUnion(type) : type; } function getBaseTypeOfLiteralTypeUnion(type) { var _a2; const key = `B${getTypeId(type)}`; return (_a2 = getCachedType(key)) != null ? _a2 : setCachedType(key, mapType(type, getBaseTypeOfLiteralType)); } function getBaseTypeOfLiteralTypeForComparison(type) { return type.flags & (128 | 134217728 | 268435456) ? stringType : type.flags & (256 | 32) ? numberType : type.flags & 2048 ? bigintType : type.flags & 512 ? booleanType : type.flags & 1048576 ? mapType(type, getBaseTypeOfLiteralTypeForComparison) : type; } function getWidenedLiteralType(type) { return type.flags & 1056 && isFreshLiteralType(type) ? getBaseTypeOfEnumLikeType(type) : type.flags & 128 && isFreshLiteralType(type) ? stringType : type.flags & 256 && isFreshLiteralType(type) ? numberType : type.flags & 2048 && isFreshLiteralType(type) ? bigintType : type.flags & 512 && isFreshLiteralType(type) ? booleanType : type.flags & 1048576 ? mapType(type, getWidenedLiteralType) : type; } function getWidenedUniqueESSymbolType(type) { return type.flags & 8192 ? esSymbolType : type.flags & 1048576 ? mapType(type, getWidenedUniqueESSymbolType) : type; } function getWidenedLiteralLikeTypeForContextualType(type, contextualType) { if (!isLiteralOfContextualType(type, contextualType)) { type = getWidenedUniqueESSymbolType(getWidenedLiteralType(type)); } return getRegularTypeOfLiteralType(type); } function getWidenedLiteralLikeTypeForContextualReturnTypeIfNeeded(type, contextualSignatureReturnType, isAsync) { if (type && isUnitType(type)) { const contextualType = !contextualSignatureReturnType ? void 0 : isAsync ? 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 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, numberType) : t); } return writing ? getIntersectionType(elementTypes) : getUnionType(elementTypes, noReductions ? 0 : 1); } 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) => !!(getTypeFacts(t) & 4194304)); } function extractDefinitelyFalsyTypes(type) { return mapType(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 : neverType; } function getNullableType(type, flags) { const missing = flags & ~type.flags & (32768 | 65536); return missing === 0 ? type : missing === 32768 ? getUnionType([type, undefinedType]) : missing === 65536 ? getUnionType([type, nullType]) : getUnionType([type, undefinedType, nullType]); } function getOptionalType(type, isProperty = false) { Debug.assert(strictNullChecks); const missingOrUndefined = isProperty ? undefinedOrMissingType : undefinedType; return type === missingOrUndefined || type.flags & 1048576 && type.types[0] === missingOrUndefined ? type : getUnionType([type, missingOrUndefined]); } function getGlobalNonNullableTypeInstantiation(type) { if (!deferredGlobalNonNullableTypeAlias) { deferredGlobalNonNullableTypeAlias = getGlobalSymbol("NonNullable", 524288, void 0) || unknownSymbol; } return deferredGlobalNonNullableTypeAlias !== unknownSymbol ? getTypeAliasInstantiation(deferredGlobalNonNullableTypeAlias, [type]) : getIntersectionType([type, emptyObjectType]); } function getNonNullableType(type) { return strictNullChecks ? getAdjustedTypeWithFacts(type, 2097152) : type; } function addOptionalTypeMarker(type) { return strictNullChecks ? getUnionType([type, optionalType]) : type; } function removeOptionalTypeMarker(type) { return strictNullChecks ? removeType(type, optionalType) : 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); } 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); 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, 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, 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 = anyType; } else if (isObjectLiteralType2(type)) { result = getWidenedTypeOfObjectLiteral(type, context); } else if (type.flags & 1048576) { const unionContext = context || createWideningContext(void 0, 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); } 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)) { error(p.valueDeclaration, Diagnostics.Object_literal_s_property_0_implicitly_has_an_1_type, symbolToString(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 223: case 169: case 168: 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 166: 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.indexOf(param) > -1 && (resolveName(param, param.name.escapedText, 788968, void 0, param.name.escapedText, 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 205: diagnostic = Diagnostics.Binding_element_0_implicitly_has_an_1_type; if (!noImplicitAny) { return; } break; case 320: error(declaration, Diagnostics.Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type, typeAsString); return; case 326: if (noImplicitAny && isJSDocOverloadTag(declaration.parent)) { error(declaration.parent.tagName, Diagnostics.This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation, typeAsString); } return; case 259: case 171: case 170: case 174: case 175: case 215: case 216: if (noImplicitAny && !declaration.name) { if (wideningKind === 3) { error(declaration, Diagnostics.Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_return_type_annotation, typeAsString); } else { error(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 197: if (noImplicitAny) { error(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), targetRestType); } } function applyToReturnTypes(source, target, callback) { const sourceTypePredicate = getTypePredicateOfSignature(source); const targetTypePredicate = getTypePredicateOfSignature(target); if (sourceTypePredicate && targetTypePredicate && typePredicateKindsMatch(sourceTypePredicate, targetTypePredicate) && sourceTypePredicate.type && targetTypePredicate.type) { callback(sourceTypePredicate.type, targetTypePredicate.type); } else { callback(getReturnTypeOfSignature(source), getReturnTypeOfSignature(target)); } } 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, 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) { var _a2; ((_a2 = context.intraExpressionInferenceSites) != null ? _a2 : context.intraExpressionInferenceSites = []).push({ node, type }); } function inferFromIntraExpressionSites(context) { if (context.intraExpressionInferenceSites) { for (const { node, type } of context.intraExpressionInferenceSites) { const contextualType = node.kind === 171 ? getContextualTypeForObjectLiteralMethod(node, 2) : getContextualType2(node, 2); 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 || forEach(getTypeArguments(type), couldContainTypeVariables)) || 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, 262); return !!(declaration && findAncestor(declaration.parent, (n) => n.kind === 308 ? true : n.kind === 264 ? false : "quit")); } return false; } function isTypeParameterAtTopLevel(type, tp, depth = 0) { return !!(type === tp || type.flags & 3145728 && some(type.types, (t) => isTypeParameterAtTopLevel(t, tp, depth)) || depth < 3 && type.flags & 16777216 && (isTypeParameterAtTopLevel(getTrueTypeFromConditionalType(type), tp, depth + 1) || isTypeParameterAtTopLevel(getFalseTypeFromConditionalType(type), tp, depth + 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 = anyType; if (t.symbol) { literalProp.declarations = t.symbol.declarations; literalProp.valueDeclaration = t.symbol.valueDeclaration; } members.set(name, literalProp); }); const indexInfos = type.flags & 4 ? [createIndexInfo(stringType, emptyObjectType, false)] : emptyArray; return createAnonymousType(void 0, members, emptyArray, emptyArray, indexInfos); } function inferTypeForHomomorphicMappedType(source, target, constraint) { if (inInferTypeForHomomorphicMappedType) { return void 0; } const key = source.id + "," + target.id + "," + constraint.id; if (reverseMappedCache.has(key)) { return reverseMappedCache.get(key); } inInferTypeForHomomorphicMappedType = true; const type = createReverseMappedType(source, target, constraint); inInferTypeForHomomorphicMappedType = false; reverseMappedCache.set(key, type); return type; } function isPartiallyInferableType(type) { return !(getObjectFlags(type) & 262144) || isObjectLiteralType2(type) && some(getPropertiesOfType(type), (prop) => isPartiallyInferableType(getTypeOfSymbol(prop))) || isTupleType(type) && some(getTypeArguments(type), isPartiallyInferableType); } function createReverseMappedType(source, target, constraint) { if (!(getIndexInfoOfType(source, stringType) || getPropertiesOfType(source).length !== 0 && isPartiallyInferableType(source))) { return void 0; } if (isArrayType(source)) { return createArrayType(inferReverseMappedType(getTypeArguments(source)[0], target, constraint), isReadonlyArrayType(source)); } if (isTupleType(source)) { const elementTypes = map(getTypeArguments(source), (t) => inferReverseMappedType(t, target, constraint)); 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, 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); } return links.type; } function inferReverseMappedType(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) || unknownType; } 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, false, true) && !!getUnmatchedProperty(target, source, false, false); } function getTypeFromInference(inference) { return inference.candidates ? getUnionType(inference.candidates, 2) : 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 (source === target || target.flags & (1 | 4)) { return true; } if (source.flags & 128) { const value = source.value; return !!(target.flags & 8 && isValidNumberString(value, false) || target.flags & 64 && isValidBigIntString(value, false) || target.flags & (512 | 98304) && value === target.intrinsicName || target.flags & 268435456 && isMemberOfStringMapping(getStringLiteralType(value), target)); } if (source.flags & 134217728) { const texts = source.texts; return texts.length === 2 && texts[0] === "" && texts[1] === "" && isTypeAssignableTo(source.types[0], target); } return isTypeAssignableTo(source, target); } function inferTypesFromTemplateLiteralType(source, target) { return source.flags & 128 ? inferFromLiteralPartsToTemplateLiteral([source.value], emptyArray, target) : source.flags & 134217728 ? arraysEqual(source.texts, target.texts) ? map(source.types, getStringLikeTypeForType) : 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 inferTypes(inferences, originalSource, originalTarget, priority = 0, contravariant = false) { let bivariant = false; let propagationType; let inferencePriority = 2048; let allowComplexConstraintInference = true; let visited; let sourceStack; let targetStack; let expandingFlags = 0; inferFromTypes(originalSource, originalTarget); function inferFromTypes(source, target) { if (!couldContainTypeVariables(target)) { return; } if (source === wildcardType) { 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); 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); } } else if (target.flags & (8388608 | 33554432)) { 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) { 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) { const candidate = propagationType || source; 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, false); if (simplified !== target) { inferFromTypes(source, simplified); } else if (target.flags & 8388608) { const indexType = getSimplifiedType(target.indexType, false); if (indexType.flags & 465829888) { const simplified2 = distributeIndexOverObjectType(getSimplifiedType(target.objectType, false), indexType, 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); } 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); } 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 (!(priority & 512 && source.flags & (2097152 | 465829888))) { const apparentSource = getApparentType(source); if (apparentSource !== source && allowComplexConstraintInference && !(apparentSource.flags & (524288 | 2097152))) { allowComplexConstraintInference = false; 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); const saveInferencePriority = inferencePriority; inferencePriority = 2048; const saveExpandingFlags = expandingFlags; const sourceIdentity = getRecursionIdentity(source); const targetIdentity = getRecursionIdentity(target); if (contains(sourceStack, sourceIdentity)) expandingFlags |= 1; if (contains(targetStack, targetIdentity)) expandingFlags |= 2; if (expandingFlags !== 3) { (sourceStack || (sourceStack = [])).push(sourceIdentity); (targetStack || (targetStack = [])).push(targetIdentity); action(source, target); targetStack.pop(); sourceStack.pop(); } else { inferencePriority = -1; } 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); } 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); } } } } function inferToMappedType(source, target, constraintType) { if (constraintType.flags & 1048576) { 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); } } return true; } if (constraintType.flags & 262144) { inferWithPriority(getIndexType(source), constraintType, 32); 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 : neverType); 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] : neverType; 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, true)) { allTypeFlags &= ~296; } if (allTypeFlags & 2112 && !isValidBigIntString(str, 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 : booleanType : 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, neverType); if (!(matchingType.flags & 131072)) { inferFromTypes(matchingType, target2); continue; } } } } inferFromTypes(source2, target2); } } } function inferFromObjectTypes(source, target) { var _a2, _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)) { inferFromTypes(getConstraintTypeFromMappedType(source), getConstraintTypeFromMappedType(target)); inferFromTypes(getTemplateTypeFromMappedType(source), getTemplateTypeFromMappedType(target)); const sourceNameType = getNameTypeFromMappedType(source); const targetNameType = getNameTypeFromMappedType(target); if (sourceNameType && targetNameType) inferFromTypes(sourceNameType, targetNameType); } 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) : 0, target.target.hasRestElement ? getEndElementCount(target.target, 3) : 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 = (_a2 = getInferenceInfoForType(elementTypes[startLength])) == null ? void 0 : _a2.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); const startIndex = endIndex - impliedArity; const trailingSlice = createTupleType(getTypeArguments(source).slice(startIndex, endIndex), source.target.elementFlags.slice(startIndex, endIndex), 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); inferFromSignatures(source, target, 1); 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(getTypeOfSymbol(sourceProp), getTypeOfSymbol(targetProp)); } } } function inferFromSignatures(source, target, kind) { const sourceSignatures = getSignaturesOfType(source, kind); const targetSignatures = getSignaturesOfType(target, kind); const sourceLen = sourceSignatures.length; const targetLen = targetSignatures.length; const len = sourceLen < targetLen ? sourceLen : targetLen; for (let i = 0; i < len; i++) { inferFromSignature(getBaseSignature(sourceSignatures[sourceLen - len + i]), getErasedSignature(targetSignatures[targetLen - len + i])); } } function inferFromSignature(source, target) { const saveBivariant = bivariant; const kind = target.declaration ? target.declaration.kind : 0; bivariant = bivariant || kind === 171 || kind === 170 || kind === 173; 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), 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, 134348796 | 4194304 | 134217728 | 268435456); } 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); 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) : getCommonSupertype(baseCandidates); return getWidenedType(unwidenedType); } function getInferredType(context, index) { const inference = context.inferences[index]; if (!inference.inferredType) { let inferredType; const signature = context.signature; if (signature) { const inferredCovariantType = inference.candidates ? getCovariantInference(inference, signature) : void 0; if (inference.contraCandidates) { const useCovariantType = inferredCovariantType && !(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 = useCovariantType ? inferredCovariantType : getContravariantInference(inference); } else if (inferredCovariantType) { inferredType = 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 = inferredType = instantiatedConstraint; } } } return inference.inferredType; } function getDefaultTypeArgumentType(isInJavaScriptFile) { return isInJavaScriptFile ? anyType : unknownType; } 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 "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 (isCallExpression(node.parent)) { return Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function; } default: if (node.parent.kind === 300) { 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.escapedText, 111551 | 1048576, getCannotFindNameDiagnosticForName(node), node, !isWriteOnlyAccess(node), false) || unknownSymbol; } return links.resolvedSymbol; } function isInTypeQuery(node) { return !!findAncestor(node, (n) => n.kind === 183 ? true : n.kind === 79 || n.kind === 163 ? false : "quit"); } function isInAmbientOrTypeNode(node) { return !!(node.flags & 16777216 || findAncestor(node, (n) => isInterfaceDeclaration(n) || isTypeLiteralNode(n))); } function getFlowCacheKey(node, declaredType, initialType, flowContainer) { switch (node.kind) { case 79: if (!isThisInTypeQuery(node)) { const symbol = getResolvedSymbol(node); return symbol !== unknownSymbol ? `${flowContainer ? getNodeId(flowContainer) : "-1"}|${getTypeId(declaredType)}|${getTypeId(initialType)}|${getSymbolId(symbol)}` : void 0; } case 108: return `0|${flowContainer ? getNodeId(flowContainer) : "-1"}|${getTypeId(declaredType)}|${getTypeId(initialType)}`; case 232: case 214: return getFlowCacheKey(node.expression, declaredType, initialType, flowContainer); case 163: const left = getFlowCacheKey(node.left, declaredType, initialType, flowContainer); return left && left + "." + node.right.escapedText; case 208: case 209: const propName = getAccessedPropertyName(node); if (propName !== void 0) { const key = getFlowCacheKey(node.expression, declaredType, initialType, flowContainer); return key && key + "." + propName; } break; case 203: case 204: case 259: case 215: case 216: case 171: return `${getNodeId(node)}#${getTypeId(declaredType)}`; } return void 0; } function isMatchingReference(source, target) { switch (target.kind) { case 214: case 232: return isMatchingReference(source, target.expression); case 223: return isAssignmentExpression(target) && isMatchingReference(source, target.left) || isBinaryExpression(target) && target.operatorToken.kind === 27 && isMatchingReference(source, target.right); } switch (source.kind) { case 233: return target.kind === 233 && source.keywordToken === target.keywordToken && source.name.escapedText === target.name.escapedText; case 79: case 80: return isThisInTypeQuery(source) ? target.kind === 108 : target.kind === 79 && getResolvedSymbol(source) === getResolvedSymbol(target) || (isVariableDeclaration(target) || isBindingElement(target)) && getExportSymbolOfValueSymbolIfExported(getResolvedSymbol(source)) === getSymbolOfDeclaration(target); case 108: return target.kind === 108; case 106: return target.kind === 106; case 232: case 214: return isMatchingReference(source.expression, target); case 208: case 209: const sourcePropertyName = getAccessedPropertyName(source); const targetPropertyName = isAccessExpression(target) ? getAccessedPropertyName(target) : void 0; return sourcePropertyName !== void 0 && targetPropertyName !== void 0 && targetPropertyName === sourcePropertyName && isMatchingReference(source.expression, target.expression); case 163: return isAccessExpression(target) && source.right.escapedText === getAccessedPropertyName(target) && isMatchingReference(source.left, target.expression); case 223: return isBinaryExpression(source) && source.operatorToken.kind === 27 && 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) { if (isStringOrNumericLiteralLike(node.argumentExpression)) { return escapeLeadingUnderscores(node.argumentExpression.text); } if (isEntityNameExpression(node.argumentExpression)) { const symbol = resolveEntityName(node.argumentExpression, 111551, true); if (!symbol || !(isConstVariable(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.argumentExpression)) { const initializer = getEffectiveInitializer(declaration); if (initializer) { return tryGetNameFromType(getTypeOfExpression(initializer)); } 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 !== unknownType) { map2.set(id, unknownType); duplicate = true; } }); if (!duplicate) count++; } } } return count >= 10 && count * 2 >= types.length ? map2 : void 0; } function getKeyPropertyName(unionType) { const types = unionType.types; if (types.length < 10 || getObjectFlags(unionType) & 32768 || countWhere(types, (t) => !!(t.flags & (524288 | 58982400))) < 10) { return void 0; } if (unionType.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); unionType.keyPropertyName = mapByKeyProperty ? keyPropertyName : ""; unionType.constituentMap = mapByKeyProperty; } return unionType.keyPropertyName.length ? unionType.keyPropertyName : void 0; } function getConstituentTypeForKeyType(unionType, keyType) { var _a2; const result = (_a2 = unionType.constituentMap) == null ? void 0 : _a2.get(getTypeId(getRegularTypeOfLiteralType(keyType))); return result !== unknownType ? result : void 0; } function getMatchingUnionConstituentForType(unionType, type) { const keyPropertyName = getKeyPropertyName(unionType); const propType = keyPropertyName && getTypeOfPropertyOfType(type, keyPropertyName); return propType && getConstituentTypeForKeyType(unionType, propType); } function getMatchingUnionConstituentForObjectLiteral(unionType, node) { const keyPropertyName = getKeyPropertyName(unionType); const propNode = keyPropertyName && find(node.properties, (p) => p.symbol && p.kind === 299 && p.symbol.escapedName === keyPropertyName && isPossiblyDiscriminantValue(p.initializer)); const propType = propNode && getContextFreeTypeOfExpression(propNode.initializer); return propType && getConstituentTypeForKeyType(unionType, 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)) { return true; } } } if (expression.expression.kind === 208 && isOrContainsMatchingReference(reference, expression.expression.expression)) { return true; } return false; } function getFlowNodeId(flow) { if (!flow.id || 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) { var _a2; if (declaredType === assignedType) { return declaredType; } if (assignedType.flags & 131072) { return assignedType; } const key = `A${getTypeId(declaredType)},${getTypeId(assignedType)}`; return (_a2 = getCachedType(key)) != null ? _a2 : setCachedType(key, getAssignmentReducedTypeWorker(declaredType, assignedType)); } function getAssignmentReducedTypeWorker(declaredType, assignedType) { const filteredType = filterType(declaredType, (t) => typeMaybeAssignableTo(assignedType, t)); const reducedType = assignedType.flags & 512 && isFreshLiteralType(assignedType) ? mapType(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) { if (type.flags & (2097152 | 465829888)) { type = getBaseConstraintOfType(type) || unknownType; } const flags = type.flags; if (flags & (4 | 268435456)) { return strictNullChecks ? 16317953 : 16776705; } if (flags & (128 | 134217728)) { const isEmpty = flags & 128 && type.value === ""; return strictNullChecks ? isEmpty ? 12123649 : 7929345 : isEmpty ? 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) { 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 | getTypeFacts(t), 0); } if (flags & 2097152) { return getIntersectionTypeFacts(type); } return 83886079; } function getIntersectionTypeFacts(type) { const ignoreObjects = maybeTypeOfKind(type, 134348796); let oredFacts = 0; let andedFacts = 134217727; for (const t of type.types) { if (!(ignoreObjects && t.flags & 524288)) { const f = getTypeFacts(t); oredFacts |= f; andedFacts &= f; } } return oredFacts & 8256 | andedFacts & 134209471; } function getTypeWithFacts(type, include) { return filterType(type, (t) => (getTypeFacts(t) & include) !== 0); } function getAdjustedTypeWithFacts(type, facts) { const reduced = recombineUnknownType(getTypeWithFacts(strictNullChecks && type.flags & 2 ? unknownUnionType : type, facts)); if (strictNullChecks) { switch (facts) { case 524288: return mapType(reduced, (t) => getTypeFacts(t) & 65536 ? getIntersectionType([t, getTypeFacts(t) & 131072 && !maybeTypeOfKind(reduced, 65536) ? getUnionType([emptyObjectType, nullType]) : emptyObjectType]) : t); case 1048576: return mapType(reduced, (t) => getTypeFacts(t) & 131072 ? getIntersectionType([t, getTypeFacts(t) & 65536 && !maybeTypeOfKind(reduced, 32768) ? getUnionType([emptyObjectType, undefinedType]) : emptyObjectType]) : t); case 2097152: case 4194304: return mapType(reduced, (t) => getTypeFacts(t) & 262144 ? getGlobalNonNullableTypeInstantiation(t) : t); } } return reduced; } function recombineUnknownType(type) { return type === unknownUnionType ? unknownType : type; } function getTypeWithDefault(type, defaultExpression) { return defaultExpression ? getUnionType([getNonUndefinedType(type), getTypeOfExpression(defaultExpression)]) : type; } function getTypeOfDestructuredProperty(type, name) { var _a2; const nameType = getLiteralTypeFromPropertyName(name); if (!isTypeUsableAsPropertyName(nameType)) return errorType; const text = getPropertyNameFromType(nameType); return getTypeOfPropertyOfType(type, text) || includeUndefinedInIndexSignature((_a2 = getApplicableIndexInfoForName(type, text)) == null ? void 0 : _a2.type) || errorType; } function getTypeOfDestructuredArrayElement(type, index) { return everyType(type, isTupleLikeType) && getTupleElementType(type, index) || includeUndefinedInIndexSignature(checkIteratedTypeOrElementType(65, type, undefinedType, 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, undefinedType, void 0) || errorType); } function getAssignedTypeOfBinaryExpression(node) { const isDestructuringDefaultAssignment = node.parent.kind === 206 && isDestructuringAssignmentTarget(node.parent) || node.parent.kind === 299 && isDestructuringAssignmentTarget(node.parent.parent); return isDestructuringDefaultAssignment ? getTypeWithDefault(getAssignedType(node), node.right) : getTypeOfExpression(node.right); } function isDestructuringAssignmentTarget(parent2) { return parent2.parent.kind === 223 && parent2.parent.left === parent2 || parent2.parent.kind === 247 && 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 246: return stringType; case 247: return checkRightHandSideOfForOf(parent2) || errorType; case 223: return getAssignedTypeOfBinaryExpression(parent2); case 217: return undefinedType; case 206: return getAssignedTypeOfArrayLiteralElement(parent2, node); case 227: return getAssignedTypeOfSpreadExpression(parent2); case 299: return getAssignedTypeOfPropertyAssignment(parent2); case 300: return getAssignedTypeOfShorthandPropertyAssignment(parent2); } return errorType; } function getInitialTypeOfBindingElement(node) { const pattern = node.parent; const parentType = getInitialType(pattern.parent); const type = pattern.kind === 203 ? 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 === 246) { return stringType; } if (node.parent.parent.kind === 247) { return checkRightHandSideOfForOf(node.parent.parent) || errorType; } return errorType; } function getInitialType(node) { return node.kind === 257 ? getInitialTypeOfVariableDeclaration(node) : getInitialTypeOfBindingElement(node); } function isEmptyArrayAssignment(node) { return node.kind === 257 && node.initializer && isEmptyArrayLiteral2(node.initializer) || node.kind !== 205 && node.parent.kind === 223 && isEmptyArrayLiteral2(node.parent.right); } function getReferenceCandidate(node) { switch (node.kind) { case 214: return getReferenceCandidate(node.expression); case 223: switch (node.operatorToken.kind) { case 63: case 75: case 76: case 77: return getReferenceCandidate(node.left); case 27: return getReferenceCandidate(node.right); } } return node; } function getReferenceRoot(node) { const { parent: parent2 } = node; return parent2.kind === 214 || parent2.kind === 223 && parent2.operatorToken.kind === 63 && parent2.left === node || parent2.kind === 223 && parent2.operatorToken.kind === 27 && parent2.right === node ? getReferenceRoot(parent2) : node; } function getTypeOfSwitchClause(clause) { if (clause.kind === 292) { return getRegularTypeOfLiteralType(getTypeOfExpression(clause.expression)); } return neverType; } 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 === 292 && !isStringLiteralLike(clause.expression))) { return void 0; } const witnesses = []; for (const clause of switchStatement.caseBlock.clauses) { const text = clause.kind === 292 ? 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 || 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), void 0, void 0, newOrigin); } return type.flags & 131072 || f(type) ? type : neverType; } function removeType(type, targetType) { return filterType(type, (t) => t !== targetType); } function countTypes(type) { return type.flags & 1048576 ? type.types.length : 1; } function mapType(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 ? mapType(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) : type; } function mapTypeWithAlias(type, mapper, aliasSymbol, aliasTypeArguments) { return type.flags & 1048576 && aliasSymbol ? getUnionType(map(type.types, mapper), 1, aliasSymbol, aliasTypeArguments) : mapType(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) && maybeTypeOfKind(typeWithLiterals, 128 | 134217728 | 268435456 | 256 | 2048)) { return mapType(typeWithPrimitives, (t) => t.flags & 4 ? extractTypesOfKind(typeWithLiterals, 4 | 128 | 134217728 | 268435456) : isPatternLiteralType(t) && !maybeTypeOfKind(typeWithLiterals, 4 | 134217728 | 268435456) ? extractTypesOfKind(typeWithLiterals, 128) : t.flags & 8 ? extractTypesOfKind(typeWithLiterals, 8 | 256) : t.flags & 64 ? extractTypesOfKind(typeWithLiterals, 64 | 2048) : 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); 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) : 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 : neverType; } 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 root = getReferenceRoot(node); const parent2 = root.parent; const isLengthPushOrUnshift = isPropertyAccessExpression(parent2) && (parent2.name.escapedText === "length" || parent2.parent.kind === 210 && isIdentifier(parent2.name) && isPushOrUnshiftIdentifier(parent2.name)); const isElementAssignment = parent2.kind === 209 && parent2.expression === root && parent2.parent.kind === 223 && parent2.parent.operatorToken.kind === 63 && parent2.parent.left === parent2 && !isAssignmentTarget(parent2.parent) && isTypeAssignableToKind(getTypeOfExpression(parent2.argumentExpression), 296); 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 === 247) { const statement = declaration.parent.parent; const expressionType = getTypeOfDottedName(statement.expression, void 0); if (expressionType) { const use = statement.awaitModifier ? 15 : 13; return checkIteratedTypeOrElementType(use, expressionType, undefinedType, void 0); } } if (diagnostic) { addRelatedInfo(diagnostic, createDiagnosticForNode(declaration, Diagnostics._0_needs_an_explicit_type_annotation, symbolToString(symbol))); } } } } function getTypeOfDottedName(node, diagnostic) { if (!(node.flags & 33554432)) { switch (node.kind) { case 79: const symbol = getExportSymbolOfValueSymbolIfExported(getResolvedSymbol(node)); return getExplicitTypeOfSymbol(symbol, diagnostic); case 108: return getExplicitThisType(node); case 106: return checkSuperExpression(node); case 208: { 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 214: return getTypeOfDottedName(node.expression, diagnostic); } } } function getEffectsSignature(node) { const links = getNodeLinks(node); let signature = links.effectsSignature; if (signature === void 0) { let funcType; if (node.parent.kind === 241) { funcType = getTypeOfDottedName(node.expression, void 0); } else if (node.expression.kind !== 106) { if (isOptionalChain(node)) { funcType = checkNonNullType(getOptionalExpressionType(checkExpression(node.expression), node.expression), node.expression); } else { funcType = checkNonNullExpression(node.expression); } } const signatures = getSignaturesOfType(funcType && getApparentType(funcType) || unknownType, 0); 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) || unknownType).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, false); lastFlowNode = flow; lastFlowNodeReachable = result; return result; } function isFalseExpression(expr) { const node = skipParentheses(expr, true); return node.kind === 95 || node.kind === 223 && (node.operatorToken.kind === 55 && (isFalseExpression(node.left) || isFalseExpression(node.right)) || node.operatorToken.kind === 56 && 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, 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.antecedents, (f) => isReachableFlowNodeWorker(f, false)); } else if (flags & 8) { const antecedents = flow.antecedents; if (antecedents === void 0 || antecedents.length === 0) { return false; } flow = antecedents[0]; } else if (flags & 128) { if (flow.clauseStart === flow.clauseEnd && isExhaustiveSwitchStatement(flow.switchStatement)) { return false; } flow = flow.antecedent; } else if (flags & 1024) { lastFlowNode = void 0; const target = flow.target; const saveAntecedents = target.antecedents; target.antecedents = flow.antecedents; const result = isReachableFlowNodeWorker(flow.antecedent, false); target.antecedents = 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, true); } noCacheCheck = false; } if (flags & (16 | 96 | 256 | 128)) { flow = flow.antecedent; } else if (flags & 512) { if (flow.node.expression.kind === 106) { return true; } flow = flow.antecedent; } else if (flags & 4) { return every(flow.antecedents, (f) => isPostSuperFlowNode(f, false)); } else if (flags & 8) { flow = flow.antecedents[0]; } else if (flags & 1024) { const target = flow.target; const saveAntecedents = target.antecedents; target.antecedents = flow.antecedents; const result = isPostSuperFlowNode(flow.antecedent, false); target.antecedents = saveAntecedents; return result; } else { return !!(flags & 1); } } } function isConstantReference(node) { switch (node.kind) { case 79: if (!isThisInTypeQuery(node)) { const symbol = getResolvedSymbol(node); return isConstVariable(symbol) || isParameterOrCatchClauseVariable(symbol) && !isSymbolAssigned(symbol); } break; case 208: case 209: return isConstantReference(node.expression) && isReadonlySymbol(getNodeLinks(node).resolvedSymbol || unknownSymbol); } return false; } function getFlowTypeOfReference(reference, declaredType, initialType = declaredType, flowContainer, flowNode = ((_a2) => (_a2 = tryCast(reference, canHaveFlowNode)) == null ? void 0 : _a2.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 === 232 && !(resultType.flags & 131072) && getTypeWithFacts(resultType, 2097152).flags & 131072) { return declaredType; } return resultType === nonNullUnknownType ? unknownType : resultType; function getOrSetCacheKey() { if (isKeySet) { return key; } isKeySet = true; return key = getFlowCacheKey(reference, declaredType, initialType, flowContainer); } function getTypeAtFlowNode(flow) { var _a3; if (flowDepth === 2e3) { (_a3 = tracing) == null ? void 0 : _a3.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.antecedents.length === 1) { flow = flow.antecedents[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.target; const saveAntecedents = target.antecedents; target.antecedents = flow.antecedents; type = getTypeAtFlowNode(flow.antecedent); target.antecedents = saveAntecedents; } else if (flags & 2) { const container = flow.node; if (container && container !== flowContainer && reference.kind !== 208 && reference.kind !== 209 && reference.kind !== 108) { 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 === 257 || node.kind === 205 ? 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(neverType); } const assignedType = getWidenedLiteralType(getInitialOrAssignedType(flow)); return isTypeAssignableTo(assignedType, declaredType) ? assignedType : anyArrayType; } if (declaredType.flags & 1048576) { return getAssignmentReducedType(declaredType, getInitialOrAssignedType(flow)); } return declaredType; } if (containsMatchingReference(reference, node)) { if (!isReachableFlowNode(flow)) { return unreachableNeverType; } if (isVariableDeclaration(node) && (isInJSFile(node) || isVarConst(node))) { const init = getDeclaredExpandoInitializer(node); if (init && (init.kind === 215 || init.kind === 216)) { return getTypeAtFlowNode(flow.antecedent); } } return declaredType; } if (isVariableDeclaration(node) && node.parent.parent.kind === 246 && (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, true); if (node.kind === 95) { return unreachableNeverType; } if (node.kind === 223) { if (node.operatorToken.kind === 55) { return narrowTypeByAssertion(narrowTypeByAssertion(type, node.left), node.right); } if (node.operatorToken.kind === 56) { return getUnionType([narrowTypeByAssertion(type, node.left), narrowTypeByAssertion(type, node.right)]); } } return narrowType(type, node, 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, 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 === 210 ? 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 === 210) { for (const arg of node.arguments) { evolvedType2 = addEvolvingArrayElementType(evolvedType2, arg); } } else { const indexType = getContextFreeTypeOfExpression(node.left.argumentExpression); if (isTypeAssignableToKind(indexType, 296)) { 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 = flow.switchStatement.expression; const flowType = getTypeAtFlowNode(flow.antecedent); let type = getTypeFromFlowType(flowType); if (isMatchingReference(reference, expr)) { type = narrowTypeBySwitchOnDiscriminant(type, flow.switchStatement, flow.clauseStart, flow.clauseEnd); } else if (expr.kind === 218 && isMatchingReference(reference, expr.expression)) { type = narrowTypeBySwitchOnTypeOf(type, flow.switchStatement, flow.clauseStart, flow.clauseEnd); } else { if (strictNullChecks) { if (optionalChainContainsReference(expr, reference)) { type = narrowTypeBySwitchOptionalChainContainment(type, flow.switchStatement, flow.clauseStart, flow.clauseEnd, (t) => !(t.flags & (32768 | 131072))); } else if (expr.kind === 218 && optionalChainContainsReference(expr.expression, reference)) { type = narrowTypeBySwitchOptionalChainContainment(type, flow.switchStatement, flow.clauseStart, flow.clauseEnd, (t) => !(t.flags & 131072 || t.flags & 128 && t.value === "undefined")); } } const access = getDiscriminantPropertyAccess(expr, type); if (access) { type = narrowTypeBySwitchOnDiscriminantProperty(type, access, flow.switchStatement, flow.clauseStart, flow.clauseEnd); } } return createFlowType(type, isIncomplete(flowType)); } function getTypeAtFlowBranchLabel(flow) { const antecedentTypes = []; let subtypeReduction = false; let seenIncomplete = false; let bypassFlow; for (const antecedent of flow.antecedents) { if (!bypassFlow && antecedent.flags & 128 && antecedent.clauseStart === antecedent.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, declaredType)) { 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.switchStatement)) { if (type === declaredType && declaredType === initialType) { return type; } antecedentTypes.push(type); if (!isTypeSubsetOf(type, declaredType)) { subtypeReduction = true; } if (isIncomplete(flowType)) { seenIncomplete = true; } } } return createFlowType(getUnionOrEvolvingArrayType(antecedentTypes, subtypeReduction ? 2 : 1), 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), true); } } const antecedentTypes = []; let subtypeReduction = false; let firstAntecedentType; for (const antecedent of flow.antecedents) { 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, declaredType)) { subtypeReduction = true; } if (type === declaredType) { break; } } const result = getUnionOrEvolvingArrayType(antecedentTypes, subtypeReduction ? 2 : 1); if (isIncomplete(firstAntecedentType)) { return createFlowType(result, 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 (isConstVariable(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) { const type = declaredType.flags & 1048576 ? declaredType : computedType; if (type.flags & 1048576) { const access = getCandidateDiscriminantPropertyAccess(expr); if (access) { const name = getAccessedPropertyName(access); if (name && 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); let propType = getTypeOfPropertyOfType(removeNullable ? getTypeWithFacts(type, 2097152) : type, propName); if (!propType) { return type; } propType = removeNullable && optionalChain ? getOptionalType(propType) : propType; const narrowedPropType = narrowType2(propType); return filterType(type, (t) => { const discriminantType = getTypeOfPropertyOrIndexSignature(t, propName); return !(discriminantType.flags & 131072) && !(narrowedPropType.flags & 131072) && areTypesComparable(narrowedPropType, discriminantType); }); } function narrowTypeByDiscriminantProperty(type, access, operator, value, assumeTrue) { if ((operator === 36 || operator === 37) && type.flags & 1048576) { const keyPropertyName = getKeyPropertyName(type); if (keyPropertyName && keyPropertyName === getAccessedPropertyName(access)) { const candidate = getConstituentTypeForKeyType(type, getTypeOfExpression(value)); if (candidate) { return operator === (assumeTrue ? 36 : 37) ? candidate : isUnitType(getTypeOfPropertyOfType(candidate, keyPropertyName) || unknownType) ? removeType(type, candidate) : type; } } } return narrowTypeByDiscriminant(type, access, (t) => narrowTypeByEquality(t, operator, value, assumeTrue)); } function narrowTypeBySwitchOnDiscriminantProperty(type, access, switchStatement, clauseStart, clauseEnd) { if (clauseStart < clauseEnd && type.flags & 1048576 && getKeyPropertyName(type) === getAccessedPropertyName(access)) { const clauseTypes = getSwitchClauseTypes(switchStatement).slice(clauseStart, clauseEnd); const candidate = getUnionType(map(clauseTypes, (t) => getConstituentTypeForKeyType(type, t) || unknownType)); if (candidate !== unknownType) { return candidate; } } return narrowTypeByDiscriminant(type, access, (t) => narrowTypeBySwitchOnDiscriminant(t, switchStatement, clauseStart, clauseEnd)); } function narrowTypeByTruthiness(type, expr, assumeTrue) { if (isMatchingReference(reference, expr)) { return getAdjustedTypeWithFacts(type, assumeTrue ? 4194304 : 8388608); } if (strictNullChecks && assumeTrue && optionalChainContainsReference(expr, reference)) { type = getAdjustedTypeWithFacts(type, 2097152); } const access = getDiscriminantPropertyAccess(expr, type); if (access) { return narrowTypeByDiscriminant(type, access, (t) => getTypeWithFacts(t, assumeTrue ? 4194304 : 8388608)); } return type; } function isTypePresencePossible(type, propName, assumeTrue) { const prop = getPropertyOfType(type, propName); return prop ? !!(prop.flags & 16777216) || assumeTrue : !!getApplicableIndexInfoForName(type, propName) || !assumeTrue; } function narrowTypeByInKeyword(type, nameType, assumeTrue) { const name = getPropertyNameFromType(nameType); const isKnownProperty2 = someType(type, (t) => isTypePresencePossible(t, name, true)); if (isKnownProperty2) { return filterType(type, (t) => isTypePresencePossible(t, name, assumeTrue)); } if (assumeTrue) { const recordSymbol = getGlobalRecordSymbol(); if (recordSymbol) { return getIntersectionType([type, getTypeAliasInstantiation(recordSymbol, [nameType, unknownType])]); } } return type; } function narrowTypeByBinaryExpression(type, expr, assumeTrue) { switch (expr.operatorToken.kind) { case 63: case 75: case 76: case 77: return narrowTypeByTruthiness(narrowType(type, expr.right, assumeTrue), expr.left, assumeTrue); case 34: case 35: case 36: case 37: const operator = expr.operatorToken.kind; const left = getReferenceCandidate(expr.left); const right = getReferenceCandidate(expr.right); if (left.kind === 218 && isStringLiteralLike(right)) { return narrowTypeByTypeof(type, left, operator, right, assumeTrue); } if (right.kind === 218 && 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); } break; case 102: return narrowTypeByInstanceof(type, expr, assumeTrue); case 101: if (isPrivateIdentifier(expr.left)) { return narrowTypeByPrivateIdentifierInInExpression(type, expr, assumeTrue); } const target = getReferenceCandidate(expr.right); const leftType = getTypeOfExpression(expr.left); if (leftType.flags & 8576) { if (containsMissingType(type) && isAccessExpression(reference) && isMatchingReference(reference.expression, target) && getAccessedPropertyName(reference) === getPropertyNameFromType(leftType)) { return getTypeWithFacts(type, assumeTrue ? 524288 : 65536); } if (isMatchingReference(reference, target)) { return narrowTypeByInKeyword(type, leftType, assumeTrue); } } break; case 27: return narrowType(type, expr.right, assumeTrue); case 55: return assumeTrue ? narrowType(narrowType(type, expr.left, true), expr.right, true) : getUnionType([narrowType(type, expr.left, false), narrowType(type, expr.right, false)]); case 56: return assumeTrue ? getUnionType([narrowType(type, expr.left, true), narrowType(type, expr.right, true)]) : narrowType(narrowType(type, expr.left, false), expr.right, 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, true); } function narrowTypeByOptionalChainContainment(type, operator, value, assumeTrue) { const equalsOperator = operator === 34 || operator === 36; const nullableFlags = operator === 34 || operator === 35 ? 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) : type; } function narrowTypeByEquality(type, operator, value, assumeTrue) { if (type.flags & 1) { return type; } if (operator === 35 || operator === 37) { assumeTrue = !assumeTrue; } const valueType = getTypeOfExpression(value); const doubleEquals = operator === 34 || operator === 35; 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 & (134348796 | 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 === 35 || operator === 37) { assumeTrue = !assumeTrue; } const target = getReferenceCandidate(typeOfExpr.expression); if (!isMatchingReference(reference, target)) { if (strictNullChecks && optionalChainContainsReference(target, reference) && assumeTrue === (literal.text !== "undefined")) { type = getAdjustedTypeWithFacts(type, 2097152); } 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); } function narrowTypeBySwitchOptionalChainContainment(type, switchStatement, clauseStart, clauseEnd, clauseCheck) { const everyClauseChecks = clauseStart !== clauseEnd && every(getSwitchClauseTypes(switchStatement).slice(clauseStart, clauseEnd), clauseCheck); return everyClauseChecks ? getTypeWithFacts(type, 2097152) : 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, neverType); if (type.flags & 2 && !hasDefaultClause) { let groundClauseTypes; for (let i = 0; i < clauseTypes.length; i += 1) { const t = clauseTypes[i]; if (t.flags & (134348796 | 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 ? neverType : replacePrimitivesWithLiterals(filterType(type, (t) => areTypesComparable(discriminantType, t)), discriminantType); if (!hasDefaultClause) { return caseType; } const defaultType = filterType(type, (t) => !(isUnitLikeType(t) && contains(switchTypes, getRegularTypeOfLiteralType(extractUnitType(t))))); return caseType.flags & 131072 ? defaultType : getUnionType([caseType, defaultType]); } function narrowTypeByTypeName(type, typeName) { switch (typeName) { case "string": return narrowTypeByTypeFacts(type, stringType, 1); case "number": return narrowTypeByTypeFacts(type, numberType, 2); case "bigint": return narrowTypeByTypeFacts(type, bigintType, 4); case "boolean": return narrowTypeByTypeFacts(type, booleanType, 8); case "symbol": return narrowTypeByTypeFacts(type, esSymbolType, 16); case "object": return type.flags & 1 ? type : getUnionType([narrowTypeByTypeFacts(type, nonPrimitiveType, 32), narrowTypeByTypeFacts(type, nullType, 131072)]); case "function": return type.flags & 1 ? type : narrowTypeByTypeFacts(type, globalFunctionType, 64); case "undefined": return narrowTypeByTypeFacts(type, undefinedType, 65536); } return narrowTypeByTypeFacts(type, nonPrimitiveType, 128); } function narrowTypeByTypeFacts(type, impliedType, facts) { return mapType(type, (t) => isTypeRelatedTo(t, impliedType, strictSubtypeRelation) ? getTypeFacts(t) & facts ? t : neverType : isTypeSubtypeOf(impliedType, t) ? impliedType : getTypeFacts(t) & facts ? getIntersectionType([t, impliedType]) : neverType); } function narrowTypeBySwitchOnTypeOf(type, switchStatement, clauseStart, clauseEnd) { const witnesses = getSwitchClauseTypeOfWitnesses(switchStatement); if (!witnesses) { return type; } const defaultIndex = findIndex(switchStatement.caseBlock.clauses, (clause) => clause.kind === 293); 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) : neverType)); } 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 !== 34 && operator !== 36 : operator !== 35 && operator !== 37) { 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); } return type; } const rightType = getTypeOfExpression(expr.right); if (!isTypeDerivedFrom(rightType, globalFunctionType)) { return type; } const instanceType = mapType(rightType, getInstanceType); if (isTypeAny(type) && (instanceType === globalObjectType || instanceType === globalFunctionType) || !assumeTrue && !(instanceType.flags & 524288 && !isEmptyAnonymousObjectType(instanceType))) { return type; } return getNarrowedType(type, instanceType, assumeTrue, true); } function getInstanceType(constructorType) { const prototypePropertyType = getTypeOfPropertyOfType(constructorType, "prototype"); if (prototypePropertyType && !isTypeAny(prototypePropertyType)) { return prototypePropertyType; } const constructSignatures = getSignaturesOfType(constructorType, 1); if (constructSignatures.length) { return getUnionType(map(constructSignatures, (signature) => getReturnTypeOfSignature(getErasedSignature(signature)))); } return emptyObjectType; } function getNarrowedType(type, candidate, assumeTrue, checkDerived) { var _a3; const key2 = type.flags & 1048576 ? `N${getTypeId(type)},${getTypeId(candidate)},${(assumeTrue ? 1 : 0) | (checkDerived ? 2 : 0)}` : void 0; return (_a3 = getCachedType(key2)) != null ? _a3 : setCachedType(key2, getNarrowedTypeWorker(type, candidate, assumeTrue, checkDerived)); } function getNarrowedTypeWorker(type, candidate, assumeTrue, checkDerived) { if (!assumeTrue) { if (checkDerived) { return filterType(type, (t) => !isTypeDerivedFrom(t, candidate)); } const trueType2 = getNarrowedType(type, candidate, true, false); return filterType(type, (t) => !isTypeSubsetOf(t, trueType2)); } if (type.flags & 3) { return candidate; } const isRelated = checkDerived ? isTypeDerivedFrom : isTypeSubtypeOf; const keyPropertyName = type.flags & 1048576 ? getKeyPropertyName(type) : void 0; const narrowedType = mapType(candidate, (c) => { const discriminant = keyPropertyName && getTypeOfPropertyOfType(c, keyPropertyName); const matching = discriminant && getConstituentTypeForKeyType(type, discriminant); const directlyRelated = mapType(matching || type, checkDerived ? (t) => isTypeDerivedFrom(t, c) ? t : isTypeDerivedFrom(c, t) ? c : neverType : (t) => isTypeStrictSubtypeOf(t, c) ? t : isTypeStrictSubtypeOf(c, t) ? c : isTypeSubtypeOf(t, c) ? t : isTypeSubtypeOf(c, t) ? c : neverType); return directlyRelated.flags & 131072 ? mapType(type, (t) => maybeTypeOfKind(t, 465829888) && isRelated(c, getBaseConstraintOfType(t) || unknownType) ? getIntersectionType([t, c]) : neverType) : 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); } } } 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, false); } if (strictNullChecks && assumeTrue && optionalChainContainsReference(predicateArgument, reference) && !(getTypeFacts(predicate.type) & 65536)) { type = getAdjustedTypeWithFacts(type, 2097152); } const access = getDiscriminantPropertyAccess(predicateArgument, type); if (access) { return narrowTypeByDiscriminant(type, access, (t) => getNarrowedType(t, predicate.type, assumeTrue, false)); } } } return type; } function narrowType(type, expr, assumeTrue) { if (isExpressionOfOptionalChainRoot(expr) || isBinaryExpression(expr.parent) && (expr.parent.operatorToken.kind === 60 || expr.parent.operatorToken.kind === 77) && expr.parent.left === expr) { return narrowTypeByOptionality(type, expr, assumeTrue); } switch (expr.kind) { case 79: if (!isMatchingReference(reference, expr) && inlineLevel < 5) { const symbol = getResolvedSymbol(expr); if (isConstVariable(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 108: case 106: case 208: case 209: return narrowTypeByTruthiness(type, expr, assumeTrue); case 210: return narrowTypeByCallExpression(type, expr, assumeTrue); case 214: case 232: return narrowType(type, expr.expression, assumeTrue); case 223: return narrowTypeByBinaryExpression(type, expr, assumeTrue); case 221: if (expr.operator === 53) { return narrowType(type, expr.operand, !assumeTrue); } break; } return type; } function narrowTypeByOptionality(type, expr, assumePresent) { if (isMatchingReference(reference, expr)) { return getAdjustedTypeWithFacts(type, assumePresent ? 2097152 : 262144); } const access = getDiscriminantPropertyAccess(expr, type); if (access) { return narrowTypeByDiscriminant(type, access, (t) => getTypeWithFacts(t, assumePresent ? 2097152 : 262144)); } return type; } } function getTypeOfSymbolAtLocation(symbol, location) { symbol = getExportSymbolOfValueSymbolIfExported(symbol); if (location.kind === 79 || location.kind === 80) { if (isRightSideOfQualifiedNameOrPropertyAccess(location)) { location = location.parent; } if (isExpressionNode(location) && (!isAssignmentTarget(location) || isWriteAccess(location))) { const type = 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 getNonMissingTypeOfSymbol(symbol); } function getControlFlowContainer(node) { return findAncestor(node.parent, (node2) => isFunctionLike(node2) && !getImmediatelyInvokedFunctionExpression(node2) || node2.kind === 265 || node2.kind === 308 || node2.kind === 169); } function isSymbolAssigned(symbol) { if (!symbol.valueDeclaration) { return false; } const parent2 = getRootDeclaration(symbol.valueDeclaration).parent; const links = getNodeLinks(parent2); if (!(links.flags & 524288)) { links.flags |= 524288; if (!hasParentWithAssignmentsMarked(parent2)) { markNodeAssignments(parent2); } } return symbol.isAssigned || false; } function hasParentWithAssignmentsMarked(node) { return !!findAncestor(node.parent, (node2) => (isFunctionLike(node2) || isCatchClause(node2)) && !!(getNodeLinks(node2).flags & 524288)); } function markNodeAssignments(node) { if (node.kind === 79) { if (isAssignmentTarget(node)) { const symbol = getResolvedSymbol(node); if (isParameterOrCatchClauseVariable(symbol)) { symbol.isAssigned = true; } } } else { forEachChild(node, markNodeAssignments); } } function isConstVariable(symbol) { return symbol.flags & 3 && (getDeclarationNodeFlagsFromSymbol(symbol) & 2) !== 0; } function parameterInitializerContainsUndefined(declaration) { const links = getNodeLinks(declaration); if (links.parameterInitializerContainsUndefined === void 0) { if (!pushTypeResolution(declaration, 9)) { reportCircularityError(declaration.symbol); return true; } const containsUndefined = !!(getTypeFacts(checkDeclarationInitializer(declaration, 0)) & 16777216); if (!popTypeResolution()) { reportCircularityError(declaration.symbol); return true; } links.parameterInitializerContainsUndefined = containsUndefined; } return links.parameterInitializerContainsUndefined; } function removeOptionalityFromDeclaredType(declaredType, declaration) { const removeUndefined = strictNullChecks && declaration.kind === 166 && declaration.initializer && getTypeFacts(declaredType) & 16777216 && !parameterInitializerContainsUndefined(declaration); return removeUndefined ? getTypeWithFacts(declaredType, 524288) : declaredType; } function isConstraintPosition(type, node) { const parent2 = node.parent; return parent2.kind === 208 || parent2.kind === 163 || parent2.kind === 210 && parent2.expression === node || parent2.kind === 209 && 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)); } function hasContextualTypeWithNoGenericTypes(node, checkMode) { const contextualType = (isIdentifier(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node)) && !((isJsxOpeningElement(node.parent) || isJsxSelfClosingElement(node.parent)) && node.parent.tagName === node) && (checkMode && checkMode & 64 ? getContextualType2(node, 8) : getContextualType2(node, void 0)); return contextualType && !isGenericType(contextualType); } function getNarrowableTypeForReference(type, reference, checkMode) { const substituteConstraints = !(checkMode && checkMode & 2) && someType(type, isGenericTypeWithUnionConstraint) && (isConstraintPosition(type, reference) || hasContextualTypeWithNoGenericTypes(reference, checkMode)); return substituteConstraints ? mapType(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 markAliasReferenced(symbol, location) { if (compilerOptions.verbatimModuleSyntax) { return; } if (isNonLocalAlias(symbol, 111551) && !isInTypeQuery(location) && !getTypeOnlyAliasDeclaration(symbol, 111551)) { const target = resolveAlias(symbol); if (getAllSymbolFlags(target) & (111551 | 1048576)) { if (getIsolatedModules(compilerOptions) || shouldPreserveConstEnums(compilerOptions) && isExportOrExportExpression(location) || !isConstEnumOrConstEnumOnlyModule(getExportSymbolOfValueSymbolIfExported(target))) { markAliasSymbolAsReferenced(symbol); } else { markConstEnumAliasAsReferenced(symbol); } } } } function getNarrowedTypeOfSymbol(symbol, location) { var _a2; const type = getTypeOfSymbol(symbol); const declaration = symbol.valueDeclaration; if (declaration) { if (isBindingElement(declaration) && !declaration.initializer && !declaration.dotDotDotToken && declaration.parent.elements.length >= 2) { const parent2 = declaration.parent.parent; if (parent2.kind === 257 && getCombinedNodeFlags(declaration) & 2 || parent2.kind === 166) { const links = getNodeLinks(parent2); if (!(links.flags & 16777216)) { links.flags |= 16777216; const parentType = getTypeForBindingElementParent(parent2, 0); const parentTypeConstraint = parentType && mapType(parentType, getBaseConstraintOrType); links.flags &= ~16777216; if (parentTypeConstraint && parentTypeConstraint.flags & 1048576 && !(parent2.kind === 166 && isSymbolAssigned(symbol))) { const pattern = declaration.parent; const narrowedType = getFlowTypeOfReference(pattern, parentTypeConstraint, parentTypeConstraint, void 0, location.flowNode); if (narrowedType.flags & 131072) { return neverType; } return getBindingElementTypeFromParentType(declaration, narrowedType); } } } } 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]), (_a2 = getInferenceContext(func)) == null ? void 0 : _a2.nonFixingMapper)); if (restType.flags & 1048576 && everyType(restType, isTupleType) && !isSymbolAssigned(symbol)) { const narrowedType = getFlowTypeOfReference(func, restType, restType, void 0, location.flowNode); const index = func.parameters.indexOf(declaration) - (getThisParameter(func) ? 1 : 0); return getIndexedAccessType(narrowedType, getNumberLiteralType(index)); } } } } } return type; } function checkIdentifier(node, checkMode) { if (isThisInTypeQuery(node)) { return checkThisExpression(node); } const symbol = getResolvedSymbol(node); if (symbol === unknownSymbol) { return errorType; } if (symbol === argumentsSymbol) { if (isInPropertyInitializerOrClassStaticBlock(node)) { error(node, Diagnostics.arguments_cannot_be_referenced_in_property_initializers); return errorType; } const container = getContainingFunction(node); if (languageVersion < 2) { if (container.kind === 216) { error(node, Diagnostics.The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES3_and_ES5_Consider_using_a_standard_function_expression); } else if (hasSyntacticModifier(container, 512)) { error(node, Diagnostics.The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES3_and_ES5_Consider_using_a_standard_function_or_method); } } getNodeLinks(container).flags |= 512; return getTypeOfSymbol(symbol); } if (shouldMarkIdentifierAliasReferenced(node)) { markAliasReferenced(symbol, node); } const localOrExportSymbol = getExportSymbolOfValueSymbolIfExported(symbol); const targetSymbol = checkDeprecatedAliasedSymbol(localOrExportSymbol, node); if (isDeprecatedSymbol(targetSymbol) && isUncalledFunctionReference(node, targetSymbol) && targetSymbol.declarations) { addDeprecatedSuggestion(node, targetSymbol.declarations, node.escapedText); } let declaration = localOrExportSymbol.valueDeclaration; if (declaration && localOrExportSymbol.flags & 32) { if (declaration.kind === 260 && nodeIsDecorated(legacyDecorators, declaration)) { let container = getContainingClass(node); while (container !== void 0) { if (container === declaration && container.name !== node) { getNodeLinks(declaration).flags |= 1048576; getNodeLinks(node).flags |= 2097152; break; } container = getContainingClass(container); } } else if (declaration.kind === 228) { let container = getThisContainer(node, false, false); while (container.kind !== 308) { if (container.parent === declaration) { if (isPropertyDeclaration(container) && isStatic(container) || isClassStaticBlockDeclaration(container)) { getNodeLinks(declaration).flags |= 1048576; getNodeLinks(node).flags |= 2097152; } break; } container = getThisContainer(container, false, false); } } } checkNestedBlockScopedBinding(node, symbol); let type = getNarrowedTypeOfSymbol(localOrExportSymbol, node); 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; error(node, assignmentError, symbolToString(symbol)); return errorType; } if (isReadonlySymbol(localOrExportSymbol)) { if (localOrExportSymbol.flags & 3) { error(node, Diagnostics.Cannot_assign_to_0_because_it_is_a_constant, symbolToString(symbol)); } else { error(node, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, symbolToString(symbol)); } return errorType; } } const isAlias = localOrExportSymbol.flags & 2097152; if (localOrExportSymbol.flags & 3) { if (assignmentKind === 1) { return type; } } else if (isAlias) { declaration = getDeclarationOfAliasSymbol(symbol); } else { return type; } if (!declaration) { return type; } type = getNarrowableTypeForReference(type, node, checkMode); const isParameter2 = getRootDeclaration(declaration).kind === 166; 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 isModuleExports = symbol.flags & 134217728; while (flowContainer !== declarationContainer && (flowContainer.kind === 215 || flowContainer.kind === 216 || isObjectLiteralOrClassExpressionMethodOrAccessor(flowContainer)) && (isConstVariable(localOrExportSymbol) && type !== autoArrayType || isParameter2 && !isSymbolAssigned(localOrExportSymbol))) { flowContainer = getControlFlowContainer(flowContainer); } const assumeInitialized = isParameter2 || isAlias || isOuterVariable || isSpreadDestructuringAssignmentTarget || isModuleExports || isSameScopedBindingElement(node, declaration) || type !== autoType && type !== autoArrayType && (!strictNullChecks || (type.flags & (3 | 16384)) !== 0 || isInTypeQuery(node) || isInAmbientOrTypeNode(node) || node.parent.kind === 278) || node.parent.kind === 232 || declaration.kind === 257 && declaration.exclamationToken || declaration.flags & 16777216; const initialType = assumeInitialized ? isParameter2 ? removeOptionalityFromDeclaredType(type, declaration) : type : type === autoType || type === autoArrayType ? undefinedType : getOptionalType(type); const flowType = getFlowTypeOfReference(node, type, initialType, flowContainer); if (!isEvolvingArrayOperationTarget(node) && (type === autoType || type === autoArrayType)) { if (flowType === autoType || flowType === autoArrayType) { if (noImplicitAny) { error(getNameOfDeclaration(declaration), Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined, symbolToString(symbol), typeToString(flowType)); error(node, Diagnostics.Variable_0_implicitly_has_an_1_type, symbolToString(symbol), typeToString(flowType)); } return convertAutoToAny(flowType); } } else if (!assumeInitialized && !containsUndefinedType(type) && containsUndefinedType(flowType)) { error(node, Diagnostics.Variable_0_is_used_before_being_assigned, symbolToString(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 _a2; const parent2 = node.parent; if (parent2) { if (isPropertyAccessExpression(parent2) && parent2.expression === node) { return false; } if (isExportSpecifier(parent2) && parent2.isTypeOnly) { return false; } const greatGrandparent = (_a2 = parent2.parent) == null ? void 0 : _a2.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, false)); } function checkNestedBlockScopedBinding(node, symbol) { if (languageVersion >= 2 || (symbol.flags & (2 | 32)) === 0 || !symbol.valueDeclaration || isSourceFile(symbol.valueDeclaration) || symbol.valueDeclaration.parent.kind === 295) { 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 = getAncestor(symbol.valueDeclaration, 258); 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 = getAncestor(symbol.valueDeclaration, 258); if (varDeclList && varDeclList.parent === container && isAssignedInBodyOfForStatement(node, container)) { getNodeLinks(symbol.valueDeclaration).flags |= 262144; } } 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 === 214) { current = current.parent; } let isAssigned = false; if (isAssignmentTarget(current)) { isAssigned = true; } else if (current.parent.kind === 221 || current.parent.kind === 222) { const expr = current.parent; isAssigned = expr.operator === 45 || expr.operator === 46; } 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 === 169 || container.kind === 173) { 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, false)) { error(node, diagnosticMessage); } } } function checkThisInStaticClassFieldInitializerInDecoratedClass(thisExpression, container) { if (isPropertyDeclaration(container) && hasStaticModifier(container) && legacyDecorators && container.initializer && textRangeContainsPositionInclusive(container.initializer, thisExpression.pos) && hasDecorators(container.parent)) { error(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, true, true); let capturedByArrowFunction = false; let thisInComputedPropertyName = false; if (container.kind === 173) { checkThisBeforeSuper(node, container, Diagnostics.super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class); } while (true) { if (container.kind === 216) { container = getThisContainer(container, false, !thisInComputedPropertyName); capturedByArrowFunction = true; } if (container.kind === 164) { container = getThisContainer(container, !capturedByArrowFunction, false); thisInComputedPropertyName = true; continue; } break; } checkThisInStaticClassFieldInitializerInDecoratedClass(node, container); if (thisInComputedPropertyName) { error(node, Diagnostics.this_cannot_be_referenced_in_a_computed_property_name); } else { switch (container.kind) { case 264: error(node, Diagnostics.this_cannot_be_referenced_in_a_module_or_namespace_body); break; case 263: error(node, Diagnostics.this_cannot_be_referenced_in_current_location); break; case 173: if (isInConstructorArgumentInitializer(node, container)) { error(node, Diagnostics.this_cannot_be_referenced_in_constructor_arguments); } break; } } if (!isNodeInTypeQuery && capturedByArrowFunction && languageVersion < 2) { captureLexicalThis(node, container); } const type = tryGetThisTypeAt(node, true, container); if (noImplicitThis) { const globalThisType2 = getTypeOfSymbol(globalThisSymbol); if (type === globalThisType2 && capturedByArrowFunction) { error(node, Diagnostics.The_containing_arrow_function_captures_the_global_value_of_this); } else if (!type) { const diag2 = error(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 || anyType; } function tryGetThisTypeAt(node, includeGlobalThis = true, container = getThisContainer(node, false, 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 undefinedType; } else if (includeGlobalThis) { return getTypeOfSymbol(globalThisSymbol); } } } function getExplicitThisType(node) { const container = getThisContainer(node, false, 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 === 215 && isBinaryExpression(container.parent) && getAssignmentDeclarationKind(container.parent) === 3) { return container.parent.left.expression.expression; } else if (container.kind === 171 && container.parent.kind === 207 && isBinaryExpression(container.parent.parent) && getAssignmentDeclarationKind(container.parent.parent) === 6) { return container.parent.parent.left.expression; } else if (container.kind === 215 && container.parent.kind === 299 && container.parent.parent.kind === 207 && isBinaryExpression(container.parent.parent.parent) && getAssignmentDeclarationKind(container.parent.parent.parent) === 6) { return container.parent.parent.parent.left.expression; } else if (container.kind === 215 && 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) && isCallExpression(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) && isCallExpression(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 jsdocType = getJSDocType(node); if (jsdocType && jsdocType.kind === 320) { const jsDocFunctionType = jsdocType; if (jsDocFunctionType.parameters.length > 0 && jsDocFunctionType.parameters[0].name && jsDocFunctionType.parameters[0].name.escapedText === "this") { return getTypeFromTypeNode(jsDocFunctionType.parameters[0].type); } } const thisTag = getJSDocThisTag(node); if (thisTag && thisTag.typeExpression) { return getTypeFromTypeNode(thisTag.typeExpression); } } function isInConstructorArgumentInitializer(node, constructorDecl) { return !!findAncestor(node, (n) => isFunctionLikeDeclaration(n) ? "quit" : n.kind === 166 && n.parent === constructorDecl); } function checkSuperExpression(node) { const isCallExpression2 = node.parent.kind === 210 && node.parent.expression === node; const immediateContainer = getSuperContainer(node, true); let container = immediateContainer; let needToCaptureLexicalThis = false; let inAsyncFunction = false; if (!isCallExpression2) { while (container && container.kind === 216) { if (hasSyntacticModifier(container, 512)) inAsyncFunction = true; container = getSuperContainer(container, true); needToCaptureLexicalThis = languageVersion < 2; } if (container && hasSyntacticModifier(container, 512)) inAsyncFunction = true; } let nodeCheckFlag = 0; if (!container || !isLegalUsageOfSuperExpression(container)) { const current = findAncestor(node, (n) => n === container ? "quit" : n.kind === 164); if (current && current.kind === 164) { error(node, Diagnostics.super_cannot_be_referenced_in_a_computed_property_name); } else if (isCallExpression2) { error(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 === 207)) { error(node, Diagnostics.super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions); } else { error(node, Diagnostics.super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_derived_class); } return errorType; } if (!isCallExpression2 && immediateContainer.kind === 173) { checkThisBeforeSuper(node, container, Diagnostics.super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class); } if (isStatic(container) || isCallExpression2) { nodeCheckFlag = 32; if (!isCallExpression2 && languageVersion >= 2 && languageVersion <= 8 && (isPropertyDeclaration(container) || isClassStaticBlockDeclaration(container))) { forEachEnclosingBlockScopeContainer(node.parent, (current) => { if (!isSourceFile(current) || isExternalOrCommonJsModule(current)) { getNodeLinks(current).flags |= 8388608; } }); } } else { nodeCheckFlag = 16; } getNodeLinks(node).flags |= nodeCheckFlag; if (container.kind === 171 && 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 === 207) { if (languageVersion < 2) { error(node, Diagnostics.super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_higher); return errorType; } else { return anyType; } } const classLikeDeclaration = container.parent; if (!getClassExtendsHeritageElement(classLikeDeclaration)) { error(node, Diagnostics.super_can_only_be_referenced_in_a_derived_class); return errorType; } const classType = getDeclaredTypeOfSymbol(getSymbolOfDeclaration(classLikeDeclaration)); const baseClassType = classType && getBaseTypes(classType)[0]; if (!baseClassType) { return errorType; } if (container.kind === 173 && isInConstructorArgumentInitializer(node, container)) { error(node, Diagnostics.super_cannot_be_referenced_in_constructor_arguments); return errorType; } return nodeCheckFlag === 32 ? getBaseConstructorTypeOfClass(classType) : getTypeWithThisArgument(baseClassType, classType.thisType); function isLegalUsageOfSuperExpression(container2) { if (isCallExpression2) { return container2.kind === 173; } else { if (isClassLike(container2.parent) || container2.parent.kind === 207) { if (isStatic(container2)) { return container2.kind === 171 || container2.kind === 170 || container2.kind === 174 || container2.kind === 175 || container2.kind === 169 || container2.kind === 172; } else { return container2.kind === 171 || container2.kind === 170 || container2.kind === 174 || container2.kind === 175 || container2.kind === 169 || container2.kind === 168 || container2.kind === 173; } } } return false; } } function getContainingObjectLiteral(func) { return (func.kind === 171 || func.kind === 174 || func.kind === 175) && func.parent.kind === 207 ? func.parent : func.kind === 215 && func.parent.kind === 299 ? func.parent.parent : void 0; } function getThisTypeArgument(type) { return getObjectFlags(type) & 4 && type.target === globalThisType ? getTypeArguments(type)[0] : void 0; } function getThisTypeFromContextualType(type) { return mapType(type, (t) => { return t.flags & 2097152 ? forEach(t.types, getThisTypeArgument) : getThisTypeArgument(t); }); } function getContextualThisParameterType(func) { if (func.kind === 216) { 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, void 0); let literal = containingLiteral; let type = contextualType; while (type) { const thisType = getThisTypeFromContextualType(type); if (thisType) { return instantiateType(thisType, getMapperFromContext(getInferenceContext(containingLiteral))); } if (literal.parent.kind !== 299) { break; } literal = literal.parent.parent; type = getApparentTypeOfContextualType(literal, void 0); } return getWidenedType(contextualType ? getNonNullableType(contextualType) : checkExpressionCached(containingLiteral)); } const parent2 = walkUpParenthesizedExpressions(func.parent); if (parent2.kind === 223 && parent2.operatorToken.kind === 63) { 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, anyType, void 0, 0); } 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 166: return getContextuallyTypedParameterType(declaration); case 205: return getContextualTypeForBindingElement(declaration, contextFlags); case 169: 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 !== 205 && parent2.initializer && checkDeclarationInitializer(parent2, declaration.dotDotDotToken ? 64 : 0); if (!parentType || isBindingPattern(name) || isComputedNonLiteralName(name)) return void 0; if (parent2.name.kind === 204) { 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, true, 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 = mapType(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)); } return node.asteriskToken ? contextualReturnType : 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 isAsync = !!(getFunctionFlags(functionDecl) & 2); const contextualReturnType = getContextualReturnType(functionDecl, void 0); if (contextualReturnType) { return getIterationTypeOfGeneratorFunctionReturnType(kind, contextualReturnType, isAsync) || 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)) { return getReturnTypeOfSignature(signature); } 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 ? stringType : argIndex === 1 ? getGlobalImportCallOptionsType(false) : anyType; } 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) : getTypeAtPosition(signature, argIndex); } function getContextualTypeForDecorator(decorator) { const signature = getDecoratorCallSignature(decorator); return signature ? getOrCreateTypeFromSignature(signature) : void 0; } function getContextualTypeForSubstitutionExpression(template, substitutionExpression) { if (template.parent.kind === 212) { 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 63: case 76: case 75: case 77: return node === right ? getContextualTypeForAssignmentDeclaration(binaryExpression) : void 0; case 56: case 60: const type = getContextualType2(binaryExpression, contextFlags); return node === right && (type && type.pattern || !type && !isDefaultedExpandoInitializer(binaryExpression)) ? getTypeOfExpression(left) : type; case 55: case 27: 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 _a2, _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, void 0, id.escapedText, 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) ? void 0 : getTypeOfExpression(binaryExpression.left); } case 1: case 6: case 3: case 2: let valueDeclaration; if (kind !== 2) { valueDeclaration = canHaveSymbol(binaryExpression.left) ? (_a2 = binaryExpression.left.symbol) == null ? void 0 : _a2.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, void 0, void 0, true, 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, false, 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) >= 0); } function getTypeOfPropertyOfContextualType(type, name, nameType) { return mapType(type, (t) => { var _a2; 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 : getTypeOfSymbol(prop); } if (isTupleType(t) && isNumericLiteralName(name) && +name >= 0) { const restType = getElementTypeOfSliceOfTupleType(t, t.target.fixedLength, 0, false, true); if (restType) { return restType; } } return (_a2 = findApplicableIndexInfo(getIndexInfosOfStructuredType(t), nameType || getStringLiteralType(unescapeLeadingUnderscores(name)))) == null ? void 0 : _a2.type; } return void 0; }, true); } function getContextualTypeForObjectLiteralMethod(node, contextFlags) { Debug.assert(isObjectLiteralMethod(node)); if (node.flags & 33554432) { 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 (element.name) { const nameType = getLiteralTypeFromPropertyName(element.name); return mapType(type, (t) => { var _a2; return (_a2 = findApplicableIndexInfo(getIndexInfosOfStructuredType(t), nameType)) == null ? void 0 : _a2.type; }, true); } } return void 0; } function getContextualTypeForElementExpression(arrayContextualType, index) { return arrayContextualType && (index >= 0 && getTypeOfPropertyOfContextualType(arrayContextualType, "" + index) || mapType(arrayContextualType, (t) => isTupleType(t) ? getElementTypeOfSliceOfTupleType(t, 0, 0, false, true) : getIteratedTypeOrElementType(1, t, undefinedType, void 0, false), 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.tagName, 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 : mapType(childFieldType, (t) => { if (isArrayLikeType(t)) { return getIndexedAccessType(t, getNumberLiteralType(childIndex)); } else { return t; } }, 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, attribute.name.escapedText); } else { return getContextualType2(attribute.parent, contextFlags); } } function isPossiblyDiscriminantValue(node) { switch (node.kind) { case 10: case 8: case 9: case 14: case 110: case 95: case 104: case 79: case 155: return true; case 208: case 214: return isPossiblyDiscriminantValue(node.expression); case 291: return !node.expression || isPossiblyDiscriminantValue(node.expression); } return false; } function discriminateContextualTypeByObjectMembers(node, contextualType) { return getMatchingUnionConstituentForObjectLiteral(contextualType, node) || discriminateTypeByDiscriminableItems(contextualType, concatenate(map(filter(node.properties, (p) => !!p.symbol && p.kind === 299 && isPossiblyDiscriminantValue(p.initializer) && isDiscriminantProperty(contextualType, p.symbol.escapedName)), (prop) => [() => getContextFreeTypeOfExpression(prop.initializer), prop.symbol.escapedName]), map(filter(getPropertiesOfType(contextualType), (s) => { var _a2; return !!(s.flags & 16777216) && !!((_a2 = node == null ? void 0 : node.symbol) == null ? void 0 : _a2.members) && !node.symbol.members.has(s.escapedName) && isDiscriminantProperty(contextualType, s.escapedName); }), (s) => [() => undefinedType, s.escapedName])), isTypeAssignableTo, contextualType); } function discriminateContextualTypeByJSXAttributes(node, contextualType) { return discriminateTypeByDiscriminableItems(contextualType, concatenate(map(filter(node.properties, (p) => !!p.symbol && p.kind === 288 && 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 _a2; return !!(s.flags & 16777216) && !!((_a2 = node == null ? void 0 : node.symbol) == null ? void 0 : _a2.members) && !node.symbol.members.has(s.escapedName) && isDiscriminantProperty(contextualType, s.escapedName); }), (s) => [() => undefinedType, s.escapedName])), isTypeAssignableTo, contextualType); } 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 = mapType(instantiatedType, getApparentType, 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)) { 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); } if (type.flags & 2097152) { return getIntersectionType(map(type.types, (t) => instantiateInstantiableTypes(t, mapper))); } return type; } function getContextualType2(node, contextFlags) { var _a2, _b; if (node.flags & 33554432) { return void 0; } const index = findContextualNode(node, !contextFlags); if (index >= 0) { return contextualTypes[index]; } const { parent: parent2 } = node; switch (parent2.kind) { case 257: case 166: case 169: case 168: case 205: return getContextualTypeForInitializerExpression(node, contextFlags); case 216: case 250: return getContextualTypeForReturnExpression(node, contextFlags); case 226: return getContextualTypeForYieldOperand(parent2, contextFlags); case 220: return getContextualTypeForAwaitOperand(parent2, contextFlags); case 210: case 211: return getContextualTypeForArgument(parent2, node); case 167: return getContextualTypeForDecorator(parent2); case 213: case 231: return isConstTypeReference(parent2.type) ? getContextualType2(parent2, contextFlags) : getTypeFromTypeNode(parent2.type); case 223: return getContextualTypeForBinaryOperand(node, contextFlags); case 299: case 300: return getContextualTypeForObjectLiteralElement(parent2, contextFlags); case 301: return getContextualType2(parent2.parent, contextFlags); case 206: { const arrayLiteral = parent2; const type = getApparentTypeOfContextualType(arrayLiteral, contextFlags); const spreadIndex = (_b = (_a2 = getNodeLinks(arrayLiteral)).firstSpreadIndex) != null ? _b : _a2.firstSpreadIndex = findIndex(arrayLiteral.elements, isSpreadElement); const elementIndex = indexOfNode(arrayLiteral.elements, node); return getContextualTypeForElementExpression(type, spreadIndex < 0 || elementIndex < spreadIndex ? elementIndex : -1); } case 224: return getContextualTypeForConditionalOperand(node, contextFlags); case 236: Debug.assert(parent2.parent.kind === 225); return getContextualTypeForSubstitutionExpression(parent2.parent, node); case 214: { 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 232: return getContextualType2(parent2, contextFlags); case 235: return getTypeFromTypeNode(parent2.type); case 274: return tryGetTypeFromEffectiveTypeNode(parent2); case 291: return getContextualTypeForJsxExpression(parent2, contextFlags); case 288: case 290: return getContextualTypeForJsxAttribute(parent2, contextFlags); case 283: case 282: return getContextualJsxElementAttributesType(parent2, contextFlags); } return void 0; } function pushCachedContextualType(node) { pushContextualType(node, getContextualType2(node, void 0), 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 getContextualJsxElementAttributesType(node, contextFlags) { if (isJsxOpeningElement(node) && contextFlags !== 4) { const index = findContextualNode(node.parent, !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, unknownType); 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 (isJsxIntrinsicIdentifier(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 declaredManagedType = getDeclaredTypeOfSymbol(managedSym); const ctorType = getStaticTypeOfReferencedJsxConstructor(context); if (managedSym.flags & 524288) { const params = getSymbolLinks(managedSym).typeParameters; if (length(params) >= 2) { const args = fillMissingTypeArguments([ctorType, attributesType], params, 2, isInJSFile(context)); return getTypeAliasInstantiation(managedSym, args); } } if (length(declaredManagedType.typeParameters) >= 2) { const args = fillMissingTypeArguments([ctorType, attributesType], declaredManagedType.typeParameters, 2, isInJSFile(context)); return createTypeReference(declaredManagedType, args); } } return attributesType; } function getJsxPropsTypeFromClassType(sig, context) { const ns = getJsxNamespaceAt(context); const forcedLookupLocation = getJsxElementPropertiesName(ns); let attributesType = forcedLookupLocation === void 0 ? getTypeOfFirstParameterOfSignatureWithFallback(sig, unknownType) : forcedLookupLocation === "" ? getReturnTypeOfSignature(sig) : getJsxPropsTypeForSignatureFromMember(sig, forcedLookupLocation); if (!attributesType) { if (!!forcedLookupLocation && !!length(context.attributes.properties)) { error(context, Diagnostics.JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property, unescapeLeadingUnderscores(forcedLookupLocation)); } return unknownType; } 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) || unknownType; 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, void 0, void 0, minArgCount, (left.flags | right.flags) & 39); 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); 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 !== 171 || isObjectLiteralMethod(node)); const typeTagSignature = getSignatureOfTypeTag(node); if (typeTagSignature) { return typeTagSignature; } const type = getApparentTypeOfContextualType(node, 1); 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, false, true, true, compareTypesIdentical)) { return void 0; } else { signatureList.push(signature); } } } if (signatureList) { return signatureList.length === 1 ? signatureList[0] : createUnionSignature(signatureList[0], signatureList); } } function checkSpreadExpression(node, checkMode) { if (languageVersion < 2) { checkExternalEmitHelpers(node, compilerOptions.downlevelIteration ? 1536 : 1024); } const arrayOrIterableType = checkExpression(node.expression, checkMode); return checkIteratedTypeOrElementType(33, arrayOrIterableType, undefinedType, node.expression); } function checkSyntheticExpression(node) { return node.isSpread ? getIndexedAccessType(node.type, numberType) : node.type; } function hasDefaultValue(node) { return node.kind === 205 && !!node.initializer || node.kind === 223 && node.operatorToken.kind === 63; } 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, void 0); const inTupleContext = !!contextualType && someType(contextualType, isTupleLikeType); let hasOmittedExpression = false; for (let i = 0; i < elementCount; i++) { const e = elements[i]; if (e.kind === 227) { if (languageVersion < 2) { checkExternalEmitHelpers(e, compilerOptions.downlevelIteration ? 1536 : 1024); } const spreadType = checkExpression(e.expression, checkMode, forceTuple); if (isArrayLikeType(spreadType)) { elementTypes.push(spreadType); elementFlags.push(8); } else if (inDestructuringPattern) { const restElementType = getIndexTypeOfType(spreadType, numberType) || getIteratedTypeOrElementType(65, spreadType, undefinedType, void 0, false) || unknownType; elementTypes.push(restElementType); elementFlags.push(4); } else { elementTypes.push(checkIteratedTypeOrElementType(33, spreadType, undefinedType, e.expression)); elementFlags.push(4); } } else if (exactOptionalPropertyTypes && e.kind === 229) { hasOmittedExpression = true; elementTypes.push(undefinedOrMissingType); elementFlags.push(2); } else { const type = checkExpressionForMutableLocation(e, checkMode, forceTuple); elementTypes.push(addOptionality(type, true, hasOmittedExpression)); elementFlags.push(hasOmittedExpression ? 2 : 1); 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, inConstContext)); } return createArrayLiteralType(createArrayType(elementTypes.length ? getUnionType(sameMap(elementTypes, (t, i) => elementFlags[i] & 8 ? getIndexedAccessTypeOrUndefined(t, numberType) || anyType : t), 2) : strictNullChecks ? implicitNeverType : undefinedWideningType, inConstContext)); } function createArrayLiteralType(type) { if (!(getObjectFlags(type) & 4)) { return type; } let literalType = type.literalType; if (!literalType) { literalType = type.literalType = cloneTypeReference(type); literalType.objectFlags |= 16384 | 131072; } return literalType; } function isNumericName(name) { switch (name.kind) { case 164: return isNumericComputedName(name); case 79: return isNumericLiteralName(name.escapedText); case 8: case 10: return isNumericLiteralName(name.text); default: return false; } } function isNumericComputedName(name) { return isTypeAssignableToKind(checkComputedPropertyName(name), 296); } 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 === 101 && node.parent.kind !== 174 && node.parent.kind !== 175) { 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) && !isTypeAssignableTo(links.resolvedType, stringNumberSymbolType)) { error(node, Diagnostics.A_computed_property_name_must_be_of_type_string_number_symbol_or_any); } } return links.resolvedType; } function isSymbolWithNumericName(symbol) { var _a2; const firstDecl = (_a2 = symbol.declarations) == null ? void 0 : _a2[0]; return isNumericLiteralName(symbol.escapedName) || firstDecl && isNamedDeclaration(firstDecl) && isNumericName(firstDecl.name); } function isSymbolWithSymbolName(symbol) { var _a2; const firstDecl = (_a2 = symbol.declarations) == null ? void 0 : _a2[0]; return isKnownSymbol(symbol) || firstDecl && isNamedDeclaration(firstDecl) && isComputedPropertyName(firstDecl.name) && isTypeAssignableToKind(checkComputedPropertyName(firstDecl.name), 4096); } function getObjectLiteralIndexInfo(node, offset, properties, keyType) { const propTypes = []; for (let i = offset; i < properties.length; i++) { const prop = properties[i]; if (keyType === stringType && !isSymbolWithSymbolName(prop) || keyType === numberType && isSymbolWithNumericName(prop) || keyType === esSymbolType && isSymbolWithSymbolName(prop)) { propTypes.push(getTypeOfSymbol(properties[i])); } } const unionType = propTypes.length ? getUnionType(propTypes, 2) : undefinedType; return createIndexInfo(keyType, unionType, 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, true); } return links.immediateTarget; } function checkObjectLiteral(node, checkMode) { var _a2; 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, void 0); const contextualTypeHasPattern = contextualType && contextualType.pattern && (contextualType.pattern.kind === 203 || contextualType.pattern.kind === 207); const inConstContext = isConstContext(node); const checkFlags = inConstContext ? 8 : 0; const isInJavascript = isInJSFile(node) && !isInJsonFile(node); const enumTag = getJSDocEnumTag(node); const isJSObjectLiteral = !contextualType && isInJavascript && !enumTag; let objectFlags = freshObjectLiteralFlag; 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 === 164 ? checkComputedPropertyName(memberDecl.name) : void 0; if (memberDecl.kind === 299 || memberDecl.kind === 300 || isObjectLiteralMethod(memberDecl)) { let type = memberDecl.kind === 299 ? checkPropertyAssignment(memberDecl, checkMode) : memberDecl.kind === 300 ? 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) : createSymbol(4 | member.flags, member.escapedName, checkFlags); if (nameType) { prop.links.nameType = nameType; } if (inDestructuringPattern) { const isOptional = memberDecl.kind === 299 && hasDefaultValue(memberDecl.initializer) || memberDecl.kind === 300 && 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 (!compilerOptions.suppressExcessPropertyErrors && !getIndexInfoOfType(contextualType, stringType)) { error(memberDecl.name, Diagnostics.Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1, symbolToString(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 && checkMode & 2 && !(checkMode & 4) && (memberDecl.kind === 299 || memberDecl.kind === 171) && isContextSensitive(memberDecl)) { const inferenceContext = getInferenceContext(node); Debug.assert(inferenceContext); const inferenceNode = memberDecl.kind === 299 ? memberDecl.initializer : memberDecl; addIntraExpressionInferenceSite(inferenceContext, inferenceNode, type); } } else if (memberDecl.kind === 301) { if (languageVersion < 2) { checkExternalEmitHelpers(memberDecl, 2); } 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)); 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 { error(memberDecl, Diagnostics.Spread_types_may_only_be_created_from_object_types); spread = errorType; } continue; } else { Debug.assert(memberDecl.kind === 174 || memberDecl.kind === 175); checkNodeDeferred(memberDecl); } if (computedNameType && !(computedNameType.flags & 8576)) { if (isTypeAssignableTo(computedNameType, stringNumberSymbolType)) { if (isTypeAssignableTo(computedNameType, numberType)) { 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 === 257 || n.kind === 223 || n.kind === 166); const spreadOrOutsideRootObject = findAncestor(node, (n) => n === rootPatternParent || n.kind === 301); if (spreadOrOutsideRootObject.kind !== 301) { for (const prop of getPropertiesOfType(contextualType)) { if (!propertiesTable.get(prop.escapedName) && !getPropertyOfType(spread, prop.escapedName)) { if (!(prop.flags & 16777216)) { error(prop.valueDeclaration || ((_a2 = tryCast(prop, isTransientSymbol)) == null ? void 0 : _a2.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 mapType(spread, (t) => t === emptyObjectType ? createObjectLiteralType() : t); } return createObjectLiteralType(); function createObjectLiteralType() { const indexInfos = []; if (hasComputedStringProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, stringType)); if (hasComputedNumberProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, numberType)); 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(mapType(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) || anyType; } function checkJsxElementDeferred(node) { checkJsxOpeningLikeElementOrOpeningFragment(node.openingElement); if (isJsxIntrinsicIdentifier(node.closingElement.tagName)) { getIntrinsicTagSymbol(node.closingElement); } else { checkExpression(node.closingElement.tagName); } checkJsxChildren(node); } function checkJsxElement(node, _checkMode) { checkNodeDeferred(node); return getJsxElementTypeAt(node) || anyType; } 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")) { error(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) || anyType; } function isHyphenatedJsxName(name) { return stringContains(name, "-"); } function isJsxIntrinsicIdentifier(tagName) { return tagName.kind === 79 && isIntrinsicJsxName(tagName.escapedText); } function checkJsxAttribute(node, checkMode) { return node.initializer ? checkExpressionForMutableLocation(node.initializer, checkMode) : trueType; } function createJsxAttributesTypeFromAttributesProperty(openingLikeElement, checkMode) { const attributes = openingLikeElement.attributes; const attributesType = getContextualType2(attributes, 0); 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 (attributeDecl.name.escapedText === jsxChildrenPropertyName) { explicitlySpecifyChildrenAttribute = true; } if (attributesType) { const prop = getPropertyOfType(attributesType, member.escapedName); if (prop && prop.declarations && isDeprecatedSymbol(prop)) { addDeprecatedSuggestion(attributeDecl.name, prop.declarations, attributeDecl.name.escapedText); } } } else { Debug.assert(attributeDecl.kind === 290); if (attributesTable.size > 0) { spread = getSpreadType(spread, createJsxAttributesType(), attributes.symbol, objectFlags, false); attributesTable = createSymbolTable(); } const exprType = getReducedType(checkExpressionCached(attributeDecl.expression, checkMode)); if (isTypeAny(exprType)) { hasSpreadAnyType = true; } if (isValidSpreadType(exprType)) { spread = getSpreadType(spread, exprType, attributes.symbol, objectFlags, false); if (allAttributesTable) { checkSpreadPropOverrides(exprType, allAttributesTable, attributeDecl); } } else { error(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, false); } } const parent2 = openingLikeElement.parent.kind === 281 ? openingLikeElement.parent : void 0; if (parent2 && parent2.openingElement === openingLikeElement && parent2.children.length > 0) { const childrenTypes = checkJsxChildren(parent2, checkMode); if (!hasSpreadAnyType && jsxChildrenPropertyName && jsxChildrenPropertyName !== "") { if (explicitlySpecifyChildrenAttribute) { error(attributes, Diagnostics._0_are_specified_twice_The_attribute_named_0_will_be_overwritten, unescapeLeadingUnderscores(jsxChildrenPropertyName)); } const contextualType = getApparentTypeOfContextualType(openingLikeElement.attributes, void 0); const childrenContextualType = contextualType && getTypeOfPropertyOfContextualType(contextualType, 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(void 0, unescapeLeadingUnderscores(jsxChildrenPropertyName), void 0, 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, false); } } if (hasSpreadAnyType) { return anyType; } if (typeToIntersect && spread !== emptyJsxObjectType) { return getIntersectionType([typeToIntersect, spread]); } return typeToIntersect || (spread === emptyJsxObjectType ? createJsxAttributesType() : spread); function createJsxAttributesType() { objectFlags |= freshObjectLiteralFlag; 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 === 11) { if (!child.containsOnlyTriviaWhiteSpaces) { childrenTypes.push(stringType); } } else if (child.kind === 291 && !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 = error(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 exports = namespace && getExportsOfSymbol(namespace); const typeSymbol = exports && getSymbol2(exports, name, 788968); 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)) return Debug.fail(); const intrinsicProp = getPropertyOfType(intrinsicElementsType, node.tagName.escapedText); if (intrinsicProp) { links.jsxFlags |= 1; return links.resolvedSymbol = intrinsicProp; } const indexSignatureType = getIndexTypeOfType(intrinsicElementsType, stringType); if (indexSignatureType) { links.jsxFlags |= 2; return links.resolvedSymbol = intrinsicElementsType.symbol; } error(node, Diagnostics.Property_0_does_not_exist_on_type_1, idText(node.tagName), "JSX." + JsxNames.IntrinsicElements); return links.resolvedSymbol = unknownSymbol; } else { if (noImplicitAny) { error(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 mod = resolveExternalModule(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, void 0, namespaceName, false); } if (resolvedNamespace) { const candidate = resolveSymbol(getSymbol2(getExportsOfSymbol(resolveSymbol(resolvedNamespace)), JsxNames.JSX, 1920)); if (candidate && candidate !== unknownSymbol) { if (links) { links.jsxNamespace = candidate; } return candidate; } } if (links) { links.jsxNamespace = false; } } const s = resolveSymbol(getGlobalSymbol(JsxNames.JSX, 1920, void 0)); if (s === unknownSymbol) { return void 0; } return s; } function getNameFromJsxElementAttributesContainer(nameOfAttribPropContainer, jsxNamespace) { const jsxElementAttribPropInterfaceSym = jsxNamespace && getSymbol2(jsxNamespace.exports, nameOfAttribPropContainer, 788968); 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) { error(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); } 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) { error(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); if (signatures.length === 0) { signatures = getSignaturesOfType(apparentElemType, 0); } 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, stringType); if (indexSignatureType) { return indexSignatureType; } return void 0; } return anyType; } 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(void 0, Diagnostics._0_cannot_be_used_as_a_JSX_component, componentName); } } function getIntrinsicAttributesTypeFromJsxOpeningLikeElement(node) { Debug.assert(isJsxIntrinsicIdentifier(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) { return links.resolvedJsxElementAttributesType = getIndexTypeOfType(getJsxType(JsxNames.IntrinsicElements, node), stringType) || 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, nullType]); } } function getJsxIntrinsicTagNamesAt(location) { const intrinsics = getJsxType(JsxNames.IntrinsicElements, location); return intrinsics ? getPropertiesOfType(intrinsics) : emptyArray; } function checkJsxPreconditions(errorNode) { if ((compilerOptions.jsx || 0) === 0) { error(errorNode, Diagnostics.Cannot_use_JSX_unless_the_jsx_flag_is_provided); } if (getJsxElementTypeAt(errorNode) === void 0) { if (noImplicitAny) { error(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); if (!getJsxNamespaceContainerForImplicitImport(node)) { const jsxFactoryRefErr = diagnostics && compilerOptions.jsx === 2 ? Diagnostics.Cannot_find_name_0 : void 0; const jsxFactoryNamespace = getJsxNamespace(node); const jsxFactoryLocation = isNodeOpeningLikeElement ? node.tagName : node; let jsxFactorySym; if (!(isJsxOpeningFragment(node) && jsxFactoryNamespace === "null")) { jsxFactorySym = resolveName(jsxFactoryLocation, jsxFactoryNamespace, 111551, jsxFactoryRefErr, jsxFactoryNamespace, true); } if (jsxFactorySym) { jsxFactorySym.isReferenced = 67108863; if (!compilerOptions.verbatimModuleSyntax && 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, localJsxNamespace, true); } } } if (isNodeOpeningLikeElement) { const jsxOpeningLikeNode = node; const sig = getResolvedSignature(jsxOpeningLikeNode); checkDeprecatedSignature(sig, node); 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, stringType) || isComparingJsxAttributes && isHyphenatedJsxName(name)) { return true; } } else 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 & 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 !== anyType && !isArrayType(type)) { error(node, Diagnostics.JSX_spread_child_must_be_an_array_type); } return type; } else { return errorType; } } function getDeclarationNodeFlagsFromSymbol(s) { return s.valueDeclaration ? getCombinedNodeFlags(s.valueDeclaration) : 0; } function isPrototypeProperty(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 === 163 ? node.right : node.kind === 202 ? node : node.kind === 205 && node.propertyName ? node.propertyName : node.name; return checkPropertyAccessibilityAtLocation(node, isSuper, writing, type, prop, errorNode); } function checkPropertyAccessibilityAtLocation(location, isSuper, writing, containingType, prop, errorNode) { const flags = getDeclarationModifierFlagsFromSymbol(prop, writing); if (isSuper) { if (languageVersion < 2) { if (symbolHasNonMethodDeclaration(prop)) { if (errorNode) { error(errorNode, Diagnostics.Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword); } return false; } } if (flags & 256) { if (errorNode) { error(errorNode, Diagnostics.Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression, symbolToString(prop), typeToString(getDeclaringClass(prop))); } return false; } } if (flags & 256 && symbolHasNonMethodDeclaration(prop) && (isThisProperty(location) || isThisInitializedObjectBindingExpression(location) || isObjectBindingPattern(location.parent) && isThisInitializedDeclaration(location.parent.parent))) { const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(getParentOfSymbol(prop)); if (declaringClassDeclaration && isNodeUsedDuringClassInitialization(location)) { if (errorNode) { error(errorNode, Diagnostics.Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor, symbolToString(prop), getTextOfIdentifierOrLiteral(declaringClassDeclaration.name)); } return false; } } if (!(flags & 24)) { return true; } if (flags & 8) { const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(getParentOfSymbol(prop)); if (!isNodeWithinClass(location, declaringClassDeclaration)) { if (errorNode) { error(errorNode, Diagnostics.Property_0_is_private_and_only_accessible_within_class_1, symbolToString(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 & 32 || !enclosingClass) { if (errorNode) { error(errorNode, Diagnostics.Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses, symbolToString(prop), typeToString(getDeclaringClass(prop) || containingType)); } return false; } } if (flags & 32) { return true; } if (containingType.flags & 262144) { containingType = containingType.isThisType ? getConstraintOfTypeParameter(containingType) : getBaseConstraintOfType(containingType); } if (!containingType || !hasBaseType(containingType, enclosingClass)) { if (errorNode) { error(errorNode, Diagnostics.Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_class_2, symbolToString(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, false, 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 !!(getTypeFacts(type) & 50331648); } function getNonNullableTypeIfNeeded(type) { return isNullableType(type) ? getNonNullableType(type) : type; } function reportObjectPossiblyNullOrUndefinedError(node, facts) { const nodeText2 = isEntityNameExpression(node) ? entityNameToString(node) : void 0; if (node.kind === 104) { error(node, Diagnostics.The_value_0_cannot_be_used_here, "null"); return; } if (nodeText2 !== void 0 && nodeText2.length < 100) { if (isIdentifier(node) && nodeText2 === "undefined") { error(node, Diagnostics.The_value_0_cannot_be_used_here, "undefined"); return; } error(node, facts & 16777216 ? facts & 33554432 ? Diagnostics._0_is_possibly_null_or_undefined : Diagnostics._0_is_possibly_undefined : Diagnostics._0_is_possibly_null, nodeText2); } else { error(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) { error(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) { error(node, Diagnostics._0_is_of_type_unknown, nodeText2); return errorType; } } error(node, Diagnostics.Object_is_of_type_unknown); return errorType; } const facts = getTypeFacts(type); 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") { error(node, Diagnostics.The_value_0_cannot_be_used_here, nodeText2); return nonNullType; } if (nodeText2.length < 100) { error(node, Diagnostics._0_is_possibly_undefined, nodeText2); return nonNullType; } } error(node, Diagnostics.Object_is_possibly_undefined); } return nonNullType; } function checkPropertyAccessExpression(node, checkMode) { return node.flags & 32 ? checkPropertyAccessChain(node, checkMode) : checkPropertyAccessExpressionOrQualifiedName(node, node.expression, checkNonNullExpression(node.expression), node.name, checkMode); } 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 === 214) { node = node.parent; } return isCallOrNewExpression(node.parent) && node.parent.expression === node; } function lookupSymbolForPrivateIdentifierDeclaration(propName, location) { for (let containingClass = getContainingClass(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 === 101; 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, void 0, false); } return anyType; } 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 = error(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; } } error(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, true, false) === getDeclaringConstructor(prop); } function checkPropertyAccessExpressionOrQualifiedName(node, left, leftType, right, checkMode) { 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 < 99) { if (assignmentKind !== 0) { checkExternalEmitHelpers(node, 1048576); } if (assignmentKind !== 1) { checkExternalEmitHelpers(node, 524288); } } 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 (!getContainingClass(right)) { grammarErrorOnNode(right, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); return anyType; } } prop = lexicallyScopedSymbol ? getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedSymbol) : void 0; if (!prop && checkPrivateIdentifierPropertyAccess(leftType, right, lexicallyScopedSymbol)) { return errorType; } else { const isSetonlyAccessor = prop && prop.flags & 65536 && !(prop.flags & 32768); if (isSetonlyAccessor && assignmentKind !== 1) { error(node, Diagnostics.Private_accessor_was_defined_without_a_getter); } } } else { if (isAnyLike) { if (isIdentifier(left) && parentSymbol) { markAliasReferenced(parentSymbol, node); } return isErrorType(apparentType) ? errorType : apparentType; } prop = getPropertyOfType(apparentType, right.escapedText, false, node.kind === 163); } if (isIdentifier(left) && parentSymbol && (getIsolatedModules(compilerOptions) || !(prop && (isConstEnumOrConstEnumOnlyModule(prop) || prop.flags & 8 && node.parent.kind === 302)) || shouldPreserveConstEnums(compilerOptions) && isExportOrExportExpression(node))) { markAliasReferenced(parentSymbol, node); } 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, true); if (!isUncheckedJS && isJSLiteralType(leftType)) { return anyType; } if (leftType.symbol === globalThisSymbol) { if (globalThisSymbol.exports.has(right.escapedText) && globalThisSymbol.exports.get(right.escapedText).flags & 418) { error(right, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(right.escapedText), typeToString(leftType)); } else if (noImplicitAny) { error(right, Diagnostics.Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature, typeToString(leftType)); } return anyType; } if (right.escapedText && !checkAndReportErrorForExtendingInterface(node)) { reportNonexistentProperty(right, isThisTypeParameter(leftType) ? apparentType : leftType, isUncheckedJS); } return errorType; } if (indexInfo.isReadonly && (isAssignmentTarget(node) || isDeleteTarget(node))) { error(node, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(apparentType)); } propType = compilerOptions.noUncheckedIndexedAccess && !isAssignmentTarget(node) ? getUnionType([indexInfo.type, missingType]) : indexInfo.type; if (compilerOptions.noPropertyAccessFromIndexSignature && isPropertyAccessExpression(node)) { error(right, Diagnostics.Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0, unescapeLeadingUnderscores(right.escapedText)); } if (indexInfo.declaration && getCombinedNodeFlags(indexInfo.declaration) & 268435456) { addDeprecatedSuggestion(right, [indexInfo.declaration], right.escapedText); } } else { if (isDeprecatedSymbol(prop) && isUncalledFunctionReference(node, prop) && prop.declarations) { addDeprecatedSuggestion(right, prop.declarations, right.escapedText); } checkPropertyNotUsedBeforeDeclaration(prop, node, right); markPropertyAsReferenced(prop, node, isSelfTypeAccess(left, parentSymbol)); getNodeLinks(node).resolvedSymbol = prop; const writing = isWriteAccess(node); checkPropertyAccessibility(node, left.kind === 106, writing, apparentType, prop); if (isAssignmentToReadonlyEntity(node, prop, assignmentKind)) { error(right, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, idText(right)); return errorType; } propType = isThisPropertyAccessInConstructor(node, prop) ? autoType : writing ? getWriteTypeOfSymbol(prop) : getTypeOfSymbol(prop); } return getFlowTypeOfAccessExpression(node, prop, propType, right, checkMode); } function isUncheckedJSSuggestion(node, suggestion, excludeClasses) { 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); return !(file !== declarationFile && !!declarationFile && isGlobalSourceFile(declarationFile)) && !(excludeClasses && suggestion && suggestion.flags & 32) && !(!!node && excludeClasses && isPropertyAccessExpression(node) && node.expression.kind === 108); } } 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 === 108) { const declaration = prop && prop.valueDeclaration; if (declaration && isPropertyWithoutInitializer(declaration)) { if (!isStatic(declaration)) { const flowContainer = getControlFlowContainer(node); if (flowContainer.kind === 173 && flowContainer.parent === declaration.parent && !(declaration.flags & 16777216)) { 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)) { error(errorNode, Diagnostics.Property_0_is_used_before_being_assigned, symbolToString(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) && getCombinedModifierFlags(valueDeclaration) & 32) && (compilerOptions.useDefineForClassFields || !isPropertyDeclaredInAncestorClass(prop))) { diagnosticMessage = error(right, Diagnostics.Property_0_is_used_before_its_initialization, declarationName); } else if (valueDeclaration.kind === 260 && node.parent.kind !== 180 && !(valueDeclaration.flags & 16777216) && !isBlockScopedNameDeclaredBeforeUse(valueDeclaration, right)) { diagnosticMessage = error(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 169: return true; case 299: case 171: case 174: case 175: case 301: case 164: case 236: case 291: case 288: case 289: case 290: case 283: case 230: case 294: return false; case 216: case 241: 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 & 134348796)) { 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); } 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); } function getSuggestedSymbolForNonexistentJSXAttribute(name, containingType) { const strName = isString(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 != null ? jsxSpecific : getSpellingSuggestionForName(strName, properties, 111551); } function getSuggestionForNonexistentProperty(name, containingType) { const suggestion = getSuggestedSymbolForNonexistentProperty(name, containingType); return suggestion && symbolName(suggestion); } function getSuggestedSymbolForNonexistentSymbol(location, outerName, meaning) { Debug.assert(outerName !== void 0, "outername should always be defined"); const result = resolveNameHelper(location, outerName, meaning, void 0, outerName, false, false, true, (symbols, name, meaning2) => { Debug.assertEqual(outerName, name, "name should equal outerName"); const symbol = getSymbol2(symbols, name, meaning2); if (symbol) return symbol; let candidates; if (symbols === globals) { 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, meaning2); }); return result; } function getSuggestionForNonexistentSymbol(location, outerName, meaning) { const symbolResult = getSuggestedSymbolForNonexistentSymbol(location, outerName, meaning); return symbolResult && symbolName(symbolResult); } function getSuggestedSymbolForNonexistentModule(name, targetModule) { return targetModule.exports && getSpellingSuggestionForName(idText(name), getExportsOfModuleAsArray(targetModule), 2623475); } function getSuggestionForNonexistentExport(name, targetModule) { const suggestion = getSuggestedSymbolForNonexistentModule(name, targetModule); return suggestion && symbolName(suggestion); } function getSuggestionForNonexistentIndexSignature(objectType, expr, keyedType) { function hasProp(name) { const prop = getPropertyOfObjectType(objectType, 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 (startsWith(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, 8); 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 = 67108863; } function isSelfTypeAccess(name, parent2) { return name.kind === 108 || !!parent2 && isEntityNameExpression(name) && parent2 === getResolvedSymbol(getFirstIdentifier(name)); } function isValidPropertyAccess(node, propertyName) { switch (node.kind) { case 208: return isValidPropertyAccessWithType(node, node.expression.kind === 106, propertyName, getWidenedType(checkExpression(node.expression))); case 163: return isValidPropertyAccessWithType(node, false, propertyName, getWidenedType(checkExpression(node.left))); case 202: return isValidPropertyAccessWithType(node, false, propertyName, getTypeFromTypeNode(node)); } } function isValidPropertyAccessForCompletions(node, type, property) { return isPropertyAccessible(node, node.kind === 208 && node.expression.kind === 106, false, type, property); } function isValidPropertyAccessWithType(node, isSuper, propertyName, type) { if (isTypeAny(type)) { return true; } const prop = getPropertyOfType(type, propertyName); return !!prop && isPropertyAccessible(node, isSuper, 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 === 258) { const variable = initializer.declarations[0]; if (variable && !isBindingPattern(variable.name)) { return getSymbolOfDeclaration(variable); } } else if (initializer.kind === 79) { return getResolvedSymbol(initializer); } return void 0; } function hasNumericPropertyNames(type) { return getIndexInfosOfType(type).length === 1 && !!getIndexInfoOfType(type, numberType); } function isForInVariableForNumericPropertyNames(expr) { const e = skipParentheses(expr); if (e.kind === 79) { const symbol = getResolvedSymbol(e); if (symbol.flags & 3) { let child = expr; let node = expr.parent; while (node) { if (node.kind === 246 && 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 & 32 ? 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 objectType = getAssignmentTargetKind(node) !== 0 || isMethodAccessForCall(node) ? getWidenedType(exprType) : exprType; const indexExpression = node.argumentExpression; const indexType = checkExpression(indexExpression); if (isErrorType(objectType) || objectType === silentNeverType) { return objectType; } if (isConstEnumObjectType(objectType) && !isStringLiteralLike(indexExpression)) { error(indexExpression, Diagnostics.A_const_enum_member_can_only_be_accessed_using_a_string_literal); return errorType; } const effectiveIndexType = isForInVariableForNumericPropertyNames(indexExpression) ? numberType : indexType; const accessFlags = isAssignmentTarget(node) ? 4 | (isGenericObjectType(objectType) && !isThisTypeParameter(objectType) ? 2 : 0) : 32; const indexedAccessType = getIndexedAccessTypeOrUndefined(objectType, effectiveIndexType, accessFlags, node) || errorType; return checkIndexedAccessIndexType(getFlowTypeOfAccessExpression(node, getNodeLinks(node).resolvedSymbol, indexedAccessType, indexExpression, checkMode), node); } function callLikeExpressionMayHaveTypeArguments(node) { return isCallOrNewExpression(node) || isTaggedTemplateExpression(node) || isJsxOpeningLikeElement(node); } function resolveUntypedCall(node) { if (callLikeExpressionMayHaveTypeArguments(node)) { forEach(node.typeArguments, checkSourceElement); } if (node.kind === 212) { checkExpression(node.template); } else if (isJsxOpeningLikeElement(node)) { checkExpression(node.attributes); } else if (node.kind !== 167) { 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 === 227 || arg.kind === 234 && 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 === 212) { argCount = args.length; if (node.template.kind === 225) { const lastSpan = last(node.template.templateSpans); callIsIncomplete = nodeIsMissing(lastSpan.literal) || !!lastSpan.literal.isUnterminated; } else { const templateLiteral = node.template; Debug.assert(templateLiteral.kind === 14); callIsIncomplete = !!templateLiteral.isUnterminated; } } else if (node.kind === 167) { argCount = getDecoratorArgumentCount(node, signature); } 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 === 211); 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 getSingleCallSignature(type) { return getSingleSignature(type, 0, false); } function getSingleCallOrConstructSignature(type) { return getSingleSignature(type, 0, false) || getSingleSignature(type, 1, 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); }); } 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 voidType; } const thisArgumentType = checkExpression(thisArgumentNode); return 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 !== 167) { const skipBindingPatterns = every(signature.typeParameters, (p) => !!getDefaultFromTypeParameter(p)); const contextualType = getContextualType2(node, skipBindingPatterns ? 8 : 0); if (contextualType) { const inferenceTargetType = getReturnTypeOfSignature(signature); if (couldContainTypeVariables(inferenceTargetType)) { const outerContext = getInferenceContext(node); const isFromBindingPattern = !skipBindingPatterns && getContextualType2(node, 8) !== contextualType; if (!isFromBindingPattern) { const outerMapper = getMapperFromContext(cloneInferenceContext(outerContext, 1)); 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); } 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 !== 229 && !(checkMode & 32 && hasSkipDirectInferenceFlag(arg))) { 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 ? mapType(type, getMutableArrayOrTupleType) : type.flags & 1 || isMutableArrayOrTuple(getBaseConstraintOfType(type) || type) ? type : isTupleType(type) ? createTupleType(getTypeArguments(type), type.target.elementFlags, false, type.target.labeledElementDeclarations) : createTupleType([type], [8]); } function getSpreadArgumentType(args, index, argCount, restType, context, checkMode) { if (index >= argCount - 1) { const arg = args[argCount - 1]; if (isSpreadArgument(arg)) { return getMutableArrayOrTupleType(arg.kind === 234 ? arg.type : checkExpressionWithContextualType(arg.expression, restType, context, checkMode)); } } const types = []; const flags = []; const names = []; const inConstContext = isConstTypeVariable(restType); for (let i = index; i < argCount; i++) { const arg = args[i]; if (isSpreadArgument(arg)) { const spreadType = arg.kind === 234 ? arg.type : checkExpression(arg.expression); if (isArrayLikeType(spreadType)) { types.push(spreadType); flags.push(8); } else { types.push(checkIteratedTypeOrElementType(33, spreadType, undefinedType, arg.kind === 227 ? arg.expression : arg)); flags.push(4); } } else { const contextualType = getIndexedAccessType(restType, getNumberLiteralType(i - index), 256); const argType = checkExpressionWithContextualType(arg, contextualType, context, checkMode); const hasPrimitiveContextualType = inConstContext || maybeTypeOfKind(contextualType, 134348796 | 4194304 | 134217728 | 268435456); types.push(hasPrimitiveContextualType ? getRegularTypeOfLiteralType(argType) : getWidenedLiteralType(argType)); flags.push(1); } if (arg.kind === 234 && arg.tupleNameSource) { names.push(arg.tupleNameSource); } } return createTupleType(types, flags, inConstContext, length(names) === length(types) ? names : void 0); } 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(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 (isJsxIntrinsicIdentifier(node.tagName)) { return 2; } const tagType = getApparentType(checkExpression(node.tagName)); if (length(getSignaturesOfType(tagType, 1))) { return 0; } if (length(getSignaturesOfType(tagType, 0))) { return 1; } return 2; } function checkApplicableSignatureForJsxOpeningLikeElement(node, signature, relation, checkMode, reportErrors2, containingMessageChain, errorOutputContainer) { const paramType = getEffectiveFirstArgumentForJsxSignature(signature, node); const attributesType = checkExpressionWithContextualType(node.attributes, paramType, void 0, checkMode); return checkTagNameDoesNotExpectTooManyArguments() && checkTypeRelatedToAndOptionallyElaborate(attributesType, paramType, relation, reportErrors2 ? node.tagName : void 0, node.attributes, void 0, containingMessageChain, errorOutputContainer); function checkTagNameDoesNotExpectTooManyArguments() { var _a2; if (getJsxNamespaceContainerForImplicitImport(node)) { return true; } const tagType = isJsxOpeningElement(node) || isJsxSelfClosingElement(node) && !isJsxIntrinsicIdentifier(node.tagName) ? checkExpression(node.tagName) : void 0; if (!tagType) { return true; } const tagCallSignatures = getSignaturesOfType(tagType, 0); if (!length(tagCallSignatures)) { return true; } const factory2 = getJsxFactoryEntity(node); if (!factory2) { return true; } const factorySymbol = resolveEntityName(factory2, 111551, true, false, node); if (!factorySymbol) { return true; } const factoryType = getTypeOfSymbol(factorySymbol); const callSignatures = getSignaturesOfType(factoryType, 0); 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); 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 = (_a2 = getSymbolAtLocation(node.tagName)) == null ? void 0 : _a2.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 getSignatureApplicabilityError(node, args, signature, relation, checkMode, reportErrors2, containingMessageChain) { 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 !== voidType && !(isNewExpression(node) || isCallExpression(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 !== 229) { const paramType = getTypeAtPosition(signature, i); const argType = checkExpressionWithContextualType(arg, paramType, void 0, checkMode); const checkArgType = checkMode & 4 ? getRegularTypeOfObjectLiteral(argType) : argType; if (!checkTypeRelatedToAndOptionallyElaborate(checkArgType, paramType, relation, reportErrors2 ? arg : void 0, arg, 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, void 0, checkMode); const restArgCount = args.length - argCount; const errorNode = !reportErrors2 ? void 0 : restArgCount === 0 ? node : restArgCount === 1 ? args[argCount] : setTextRangePosEnd(createSyntheticExpression(node, spreadType), args[argCount].pos, args[args.length - 1].end); if (!checkTypeRelatedTo(spreadType, restType, relation, errorNode, headMessage, 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) { const expression = node.kind === 210 ? node.expression : node.kind === 212 ? node.tag : 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 === 212) { const template = node.template; const args2 = [createSyntheticExpression(template, getGlobalTemplateStringsArrayType())]; if (template.kind === 225) { forEach(template.templateSpans, (span) => { args2.push(span.expression); }); } return args2; } if (node.kind === 167) { return getEffectiveDecoratorArguments(node); } 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 === 227 && (flowLoopCount ? checkExpression(arg.expression) : checkExpressionCached(arg.expression)); if (spreadType && isTupleType(spreadType)) { forEach(getTypeArguments(spreadType), (t, i2) => { var _a2; const flags = spreadType.target.elementFlags[i2]; const syntheticArg = createSyntheticExpression(arg, flags & 4 ? createArrayType(t) : t, !!(flags & 12), (_a2 = spreadType.target.labeledElementDeclarations) == null ? void 0 : _a2[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) : 2; } function getLegacyDecoratorArgumentCount(node, signature) { switch (node.parent.kind) { case 260: case 228: return 1; case 169: return hasAccessorModifier(node.parent) ? 3 : 2; case 171: case 174: case 175: return languageVersion === 0 || signature.parameters.length <= 2 ? 2 : 3; case 166: return 3; default: return Debug.fail(); } } function getDiagnosticSpanForCallNode(node, doNotIncludeArguments) { let start; let length2; const sourceFile = getSourceFileOfNode(node); if (isPropertyAccessExpression(node.expression)) { const nameSpan = getErrorSpanForNode(sourceFile, node.expression.name); start = nameSpan.start; length2 = doNotIncludeArguments ? nameSpan.length : node.end - start; } else { const expressionSpan = getErrorSpanForNode(sourceFile, node.expression); start = expressionSpan.start; length2 = doNotIncludeArguments ? expressionSpan.length : node.end - start; } return { start, length: length2, sourceFile }; } function getDiagnosticForCallNode(node, message, arg0, arg1, arg2, arg3) { if (isCallExpression(node)) { const { sourceFile, start, length: length2 } = getDiagnosticSpanForCallNode(node); if ("message" in message) { return createFileDiagnostic(sourceFile, start, length2, message, arg0, arg1, arg2, arg3); } return createDiagnosticForFileFromMessageChain(sourceFile, message); } else { if ("message" in message) { return createDiagnosticForNode(node, message, arg0, arg1, arg2, arg3); } return createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node), node, message); } } function isPromiseResolveArityError(node) { if (!isCallExpression(node) || !isIdentifier(node.expression)) return false; const symbol = resolveName(node.expression, node.expression.escapedText, 111551, void 0, void 0, false); const decl = symbol == null ? void 0 : symbol.valueDeclaration; if (!decl || !isParameter(decl) || !isFunctionExpressionOrArrowFunction(decl.parent) || !isNewExpression(decl.parent.parent) || !isIdentifier(decl.parent.parent.expression)) { return false; } const globalPromiseSymbol = getGlobalPromiseConstructorSymbol(false); if (!globalPromiseSymbol) return false; const constructorSymbol = getSymbolAtLocation(decl.parent.parent.expression, true); return constructorSymbol === globalPromiseSymbol; } function getArgumentArityError(node, signatures, args, headMessage) { var _a2; 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 error2 = 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(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(void 0, error2, parameterRange, args.length); chain = chainDiagnosticMessages(chain, headMessage); diagnostic = getDiagnosticForCallNode(node, chain); } else { diagnostic = getDiagnosticForCallNode(node, error2, parameterRange, args.length); } const parameter = (_a2 = closestSignature == null ? void 0 : closestSignature.declaration) == null ? void 0 : _a2.parameters[closestSignature.thisParameter ? args.length + 1 : args.length]; if (parameter) { const parameterError = createDiagnosticForNode(parameter, 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 : Diagnostics.An_argument_for_0_was_not_provided, !parameter.name ? args.length : !isBindingPattern(parameter.name) ? idText(getFirstIdentifier(parameter.name)) : void 0); 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(void 0, error2, parameterRange, args.length); chain = chainDiagnosticMessages(chain, headMessage); return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), errorSpan, chain); } return createDiagnosticForNodeArray(getSourceFileOfNode(node), errorSpan, error2, 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(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(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(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 === 212; const isDecorator2 = node.kind === 167; const isJsxOpeningOrSelfClosingElement = isJsxOpeningLikeElement(node); const reportErrors2 = !isInferencePartiallyBlocked && !candidatesOutArray; let typeArguments; if (!isDecorator2 && !isSuperCall(node)) { typeArguments = node.typeArguments; if (isTaggedTemplate || isJsxOpeningOrSelfClosingElement || node.expression.kind !== 106) { forEach(typeArguments, checkSourceElement); } } const candidates = candidatesOutArray || []; reorderCandidates(signatures, candidates, callChainFlags); if (!candidates.length) { if (reportErrors2) { diagnostics.add(getDiagnosticForCallNode(node, Diagnostics.Call_target_does_not_contain_any_signatures)); } return resolveErrorCall(node); } const args = getEffectiveCallArguments(node); const isSingleNonGenericCandidate = candidates.length === 1 && !candidates[0].typeParameters; let argCheckMode = !isDecorator2 && !isSingleNonGenericCandidate && some(args, isContextSensitive) ? 4 : 0; argCheckMode |= checkMode & 32; let candidatesForArgumentError; let candidateForArgumentArityError; let candidateForTypeArgumentError; let result; const signatureHelpTrailingComma = !!(checkMode & 16) && node.kind === 210 && 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 (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, true, () => chain); 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(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, true, chain2); 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), 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, 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 _a2, _b; const oldCandidatesForArgumentError = candidatesForArgumentError; const oldCandidateForArgumentArityError = candidateForArgumentArityError; const oldCandidateForTypeArgumentError = candidateForTypeArgumentError; const failedSignatureDeclarations = ((_b = (_a2 = failed.declaration) == null ? void 0 : _a2.symbol) == null ? void 0 : _b.declarations) || emptyArray; const isOverload = failedSignatureDeclarations.length > 1; const implDecl = isOverload ? 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) { 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, false, void 0)) { candidatesForArgumentError = [candidate]; return void 0; } return candidate; } for (let candidateIndex = 0; candidateIndex < candidates2.length; candidateIndex++) { const candidate = candidates2[candidateIndex]; if (!hasCorrectTypeArgumentArity(candidate, typeArguments) || !hasCorrectArity(node, args, candidate, signatureHelpTrailingComma2)) { continue; } let checkCandidate; let inferenceContext; if (candidate.typeParameters) { let typeArgumentTypes; if (some(typeArguments)) { typeArgumentTypes = checkTypeArguments(candidate, typeArguments, false); if (!typeArgumentTypes) { candidateForTypeArgumentError = candidate; continue; } } else { inferenceContext = createInferenceContext(candidate.typeParameters, candidate, isInJSFile(node) ? 2 : 0); typeArgumentTypes = inferTypeArguments(node, candidate, args, argCheckMode | 8, inferenceContext); 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, false, void 0)) { (candidatesForArgumentError || (candidatesForArgumentError = [])).push(checkCandidate); continue; } if (argCheckMode) { argCheckMode = checkMode & 32; if (inferenceContext) { const typeArgumentTypes = inferTypeArguments(node, candidate, args, argCheckMode, inferenceContext); 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, false, void 0)) { (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 = 0; if (restParameterSymbols.length !== 0) { const type = createArrayType(getUnionType(mapDefined(candidates, tryGetRestTypeOfSignature), 2)); parameters.push(createCombinedSymbolForOverloadFailure(restParameterSymbols, type)); flags |= 1; } if (candidates.some(signatureHasLiteralTypes)) { flags |= 2; } return createSignature(candidates[0].declaration, void 0, thisParameter, parameters, getIntersectionType(candidates.map(getReturnTypeOfSignature)), 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)); } 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, isInJSFile(node) ? 2 : 0); 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 === 106) { 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); } } 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); const numConstructSignatures = getSignaturesOfType(apparentType, 1).length; if (isUntypedFunctionCall(funcType, apparentType, callSignatures.length, numConstructSignatures)) { if (!isErrorType(funcType) && node.typeArguments) { error(node, Diagnostics.Untyped_function_calls_may_not_accept_type_arguments); } return resolveUntypedCall(node); } if (!callSignatures.length) { if (numConstructSignatures) { error(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, 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))) { error(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) { if (node.arguments && languageVersion < 1) { const spreadIndex = getSpreadArgumentIndex(node.arguments); if (spreadIndex >= 0) { error(node.arguments[spreadIndex], Diagnostics.Spread_operator_in_new_expressions_is_only_available_when_targeting_ECMAScript_5_and_higher); } } 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) { error(node, Diagnostics.Untyped_function_calls_may_not_accept_type_arguments); } return resolveUntypedCall(node); } const constructSignatures = getSignaturesOfType(expressionType, 1); if (constructSignatures.length) { if (!isConstructorAccessible(node, constructSignatures[0])) { return resolveErrorCall(node); } if (someSignature(constructSignatures, (signature) => !!(signature.flags & 4))) { error(node, Diagnostics.Cannot_create_an_instance_of_an_abstract_class); return resolveErrorCall(node); } const valueDecl = expressionType.symbol && getClassLikeDeclarationOfSymbol(expressionType.symbol); if (valueDecl && hasSyntacticModifier(valueDecl, 256)) { error(node, Diagnostics.Cannot_create_an_instance_of_an_abstract_class); return resolveErrorCall(node); } return resolveCall(node, constructSignatures, candidatesOutArray, checkMode, 0); } const callSignatures = getSignaturesOfType(expressionType, 0); if (callSignatures.length) { const signature = resolveCall(node, callSignatures, candidatesOutArray, checkMode, 0); if (!noImplicitAny) { if (signature.declaration && !isJSConstructor(signature.declaration) && getReturnTypeOfSignature(signature) !== voidType) { error(node, Diagnostics.Only_a_void_function_can_be_called_with_the_new_keyword); } if (getThisTypeOfSignature(signature) === voidType) { error(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); return resolveErrorCall(node); } function someSignature(signatures, f) { if (isArray(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, 24); if (!modifiers || declaration.kind !== 173) { 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 & 16) { const containingType = getTypeOfNode(containingClass); if (typeHasProtectedAccessibleBase(declaration.parent.symbol, containingType)) { return true; } } if (modifiers & 8) { error(node, Diagnostics.Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration, typeToString(declaringClass)); } if (modifiers & 16) { error(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(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 (isCallExpression(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 (isCallExpression(errorTarget.parent)) { const { start, length: length2 } = getDiagnosticSpanForCallNode(errorTarget.parent, true); 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); const numConstructSignatures = getSignaturesOfType(apparentType, 1).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); return resolveErrorCall(node); } return resolveCall(node, callSignatures, candidatesOutArray, checkMode, 0); } function getDiagnosticHeadMessageForDecoratorResolution(node) { switch (node.parent.kind) { case 260: case 228: return Diagnostics.Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression; case 166: return Diagnostics.Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression; case 169: return Diagnostics.Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression; case 171: case 174: case 175: 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); const numConstructSignatures = getSignaturesOfType(apparentType, 1).length; if (isUntypedFunctionCall(funcType, apparentType, callSignatures.length, numConstructSignatures)) { return resolveUntypedCall(node); } if (isPotentiallyUncalledDecorator(node, callSignatures) && !isParenthesizedExpression(node.expression)) { const nodeStr = getTextOfNode(node.expression, false); error(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); 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 exports = namespace && getExportsOfSymbol(namespace); const typeSymbol = exports && getSymbol2(exports, JsxNames.Element, 788968); const returnNode = typeSymbol && nodeBuilder.symbolToEntityName(typeSymbol, 788968, node); const declaration = factory.createFunctionTypeNode(void 0, [factory.createParameterDeclaration(void 0, void 0, "props", void 0, nodeBuilder.typeToTypeNode(result, node))], returnNode ? factory.createTypeReferenceNode(returnNode, void 0) : factory.createKeywordTypeNode(131)); const parameterSymbol = createSymbol(1, "props"); parameterSymbol.links.type = result; return createSignature(declaration, void 0, void 0, [parameterSymbol], typeSymbol ? getDeclaredTypeOfSymbol(typeSymbol) : errorType, void 0, 1, 0); } function resolveJsxOpeningLikeElement(node, candidatesOutArray, checkMode) { if (isJsxIntrinsicIdentifier(node.tagName)) { const result = getIntrinsicAttributesTypeFromJsxOpeningLikeElement(node); const fakeSignature = createSignatureForJSXIntrinsic(node, result); checkTypeAssignableToAndOptionallyElaborate(checkExpressionWithContextualType(node.attributes, getEffectiveFirstArgumentForJsxSignature(fakeSignature, node), void 0, 0), 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, 0)) { return resolveUntypedCall(node); } if (signatures.length === 0) { error(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); } 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 210: return resolveCallExpression(node, candidatesOutArray, checkMode); case 211: return resolveNewExpression(node, candidatesOutArray, checkMode); case 212: return resolveTaggedTemplateExpression(node, candidatesOutArray, checkMode); case 167: return resolveDecorator(node, candidatesOutArray, checkMode); case 283: case 282: return resolveJsxOpeningLikeElement(node, candidatesOutArray, checkMode); } throw 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; } links.resolvedSignature = resolvingSignature; const result = resolveSignature(node, candidatesOutArray, checkMode || 0); if (result !== resolvingSignature) { links.resolvedSignature = flowLoopStart === flowLoopCount ? result : cached; } return result; } function isJSConstructor(node) { var _a2; 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 !!((_a2 = symbol == null ? void 0 : symbol.members) == null ? void 0 : _a2.size); } return false; } function mergeJSSymbols(target, source) { var _a2, _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 ((_a2 = source.exports) == null ? void 0 : _a2.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 _a2; const assignmentSymbol = decl && getSymbolOfExpando(decl, true); const prototype = (_a2 = assignmentSymbol == null ? void 0 : assignmentSymbol.exports) == null ? void 0 : _a2.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) && !(isVarConst(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 === 63 && (allowDeclaration || parentNode.right === node)) { name = parentNode.left; decl = name; } else if (parentNodeOperator === 56 || parentNodeOperator === 60) { if (isVariableDeclaration(parentNode.parent) && parentNode.parent.initializer === parentNode) { name = parentNode.parent.name; decl = parentNode.parent; } else if (isBinaryExpression(parentNode.parent) && parentNode.parent.operatorToken.kind === 63 && (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 === 208) { parent2 = parent2.parent; } if (parent2 && isBinaryExpression(parent2) && isPrototypeAccess(parent2.left) && parent2.operatorToken.kind === 63) { const right = getInitializerOfBinaryExpression(parent2); return isObjectLiteralExpression(right) && right; } } function checkCallExpression(node, checkMode) { var _a2, _b, _c; checkGrammarTypeArguments(node, node.typeArguments); const signature = getResolvedSignature(node, void 0, checkMode); if (signature === resolvingSignature) { return silentNeverType; } checkDeprecatedSignature(signature, node); if (node.expression.kind === 106) { return voidType; } if (node.kind === 211) { const declaration = signature.declaration; if (declaration && declaration.kind !== 173 && declaration.kind !== 177 && declaration.kind !== 182 && !(isJSDocSignature(declaration) && ((_b = (_a2 = getJSDocRoot(declaration)) == null ? void 0 : _a2.parent) == null ? void 0 : _b.kind) === 173) && !isJSDocConstructSignature(declaration) && !isJSConstructor(declaration)) { if (noImplicitAny) { error(node, Diagnostics.new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type); } return anyType; } } if (isInJSFile(node) && getEmitModuleResolutionKind(compilerOptions) !== 100 && 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 === 210 && !node.questionDotToken && node.parent.kind === 241 && returnType.flags & 16384 && getTypePredicateOfSignature(signature)) { if (!isDottedName(node.expression)) { error(node.expression, Diagnostics.Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name); } else if (!getEffectsSignature(node)) { const diagnostic = error(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, 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.declaration && signature.declaration.flags & 268435456) { 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 210: case 167: case 211: return getDeprecatedSuggestionNode(node.expression); case 212: return getDeprecatedSuggestionNode(node.tag); case 283: case 282: return getDeprecatedSuggestionNode(node.tagName); case 209: return node.argumentExpression; case 208: return node.name; case 180: const typeReference = node; return isQualifiedName(typeReference.typeName) ? typeReference.typeName.right : typeReference; default: return node; } } function isSymbolOrSymbolForCall(node) { if (!isCallExpression(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(false); if (!globalESSymbol) { return false; } return globalESSymbol === resolveName(left, "Symbol", 111551, void 0, void 0, false); } function checkImportCallExpression(node) { checkGrammarImportCallExpression(node); if (node.arguments.length === 0) { return createPromiseReturnType(node, anyType); } 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, stringType)) { error(specifier, Diagnostics.Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0, typeToString(specifierType)); } if (optionsType) { const importCallOptionsType = getGlobalImportCallOptionsType(true); if (importCallOptionsType !== emptyObjectType) { checkTypeAssignableTo(optionsType, getNullableType(importCallOptionsType, 32768), node.arguments[1]); } } const moduleSymbol = resolveExternalModuleName(node, specifier); if (moduleSymbol) { const esModuleSymbol = resolveESModuleSymbol(moduleSymbol, specifier, true, false); if (esModuleSymbol) { return createPromiseReturnType(node, getTypeWithSyntheticDefaultOnly(getTypeOfSymbol(esModuleSymbol), esModuleSymbol, moduleSymbol, specifier) || getTypeWithSyntheticDefaultImportType(getTypeOfSymbol(esModuleSymbol), esModuleSymbol, moduleSymbol, specifier)); } } return createPromiseReturnType(node, anyType); } function createDefaultPropertyWrapperForModule(symbol, originalSymbol, anonymousSymbol) { const memberTable = createSymbolTable(); const newSymbol = createSymbol(2097152, "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 _a2; if (allowSyntheticDefaultImports && type && !isErrorType(type)) { const synthType = type; if (!synthType.syntheticType) { const file = (_a2 = originalSymbol.declarations) == null ? void 0 : _a2.find(isSourceFile); const hasSyntheticDefault = canHaveSyntheticDefault(file, originalSymbol, false, moduleSpecifier); if (hasSyntheticDefault) { const anonymousSymbol = createSymbol(2048, "__type"); const defaultContainingObject = createDefaultPropertyWrapperForModule(symbol, originalSymbol, anonymousSymbol); anonymousSymbol.links.type = defaultContainingObject; synthType.syntheticType = isValidSpreadType(type) ? getSpreadType(type, defaultContainingObject, anonymousSymbol, 0, false) : defaultContainingObject; } else { synthType.syntheticType = type; } } return synthType.syntheticType; } return type; } function isCommonJsRequire(node) { if (!isRequireCall(node, true)) { return false; } if (!isIdentifier(node.expression)) return Debug.fail(); const resolvedRequire = resolveName(node.expression, node.expression.escapedText, 111551, void 0, void 0, true); if (resolvedRequire === requireSymbol) { return true; } if (resolvedRequire.flags & 2097152) { return false; } const targetDeclarationKind = resolvedRequire.flags & 16 ? 259 : resolvedRequire.flags & 3 ? 257 : 0; if (targetDeclarationKind !== 0) { const decl = getDeclarationOfKind(resolvedRequire, targetDeclarationKind); return !!decl && !!(decl.flags & 16777216); } return false; } function checkTaggedTemplateExpression(node) { if (!checkGrammarTaggedTemplateChain(node)) checkGrammarTypeArguments(node, node.typeArguments); if (languageVersion < 2) { checkExternalEmitHelpers(node, 262144); } const signature = getResolvedSignature(node); checkDeprecatedSignature(signature, node); return getReturnTypeOfSignature(signature); } function checkAssertion(node) { if (node.kind === 213) { const file = getSourceFileOfNode(node); if (file && fileExtensionIsOneOf(file.fileName, [".cts", ".mts"])) { grammarErrorOnNode(node, Diagnostics.This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead); } } return checkAssertionWorker(node, node.type, node.expression); } function isValidConstAssertionArgument(node) { switch (node.kind) { case 10: case 14: case 8: case 9: case 110: case 95: case 206: case 207: case 225: return true; case 214: return isValidConstAssertionArgument(node.expression); case 221: const op = node.operator; const arg = node.operand; return op === 40 && (arg.kind === 8 || arg.kind === 9) || op === 39 && arg.kind === 8; case 208: case 209: const expr = skipParentheses(node.expression); const symbol = isEntityNameExpression(expr) ? resolveEntityName(expr, 111551, true) : void 0; return !!(symbol && symbol.flags & 384); } return false; } function checkAssertionWorker(errNode, type, expression, checkMode) { let exprType = checkExpression(expression, checkMode); if (isConstTypeReference(type)) { if (!isValidConstAssertionArgument(expression)) { error(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); } checkSourceElement(type); exprType = getRegularTypeOfObjectLiteral(getBaseTypeOfLiteralType(exprType)); 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); } }); } return targetType; } 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 & 32 ? checkNonNullChain(node) : getNonNullableType(checkExpression(node.expression)); } function checkExpressionWithTypeArguments(node) { checkGrammarExpressionWithTypeArguments(node); forEach(node.typeArguments, checkSourceElement); const exprType = node.kind === 230 ? 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 != null ? 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(void 0, 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 mapType(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, 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; } checkTypeAssignableToAndOptionallyElaborate(exprType, targetType, target, expression, Diagnostics.Type_0_does_not_satisfy_the_expected_type_1); return exprType; } function checkMetaProperty(node) { checkGrammarMetaProperty(node); if (node.keywordToken === 103) { return checkNewTargetMetaProperty(node); } if (node.keywordToken === 100) { return checkImportMetaProperty(node); } return Debug.assertNever(node.keywordToken); } function checkMetaPropertyKeyword(node) { switch (node.keywordToken) { case 100: return getGlobalImportMetaExpressionType(); case 103: const type = checkNewTargetMetaProperty(node); return isErrorType(type) ? errorType : createNewTargetExpressionType(type); default: Debug.assertNever(node.keywordToken); } } function checkNewTargetMetaProperty(node) { const container = getNewTargetContainer(node); if (!container) { error(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 === 173) { 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) { error(node, Diagnostics.The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output); } } else if (moduleKind < 6 && moduleKind !== 4) { error(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 & 4194304), "Containing file is missing import meta node flag."); return node.name.escapedText === "meta" ? getGlobalImportMetaType() : errorType; } function getTypeOfParameter(symbol) { const type = getTypeOfSymbol(symbol); if (strictNullChecks) { const declaration = symbol.valueDeclaration; if (declaration && hasInitializer(declaration)) { return getOptionalType(type); } } return type; } function getTupleElementLabel(d) { 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 associatedNames && getTupleElementLabel(associatedNames[index]) || restParameter.escapedName + "_" + index; } return restParameter.escapedName; } function getParameterIdentifierNameAtPosition(signature, pos) { var _a2; if (((_a2 = signature.declaration) == null ? void 0 : _a2.kind) === 320) { return void 0; } const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); if (pos < paramCount) { const param = signature.parameters[pos]; return isParameterDeclarationWithIdentifierName(param) ? [param.escapedName, false] : void 0; } const restParameter = signature.parameters[paramCount] || unknownSymbol; if (!isParameterDeclarationWithIdentifierName(restParameter)) { 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); return associatedName ? [ getTupleElementLabel(associatedName), isRestTupleElement ] : void 0; } if (pos === paramCount) { return [restParameter.escapedName, true]; } return void 0; } function isParameterDeclarationWithIdentifierName(symbol) { return symbol.valueDeclaration && isParameter(symbol.valueDeclaration) && isIdentifier(symbol.valueDeclaration.name); } function isValidDeclarationForTupleLabel(d) { return d.kind === 199 || 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) || anyType; } 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) { 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, numberType)); } 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); } else { types.push(restType); flags.push(8); } const name = getNameableDeclarationAtPosition(source, i); if (name) { names.push(name); } } return createTupleType(types, flags, false, length(names) === length(types) ? names : void 0); } 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 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) && (getReducedType(restType).flags & 131072) === 0 ? restType : void 0; } function getTypeOfFirstParameterOfSignature(signature) { return getTypeOfFirstParameterOfSignatureWithFallback(signature, neverType); } 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; if (declaration.type) { const typeNode = getEffectiveTypeAnnotationNode(declaration); if (typeNode) { inferTypes(inferenceContext.inferences, getTypeFromTypeNode(typeNode), getTypeAtPosition(context, i)); } } } } 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, 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]; if (!getEffectiveTypeAnnotationNode(parameter.valueDeclaration)) { const contextualParameterType = tryGetTypeAtPosition(context, i); assignParameterType(parameter, contextualParameterType); } } 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, type) { const links = getSymbolLinks(parameter); if (!links.type) { const declaration = parameter.valueDeclaration; links.type = type || (declaration ? getWidenedTypeForVariableLikeDeclaration(declaration, true) : getTypeOfSymbol(parameter)); if (declaration && declaration.name.kind !== 79) { if (links.type === unknownType) { links.type = getTypeFromBindingPattern(declaration.name); } assignBindingElementTypes(declaration.name, links.type); } } else if (type) { Debug.assertEqual(links.type, type, "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); if (element.name.kind === 79) { getSymbolLinks(getSymbolOfDeclaration(element)).type = type; } else { assignBindingElementTypes(element.name, type); } } } } function createClassDecoratorContextType(classType) { return tryCreateTypeReference(getGlobalClassDecoratorContextType(true), [classType]); } function createClassMethodDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassMethodDecoratorContextType(true), [thisType, valueType]); } function createClassGetterDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassGetterDecoratorContextType(true), [thisType, valueType]); } function createClassSetterDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassSetterDecoratorContextType(true), [thisType, valueType]); } function createClassAccessorDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassAccessorDecoratorContextType(true), [thisType, valueType]); } function createClassFieldDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassFieldDecoratorContextType(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(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(true), [thisType, valueType]); } function createClassAccessorDecoratorResultType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassAccessorDecoratorResultType(true), [thisType, valueType]); } function createClassFieldDecoratorInitializerMutatorType(thisType, valueType) { const thisParam = createParameter("this", thisType); const valueParam = createParameter("value", valueType); return createFunctionType(void 0, thisParam, [valueParam], valueType, void 0, 1); } function createESDecoratorCallSignature(targetType, contextType, nonOptionalReturnType) { const targetParam = createParameter("target", targetType); const contextParam = createParameter("context", contextType); const returnType = getUnionType([nonOptionalReturnType, voidType]); return createCallSignature(void 0, 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 260: case 228: { const node = parent2; const targetType = getTypeOfSymbol(getSymbolOfDeclaration(node)); const contextType = createClassDecoratorContextType(targetType); links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, targetType); break; } case 171: case 174: case 175: { 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 169: { 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) : undefinedType; 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 260: case 228: { const node = parent2; const targetType = getTypeOfSymbol(getSymbolOfDeclaration(node)); const targetParam = createParameter("target", targetType); links.decoratorSignature = createCallSignature(void 0, void 0, [targetParam], getUnionType([targetType, voidType])); break; } case 166: { 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) ? undefinedType : getClassElementPropertyKeyType(node.parent); const indexType = getNumberLiteralType(index); const targetParam = createParameter("target", targetType); const keyParam = createParameter("propertyKey", keyType); const indexParam = createParameter("parameterIndex", indexType); links.decoratorSignature = createCallSignature(void 0, void 0, [targetParam, keyParam, indexParam], voidType); break; } case 171: case 174: case 175: case 169: { const node = parent2; if (!isClassLike(node.parent)) break; const targetType = getParentTypeOfClassElement(node); const targetParam = createParameter("target", targetType); const keyType = getClassElementPropertyKeyType(node); const keyParam = createParameter("propertyKey", keyType); const returnType = isPropertyDeclaration(node) ? voidType : createTypedPropertyDescriptorType(getTypeOfNode(node)); const hasPropDesc = languageVersion !== 0 && (!isPropertyDeclaration(parent2) || hasAccessorModifier(parent2)); if (hasPropDesc) { const descriptorType = createTypedPropertyDescriptorType(getTypeOfNode(node)); const descriptorParam = createParameter("descriptor", descriptorType); links.decoratorSignature = createCallSignature(void 0, void 0, [targetParam, keyParam, descriptorParam], getUnionType([returnType, voidType])); } else { links.decoratorSignature = createCallSignature(void 0, void 0, [targetParam, keyParam], getUnionType([returnType, voidType])); } break; } } } return links.decoratorSignature === anySignature ? void 0 : links.decoratorSignature; } function getDecoratorCallSignature(decorator) { return legacyDecorators ? getLegacyDecoratorCallSignature(decorator) : getESDecoratorCallSignature(decorator); } function createPromiseType(promisedType) { const globalPromiseType = getGlobalPromiseType(true); if (globalPromiseType !== emptyGenericType) { promisedType = getAwaitedTypeNoAlias(unwrapAwaitedType(promisedType)) || unknownType; return createTypeReference(globalPromiseType, [promisedType]); } return unknownType; } function createPromiseLikeType(promisedType) { const globalPromiseLikeType = getGlobalPromiseLikeType(true); if (globalPromiseLikeType !== emptyGenericType) { promisedType = getAwaitedTypeNoAlias(unwrapAwaitedType(promisedType)) || unknownType; return createTypeReference(globalPromiseLikeType, [promisedType]); } return unknownType; } function createPromiseReturnType(func, promisedType) { const promiseType = createPromiseType(promisedType); if (promiseType === unknownType) { error(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(true)) { error(func, isImportCall(func) ? Diagnostics.A_dynamic_import_call_in_ES5_SlashES3_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_SlashES3_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option); } return promiseType; } function createNewTargetExpressionType(targetType) { const symbol = createSymbol(0, "NewTargetExpression"); const targetPropertySymbol = createSymbol(4, "target", 8); 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 isAsync = (functionFlags & 2) !== 0; const isGenerator = (functionFlags & 1) !== 0; let returnType; let yieldType; let nextType; let fallbackReturnType = voidType; if (func.body.kind !== 238) { returnType = checkExpressionCached(func.body, checkMode && checkMode & ~8); if (isAsync) { returnType = unwrapAwaitedType(checkAwaitedType(returnType, false, 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 = neverType; } else if (returnTypes.length > 0) { returnType = getUnionType(returnTypes, 2); } const { yieldTypes, nextTypes } = checkAndAggregateYieldOperandTypes(func, checkMode); yieldType = some(yieldTypes) ? getUnionType(yieldTypes, 2) : void 0; nextType = some(nextTypes) ? getIntersectionType(nextTypes) : void 0; } else { const types = checkAndAggregateReturnExpressionTypes(func, checkMode); if (!types) { return functionFlags & 2 ? createPromiseReturnType(func, neverType) : neverType; } if (types.length === 0) { return functionFlags & 2 ? createPromiseReturnType(func, voidType) : voidType; } returnType = getUnionType(types, 2); } if (returnType || yieldType || nextType) { if (yieldType) reportErrorsFromWidening(func, yieldType, 3); if (returnType) reportErrorsFromWidening(func, returnType, 1); if (nextType) reportErrorsFromWidening(func, nextType, 2); 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, void 0); if (isGenerator) { yieldType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(yieldType, contextualType, 0, isAsync); returnType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(returnType, contextualType, 1, isAsync); nextType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(nextType, contextualType, 2, isAsync); } else { returnType = getWidenedLiteralLikeTypeForContextualReturnTypeIfNeeded(returnType, contextualType, isAsync); } } if (yieldType) yieldType = getWidenedType(yieldType); if (returnType) returnType = getWidenedType(returnType); if (nextType) nextType = getWidenedType(nextType); } if (isGenerator) { return createGeneratorReturnType(yieldType || neverType, returnType || fallbackReturnType, nextType || getContextualIterationType(2, func) || unknownType, isAsync); } else { return isAsync ? createPromiseType(returnType || fallbackReturnType) : returnType || fallbackReturnType; } } function createGeneratorReturnType(yieldType, returnType, nextType, isAsyncGenerator) { const resolver = isAsyncGenerator ? asyncIterationTypesResolver : syncIterationTypesResolver; const globalGeneratorType = resolver.getGlobalGeneratorType(false); yieldType = resolver.resolveIterationType(yieldType, void 0) || unknownType; returnType = resolver.resolveIterationType(returnType, void 0) || unknownType; nextType = resolver.resolveIterationType(nextType, void 0) || unknownType; if (globalGeneratorType === emptyGenericType) { const globalType = resolver.getGlobalIterableIteratorType(false); const iterationTypes = globalType !== emptyGenericType ? getIterationTypesOfGlobalIterableType(globalType, resolver) : void 0; const iterableIteratorReturnType = iterationTypes ? iterationTypes.returnType : anyType; const iterableIteratorNextType = iterationTypes ? iterationTypes.nextType : undefinedType; if (isTypeAssignableTo(returnType, iterableIteratorReturnType) && isTypeAssignableTo(iterableIteratorNextType, nextType)) { if (globalType !== emptyGenericType) { return createTypeFromGenericGlobalType(globalType, [yieldType]); } resolver.getGlobalIterableIteratorType(true); return emptyObjectType; } resolver.getGlobalGeneratorType(true); return emptyObjectType; } return createTypeFromGenericGlobalType(globalGeneratorType, [yieldType, returnType, nextType]); } function checkAndAggregateYieldOperandTypes(func, checkMode) { const yieldTypes = []; const nextTypes = []; const isAsync = (getFunctionFlags(func) & 2) !== 0; forEachYieldExpression(func.body, (yieldExpression) => { const yieldExpressionType = yieldExpression.expression ? checkExpression(yieldExpression.expression, checkMode) : undefinedWideningType; pushIfUnique(yieldTypes, getYieldedTypeOfYieldExpression(yieldExpression, yieldExpressionType, anyType, isAsync)); let nextType; if (yieldExpression.asteriskToken) { const iterationTypes = getIterationTypesOfIterable(yieldExpressionType, isAsync ? 19 : 17, yieldExpression.expression); nextType = iterationTypes && iterationTypes.nextType; } else { nextType = getContextualType2(yieldExpression, void 0); } if (nextType) pushIfUnique(nextTypes, nextType); }); return { yieldTypes, nextTypes }; } function getYieldedTypeOfYieldExpression(node, expressionType, sentType, isAsync) { const errorNode = node.expression || node; const yieldedType = node.asteriskToken ? checkIteratedTypeOrElementType(isAsync ? 19 : 17, expressionType, sentType, errorNode) : expressionType; return !isAsync ? 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 === 218) { 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(mapType(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) => { const expr = returnStatement.expression; if (expr) { let type = checkExpressionCached(expr, checkMode && checkMode & ~8); if (functionFlags & 2) { type = unwrapAwaitedType(checkAwaitedType(type, 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, undefinedType); } return aggregatedTypes; } function mayReturnNever(func) { switch (func.kind) { case 215: case 216: return true; case 171: return func.parent.kind === 207; default: return false; } } function checkAllCodePathsInNonVoidFunctionReturnOrThrow(func, returnType) { addLazyDiagnostic(checkAllCodePathsInNonVoidFunctionReturnOrThrowDiagnostics); return; function checkAllCodePathsInNonVoidFunctionReturnOrThrowDiagnostics() { const functionFlags = getFunctionFlags(func); const type = returnType && unwrapReturnType(returnType, functionFlags); if (type && maybeTypeOfKind(type, 1 | 16384)) { return; } if (func.kind === 170 || nodeIsMissing(func.body) || func.body.kind !== 238 || !functionHasImplicitReturn(func)) { return; } const hasExplicitReturn = func.flags & 512; const errorNode = getEffectiveReturnTypeNode(func) || func; if (type && type.flags & 131072) { error(errorNode, Diagnostics.A_function_returning_never_cannot_have_a_reachable_end_point); } else if (type && !hasExplicitReturn) { error(errorNode, Diagnostics.A_function_whose_declared_type_is_neither_void_nor_any_must_return_a_value); } else if (type && strictNullChecks && !isTypeAssignableTo(undefinedType, type)) { error(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 (isUnwrappedReturnTypeVoidOrAny(func, inferredReturnType)) { return; } } error(errorNode, Diagnostics.Not_all_code_paths_return_a_value); } } } function checkFunctionExpressionOrObjectLiteralMethod(node, checkMode) { Debug.assert(node.kind !== 171 || 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(void 0, void 0, void 0, emptyArray, returnType, void 0, 0, 0); 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 === 215) { 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)); 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); } } 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 !== 171 || 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 === 238) { checkSourceElement(node.body); } else { const exprType = checkExpression(node.body); const returnOrPromisedType = returnType && unwrapReturnType(returnType, functionFlags); if (returnOrPromisedType) { if ((functionFlags & 3) === 2) { const awaitedType = checkAwaitedType(exprType, false, node.body, 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, node.body, node.body); } else { checkTypeAssignableToAndOptionallyElaborate(exprType, returnOrPromisedType, node.body, node.body); } } } } } 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 (!isCallExpression(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) & 64 || symbol.flags & 3 && getDeclarationNodeFlagsFromSymbol(symbol) & 2 || symbol.flags & 98304 && !(symbol.flags & 65536) || symbol.flags & 8 || some(symbol.declarations, isReadonlyAssignmentDeclaration)); } function isAssignmentToReadonlyEntity(expr, symbol, assignmentKind) { var _a2, _b; if (assignmentKind === 0) { return false; } if (isReadonlySymbol(symbol)) { if (symbol.flags & 4 && isAccessExpression(expr) && expr.expression.kind === 108) { const ctor = getContainingFunction(expr); if (!(ctor && (ctor.kind === 173 || 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 && ((_a2 = symbol.parent) == null ? void 0 : _a2.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 === 79) { const symbol2 = getNodeLinks(node).resolvedSymbol; if (symbol2.flags & 2097152) { const declaration = getDeclarationOfAliasSymbol(symbol2); return !!declaration && declaration.kind === 271; } } } return false; } function checkReferenceExpression(expr, invalidReferenceMessage, invalidOptionalChainMessage) { const node = skipOuterExpressions(expr, 6 | 1); if (node.kind !== 79 && !isAccessExpression(node)) { error(expr, invalidReferenceMessage); return false; } if (node.flags & 32) { error(expr, invalidOptionalChainMessage); return false; } return true; } function checkDeleteExpression(node) { checkExpression(node.expression); const expr = skipParentheses(node.expression); if (!isAccessExpression(expr)) { error(expr, Diagnostics.The_operand_of_a_delete_operator_must_be_a_property_reference); return booleanType; } if (isPropertyAccessExpression(expr) && isPrivateIdentifier(expr.name)) { error(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)) { error(expr, Diagnostics.The_operand_of_a_delete_operator_cannot_be_a_read_only_property); } checkDeleteExpressionMustBeOptional(expr, symbol); } return booleanType; } function checkDeleteExpressionMustBeOptional(expr, symbol) { const type = getTypeOfSymbol(symbol); if (strictNullChecks && !(type.flags & (3 | 131072)) && !(exactOptionalPropertyTypes ? symbol.flags & 16777216 : getTypeFacts(type) & 16777216)) { error(expr, Diagnostics.The_operand_of_a_delete_operator_must_be_optional); } } function checkTypeOfExpression(node) { checkExpression(node.expression); return typeofType; } function checkVoidExpression(node) { checkExpression(node.expression); return undefinedWideningType; } function checkAwaitExpressionGrammar(node) { const container = getContainingFunctionOrClassStaticBlock(node); if (container && isClassStaticBlockDeclaration(container)) { error(node, Diagnostics.Await_expression_cannot_be_used_inside_a_class_static_block); } else if (!(node.flags & 32768)) { if (isInTopLevelContext(node)) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { let span; if (!isEffectiveExternalModule(sourceFile, compilerOptions)) { span != null ? span : span = getSpanOfTokenAtPosition(sourceFile, node.pos); const diagnostic = createFileDiagnostic(sourceFile, span.start, span.length, 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.add(diagnostic); } switch (moduleKind) { case 100: case 199: if (sourceFile.impliedNodeFormat === 1) { span != null ? 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)); break; } case 7: case 99: case 4: if (languageVersion >= 4) { break; } default: span != null ? span : span = getSpanOfTokenAtPosition(sourceFile, node.pos); diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, Diagnostics.Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_or_nodenext_and_the_target_option_is_set_to_es2017_or_higher)); break; } } } else { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const span = getSpanOfTokenAtPosition(sourceFile, node.pos); const diagnostic = createFileDiagnostic(sourceFile, span.start, span.length, Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules); if (container && container.kind !== 173 && (getFunctionFlags(container) & 2) === 0) { const relatedInfo = createDiagnosticForNode(container, Diagnostics.Did_you_mean_to_mark_this_function_as_async); addRelatedInfo(diagnostic, relatedInfo); } diagnostics.add(diagnostic); } } } if (isInParameterInitializerBeforeContainingFunction(node)) { error(node, Diagnostics.await_expressions_cannot_be_used_in_a_parameter_initializer); } } function checkAwaitExpression(node) { addLazyDiagnostic(() => checkAwaitExpressionGrammar(node)); const operandType = checkExpression(node.expression); const awaitedType = checkAwaitedType(operandType, 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(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 8: switch (node.operator) { case 40: return getFreshTypeOfLiteralType(getNumberLiteralType(-node.operand.text)); case 39: return getFreshTypeOfLiteralType(getNumberLiteralType(+node.operand.text)); } break; case 9: if (node.operator === 40) { return getFreshTypeOfLiteralType(getBigIntLiteralType({ negative: true, base10Value: parsePseudoBigInt(node.operand.text) })); } } switch (node.operator) { case 39: case 40: case 54: checkNonNullType(operandType, node.operand); if (maybeTypeOfKindConsideringBaseConstraint(operandType, 12288)) { error(node.operand, Diagnostics.The_0_operator_cannot_be_applied_to_type_symbol, tokenToString(node.operator)); } if (node.operator === 39) { if (maybeTypeOfKindConsideringBaseConstraint(operandType, 2112)) { error(node.operand, Diagnostics.Operator_0_cannot_be_applied_to_type_1, tokenToString(node.operator), typeToString(getBaseTypeOfLiteralType(operandType))); } return numberType; } return getUnaryResultType(operandType); case 53: checkTruthinessExpression(node.operand); const facts = getTypeFacts(operandType) & (4194304 | 8388608); return facts === 4194304 ? falseType : facts === 8388608 ? trueType : booleanType; case 45: case 46: 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)) { return isTypeAssignableToKind(operandType, 3) || maybeTypeOfKind(operandType, 296) ? numberOrBigIntType : bigintType; } return numberType; } 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, numberType) || !!(kind & 2112) && isTypeAssignableTo(source, bigintType) || !!(kind & 402653316) && isTypeAssignableTo(source, stringType) || !!(kind & 528) && isTypeAssignableTo(source, booleanType) || !!(kind & 16384) && isTypeAssignableTo(source, voidType) || !!(kind & 131072) && isTypeAssignableTo(source, neverType) || !!(kind & 65536) && isTypeAssignableTo(source, nullType) || !!(kind & 32768) && isTypeAssignableTo(source, undefinedType) || !!(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 checkInstanceOfExpression(left, right, leftType, rightType) { if (leftType === silentNeverType || rightType === silentNeverType) { return silentNeverType; } if (!isTypeAny(leftType) && allTypesAssignableToKind(leftType, 134348796)) { error(left, Diagnostics.The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_parameter); } if (!(isTypeAny(rightType) || typeHasCallOrConstructSignatures(rightType) || isTypeSubtypeOf(rightType, globalFunctionType))) { error(right, Diagnostics.The_right_hand_side_of_an_instanceof_expression_must_be_of_type_any_or_of_a_type_assignable_to_the_Function_interface_type); } return booleanType; } 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 < 99) { checkExternalEmitHelpers(left, 2097152); } if (!getNodeLinks(left).resolvedSymbol && getContainingClass(left)) { const isUncheckedJS = isUncheckedJSSuggestion(left, rightType.symbol, true); reportNonexistentProperty(left, rightType, isUncheckedJS); } } else { checkTypeAssignableTo(checkNonNullType(leftType, left), stringNumberSymbolType, left); } if (checkTypeAssignableTo(checkNonNullType(rightType, right), nonPrimitiveType, right)) { if (hasEmptyObjectIntersection(rightType)) { error(right, Diagnostics.Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operator, typeToString(rightType)); } } return booleanType; } 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 === 299 || property.kind === 300) { 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, false, true, objectLiteralType, prop); } } const elementType = getIndexedAccessType(objectLiteralType, exprType, 32, name); const type = getFlowTypeOfDestructuring(property, elementType); return checkDestructuringAssignment(property.kind === 300 ? property : property.initializer, type); } else if (property.kind === 301) { if (propertyIndex < properties.length - 1) { error(property, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern); } else { if (languageVersion < 99) { checkExternalEmitHelpers(property, 4); } 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 { error(property, Diagnostics.Property_assignment_expected); } } function checkArrayLiteralAssignment(node, sourceType, checkMode) { const elements = node.elements; if (languageVersion < 2 && compilerOptions.downlevelIteration) { checkExternalEmitHelpers(node, 512); } const possiblyOutOfBoundsType = checkIteratedTypeOrElementType(65 | 128, sourceType, undefinedType, 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 === 227) { type = inBoundsType = inBoundsType != null ? inBoundsType : checkIteratedTypeOrElementType(65, sourceType, undefinedType, 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 !== 229) { if (element.kind !== 227) { const indexType = getNumberLiteralType(elementIndex); if (isArrayLikeType(sourceType)) { const accessFlags = 32 | (hasDefaultValue(element) ? 16 : 0); const elementType2 = getIndexedAccessTypeOrUndefined(sourceType, indexType, accessFlags, createSyntheticExpression(element, indexType)) || errorType; const assignedType = hasDefaultValue(element) ? getTypeWithFacts(elementType2, 524288) : elementType2; const type = getFlowTypeOfDestructuring(element, assignedType); return checkDestructuringAssignment(element, type, checkMode); } return checkDestructuringAssignment(element, elementType, checkMode); } if (elementIndex < elements.length - 1) { error(element, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern); } else { const restExpression = element.expression; if (restExpression.kind === 223 && restExpression.operatorToken.kind === 63) { error(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) ? mapType(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 === 300) { const prop = exprOrAssignment; if (prop.objectAssignmentInitializer) { if (strictNullChecks && !(getTypeFacts(checkExpression(prop.objectAssignmentInitializer)) & 16777216)) { sourceType = getTypeWithFacts(sourceType, 524288); } checkBinaryLikeExpression(prop.name, prop.equalsToken, prop.objectAssignmentInitializer, checkMode); } target = exprOrAssignment.name; } else { target = exprOrAssignment; } if (target.kind === 223 && target.operatorToken.kind === 63) { checkBinaryExpression(target, checkMode); target = target.left; if (strictNullChecks) { sourceType = getTypeWithFacts(sourceType, 524288); } } if (target.kind === 207) { return checkObjectLiteralAssignment(target, sourceType, rightIsThis); } if (target.kind === 206) { return checkArrayLiteralAssignment(target, sourceType, checkMode); } return checkReferenceAssignment(target, sourceType, checkMode); } function checkReferenceAssignment(target, sourceType, checkMode) { const targetType = checkExpression(target, checkMode); const error2 = target.parent.kind === 301 ? 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 === 301 ? 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, error2, optionalError)) { checkTypeAssignableToAndOptionallyElaborate(sourceType, targetType, target, target); } if (isPrivateIdentifierPropertyAccessExpression(target)) { checkExternalEmitHelpers(target.parent, 1048576); } return sourceType; } function isSideEffectFree(node) { node = skipParentheses(node); switch (node.kind) { case 79: case 10: case 13: case 212: case 225: case 14: case 8: case 9: case 110: case 95: case 104: case 155: case 215: case 228: case 216: case 206: case 207: case 218: case 232: case 282: case 281: return true; case 224: return isSideEffectFree(node.whenTrue) && isSideEffectFree(node.whenFalse); case 223: if (isAssignmentOperator(node.operatorToken.kind)) { return false; } return isSideEffectFree(node.left) && isSideEffectFree(node.right); case 221: case 222: switch (node.operator) { case 53: case 39: case 40: case 54: return true; } return false; case 219: case 213: case 231: 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, void 0); setLastResult(state, 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 === 63 && (node.left.kind === 207 || node.left.kind === 206)) { state.skip = true; setLastResult(state, checkDestructuringAssignment(node.left, checkExpression(node.right, checkMode), checkMode, node.right.kind === 108)); 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, void 0); const operator = operatorToken.kind; if (isLogicalOrCoalescingBinaryOperator(operator)) { let parent2 = node.parent; while (parent2.kind === 214 || isLogicalOrCoalescingBinaryExpression(parent2)) { parent2 = parent2.parent; } if (operator === 55 || isIfStatement(parent2)) { checkTestingKnownTruthyCallableOrAwaitableType(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, node); } state.skip = false; setLeftType(state, void 0); setLastResult(state, 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 === 60) { if (isBinaryExpression(left) && (left.operatorToken.kind === 56 || left.operatorToken.kind === 55)) { 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 === 56 || right.operatorToken.kind === 55)) { 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 === 63 && (left.kind === 207 || left.kind === 206)) { return checkDestructuringAssignment(left, checkExpression(right, checkMode), checkMode, right.kind === 108); } 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, errorNode); } function checkBinaryLikeExpressionWorker(left, operatorToken, right, leftType, rightType, errorNode) { const operator = operatorToken.kind; switch (operator) { case 41: case 42: case 66: case 67: case 43: case 68: case 44: case 69: case 40: case 65: case 47: case 70: case 48: case 71: case 49: case 72: case 51: case 74: case 52: case 78: case 50: case 73: 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) { error(errorNode || operatorToken, Diagnostics.The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead, tokenToString(operatorToken.kind), tokenToString(suggestedOperator)); return numberType; } 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, 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, true); let resultType2; if (isTypeAssignableToKind(leftType, 3) && isTypeAssignableToKind(rightType, 3) || !(maybeTypeOfKind(leftType, 2112) || maybeTypeOfKind(rightType, 2112))) { resultType2 = numberType; } else if (bothAreBigIntLike(leftType, rightType)) { switch (operator) { case 49: case 72: reportOperatorError(); break; case 42: case 67: if (languageVersion < 3) { error(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 39: case 64: if (leftType === silentNeverType || rightType === silentNeverType) { return silentNeverType; } if (!isTypeAssignableToKind(leftType, 402653316) && !isTypeAssignableToKind(rightType, 402653316)) { leftType = checkNonNullType(leftType, left); rightType = checkNonNullType(rightType, right); } let resultType; if (isTypeAssignableToKind(leftType, 296, true) && isTypeAssignableToKind(rightType, 296, true)) { resultType = numberType; } else if (isTypeAssignableToKind(leftType, 2112, true) && isTypeAssignableToKind(rightType, 2112, true)) { resultType = bigintType; } else if (isTypeAssignableToKind(leftType, 402653316, true) || isTypeAssignableToKind(rightType, 402653316, true)) { resultType = stringType; } else if (isTypeAny(leftType) || isTypeAny(rightType)) { resultType = isErrorType(leftType) || isErrorType(rightType) ? errorType : anyType; } if (resultType && !checkForDisallowedESSymbolOperand(operator)) { return resultType; } if (!resultType) { const closeEnoughKind = 296 | 2112 | 402653316 | 3; reportOperatorError((left2, right2) => isTypeAssignableToKind(left2, closeEnoughKind) && isTypeAssignableToKind(right2, closeEnoughKind)); return anyType; } if (operator === 64) { checkAssignmentOperator(resultType); } return resultType; case 29: case 31: case 32: case 33: 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 booleanType; case 34: case 35: case 36: case 37: if (isLiteralExpressionOfObject(left) || isLiteralExpressionOfObject(right)) { const eqType = operator === 34 || operator === 36; error(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 booleanType; case 102: return checkInstanceOfExpression(left, right, leftType, rightType); case 101: return checkInExpression(left, right, leftType, rightType); case 55: case 76: { const resultType2 = getTypeFacts(leftType) & 4194304 ? getUnionType([extractDefinitelyFalsyTypes(strictNullChecks ? leftType : getBaseTypeOfLiteralType(rightType)), rightType]) : leftType; if (operator === 76) { checkAssignmentOperator(rightType); } return resultType2; } case 56: case 75: { const resultType2 = getTypeFacts(leftType) & 8388608 ? getUnionType([getNonNullableType(removeDefinitelyFalsyTypes(leftType)), rightType], 2) : leftType; if (operator === 75) { checkAssignmentOperator(rightType); } return resultType2; } case 60: case 77: { const resultType2 = getTypeFacts(leftType) & 262144 ? getUnionType([getNonNullableType(leftType), rightType], 2) : leftType; if (operator === 77) { checkAssignmentOperator(rightType); } return resultType2; } case 63: 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 27: 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) error(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) && isTypeAssignableToKind(right2, 2112); } 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, void 0, name, 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 === 214 && isNumericLiteral(node.left) && node.left.text === "0" && (isCallExpression(node.parent.parent) && node.parent.parent.expression === node.parent || node.parent.parent.kind === 212) && (isAccessExpression(node.right) || isIdentifier(node.right) && node.right.escapedText === "eval"); } function checkForDisallowedESSymbolOperand(operator2) { const offendingSymbolOperand = maybeTypeOfKindConsideringBaseConstraint(leftType, 12288) ? left : maybeTypeOfKindConsideringBaseConstraint(rightType, 12288) ? right : void 0; if (offendingSymbolOperand) { error(offendingSymbolOperand, Diagnostics.The_0_operator_cannot_be_applied_to_type_symbol, tokenToString(operator2)); return false; } return true; } function getSuggestedBooleanOperator(operator2) { switch (operator2) { case 51: case 74: return 56; case 52: case 78: return 37; case 50: case 73: return 55; default: return void 0; } } function checkAssignmentOperator(valueType) { if (isAssignmentOperator(operator)) { addLazyDiagnostic(checkAssignmentOperatorWorker); } function checkAssignmentOperatorWorker() { 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)) { 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, leftType, left, right, headMessage); } } } function isAssignmentDeclaration2(kind) { var _a2; 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) && !!((_a2 = symbol == null ? void 0 : symbol.exports) == null ? void 0 : _a2.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 36: case 34: case 37: case 35: 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 = error(errorNode2, Diagnostics.This_condition_will_always_return_0, tokenToString(operator2 === 36 || operator2 === 34 ? 95 : 110)); if (isLeftNaN && isRightNaN) return; const operatorString = operator2 === 37 || operator2 === 35 ? tokenToString(53) : ""; 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 anyType; const functionFlags = getFunctionFlags(func); if (!(functionFlags & 1)) { return anyType; } const isAsync = (functionFlags & 2) !== 0; if (node.asteriskToken) { if (isAsync && languageVersion < 99) { checkExternalEmitHelpers(node, 26624); } if (!isAsync && languageVersion < 2 && compilerOptions.downlevelIteration) { checkExternalEmitHelpers(node, 256); } } const returnType = getReturnTypeFromAnnotation(func); const iterationTypes = returnType && getIterationTypesOfGeneratorFunctionReturnType(returnType, isAsync); const signatureYieldType = iterationTypes && iterationTypes.yieldType || anyType; const signatureNextType = iterationTypes && iterationTypes.nextType || anyType; const resolvedSignatureNextType = isAsync ? getAwaitedType(signatureNextType) || anyType : signatureNextType; const yieldExpressionType = node.expression ? checkExpression(node.expression) : undefinedWideningType; const yieldedType = getYieldedTypeOfYieldExpression(node, yieldExpressionType, resolvedSignatureNextType, isAsync); if (returnType && yieldedType) { checkTypeAssignableToAndOptionallyElaborate(yieldedType, signatureYieldType, node.expression || node, node.expression); } if (node.asteriskToken) { const use = isAsync ? 19 : 17; return getIterationTypeOfIterable(use, 1, yieldExpressionType, node.expression) || anyType; } else if (returnType) { return getIterationTypeOfGeneratorFunctionReturnType(2, returnType, isAsync) || anyType; } let type = getContextualIterationType(2, func); if (!type) { type = anyType; addLazyDiagnostic(() => { if (noImplicitAny && !expressionResultIsUnused(node)) { const contextualType = getContextualType2(node, void 0); if (!contextualType || isTypeAny(contextualType)) { error(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 & 8192)) { grammarErrorOnFirstToken(node, Diagnostics.A_yield_expression_is_only_allowed_in_a_generator_body); } if (isInParameterInitializerBeforeContainingFunction(node)) { error(node, Diagnostics.yield_expressions_cannot_be_used_in_a_parameter_initializer); } } } function checkConditionalExpression(node, checkMode) { const type = checkTruthinessExpression(node.condition); checkTestingKnownTruthyCallableOrAwaitableType(node.condition, type, node.whenTrue); const type1 = checkExpression(node.whenTrue, checkMode); const type2 = checkExpression(node.whenFalse, checkMode); return getUnionType([type1, type2], 2); } 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)) { error(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 : stringType); } return isConstContext(node) || isTemplateLiteralContext(node) || someType(getContextualType2(node, void 0) || unknownType, isTemplateLiteralContextualType) ? getTemplateLiteralType(texts, types) : stringType; } function isTemplateLiteralContextualType(type) { return !!(type.flags & (128 | 134217728) || type.flags & 58982400 && maybeTypeOfKind(getBaseConstraintOfType(type) || unknownType, 402653316)); } 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, 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) && isLiteralOfContextualType(type, instantiateContextualType(contextualType, node, 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, true); return node.kind === 213 || node.kind === 231 || 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, void 0, checkMode || 0) : checkExpressionCached(initializer, checkMode)); return isParameter(declaration) && declaration.name.kind === 204 && 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 = getTypeArguments(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 === 205 && e.dotDotDotToken)) { elementTypes.push(!isOmittedExpression(e) && hasDefaultValue(e) ? getTypeFromBindingElement(e, false, false) : anyType); elementFlags.push(2); if (!isOmittedExpression(e) && !hasDefaultValue(e)) { reportImplicitAny(e, anyType); } } } return createTupleType(elementTypes, elementFlags, type.target.readonly); } function widenTypeInferredFromInitializer(declaration, type) { const widened = getCombinedNodeFlags(declaration) & 2 || isDeclarationReadonly(declaration) ? type : getWidenedLiteralType(type); if (isInJSFile(declaration)) { if (isEmptyLiteralType(widened)) { reportImplicitAny(declaration, anyType); return anyType; } 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) || unknownType; return maybeTypeOfKind(constraint, 4) && maybeTypeOfKind(candidateType, 128) || maybeTypeOfKind(constraint, 8) && maybeTypeOfKind(candidateType, 256) || maybeTypeOfKind(constraint, 64) && maybeTypeOfKind(candidateType, 2048) || maybeTypeOfKind(constraint, 4096) && maybeTypeOfKind(candidateType, 8192) || isLiteralOfContextualType(candidateType, constraint); } return !!(contextualType.flags & (128 | 4194304 | 134217728 | 268435456) && maybeTypeOfKind(candidateType, 128) || contextualType.flags & 256 && maybeTypeOfKind(candidateType, 256) || contextualType.flags & 2048 && maybeTypeOfKind(candidateType, 2048) || contextualType.flags & 512 && maybeTypeOfKind(candidateType, 512) || contextualType.flags & 8192 && maybeTypeOfKind(candidateType, 8192)); } return false; } function isConstContext(node) { const parent2 = node.parent; return isAssertionExpression(parent2) && isConstTypeReference(parent2.type) || isJSDocTypeAssertion(parent2) && isConstTypeReference(getJSDocTypeAssertionType(parent2)) || isValidConstAssertionArgument(node) && isConstTypeParameterContext(node) || (isParenthesizedExpression(parent2) || isArrayLiteralExpression(parent2) || isSpreadElement(parent2)) && isConstContext(parent2) || (isPropertyAssignment(parent2) || isShorthandPropertyAssignment(parent2) || isTemplateSpan(parent2)) && isConstContext(parent2.parent); } function isConstTypeParameterContext(node) { const contextualType = getContextualType2(node, 0); return !!contextualType && someType(contextualType, isConstTypeVariable); } 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, void 0), node, void 0)); } function checkPropertyAssignment(node, checkMode) { if (node.name.kind === 164) { checkComputedPropertyName(node.name); } return checkExpressionForMutableLocation(node.initializer, checkMode); } function checkObjectLiteralMethod(node, checkMode) { checkGrammarMethod(node); if (node.name.kind === 164) { 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, true); const constructSignature = getSingleSignature(type, 1, true); const signature = callSignature || constructSignature; if (signature && signature.typeParameters) { const contextualType = getApparentTypeOfContextualType(node, 2); if (contextualType) { const contextualSignature = getSingleSignature(getNonNullableType(contextualType), callSignature ? 0 : 1, 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, 0, 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)); } } } } 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 & 134217728 && flowTypeCache) { const cachedType = flowTypeCache[getNodeId(node)]; if (cachedType) { return cachedType; } } const startInvocationCount = flowInvocationCount; const type = checkExpression(node); if (flowInvocationCount !== startInvocationCount) { const cache = flowTypeCache || (flowTypeCache = []); cache[getNodeId(node)] = type; setNodeFlags(node, node.flags | 134217728); } return type; } function getQuickTypeOfExpression(node) { let expr = skipParentheses(node, 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 (isCallExpression(expr) && expr.expression.kind !== 106 && !isRequireCall(expr, 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, anyType, false); const type = links.contextFreeType = checkExpression(node, 4); popContextualType(); return type; } function checkExpression(node, checkMode, forceTuple) { var _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.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 === 208 && node.parent.expression === node || node.parent.kind === 209 && node.parent.expression === node || ((node.kind === 79 || node.kind === 163) && isInRightSideOfImportOrExportAssignment(node) || node.parent.kind === 183 && node.parent.exprName === node) || node.parent.kind === 278; if (!ok) { error(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; if (constEnumDeclaration.flags & 16777216) { error(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)) { const type = getJSDocTypeAssertionType(node); return checkAssertionWorker(type, type, node.expression, checkMode); } } return checkExpression(node.expression, checkMode); } function checkExpressionWorker(node, checkMode, forceTuple) { const kind = node.kind; if (cancellationToken) { switch (kind) { case 228: case 215: case 216: cancellationToken.throwIfCancellationRequested(); } } switch (kind) { case 79: return checkIdentifier(node, checkMode); case 80: return checkPrivateIdentifierExpression(node); case 108: return checkThisExpression(node); case 106: return checkSuperExpression(node); case 104: return nullWideningType; case 14: case 10: return getFreshTypeOfLiteralType(getStringLiteralType(node.text)); case 8: checkGrammarNumericLiteral(node); return getFreshTypeOfLiteralType(getNumberLiteralType(+node.text)); case 9: checkGrammarBigIntLiteral(node); return getFreshTypeOfLiteralType(getBigIntLiteralType({ negative: false, base10Value: parsePseudoBigInt(node.text) })); case 110: return trueType; case 95: return falseType; case 225: return checkTemplateExpression(node); case 13: return globalRegExpType; case 206: return checkArrayLiteral(node, checkMode, forceTuple); case 207: return checkObjectLiteral(node, checkMode); case 208: return checkPropertyAccessExpression(node, checkMode); case 163: return checkQualifiedName(node, checkMode); case 209: return checkIndexedAccess(node, checkMode); case 210: if (node.expression.kind === 100) { return checkImportCallExpression(node); } case 211: return checkCallExpression(node, checkMode); case 212: return checkTaggedTemplateExpression(node); case 214: return checkParenthesizedExpression(node, checkMode); case 228: return checkClassExpression(node); case 215: case 216: return checkFunctionExpressionOrObjectLiteralMethod(node, checkMode); case 218: return checkTypeOfExpression(node); case 213: case 231: return checkAssertion(node); case 232: return checkNonNullAssertion(node); case 230: return checkExpressionWithTypeArguments(node); case 235: return checkSatisfiesExpression(node); case 233: return checkMetaProperty(node); case 217: return checkDeleteExpression(node); case 219: return checkVoidExpression(node); case 220: return checkAwaitExpression(node); case 221: return checkPrefixUnaryExpression(node); case 222: return checkPostfixUnaryExpression(node); case 223: return checkBinaryExpression(node, checkMode); case 224: return checkConditionalExpression(node, checkMode); case 227: return checkSpreadExpression(node, checkMode); case 229: return undefinedWideningType; case 226: return checkYieldExpression(node); case 234: return checkSyntheticExpression(node); case 291: return checkJsxExpression(node, checkMode); case 281: return checkJsxElement(node, checkMode); case 282: return checkJsxSelfClosingElement(node, checkMode); case 285: return checkJsxFragment(node); case 289: return checkJsxAttributes(node, checkMode); case 283: 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)) { error(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 _a2, _b; if (isInterfaceDeclaration(node.parent) || isClassLike(node.parent) || isTypeAliasDeclaration(node.parent)) { const typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node)); const modifiers = getTypeParameterModifiers(typeParameter) & (32768 | 65536); if (modifiers) { const symbol = getSymbolOfDeclaration(node.parent); if (isTypeAliasDeclaration(node.parent) && !(getObjectFlags(getDeclaredTypeOfSymbol(symbol)) & (16 | 32))) { error(node, Diagnostics.Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_types); } else if (modifiers === 32768 || modifiers === 65536) { (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.CheckTypes, "checkTypeParameterDeferred", { parent: getTypeId(getDeclaredTypeOfSymbol(symbol)), id: getTypeId(typeParameter) }); const source = createMarkerType(symbol, typeParameter, modifiers === 65536 ? markerSubTypeForCheck : markerSuperTypeForCheck); const target = createMarkerType(symbol, typeParameter, modifiers === 65536 ? 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, 16476)) { if (!(func.kind === 173 && nodeIsPresent(func.body))) { error(node, Diagnostics.A_parameter_property_is_only_allowed_in_a_constructor_implementation); } if (func.kind === 173 && isIdentifier(node.name) && node.name.escapedText === "constructor") { error(node.name, Diagnostics.constructor_cannot_be_used_as_a_parameter_property_name); } } if (!node.initializer && isOptionalDeclaration(node) && isBindingPattern(node.name) && func.body) { error(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) { error(node, Diagnostics.A_0_parameter_must_be_the_first_parameter, node.name.escapedText); } if (func.kind === 173 || func.kind === 177 || func.kind === 182) { error(node, Diagnostics.A_constructor_cannot_have_a_this_parameter); } if (func.kind === 216) { error(node, Diagnostics.An_arrow_function_cannot_have_a_this_parameter); } if (func.kind === 174 || func.kind === 175) { error(node, Diagnostics.get_and_set_accessors_cannot_declare_this_parameters); } } if (node.dotDotDotToken && !isBindingPattern(node.name) && !isTypeAssignableTo(getReducedType(getTypeOfSymbol(node.symbol)), anyReadonlyArrayType)) { error(node, Diagnostics.A_rest_parameter_must_be_of_an_array_type); } } function checkTypePredicate(node) { const parent2 = getTypePredicateParent(node); if (!parent2) { error(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) { error(parameterName, Diagnostics.A_type_predicate_cannot_reference_a_rest_parameter); } else { if (typePredicate.type) { const leadingError = () => chainDiagnosticMessages(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, 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) { error(node.parameterName, Diagnostics.Cannot_find_parameter_0, typePredicate.parameterName); } } } } function getTypePredicateParent(node) { switch (node.parent.kind) { case 216: case 176: case 259: case 215: case 181: case 171: case 170: 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 === 79 && name.escapedText === predicateVariableName) { error(predicateVariableNode, Diagnostics.A_type_predicate_cannot_reference_element_0_in_a_binding_pattern, predicateVariableName); return true; } else if (name.kind === 204 || name.kind === 203) { if (checkIfTypePredicateVariableIsDeclaredInBindingPattern(name, predicateVariableNode, predicateVariableName)) { return true; } } } } function checkSignatureDeclaration(node) { if (node.kind === 178) { checkGrammarIndexSignature(node); } else if (node.kind === 181 || node.kind === 259 || node.kind === 182 || node.kind === 176 || node.kind === 173 || node.kind === 177) { checkGrammarFunctionLikeDeclaration(node); } const functionFlags = getFunctionFlags(node); if (!(functionFlags & 4)) { if ((functionFlags & 3) === 3 && languageVersion < 99) { checkExternalEmitHelpers(node, 6144); } if ((functionFlags & 3) === 2 && languageVersion < 4) { checkExternalEmitHelpers(node, 64); } if ((functionFlags & 3) !== 0 && languageVersion < 2) { checkExternalEmitHelpers(node, 128); } } checkTypeParameters(getEffectiveTypeParameterDeclarations(node)); checkUnmatchedJSDocParameters(node); forEach(node.parameters, checkParameter); if (node.type) { checkSourceElement(node.type); } addLazyDiagnostic(checkSignatureDeclarationDiagnostics); function checkSignatureDeclarationDiagnostics() { checkCollisionWithArgumentsInGeneratedCode(node); const returnTypeNode = getEffectiveReturnTypeNode(node); if (noImplicitAny && !returnTypeNode) { switch (node.kind) { case 177: error(node, Diagnostics.Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type); break; case 176: error(node, Diagnostics.Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type); break; } } if (returnTypeNode) { const functionFlags2 = getFunctionFlags(node); if ((functionFlags2 & (4 | 1)) === 1) { const returnType = getTypeFromTypeNode(returnTypeNode); if (returnType === voidType) { error(returnTypeNode, Diagnostics.A_generator_cannot_have_a_void_type_annotation); } else { const generatorYieldType = getIterationTypeOfGeneratorFunctionReturnType(0, returnType, (functionFlags2 & 2) !== 0) || anyType; const generatorReturnType = getIterationTypeOfGeneratorFunctionReturnType(1, returnType, (functionFlags2 & 2) !== 0) || generatorYieldType; const generatorNextType = getIterationTypeOfGeneratorFunctionReturnType(2, returnType, (functionFlags2 & 2) !== 0) || unknownType; const generatorInstantiation = createGeneratorReturnType(generatorYieldType, generatorReturnType, generatorNextType, !!(functionFlags2 & 2)); checkTypeAssignableTo(generatorInstantiation, returnType, returnTypeNode); } } else if ((functionFlags2 & 3) === 2) { checkAsyncFunctionReturnType(node, returnTypeNode); } } if (node.kind !== 178 && node.kind !== 320) { registerForUnusedIdentifiersCheck(node); } } } 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 === 173) { for (const param of member.parameters) { if (isParameterPropertyDeclaration(param, member) && !isBindingPattern(param.name)) { addName(instanceNames, param.name, param.name.escapedText, 3); } } } else { const isStaticMember = isStatic(member); const name = member.name; if (!name) { continue; } const isPrivate = isPrivateIdentifier(name); const privateStaticFlags = isPrivate && isStaticMember ? 16 : 0; const names = isPrivate ? privateIdentifiers : isStaticMember ? staticNames : instanceNames; const memberName = name && getPropertyNameForPropertyNameNode(name); if (memberName) { switch (member.kind) { case 174: addName(names, name, memberName, 1 | privateStaticFlags); break; case 175: addName(names, name, memberName, 2 | privateStaticFlags); break; case 169: addName(names, name, memberName, 3 | privateStaticFlags); break; case 171: addName(names, name, memberName, 8 | privateStaticFlags); break; } } } } function addName(names, location, name, meaning) { const prev = names.get(name); if (prev) { if ((prev & 16) !== (meaning & 16)) { error(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) { error(location, Diagnostics.Duplicate_identifier_0, getTextOfNode(location)); } } else if (prev & meaning & ~16) { error(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 isStaticMember = isStatic(member); if (isStaticMember && memberNameNode) { const memberName = getPropertyNameForPropertyNameNode(memberNameNode); switch (memberName) { case "name": case "length": case "caller": case "arguments": case "prototype": const message = Diagnostics.Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1; const className = getNameOfSymbolAsWritten(getSymbolOfDeclaration(node)); error(memberNameNode, message, memberName, className); break; } } } } function checkObjectTypeForDuplicateDeclarations(node) { const names = /* @__PURE__ */ new Map(); for (const member of node.members) { if (member.kind === 168) { let memberName; const name = member.name; switch (name.kind) { case 10: case 8: memberName = name.text; break; case 79: memberName = idText(name); break; default: continue; } if (names.get(memberName)) { error(getNameOfDeclaration(member.symbol.valueDeclaration), Diagnostics.Duplicate_identifier_0, memberName); error(member.name, Diagnostics.Duplicate_identifier_0, memberName); } else { names.set(memberName, true); } } } } function checkTypeForDuplicateIndexSignatures(node) { if (node.kind === 261) { 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) { error(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, 256) && node.kind === 169 && node.initializer) { error(node, Diagnostics.Property_0_cannot_have_an_initializer_because_it_is_marked_abstract, declarationNameToString(node.name)); } } function checkPropertySignature(node) { if (isPrivateIdentifier(node.name)) { error(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") { error(node.name, Diagnostics.Class_constructor_may_not_be_a_generator); } checkFunctionOrMethodDeclaration(node); if (hasSyntacticModifier(node, 256) && node.kind === 171 && node.body) { error(node, Diagnostics.Method_0_cannot_have_an_implementation_because_it_is_marked_abstract, declarationNameToString(node.name)); } if (isPrivateIdentifier(node.name) && !getContainingClass(node)) { error(node, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); } setNodeLinksForPrivateIdentifierScope(node); } function setNodeLinksForPrivateIdentifierScope(node) { if (isPrivateIdentifier(node.name) && languageVersion < 99) { for (let lexicalScope = getEnclosingBlockScopeContainer(node); !!lexicalScope; lexicalScope = getEnclosingBlockScopeContainer(lexicalScope)) { getNodeLinks(lexicalScope).flags |= 4194304; } 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 === 169 && !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) { error(superCall, Diagnostics.A_constructor_cannot_contain_a_super_call_when_its_class_extends_null); } const superCallShouldBeRootLevel = (getEmitScriptTarget(compilerOptions) !== 99 || !useDefineForClassFields) && (some(node.parent.members, isInstancePropertyWithInitializerOrPrivateIdentifierProperty) || some(node.parameters, (p) => hasSyntacticModifier(p, 16476))); if (superCallShouldBeRootLevel) { if (!superCallIsRootLevelInConstructor(superCall, node.body)) { error(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 (isExpressionStatement(statement) && isSuperCall(skipOuterExpressions(statement.expression))) { superCallStatement = statement; break; } if (nodeImmediatelyReferencesSuperOrThis(statement)) { break; } } if (superCallStatement === void 0) { error(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) { error(node, Diagnostics.Constructors_for_derived_classes_must_contain_a_super_call); } } } } function superCallIsRootLevelInConstructor(superCall, body) { const superCallParent = walkUpParenthesizedExpressions(superCall.parent); return isExpressionStatement(superCallParent) && superCallParent.parent === body; } function nodeImmediatelyReferencesSuperOrThis(node) { if (node.kind === 106 || node.kind === 108) { return true; } if (isThisContainerOrFunctionBlock(node)) { return false; } return !!forEachChild(node, nodeImmediatelyReferencesSuperOrThis); } function checkAccessorDeclaration(node) { if (isIdentifier(node.name) && idText(node.name) === "constructor") { error(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 === 174) { if (!(node.flags & 16777216) && nodeIsPresent(node.body) && node.flags & 256) { if (!(node.flags & 512)) { error(node.name, Diagnostics.A_get_accessor_must_return_a_value); } } } if (node.name.kind === 164) { checkComputedPropertyName(node.name); } if (hasBindableName(node)) { const symbol = getSymbolOfDeclaration(node); const getter = getDeclarationOfKind(symbol, 174); const setter = getDeclarationOfKind(symbol, 175); if (getter && setter && !(getNodeCheckFlags(getter) & 1)) { getNodeLinks(getter).flags |= 1; const getterFlags = getEffectiveModifierFlags(getter); const setterFlags = getEffectiveModifierFlags(setter); if ((getterFlags & 256) !== (setterFlags & 256)) { error(getter.name, Diagnostics.Accessors_must_both_be_abstract_or_non_abstract); error(setter.name, Diagnostics.Accessors_must_both_be_abstract_or_non_abstract); } if (getterFlags & 16 && !(setterFlags & (16 | 8)) || getterFlags & 8 && !(setterFlags & 8)) { error(getter.name, Diagnostics.A_get_accessor_must_be_at_least_as_accessible_as_the_setter); error(setter.name, Diagnostics.A_get_accessor_must_be_at_least_as_accessible_as_the_setter); } const getterType = getAnnotatedAccessorType(getter); const setterType = getAnnotatedAccessorType(setter); if (getterType && setterType) { checkTypeAssignableTo(getterType, setterType, getter, Diagnostics.The_return_type_of_a_get_accessor_must_be_assignable_to_its_set_accessor_type); } } } const returnType = getTypeOfAccessors(getSymbolOfDeclaration(node)); if (node.kind === 174) { 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 === 180 && !isInJSFile(node) && !isInJSDoc(node) && node.typeArguments && node.typeName.end !== node.typeArguments.pos) { const sourceFile = getSourceFileOfNode(node); if (scanTokenAtPosition(sourceFile, node.typeName.end) === 24) { 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 & 268435456))) { 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) { const elementTypes = node.elements; let seenOptionalElement = false; let seenRestElement = false; const hasNamedElement = some(elementTypes, isNamedTupleMember); for (const e of elementTypes) { if (e.kind !== 199 && hasNamedElement) { grammarErrorOnNode(e, Diagnostics.Tuple_members_must_all_have_names_or_all_not_have_names); break; } const flags = getTupleElementFlags(e); if (flags & 8) { const type = getTypeFromTypeNode(e.type); if (!isArrayLikeType(type)) { error(e, Diagnostics.A_rest_element_type_must_be_an_array_type); break; } if (isArrayType(type) || isTupleType(type) && type.target.combinedFlags & 4) { seenRestElement = true; } } else 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 (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 objectType = type.objectType; const indexType = type.indexType; if (isTypeAssignableTo(indexType, getIndexType(objectType, false))) { if (accessNode.kind === 209 && isAssignmentTarget(accessNode) && getObjectFlags(objectType) & 32 && getMappedTypeModifiers(objectType) & 1) { error(accessNode, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(objectType)); } return type; } const apparentObjectType = getApparentType(objectType); if (getIndexInfoOfType(apparentObjectType, numberType) && isTypeAssignableToKind(indexType, 296)) { return type; } if (isGenericObjectType(objectType)) { const propertyName = getPropertyNameFromIndex(indexType, accessNode); if (propertyName) { const propertySymbol = forEachType(apparentObjectType, (t) => getPropertyOfType(t, propertyName)); if (propertySymbol && getDeclarationModifierFlagsFromSymbol(propertySymbol) & 24) { error(accessNode, Diagnostics.Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter, unescapeLeadingUnderscores(propertyName)); return errorType; } } } error(accessNode, Diagnostics.Type_0_cannot_be_used_to_index_type_1, typeToString(indexType), typeToString(objectType)); 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, anyType); } const type = getTypeFromMappedTypeNode(node); const nameType = getNameTypeFromMappedType(type); if (nameType) { checkTypeAssignableTo(nameType, keyofConstraintType, node.nameType); } else { const constraintType = getConstraintTypeFromMappedType(type); checkTypeAssignableTo(constraintType, keyofConstraintType, getEffectiveConstraintOfTypeParameter(node.typeParameter)); } } function checkGrammarMappedType(node) { var _a2; if ((_a2 = node.members) == null ? void 0 : _a2.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 === 191 && 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, 165); if (!areTypeParametersIdentical(declarations, [typeParameter], (decl) => [decl])) { const name = symbolToString(symbol); for (const declaration of declarations) { error(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.assertions) { const override = getResolutionModeOverrideForClause(node.assertions.assertClause, grammarErrorOnNode); if (override) { if (!isNightly()) { grammarErrorOnNode(node.assertions.assertClause, Diagnostics.resolution_mode_assertions_are_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next); } if (getEmitModuleResolutionKind(compilerOptions) !== 3 && getEmitModuleResolutionKind(compilerOptions) !== 99) { grammarErrorOnNode(node.assertions.assertClause, Diagnostics.resolution_mode_assertions_are_only_supported_when_moduleResolution_is_node16_or_nodenext); } } } 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 === 187) { 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 === 188) { 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, 8) || isPrivateIdentifierClassElementDeclaration(node)) && !!(node.flags & 16777216); } function getEffectiveDeclarationFlags(n, flagsToCheck) { let flags = getCombinedModifierFlags(n); if (n.parent.kind !== 261 && n.parent.kind !== 260 && n.parent.kind !== 228 && n.flags & 16777216) { if (!(flags & 2) && !(isModuleBlock(n.parent) && isModuleDeclaration(n.parent.parent) && isGlobalScopeAugmentation(n.parent.parent))) { flags |= 1; } flags |= 2; } 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 & 1) { error(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_exported_or_non_exported); } else if (deviation & 2) { error(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_ambient_or_non_ambient); } else if (deviation & (8 | 16)) { error(getNameOfDeclaration(o) || o, Diagnostics.Overload_signatures_must_all_be_public_private_or_protected); } else if (deviation & 256) { error(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) { error(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_optional_or_required); } }); } } const flagsToCheck = 1 | 2 | 8 | 16 | 256; 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 && (isPrivateIdentifier(node.name) && isPrivateIdentifier(subsequentName) && node.name.escapedText === subsequentName.escapedText || isComputedPropertyName(node.name) && isComputedPropertyName(subsequentName) || isPropertyNameLiteral(node.name) && isPropertyNameLiteral(subsequentName) && getEscapedTextOfIdentifierOrLiteral(node.name) === getEscapedTextOfIdentifierOrLiteral(subsequentName))) { const reportError = (node.kind === 171 || node.kind === 170) && isStatic(node) !== isStatic(subsequentNode); if (reportError) { const diagnostic = isStatic(node) ? Diagnostics.Function_overload_must_be_static : Diagnostics.Function_overload_must_not_be_static; error(errorNode2, diagnostic); } return; } if (nodeIsPresent(subsequentNode.body)) { error(errorNode2, Diagnostics.Function_implementation_name_must_be_0, declarationNameToString(node.name)); return; } } } const errorNode = node.name || node; if (isConstructor) { error(errorNode, Diagnostics.Constructor_implementation_is_missing); } else { if (hasSyntacticModifier(node, 256)) { error(errorNode, Diagnostics.All_declarations_of_an_abstract_method_must_be_consecutive); } else { error(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 & 16777216; const inAmbientContextOrInterface = node.parent && (node.parent.kind === 261 || node.parent.kind === 184) || inAmbientContext; if (inAmbientContextOrInterface) { previousDeclaration = void 0; } if ((node.kind === 260 || node.kind === 228) && !inAmbientContext) { hasNonAmbientClass = true; } if (node.kind === 259 || node.kind === 171 || node.kind === 170 || node.kind === 173) { 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) { for (const node2 of current.jsDoc) { if (node2.tags) { for (const tag of node2.tags) { if (isJSDocOverloadTag(tag)) { hasOverloads = true; } } } } } } } if (multipleConstructorImplementation) { forEach(functionDeclarations, (declaration) => { error(declaration, Diagnostics.Multiple_constructor_implementations_are_not_allowed); }); } if (duplicateFunctionDeclaration) { forEach(functionDeclarations, (declaration) => { error(getNameOfDeclaration(declaration) || declaration, Diagnostics.Duplicate_function_implementation); }); } if (hasNonAmbientClass && !isConstructor && symbol.flags & 16 && declarations) { const relatedDiagnostics = filter(declarations, (d) => d.kind === 260).map((d) => createDiagnosticForNode(d, Diagnostics.Consider_adding_a_declare_modifier_to_this_class)); forEach(declarations, (declaration) => { const diagnostic = declaration.kind === 260 ? Diagnostics.Class_declaration_cannot_implement_overload_list_for_0 : declaration.kind === 259 ? Diagnostics.Function_with_bodies_can_only_merge_with_classes_that_are_ambient : void 0; if (diagnostic) { addRelatedInfo(error(getNameOfDeclaration(declaration) || declaration, diagnostic, symbolName(symbol)), ...relatedDiagnostics); } }); } if (lastSeenNonAmbientDeclaration && !lastSeenNonAmbientDeclaration.body && !hasSyntacticModifier(lastSeenNonAmbientDeclaration, 256) && !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(error(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, 1 | 1024); if (effectiveDeclarationFlags & 1) { if (effectiveDeclarationFlags & 1024) { 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) { error(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) { error(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 261: case 262: case 349: case 341: case 343: return 2; case 264: return isAmbientModule(d) || getModuleInstanceState(d) !== 0 ? 4 | 1 : 4; case 260: case 263: case 302: return 2 | 1; case 308: return 2 | 1 | 4; case 274: case 223: const node2 = d; const expression = isExportAssignment(node2) ? node2.expression : node2.right; if (!isEntityNameExpression(expression)) { return 1; } d = expression; case 268: case 271: case 270: let result = 0; const target = resolveAlias(getSymbolOfDeclaration(d)); forEach(target.declarations, (d2) => { result |= getDeclarationSpaces(d2); }); return result; case 257: case 205: case 259: case 273: case 79: return 1; case 170: case 168: return 2; default: return Debug.failBadSyntaxKind(d); } } } function getAwaitedTypeOfPromise(type, errorNode, diagnosticMessage, arg0) { const promisedType = getPromisedTypeOfPromise(type, errorNode); return promisedType && getAwaitedType(promisedType, errorNode, diagnosticMessage, arg0); } function getPromisedTypeOfPromise(type, errorNode, thisTypeForErrorOut) { if (isTypeAny(type)) { return void 0; } const typeAsPromise = type; if (typeAsPromise.promisedTypeOfPromise) { return typeAsPromise.promisedTypeOfPromise; } if (isReferenceToType2(type, getGlobalPromiseType(false))) { return typeAsPromise.promisedTypeOfPromise = getTypeArguments(type)[0]; } if (allTypesAssignableToKind(getBaseConstraintOrType(type), 134348796 | 131072)) { return void 0; } const thenFunction = getTypeOfPropertyOfType(type, "then"); if (isTypeAny(thenFunction)) { return void 0; } const thenSignatures = thenFunction ? getSignaturesOfType(thenFunction, 0) : emptyArray; if (thenSignatures.length === 0) { if (errorNode) { error(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 !== voidType && !isTypeRelatedTo(type, thisType, subtypeRelation)) { thisTypeForError = thisType; } else { candidates = append(candidates, thenSignature); } } if (!candidates) { Debug.assertIsDefined(thisTypeForError); if (thisTypeForErrorOut) { thisTypeForErrorOut.value = thisTypeForError; } if (errorNode) { error(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); if (isTypeAny(onfulfilledParameterType)) { return void 0; } const onfulfilledParameterSignatures = getSignaturesOfType(onfulfilledParameterType, 0); if (onfulfilledParameterSignatures.length === 0) { if (errorNode) { error(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); } function checkAwaitedType(type, withAlias, errorNode, diagnosticMessage, arg0) { const awaitedType = withAlias ? getAwaitedType(type, errorNode, diagnosticMessage, arg0) : getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, arg0); return awaitedType || errorType; } function isThenableType(type) { if (allTypesAssignableToKind(getBaseConstraintOrType(type), 134348796 | 131072)) { return false; } const thenFunction = getTypeOfPropertyOfType(type, "then"); return !!thenFunction && getSignaturesOfType(getTypeWithFacts(thenFunction, 2097152), 0).length > 0; } function isAwaitedTypeInstantiation(type) { var _a2; if (type.flags & 16777216) { const awaitedSymbol = getGlobalAwaitedSymbol(false); return !!awaitedSymbol && type.aliasSymbol === awaitedSymbol && ((_a2 = type.aliasTypeArguments) == null ? void 0 : _a2.length) === 1; } return false; } function unwrapAwaitedType(type) { return type.flags & 1048576 ? mapType(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)) { return true; } } return false; } function tryCreateAwaitedType(type) { const awaitedSymbol = getGlobalAwaitedSymbol(true); if (awaitedSymbol) { return getTypeAliasInstantiation(awaitedSymbol, [unwrapAwaitedType(type)]); } return void 0; } function createAwaitedTypeIfNeeded(type) { if (isAwaitedTypeNeeded(type)) { const awaitedType = tryCreateAwaitedType(type); if (awaitedType) { return awaitedType; } } 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, arg0) { const awaitedType = getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, arg0); return awaitedType && createAwaitedTypeIfNeeded(awaitedType); } function getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, arg0) { 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) { error(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, arg0) : getAwaitedTypeNoAlias; awaitedTypeStack.push(type.id); const mapped = mapType(type, mapper); awaitedTypeStack.pop(); return typeAsAwaitable.awaitedTypeOfType = mapped; } if (isAwaitedTypeNeeded(type)) { return typeAsAwaitable.awaitedTypeOfType = type; } const thisTypeForErrorOut = { value: void 0 }; const promisedType = getPromisedTypeOfPromise(type, void 0, thisTypeForErrorOut); if (promisedType) { if (type.id === promisedType.id || awaitedTypeStack.lastIndexOf(promisedType.id) >= 0) { if (errorNode) { error(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, arg0); 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, arg0); diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorNode), errorNode, chain)); } return void 0; } return typeAsAwaitable.awaitedTypeOfType = type; } function checkAsyncFunctionReturnType(node, returnTypeNode) { const returnType = getTypeFromTypeNode(returnTypeNode); if (languageVersion >= 2) { if (isErrorType(returnType)) { return; } const globalPromiseType = getGlobalPromiseType(true); if (globalPromiseType !== emptyGenericType && !isReferenceToType2(returnType, globalPromiseType)) { error(returnTypeNode, Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0, typeToString(getAwaitedTypeNoAlias(returnType) || voidType)); return; } } else { markTypeNodeAsReferenced(returnTypeNode); if (isErrorType(returnType)) { return; } const promiseConstructorName = getEntityNameFromTypeNode(returnTypeNode); if (promiseConstructorName === void 0) { error(returnTypeNode, Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_SlashES3_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, typeToString(returnType)); return; } const promiseConstructorSymbol = resolveEntityName(promiseConstructorName, 111551, true); const promiseConstructorType = promiseConstructorSymbol ? getTypeOfSymbol(promiseConstructorSymbol) : errorType; if (isErrorType(promiseConstructorType)) { if (promiseConstructorName.kind === 79 && promiseConstructorName.escapedText === "Promise" && getTargetType(returnType) === getGlobalPromiseType(false)) { error(returnTypeNode, Diagnostics.An_async_function_or_method_in_ES5_SlashES3_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option); } else { error(returnTypeNode, Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_SlashES3_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, entityNameToString(promiseConstructorName)); } return; } const globalPromiseConstructorLikeType = getGlobalPromiseConstructorLikeType(true); if (globalPromiseConstructorLikeType === emptyObjectType) { error(returnTypeNode, Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_SlashES3_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, entityNameToString(promiseConstructorName)); return; } if (!checkTypeAssignableTo(promiseConstructorType, globalPromiseConstructorLikeType, returnTypeNode, Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_SlashES3_because_it_does_not_refer_to_a_Promise_compatible_constructor_value)) { return; } const rootName = promiseConstructorName && getFirstIdentifier(promiseConstructorName); const collidingSymbol = getSymbol2(node.locals, rootName.escapedText, 111551); if (collidingSymbol) { error(collidingSymbol.valueDeclaration, Diagnostics.Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions, idText(rootName), entityNameToString(promiseConstructorName)); return; } } checkAwaitedType(returnType, 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 checkDecorator(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 260: case 228: headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1; break; case 169: if (!legacyDecorators) { headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1; break; } case 166: headMessage = Diagnostics.Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any; break; case 171: case 174: case 175: 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(void 0, emptyArray, factory.createKeywordTypeNode(131)); 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(void 0, void 0, emptyArray, type); } function createSetterFunctionType(type) { const valueParam = createParameter("value", type); return createFunctionType(void 0, void 0, [valueParam], voidType); } function markTypeNodeAsReferenced(node) { markEntityNameOrEntityExpressionAsReference(node && getEntityNameFromTypeNode(node), false); } function markEntityNameOrEntityExpressionAsReference(typeName, forDecoratorMetadata) { if (!typeName) return; const rootName = getFirstIdentifier(typeName); const meaning = (typeName.kind === 79 ? 788968 : 1920) | 2097152; const rootSymbol = resolveName(rootName, rootName.escapedText, meaning, void 0, void 0, true); if (rootSymbol && rootSymbol.flags & 2097152) { if (!compilerOptions.verbatimModuleSyntax && 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 = error(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 markDecoratorMedataDataTypeNodeAsReferenced(node) { const entityName = getEntityNameForDecoratorMetadata(node); if (entityName && isEntityName(entityName)) { markEntityNameOrEntityExpressionAsReference(entityName, true); } } function getEntityNameForDecoratorMetadata(node) { if (node) { switch (node.kind) { case 190: case 189: return getEntityNameForDecoratorMetadataFromTypeList(node.types); case 191: return getEntityNameForDecoratorMetadataFromTypeList([node.trueType, node.falseType]); case 193: case 199: return getEntityNameForDecoratorMetadata(node.type); case 180: return node.typeName; } } } function getEntityNameForDecoratorMetadataFromTypeList(types) { let commonEntityName; for (let typeNode of types) { while (typeNode.kind === 193 || typeNode.kind === 199) { typeNode = typeNode.type; } if (typeNode.kind === 144) { continue; } if (!strictNullChecks && (typeNode.kind === 198 && typeNode.literal.kind === 104 || typeNode.kind === 155)) { 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); if (node.kind === 166) { checkExternalEmitHelpers(firstDecorator, 32); } } else if (languageVersion < 99) { checkExternalEmitHelpers(firstDecorator, 8); if (isClassDeclaration(node)) { if (!node.name) { checkExternalEmitHelpers(firstDecorator, 8388608); } else { const member = getFirstTransformableStaticClassElement(node); if (member) { checkExternalEmitHelpers(firstDecorator, 8388608); } } } else if (!isClassExpression(node)) { if (isPrivateIdentifier(node.name) && (isMethodDeclaration(node) || isAccessor(node) || isAutoAccessorPropertyDeclaration(node))) { checkExternalEmitHelpers(firstDecorator, 8388608); } if (isComputedPropertyName(node.name)) { checkExternalEmitHelpers(firstDecorator, 16777216); } } } if (compilerOptions.emitDecoratorMetadata) { checkExternalEmitHelpers(firstDecorator, 16); switch (node.kind) { case 260: const constructor = getFirstConstructorWithBody(node); if (constructor) { for (const parameter of constructor.parameters) { markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter)); } } break; case 174: case 175: const otherKind = node.kind === 174 ? 175 : 174; const otherAccessor = getDeclarationOfKind(getSymbolOfDeclaration(node), otherKind); markDecoratorMedataDataTypeNodeAsReferenced(getAnnotatedAccessorTypeNode(node) || otherAccessor && getAnnotatedAccessorTypeNode(otherAccessor)); break; case 171: for (const parameter of node.parameters) { markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter)); } markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveReturnTypeNode(node)); break; case 169: markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveTypeAnnotationNode(node)); break; case 166: markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(node)); const containingSignature = node.parent; for (const parameter of containingSignature.parameters) { markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter)); } break; } } 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) { error(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; error(tagName, Diagnostics._0_tag_already_specified, idText(tagName)); } } } } function checkJSDocLinkLikeTag(node) { if (node.name) { resolveJSDocMemberName(node.name, 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, anyType); } } } function checkJSDocImplementsTag(node) { const classLike = getEffectiveJSDocHost(node); if (!classLike || !isClassDeclaration(classLike) && !isClassExpression(classLike)) { error(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)) { error(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) { error(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) { error(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)) { error(node, Diagnostics.An_accessibility_modifier_cannot_be_used_with_a_private_identifier); } } function getIdentifierFromEntityNameExpression(node) { switch (node.kind) { case 79: return node; case 208: return node.name; default: return void 0; } } function checkFunctionOrMethodDeclaration(node) { var _a2; checkDecorators(node); checkSignatureDeclaration(node); const functionFlags = getFunctionFlags(node); if (node.name && node.name.kind === 164) { checkComputedPropertyName(node.name); } if (hasBindableName(node)) { const symbol = getSymbolOfDeclaration(node); const localSymbol = node.localSymbol || symbol; const firstDeclaration = (_a2 = localSymbol.declarations) == null ? void 0 : _a2.find((declaration) => declaration.kind === node.kind && !(declaration.flags & 262144)); if (node === firstDeclaration) { checkFunctionOrConstructorSymbol(localSymbol); } if (symbol.parent) { checkFunctionOrConstructorSymbol(symbol); } } const body = node.kind === 170 ? 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)) { error(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, anyType); } 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 260: case 228: checkUnusedClassMembers(node, addDiagnostic); checkUnusedTypeParameters(node, addDiagnostic); break; case 308: case 264: case 238: case 266: case 245: case 246: case 247: checkUnusedLocalsAndParameters(node, addDiagnostic); break; case 173: case 215: case 259: case 216: case 171: case 174: case 175: if (node.body) { checkUnusedLocalsAndParameters(node, addDiagnostic); } checkUnusedTypeParameters(node, addDiagnostic); break; case 170: case 176: case 177: case 181: case 182: case 262: case 261: checkUnusedTypeParameters(node, addDiagnostic); break; case 192: 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 171: case 169: case 174: case 175: if (member.kind === 175 && member.symbol.flags & 32768) { break; } const symbol = getSymbolOfDeclaration(member); if (!symbol.isReferenced && (hasEffectiveModifier(member, 8) || isNamedDeclaration(member) && isPrivateIdentifier(member.name)) && !(member.flags & 16777216)) { addDiagnostic(member, 0, createDiagnosticForNode(member.name, Diagnostics._0_is_declared_but_its_value_is_never_read, symbolToString(symbol))); } break; case 173: for (const parameter of member.parameters) { if (!parameter.symbol.isReferenced && hasSyntacticModifier(parameter, 8)) { addDiagnostic(parameter, 0, createDiagnosticForNode(parameter.name, Diagnostics.Property_0_is_declared_but_its_value_is_never_read, symbolName(parameter.symbol))); } } break; case 178: case 237: case 172: 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 !== 192 && 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 message = only ? Diagnostics._0_is_declared_but_its_value_is_never_read : Diagnostics.All_type_parameters_are_unused; const arg0 = only ? name : void 0; addDiagnostic(typeParameter, 1, createFileDiagnostic(sourceFile, range.pos, range.end - range.pos, message, arg0)); } } 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)) { 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 === 271 ? 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 === 257 && bindingPattern.parent.parent.kind === 258) { 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 === 240 ? 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 _a2; for (const node of potentialUnusedRenamedBindingElementsInTypes) { if (!((_a2 = getSymbolOfDeclaration(node)) == null ? void 0 : _a2.isReferenced)) { const wrappingDeclaration = walkUpBindingElementsAndPatterns(node); Debug.assert(isParameterDeclaration(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 79: return idText(name); case 204: case 203: return bindingNameText(cast(first(name.elements), isBindingElement).name); default: return Debug.assertNever(name); } } function isImportedDeclaration(node) { return node.kind === 270 || node.kind === 273 || node.kind === 271; } function importClauseFromImported(decl) { return decl.kind === 270 ? decl : decl.kind === 271 ? decl.parent : decl.parent.parent; } function checkBlock(node) { if (node.kind === 238) { 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 & 16777216 || 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 === 169 || node.kind === 168 || node.kind === 171 || node.kind === 170 || node.kind === 174 || node.kind === 175 || node.kind === 299) { return false; } if (node.flags & 16777216) { return false; } if (isImportClause(node) || isImportEqualsDeclaration(node) || isImportSpecifier(node)) { if (isTypeOnlyImportOrExportDeclaration(node)) { return false; } } const root = getRootDeclaration(node); if (isParameter(root) && nodeIsMissing(root.parent.body)) { return false; } return true; } function checkIfThisIsCapturedInEnclosingScope(node) { findAncestor(node, (current) => { if (getNodeCheckFlags(current) & 4) { const isDeclaration2 = node.kind !== 79; if (isDeclaration2) { error(getNameOfDeclaration(node), Diagnostics.Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference); } else { error(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 !== 79; if (isDeclaration2) { error(getNameOfDeclaration(node), Diagnostics.Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_meta_property_reference); } else { error(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 === 308 && 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 === 308 && isExternalOrCommonJsModule(parent2) && parent2.flags & 2048) { 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) & 4194304) { 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) & 8388608) { hasCollision = true; break; } } } else if (isFunctionExpression(node)) { if (getNodeCheckFlags(node) & 8388608) { hasCollision = true; } } else { const container = getEnclosingBlockScopeContainer(node); if (container && getNodeCheckFlags(container) & 8388608) { 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 & 16777216)) { checkClassNameCollisionWithObject(name); } } else if (isEnumDeclaration(node)) { checkTypeNameIsReserved(name, Diagnostics.Enum_name_cannot_be_0); } } function checkVarDeclaredNamesNotShadowed(node) { if ((getCombinedNodeFlags(node) & 3) !== 0 || isParameterDeclaration(node)) { return; } if (node.kind === 257 && !node.initializer) { return; } const symbol = getSymbolOfDeclaration(node); if (symbol.flags & 1) { if (!isIdentifier(node.name)) return Debug.fail(); const localDeclarationSymbol = resolveName(node, node.name.escapedText, 3, void 0, void 0, false); if (localDeclarationSymbol && localDeclarationSymbol !== symbol && localDeclarationSymbol.flags & 2) { if (getDeclarationNodeFlagsFromSymbol(localDeclarationSymbol) & 3) { const varDeclList = getAncestor(localDeclarationSymbol.valueDeclaration, 258); const container = varDeclList.parent.kind === 240 && varDeclList.parent.parent ? varDeclList.parent.parent : void 0; const namesShareScope = container && (container.kind === 238 && isFunctionLike(container.parent) || container.kind === 265 || container.kind === 264 || container.kind === 308); if (!namesShareScope) { const name = symbolToString(localDeclarationSymbol); error(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 ? anyType : type === autoArrayType ? anyArrayType : type; } function checkVariableLikeDeclaration(node) { var _a2; checkDecorators(node); if (!isBindingElement(node)) { checkSourceElement(node.type); } if (!node.name) { return; } if (node.name.kind === 164) { checkComputedPropertyName(node.name); if (hasOnlyExpressionInitializer(node) && node.initializer) { checkExpressionCached(node.initializer); } } if (isBindingElement(node)) { if (node.propertyName && isIdentifier(node.name) && isParameterDeclaration(node) && nodeIsMissing(getContainingFunction(node).body)) { potentialUnusedRenamedBindingElementsInTypes.push(node); return; } if (isObjectBindingPattern(node.parent) && node.dotDotDotToken && languageVersion < 5) { checkExternalEmitHelpers(node, 4); } if (node.propertyName && node.propertyName.kind === 164) { checkComputedPropertyName(node.propertyName); } const parent2 = node.parent.parent; const parentCheckMode = node.dotDotDotToken ? 64 : 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, void 0, false); checkPropertyAccessibility(node, !!parent2.initializer && parent2.initializer.kind === 106, false, parentType, property); } } } } if (isBindingPattern(node.name)) { if (node.name.kind === 204 && languageVersion < 2 && compilerOptions.downlevelIteration) { checkExternalEmitHelpers(node, 512); } forEach(node.name.elements, checkSourceElement); } if (isParameter(node) && node.initializer && nodeIsMissing(getContainingFunction(node).body)) { error(node, Diagnostics.A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation); return; } if (isBindingPattern(node.name)) { const needCheckInitializer = hasOnlyExpressionInitializer(node) && node.initializer && node.parent.parent.kind !== 246; 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, undefinedType, 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)) && !!((_a2 = symbol.exports) == null ? void 0 : _a2.size); if (!isJSObjectLiteralInitializer && node.parent.parent.kind !== 246) { checkTypeAssignableToAndOptionallyElaborate(checkExpressionCached(initializer), type, node, initializer, void 0); } } if (symbol.declarations && symbol.declarations.length > 1) { if (some(symbol.declarations, (d) => d !== node && isVariableLike(d) && !areDeclarationFlagsIdentical(d, node))) { error(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, void 0); } if (symbol.valueDeclaration && !areDeclarationFlagsIdentical(node, symbol.valueDeclaration)) { error(node.name, Diagnostics.All_declarations_of_0_must_have_identical_modifiers, declarationNameToString(node.name)); } } if (node.kind !== 169 && node.kind !== 168) { checkExportsOnMergedDeclarations(node); if (node.kind === 257 || node.kind === 205) { checkVarDeclaredNamesNotShadowed(node); } checkCollisionsForDeclarationName(node, node.name); } } function errorNextVariableOrPropertyDeclarationMustHaveSameType(firstDeclaration, firstType, nextDeclaration, nextType) { const nextDeclarationName = getNameOfDeclaration(nextDeclaration); const message = nextDeclaration.kind === 169 || nextDeclaration.kind === 168 ? 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 = error(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 === 166 && right.kind === 257 || left.kind === 257 && right.kind === 166) { return true; } if (hasQuestionToken(left) !== hasQuestionToken(right)) { return false; } const interestingFlags = 8 | 16 | 512 | 256 | 64 | 32; return getSelectedEffectiveModifierFlags(left, interestingFlags) === getSelectedEffectiveModifierFlags(right, interestingFlags); } function checkVariableDeclaration(node) { var _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.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 checkVariableStatement(node) { if (!checkGrammarModifiers(node) && !checkGrammarVariableDeclarationList(node.declarationList)) checkGrammarForDisallowedLetOrConstStatement(node); forEach(node.declarationList.declarations, checkSourceElement); } function checkExpressionStatement(node) { checkGrammarStatementInAmbientContext(node); checkExpression(node.expression); } function checkIfStatement(node) { checkGrammarStatementInAmbientContext(node); const type = checkTruthinessExpression(node.expression); checkTestingKnownTruthyCallableOrAwaitableType(node.expression, type, node.thenStatement); checkSourceElement(node.thenStatement); if (node.thenStatement.kind === 239) { error(node.thenStatement, Diagnostics.The_body_of_an_if_statement_cannot_be_the_empty_statement); } checkSourceElement(node.elseStatement); } function checkTestingKnownTruthyCallableOrAwaitableType(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 === 56 || condExpr2.operatorToken.kind === 60)) { 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); const isPropertyExpressionCast = isPropertyAccessExpression(location) && isTypeAssertion(location.expression); if (!(getTypeFacts(type) & 4194304) || isPropertyExpressionCast) return; const callSignatures = getSignaturesOfType(type, 0); 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, true, Diagnostics.This_condition_will_always_return_true_since_this_0_is_always_defined, getTypeNameForErrorDisplay(type)); } else { error(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 === 108 && childExpression.kind === 108) { 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 (isCallExpression(testedExpression) && isCallExpression(childExpression)) { childExpression = childExpression.expression; testedExpression = testedExpression.expression; } else { return false; } } } } return forEachChild(childNode, check); }); } function isSymbolUsedInBinaryExpressionChain(node, testedSymbol) { while (isBinaryExpression(node) && node.operatorToken.kind === 55) { 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) { error(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 === 258) { checkGrammarVariableDeclarationList(node.initializer); } } if (node.initializer) { if (node.initializer.kind === 258) { forEach(node.initializer.declarations, checkVariableDeclaration); } 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 < 99) { checkExternalEmitHelpers(node, 16384); } } } else if (compilerOptions.downlevelIteration && languageVersion < 2) { checkExternalEmitHelpers(node, 256); } if (node.initializer.kind === 258) { checkForInOrForOfVariableDeclaration(node); } else { const varExpr = node.initializer; const iteratedType = checkRightHandSideOfForOf(node); if (varExpr.kind === 206 || varExpr.kind === 207) { 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 === 258) { const variable = node.initializer.declarations[0]; if (variable && isBindingPattern(variable.name)) { error(variable.name, Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern); } checkForInOrForOfVariableDeclaration(node); } else { const varExpr = node.initializer; const leftType = checkExpression(varExpr); if (varExpr.kind === 206 || varExpr.kind === 207) { error(varExpr, Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern); } else if (!isTypeAssignableTo(getIndexTypeOrString(rightType), leftType)) { error(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 === neverType || !isTypeAssignableToKind(rightType, 67108864 | 58982400)) { error(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 checkForInOrForOfVariableDeclaration(iterationStatement) { const variableDeclarationList = iterationStatement.initializer; if (variableDeclarationList.declarations.length >= 1) { const decl = variableDeclarationList.declarations[0]; checkVariableDeclaration(decl); } } function checkRightHandSideOfForOf(statement) { const use = statement.awaitModifier ? 15 : 13; return checkIteratedTypeOrElementType(use, checkNonNullExpression(statement.expression), undefinedType, statement.expression); } function checkIteratedTypeOrElementType(use, inputType, sentType, errorNode) { if (isTypeAny(inputType)) { return inputType; } return getIteratedTypeOrElementType(use, inputType, sentType, errorNode, true) || anyType; } function getIteratedTypeOrElementType(use, inputType, sentType, errorNode, checkAssignability) { const allowAsyncIterables = (use & 2) !== 0; if (inputType === neverType) { 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 arrayType = inputType; let reportedError = false; let hasStringConstituent = false; if (use & 4) { if (arrayType.flags & 1048576) { const arrayTypes = inputType.types; const filteredTypes = filter(arrayTypes, (t) => !(t.flags & 402653316)); if (filteredTypes !== arrayTypes) { arrayType = getUnionType(filteredTypes, 2); } } else if (arrayType.flags & 402653316) { arrayType = neverType; } hasStringConstituent = arrayType !== inputType; if (hasStringConstituent) { if (languageVersion < 1) { if (errorNode) { error(errorNode, Diagnostics.Using_a_string_in_a_for_of_statement_is_only_supported_in_ECMAScript_5_and_higher); reportedError = true; } } if (arrayType.flags & 131072) { return possibleOutOfBounds ? includeUndefinedInIndexSignature(stringType) : stringType; } } } if (!isArrayLikeType(arrayType)) { if (errorNode && !reportedError) { const allowsStrings = !!(use & 4) && !hasStringConstituent; const [defaultDiagnostic, maybeMissingAwait] = getIterationDiagnosticDetails(allowsStrings, downlevelIteration); errorAndMaybeSuggestAwait(errorNode, maybeMissingAwait && !!getAwaitedTypeOfPromise(arrayType), defaultDiagnostic, typeToString(arrayType)); } return hasStringConstituent ? possibleOutOfBounds ? includeUndefinedInIndexSignature(stringType) : stringType : void 0; } const arrayElementType = getIndexTypeOfType(arrayType, numberType); if (hasStringConstituent && arrayElementType) { if (arrayElementType.flags & 402653316 && !compilerOptions.noUncheckedIndexedAccess) { return stringType; } return getUnionType(possibleOutOfBounds ? [arrayElementType, stringType, undefinedType] : [arrayElementType, stringType], 2); } return use & 128 ? includeUndefinedInIndexSignature(arrayElementType) : arrayElementType; function getIterationDiagnosticDetails(allowsStrings, downlevelIteration2) { var _a2; 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, 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((_a2 = inputType.symbol) == null ? void 0 : _a2.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 = neverType, returnType = neverType, nextType = unknownType) { 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 _a2, _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 ((_a2 = errorOutputContainer == null ? void 0 : errorOutputContainer.errors) == null ? void 0 : _a2.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(true); } return createIterationTypes(getAwaitedType(yieldType, errorNode) || anyType, getAwaitedType(returnType, errorNode) || anyType, 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, void 0, void 0, false); return globalIterationTypes === noIterationTypes ? defaultIterationTypes : globalIterationTypes; } function getIterationTypesOfIterableFast(type, resolver) { let globalType; if (isReferenceToType2(type, globalType = resolver.getGlobalIterableType(false)) || isReferenceToType2(type, globalType = resolver.getGlobalIterableIteratorType(false))) { const [yieldType] = getTypeArguments(type); const { returnType, nextType } = getIterationTypesOfGlobalIterableType(globalType, resolver); return setCachedIterationTypes(type, resolver.iterableCacheKey, createIterationTypes(resolver.resolveIterationType(yieldType, void 0) || yieldType, resolver.resolveIterationType(returnType, void 0) || returnType, nextType)); } if (isReferenceToType2(type, resolver.getGlobalGeneratorType(false))) { const [yieldType, returnType, nextType] = getTypeArguments(type); return setCachedIterationTypes(type, resolver.iterableCacheKey, createIterationTypes(resolver.resolveIterationType(yieldType, void 0) || yieldType, resolver.resolveIterationType(returnType, void 0) || returnType, nextType)); } } function getPropertyNameForKnownSymbolName(symbolName2) { const ctorType = getGlobalESSymbolConstructorSymbol(false); const uniqueType = ctorType && getTypeOfPropertyOfType(getTypeOfSymbol(ctorType), escapeLeadingUnderscores(symbolName2)); return uniqueType && isTypeUsableAsPropertyName(uniqueType) ? getPropertyNameFromType(uniqueType) : `__@${symbolName2}`; } function getIterationTypesOfIterableSlow(type, resolver, errorNode, errorOutputContainer, noCache) { var _a2; 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) : void 0; if (!some(signatures)) { return noCache ? noIterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, noIterationTypes); } const iteratorType = getIntersectionType(map(signatures, getReturnTypeOfSignature)); const iterationTypes = (_a2 = getIterationTypesOfIteratorWorker(iteratorType, resolver, errorNode, errorOutputContainer, noCache)) != null ? _a2 : 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 = !!getAwaitedTypeOfPromise(type) || !allowAsyncIterables && isForOfStatement(errorNode.parent) && errorNode.parent.expression === errorNode && getGlobalAsyncIterableType(false) !== emptyGenericType && isTypeAssignableTo(type, getGlobalAsyncIterableType(false)); return errorAndMaybeSuggestAwait(errorNode, suggestAwait, message, typeToString(type)); } function getIterationTypesOfIterator(type, resolver, errorNode, errorOutputContainer) { return getIterationTypesOfIteratorWorker(type, resolver, errorNode, errorOutputContainer, 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 != null ? 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(false); if (isReferenceToType2(type, globalType)) { const [yieldType] = getTypeArguments(type); const globalIterationTypes = getIterationTypesOfIteratorCached(globalType, resolver) || getIterationTypesOfIteratorSlow(globalType, resolver, void 0, void 0, false); const { returnType, nextType } = globalIterationTypes === noIterationTypes ? defaultIterationTypes : globalIterationTypes; return setCachedIterationTypes(type, resolver.iteratorCacheKey, createIterationTypes(yieldType, returnType, nextType)); } if (isReferenceToType2(type, resolver.getGlobalIteratorType(false)) || isReferenceToType2(type, resolver.getGlobalGeneratorType(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); } function isReturnIteratorResult(type) { return isIteratorResult(type, 1); } function getIterationTypesOfIteratorResult(type) { if (isTypeAny(type)) { return anyIterationTypes; } const cachedTypes2 = getCachedIterationTypes(type, "iterationTypesOfIteratorResult"); if (cachedTypes2) { return cachedTypes2; } if (isReferenceToType2(type, getGlobalIteratorYieldResultType(false))) { const yieldType2 = getTypeArguments(type)[0]; return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes(yieldType2, void 0, void 0)); } if (isReferenceToType2(type, getGlobalIteratorReturnResultType(false))) { const returnType2 = getTypeArguments(type)[0]; return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes(void 0, returnType2, void 0)); } const yieldIteratorResult = filterType(type, isYieldIteratorResult); const yieldType = yieldIteratorResult !== neverType ? getTypeOfPropertyOfType(yieldIteratorResult, "value") : void 0; const returnIteratorResult = filterType(type, isReturnIteratorResult); const returnType = returnIteratorResult !== neverType ? getTypeOfPropertyOfType(returnIteratorResult, "value") : void 0; if (!yieldType && !returnType) { return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", noIterationTypes); } return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes(yieldType, returnType || voidType, void 0)); } function getIterationTypesOfMethod(type, resolver, methodName, errorNode, errorOutputContainer) { var _a2, _b, _c, _d, _e, _f; 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) : void 0; if (isTypeAny(methodType)) { return methodName === "next" ? anyIterationTypes : anyIterationTypesExceptNext; } const methodSignatures = methodType ? getSignaturesOfType(methodType, 0) : emptyArray; if (methodSignatures.length === 0) { if (errorNode) { const diagnostic = methodName === "next" ? resolver.mustHaveANextMethodDiagnostic : resolver.mustBeAMethodDiagnostic; if (errorOutputContainer) { (_a2 = errorOutputContainer.errors) != null ? _a2 : errorOutputContainer.errors = []; errorOutputContainer.errors.push(createDiagnosticForNode(errorNode, diagnostic, methodName)); } else { error(errorNode, diagnostic, methodName); } } return methodName === "next" ? noIterationTypes : void 0; } if ((methodType == null ? void 0 : methodType.symbol) && methodSignatures.length === 1) { const globalGeneratorType = resolver.getGlobalGeneratorType(false); const globalIteratorType = resolver.getGlobalIteratorType(false); const isGeneratorMethod = ((_c = (_b = globalGeneratorType.symbol) == null ? void 0 : _b.members) == null ? void 0 : _c.get(methodName)) === methodType.symbol; const isIteratorMethod = !isGeneratorMethod && ((_e = (_d = globalIteratorType.symbol) == null ? void 0 : _d.members) == null ? void 0 : _e.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) : unknownType; if (methodName === "next") { nextType = methodParameterType; } else if (methodName === "return") { const resolvedMethodParameterType = resolver.resolveIterationType(methodParameterType, errorNode) || anyType; returnTypes = append(returnTypes, resolvedMethodParameterType); } } let yieldType; const methodReturnType = methodReturnTypes ? getIntersectionType(methodReturnTypes) : neverType; const resolvedMethodReturnType = resolver.resolveIterationType(methodReturnType, errorNode) || anyType; const iterationTypes = getIterationTypesOfIteratorResult(resolvedMethodReturnType); if (iterationTypes === noIterationTypes) { if (errorNode) { if (errorOutputContainer) { (_f = errorOutputContainer.errors) != null ? _f : errorOutputContainer.errors = []; errorOutputContainer.errors.push(createDiagnosticForNode(errorNode, resolver.mustHaveAValueDiagnostic, methodName)); } else { error(errorNode, resolver.mustHaveAValueDiagnostic, methodName); } } yieldType = anyType; returnTypes = append(returnTypes, anyType); } 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, void 0) || getIterationTypesOfIterator(type, resolver, void 0, void 0); } function checkBreakOrContinueStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) checkGrammarBreakOrContinueStatement(node); } function unwrapReturnType(returnType, functionFlags) { const isGenerator = !!(functionFlags & 1); const isAsync = !!(functionFlags & 2); if (isGenerator) { const returnIterationType = getIterationTypeOfGeneratorFunctionReturnType(1, returnType, isAsync); if (!returnIterationType) { return errorType; } return isAsync ? getAwaitedTypeNoAlias(unwrapAwaitedType(returnIterationType)) : returnIterationType; } return isAsync ? getAwaitedTypeNoAlias(returnType) || errorType : returnType; } function isUnwrappedReturnTypeVoidOrAny(func, returnType) { const unwrappedReturnType = unwrapReturnType(returnType, getFunctionFlags(func)); return !!unwrappedReturnType && maybeTypeOfKind(unwrappedReturnType, 16384 | 3); } function checkReturnStatement(node) { var _a2; 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) : undefinedType; if (container.kind === 175) { if (node.expression) { error(node, Diagnostics.Setters_cannot_return_a_value); } } else if (container.kind === 173) { if (node.expression && !checkTypeAssignableToAndOptionallyElaborate(exprType, returnType, node, node.expression)) { error(node, Diagnostics.Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class); } } else if (getReturnTypeFromAnnotation(container)) { const unwrappedReturnType = (_a2 = unwrapReturnType(returnType, functionFlags)) != null ? _a2 : returnType; const unwrappedExprType = functionFlags & 2 ? checkAwaitedType(exprType, 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 !== 173 && compilerOptions.noImplicitReturns && !isUnwrappedReturnTypeVoidOrAny(container, returnType)) { error(node, Diagnostics.Not_all_code_paths_return_a_value); } } function checkWithStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) { if (node.flags & 32768) { 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 === 293 && !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 === 292) { addLazyDiagnostic(createLazyCaseClauseDiagnostics(clause)); } forEach(clause.statements, checkSourceElement); if (compilerOptions.noFallthroughCasesInSwitch && clause.fallthroughFlowNode && isReachableFlowNode(clause.fallthroughFlowNode)) { error(clause, Diagnostics.Fallthrough_case_in_switch); } function createLazyCaseClauseDiagnostics(clause2) { return () => { const caseType = checkExpression(clause2.expression); if (!isTypeEqualityComparableTo(expressionType, caseType)) { checkTypeComparableTo(caseType, expressionType, clause2.expression, 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 === 253 && 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, 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, 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, 261) : void 0; const propDeclaration = declaration && declaration.kind === 223 || name && name.kind === 164 ? 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, symbolToString(prop), typeToString(propType), typeToString(info.keyType), typeToString(info.type)); if (propDeclaration && errorNode !== propDeclaration) { addRelatedInfo(diagnostic, createDiagnosticForNode(propDeclaration, Diagnostics._0_is_declared_here, symbolToString(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, 261) : 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)) { error(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": error(name, message, name.escapedText); } } function checkClassNameCollisionWithObject(name) { if (languageVersion >= 1 && name.escapedText === "Object" && (moduleKind < 5 || getSourceFileOfNode(name).impliedNodeFormat === 1)) { error(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))) { error(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) { error(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) { error(node, Diagnostics.Required_type_parameters_may_not_follow_optional_type_parameters); } for (let j = 0; j < i; j++) { if (typeParameterDeclarations[j].symbol === node.symbol) { error(node.name, Diagnostics.Duplicate_identifier_0, declarationNameToString(node.name)); } } }; } } function checkTypeParametersNotReferenced(root, typeParameters, index) { visit(root); function visit(node) { if (node.kind === 180) { const type = getTypeFromTypeReference(node); if (type.flags & 262144) { for (let i = index; i < typeParameters.length; i++) { if (type.symbol === getSymbolOfDeclaration(typeParameters[i])) { error(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 = symbolToString(symbol); for (const declaration of declarations) { error(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) { var _a2; const willTransformStaticElementsOfDecoratedClass = !legacyDecorators && languageVersion < 99 && classOrConstructorParameterIsDecorated(false, node); const willTransformPrivateElementsOrClassStaticBlocks = languageVersion <= 9; const willTransformInitializers = !useDefineForClassFields || languageVersion < 9; if (willTransformStaticElementsOfDecoratedClass || willTransformPrivateElementsOrClassStaticBlocks) { for (const member of node.members) { if (willTransformStaticElementsOfDecoratedClass && classElementOrClassElementParameterIsDecorated(false, member, node)) { return (_a2 = firstOrUndefined(getDecorators(node))) != null ? _a2 : node; } else if (willTransformPrivateElementsOrClassStaticBlocks) { if (isClassStaticBlockDeclaration(member)) { return member; } else if (isStatic(member)) { if (isPrivateIdentifierClassElementDeclaration(member) || willTransformInitializers && isInitializedProperty(member)) { return member; } } } } } } function checkClassExpressionExternalHelpers(node) { var _a2; if (node.name) return; const parent2 = walkUpOuterExpressions(node); if (!isNamedEvaluationSource(parent2)) return; const willTransformESDecorators = !legacyDecorators && languageVersion < 99; let location; if (willTransformESDecorators && classOrConstructorParameterIsDecorated(false, node)) { location = (_a2 = firstOrUndefined(getDecorators(node))) != null ? _a2 : node; } else { location = getFirstTransformableStaticClassElement(node); } if (location) { checkExternalEmitHelpers(location, 8388608); if ((isPropertyAssignment(parent2) || isPropertyDeclaration(parent2) || isBindingElement(parent2)) && isComputedPropertyName(parent2.name)) { checkExternalEmitHelpers(location, 16777216); } } } 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, 1024)) { 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 & 16777216); if (!nodeInAmbientContext) { checkClassForStaticPropertyNameConflicts(node); } const baseTypeNode = getEffectiveBaseTypeNode(node); if (baseTypeNode) { forEach(baseTypeNode.typeArguments, checkSourceElement); if (languageVersion < 2) { checkExternalEmitHelpers(baseTypeNode.parent, 1); } 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, 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)) { error(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); if (constructSignatures.some((signature) => signature.flags & 4) && !hasSyntacticModifier(node, 256)) { error(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))) { error(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)) { error(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, 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, void 0)) { issueMemberSpecificError(node, typeWithThis, baseWithThis, genericDiag); } } else { error(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, true); } }); } checkExistingMemberForOverrideModifier(node, staticType, baseStaticType, baseWithThis, type, typeWithThis, member, 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 & 16777216); 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 ? error(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, symbolToString(suggestion)) : error(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; error(errorNode, diag2, baseClassName); } return 1; } else if (memberHasAbstractModifier && baseHasAbstract) { if (errorNode) { error(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); error(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(void 0, Diagnostics.Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2, symbolToString(declaredProp), typeToString(typeWithThis), typeToString(baseWithThis)); if (!checkTypeAssignableTo(getTypeOfSymbol(prop), getTypeOfSymbol(baseProp), member.name || member, void 0, rootChain)) { issuedMemberError = true; } } } } if (!issuedMemberError) { checkTypeAssignableTo(typeWithThis, baseWithThis, node.name || node, broadDiag); } } function checkBaseTypeAccessibility(type, node) { const signatures = getSignaturesOfType(type, 1); if (signatures.length) { const declaration = signatures[0].declaration; if (declaration && hasEffectiveModifier(declaration, 8)) { const typeClassDeclaration = getClassLikeDeclarationOfSymbol(type.symbol); if (!isNodeWithinClass(node, typeClassDeclaration)) { error(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, 16384); return checkMemberForOverrideModifier(node, staticType, baseStaticType, baseWithThis, type, typeWithThis, memberHasOverrideModifier, hasAbstractModifier(member), isStatic(member), false, symbolName(memberSymbol)); } function getTargetSymbol(s) { return getCheckFlags(s) & 1 ? s.links.target : s; } function getClassOrInterfaceDeclarationsOfSymbol(symbol) { return filter(symbol.declarations, (d) => d.kind === 260 || d.kind === 261); } function checkKindsOfPropertyMemberOverrides(type, baseType) { var _a2, _b, _c, _d; const baseProperties = getPropertiesOfType(baseType); 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 & 256 && (!derivedClassDecl || !hasSyntacticModifier(derivedClassDecl, 256))) { 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; } } if (derivedClassDecl.kind === 228) { error(derivedClassDecl, Diagnostics.Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1, symbolToString(baseProperty), typeToString(baseType)); } else { error(derivedClassDecl, Diagnostics.Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2, typeToString(type), symbolToString(baseProperty), typeToString(baseType)); } } } else { const derivedDeclarationFlags = getDeclarationModifierFlagsFromSymbol(derived); if (baseDeclarationFlags & 8 || derivedDeclarationFlags & 8) { continue; } let errorMessage; const basePropertyFlags = base.flags & 98308; const derivedPropertyFlags = derived.flags & 98308; if (basePropertyFlags && derivedPropertyFlags) { if ((getCheckFlags(base) & 6 ? (_a2 = base.declarations) == null ? void 0 : _a2.some((d) => isPropertyAbstractOrInterface(d, baseDeclarationFlags)) : (_b = base.declarations) == null ? void 0 : _b.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; error(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage2, symbolToString(base), typeToString(baseType), typeToString(type)); } else if (useDefineForClassFields) { const uninitialized = (_c = derived.declarations) == null ? void 0 : _c.find((d) => d.kind === 169 && !d.initializer); if (uninitialized && !(derived.flags & 33554432) && !(baseDeclarationFlags & 256) && !(derivedDeclarationFlags & 256) && !((_d = derived.declarations) == null ? void 0 : _d.some((d) => !!(d.flags & 16777216)))) { 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; error(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage2, symbolToString(base), typeToString(baseType)); } } } continue; } else if (isPrototypeProperty(base)) { if (isPrototypeProperty(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; } error(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage, typeToString(baseType), symbolToString(base), typeToString(type)); } } } function isPropertyAbstractOrInterface(declaration, baseDeclarationFlags) { return baseDeclarationFlags & 256 && (!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(void 0, Diagnostics.Named_property_0_of_types_1_and_2_are_not_identical, symbolToString(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 & 16777216) { return; } const constructor = findConstructorDeclaration(node); for (const member of node.members) { if (getEffectiveModifierFlags(member) & 2) { 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)) { error(member.name, Diagnostics.Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor, declarationNameToString(propName)); } } } } } } function isPropertyWithoutInitializer(node) { return node.kind === 169 && !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, 261); 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)) { error(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 === 139) { if (!intrinsicTypeKinds.has(node.name.escapedText) || length(node.typeParameters) !== 1) { error(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; for (const member of node.members) { const value = computeMemberValue(member, autoValue); getNodeLinks(member).enumMemberValue = value; autoValue = typeof value === "number" ? value + 1 : void 0; } } } function computeMemberValue(member, autoValue) { if (isComputedNonLiteralName(member.name)) { error(member.name, Diagnostics.Computed_property_names_are_not_allowed_in_enums); } else { const text = getTextOfPropertyName(member.name); if (isNumericLiteralName(text) && !isInfinityOrNaNString(text)) { error(member.name, Diagnostics.An_enum_member_cannot_have_a_numeric_name); } } if (member.initializer) { return computeConstantValue(member); } if (member.parent.flags & 16777216 && !isEnumConst(member.parent)) { return void 0; } if (autoValue !== void 0) { return autoValue; } error(member.name, Diagnostics.Enum_member_must_have_initializer); return void 0; } function computeConstantValue(member) { const isConstEnum = isEnumConst(member.parent); const initializer = member.initializer; const value = evaluate(initializer, member); if (value !== void 0) { if (isConstEnum && typeof value === "number" && !isFinite(value)) { error(initializer, isNaN(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 (isConstEnum) { error(initializer, Diagnostics.const_enum_member_initializers_must_be_constant_expressions); } else if (member.parent.flags & 16777216) { error(initializer, Diagnostics.In_ambient_enum_declarations_member_initializer_must_be_constant_expression); } else { checkTypeAssignableTo(checkExpression(initializer), numberType, initializer, Diagnostics.Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values); } return value; } function evaluate(expr, location) { switch (expr.kind) { case 221: const value = evaluate(expr.operand, location); if (typeof value === "number") { switch (expr.operator) { case 39: return value; case 40: return -value; case 54: return ~value; } } break; case 223: const left = evaluate(expr.left, location); const right = evaluate(expr.right, location); if (typeof left === "number" && typeof right === "number") { switch (expr.operatorToken.kind) { case 51: return left | right; case 50: return left & right; case 48: return left >> right; case 49: return left >>> right; case 47: return left << right; case 52: return left ^ right; case 41: return left * right; case 43: return left / right; case 39: return left + right; case 40: return left - right; case 44: return left % right; case 42: return left ** right; } } else if ((typeof left === "string" || typeof left === "number") && (typeof right === "string" || typeof right === "number") && expr.operatorToken.kind === 39) { return "" + left + right; } break; case 10: case 14: return expr.text; case 225: return evaluateTemplateExpression(expr, location); case 8: checkGrammarNumericLiteral(expr); return +expr.text; case 214: return evaluate(expr.expression, location); case 79: if (isInfinityOrNaNString(expr.escapedText)) { return +expr.escapedText; } case 208: if (isEntityNameExpression(expr)) { const symbol = resolveEntityName(expr, 111551, true); if (symbol) { if (symbol.flags & 8) { return evaluateEnumMember(expr, symbol, location); } if (isConstVariable(symbol)) { const declaration = symbol.valueDeclaration; if (declaration && !declaration.type && declaration.initializer && declaration !== location && isBlockScopedNameDeclaredBeforeUse(declaration, location)) { return evaluate(declaration.initializer, declaration); } } } } break; case 209: const root = expr.expression; if (isEntityNameExpression(root) && isStringLiteralLike(expr.argumentExpression)) { const rootSymbol = resolveEntityName(root, 111551, true); if (rootSymbol && rootSymbol.flags & 384) { const name = escapeLeadingUnderscores(expr.argumentExpression.text); const member = rootSymbol.exports.get(name); if (member) { return evaluateEnumMember(expr, member, location); } } } break; } return void 0; } function evaluateEnumMember(expr, symbol, location) { const declaration = symbol.valueDeclaration; if (!declaration || declaration === location) { error(expr, Diagnostics.Property_0_is_used_before_being_assigned, symbolToString(symbol)); return void 0; } if (!isBlockScopedNameDeclaredBeforeUse(declaration, location)) { error(expr, Diagnostics.A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_members_defined_in_other_enums); return 0; } return getEnumMemberValue(declaration); } function evaluateTemplateExpression(expr, location) { let result = expr.head.text; for (const span of expr.templateSpans) { const value = evaluate(span.expression, location); if (value === void 0) { return void 0; } result += value; result += span.literal.text; } return result; } 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) { error(getNameOfDeclaration(decl), Diagnostics.Enum_declarations_must_all_be_const_or_non_const); } }); } let seenEnumMissingInitialInitializer = false; forEach(enumSymbol.declarations, (declaration) => { if (declaration.kind !== 263) { return false; } const enumDeclaration = declaration; if (!enumDeclaration.members.length) { return false; } const firstEnumMember = enumDeclaration.members[0]; if (!firstEnumMember.initializer) { if (seenEnumMissingInitialInitializer) { error(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)) { error(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 === 260 || declaration.kind === 259 && nodeIsPresent(declaration.body)) && !(declaration.flags & 16777216)) { 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 _a2, _b; const isGlobalAugmentation = isGlobalScopeAugmentation(node); const inAmbientContext = node.flags & 16777216; if (isGlobalAugmentation && !inAmbientContext) { error(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 === 10) { 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) { error(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 (((_a2 = symbol.declarations) == null ? void 0 : _a2.length) > 1) { const firstNonAmbientClassOrFunc = getFirstNonAmbientClassOrFunctionDeclaration(symbol); if (firstNonAmbientClassOrFunc) { if (getSourceFileOfNode(node) !== getSourceFileOfNode(firstNonAmbientClassOrFunc)) { error(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) { error(node.name, Diagnostics.A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged); } } const mergedClass = getDeclarationOfKind(symbol, 260); if (mergedClass && inSameLexicalScope(node, mergedClass)) { getNodeLinks(node).flags |= 2048; } } if (compilerOptions.verbatimModuleSyntax && node.parent.kind === 308 && (moduleKind === 1 || node.parent.impliedNodeFormat === 1)) { const exportModifier = (_b = node.modifiers) == null ? void 0 : _b.find((m) => m.kind === 93); if (exportModifier) { error(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) { error(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))) { error(node.name, Diagnostics.Ambient_module_declaration_cannot_specify_relative_module_name); } } else { if (isGlobalAugmentation) { error(node.name, Diagnostics.Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations); } else { error(node.name, Diagnostics.Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces); } } } } } function checkModuleAugmentationElement(node, isGlobalAugmentation) { switch (node.kind) { case 240: for (const decl of node.declarationList.declarations) { checkModuleAugmentationElement(decl, isGlobalAugmentation); } break; case 274: case 275: grammarErrorOnFirstToken(node, Diagnostics.Exports_and_export_assignments_are_not_permitted_in_module_augmentations); break; case 268: case 269: grammarErrorOnFirstToken(node, Diagnostics.Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_module); break; case 205: case 257: const name = node.name; if (isBindingPattern(name)) { for (const el of name.elements) { checkModuleAugmentationElement(el, isGlobalAugmentation); } break; } case 260: case 263: case 259: case 261: case 264: case 262: if (isGlobalAugmentation) { return; } break; } } function getFirstNonModuleExportsIdentifier(node) { switch (node.kind) { case 79: return node; case 163: do { node = node.left; } while (node.kind !== 79); return node; case 208: do { if (isModuleExportsAccessExpression(node.expression) && !isPrivateIdentifier(node.name)) { return node.name; } node = node.expression; } while (node.kind !== 79); return node; } } function checkExternalImportOrExportDeclaration(node) { const moduleName = getExternalModuleName(node); if (!moduleName || nodeIsMissing(moduleName)) { return false; } if (!isStringLiteral(moduleName)) { error(moduleName, Diagnostics.String_literal_expected); return false; } const inAmbientExternalModule = node.parent.kind === 265 && isAmbientModule(node.parent.parent); if (node.parent.kind !== 308 && !inAmbientExternalModule) { error(moduleName, node.kind === 275 ? 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)) { error(node, Diagnostics.Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relative_module_name); return false; } } if (!isImportEqualsDeclaration(node) && node.assertClause) { let hasError = false; for (const clause of node.assertClause.elements) { if (!isStringLiteral(clause.value)) { hasError = true; error(clause.value, Diagnostics.Import_assertion_values_must_be_string_literal_expressions); } } return !hasError; } return true; } function checkAliasSymbol(node) { var _a2, _b, _c, _d, _e; 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 !== 277); if (node.kind === 278) { const diag2 = error(errorNode, Diagnostics.Types_cannot_appear_in_export_declarations_in_JavaScript_files); const alreadyExportedSymbol = (_b = (_a2 = getSourceFileOfNode(node).symbol) == null ? void 0 : _a2.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 !== 257); const importDeclaration = findAncestor(node, or(isImportDeclaration, isImportEqualsDeclaration)); const moduleSpecifier = (_e = importDeclaration && ((_d = tryGetModuleSpecifierFromDeclaration(importDeclaration)) == null ? void 0 : _d.text)) != null ? _e : "..."; const importedIdentifier = unescapeLeadingUnderscores(isIdentifier(errorNode) ? errorNode.escapedText : symbol.escapedName); error(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 = getAllSymbolFlags(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 === 278 ? Diagnostics.Export_declaration_conflicts_with_exported_declaration_of_0 : Diagnostics.Import_declaration_conflicts_with_local_declaration_of_0; error(node, message, symbolToString(symbol)); } if (getIsolatedModules(compilerOptions) && !isTypeOnlyImportOrExportDeclaration(node) && !(node.flags & 16777216)) { const typeOnlyAlias = getTypeOnlyAliasDeclaration(symbol); const isType = !(targetFlags & 111551); if (isType || typeOnlyAlias) { switch (node.kind) { case 270: case 273: case 268: { if (compilerOptions.preserveValueImports || 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 ? compilerOptions.verbatimModuleSyntax ? Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled : Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_preserveValueImports_and_isolatedModules_are_both_enabled : compilerOptions.verbatimModuleSyntax ? Diagnostics._0_resolves_to_a_type_only_declaration_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_preserveValueImports_and_isolatedModules_are_both_enabled; const name = idText(node.kind === 273 ? node.propertyName || node.name : node.name); addTypeOnlyDeclarationRelatedInfo(error(node, message, name), isType ? void 0 : typeOnlyAlias, name); } if (isType && node.kind === 268 && hasEffectiveModifier(node, 1)) { error(node, Diagnostics.Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled, isolatedModulesLikeFlagName); } break; } case 278: { if (compilerOptions.verbatimModuleSyntax || getSourceFileOfNode(typeOnlyAlias) !== getSourceFileOfNode(node)) { const name = idText(node.propertyName || node.name); const diagnostic = isType ? error(node, Diagnostics.Re_exporting_a_type_when_0_is_enabled_requires_using_export_type, isolatedModulesLikeFlagName) : error(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 !== 268 && !isInJSFile(node) && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1)) { error(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } } if (isImportSpecifier(node)) { const targetSymbol = checkDeprecatedAliasedSymbol(symbol, node); if (isDeprecatedAliasedSymbol(targetSymbol) && targetSymbol.declarations) { addDeprecatedSuggestion(node, targetSymbol.declarations, targetSymbol.escapedName); } } } } function isDeprecatedAliasedSymbol(symbol) { return !!symbol.declarations && every(symbol.declarations, (d) => !!(getCombinedNodeFlags(d) & 268435456)); } function checkDeprecatedAliasedSymbol(symbol, location) { if (!(symbol.flags & 2097152)) 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 (isDeprecatedAliasedSymbol(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 === 273 && idText(node.propertyName || node.name) === "default" && getESModuleInterop(compilerOptions) && moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1)) { checkExternalEmitHelpers(node, 131072); } } function checkAssertClause(declaration) { var _a2; if (declaration.assertClause) { const validForTypeAssertions = isExclusivelyTypeOnlyImportOrExport(declaration); const override = getResolutionModeOverrideForClause(declaration.assertClause, validForTypeAssertions ? grammarErrorOnNode : void 0); if (validForTypeAssertions && override) { if (!isNightly()) { grammarErrorOnNode(declaration.assertClause, Diagnostics.resolution_mode_assertions_are_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next); } if (getEmitModuleResolutionKind(compilerOptions) !== 3 && getEmitModuleResolutionKind(compilerOptions) !== 99) { return grammarErrorOnNode(declaration.assertClause, Diagnostics.resolution_mode_assertions_are_only_supported_when_moduleResolution_is_node16_or_nodenext); } return; } const mode = moduleKind === 199 && declaration.moduleSpecifier && getUsageModeForExpression(declaration.moduleSpecifier); if (mode !== 99 && moduleKind !== 99) { return grammarErrorOnNode(declaration.assertClause, moduleKind === 199 ? Diagnostics.Import_assertions_are_not_allowed_on_statements_that_transpile_to_commonjs_require_calls : Diagnostics.Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_or_nodenext); } if (isImportDeclaration(declaration) ? (_a2 = declaration.importClause) == null ? void 0 : _a2.isTypeOnly : declaration.isTypeOnly) { return grammarErrorOnNode(declaration.assertClause, Diagnostics.Import_assertions_cannot_be_used_with_type_only_imports_or_exports); } if (override) { return grammarErrorOnNode(declaration.assertClause, Diagnostics.resolution_mode_can_only_be_set_for_type_only_imports); } } } 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) && hasEffectiveModifiers(node)) { 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 === 271) { checkImportBinding(importClause.namedBindings); if (moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && getESModuleInterop(compilerOptions)) { checkExternalEmitHelpers(node, 65536); } } else { const moduleExisted = resolveExternalModuleName(node, node.moduleSpecifier); if (moduleExisted) { forEach(importClause.namedBindings.elements, checkImportBinding); } } } } } checkAssertClause(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); if (hasSyntacticModifier(node, 1)) { markExportAsReferenced(node); } if (node.moduleReference.kind !== 280) { const target = resolveAlias(getSymbolOfDeclaration(node)); if (target !== unknownSymbol) { const targetFlags = getAllSymbolFlags(target); if (targetFlags & 111551) { const moduleName = getFirstIdentifier(node.moduleReference); if (!(resolveEntityName(moduleName, 111551 | 1920).flags & 1920)) { error(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 && getSourceFileOfNode(node).impliedNodeFormat === void 0 && !node.isTypeOnly && !(node.flags & 16777216)) { 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); } if (node.moduleSpecifier && node.exportClause && isNamedExports(node.exportClause) && length(node.exportClause.elements) && languageVersion === 0) { checkExternalEmitHelpers(node, 4194304); } checkGrammarExportDeclaration(node); if (!node.moduleSpecifier || checkExternalImportOrExportDeclaration(node)) { if (node.exportClause && !isNamespaceExport(node.exportClause)) { forEach(node.exportClause.elements, checkExportSpecifier); const inAmbientExternalModule = node.parent.kind === 265 && isAmbientModule(node.parent.parent); const inAmbientNamespaceDeclaration = !inAmbientExternalModule && node.parent.kind === 265 && !node.moduleSpecifier && node.flags & 16777216; if (node.parent.kind !== 308 && !inAmbientExternalModule && !inAmbientNamespaceDeclaration) { error(node, Diagnostics.Export_declarations_are_not_permitted_in_a_namespace); } } else { const moduleSymbol = resolveExternalModuleName(node, node.moduleSpecifier); if (moduleSymbol && hasExportAssignmentSymbol(moduleSymbol)) { error(node.moduleSpecifier, Diagnostics.Module_0_uses_export_and_cannot_be_used_with_export_Asterisk, symbolToString(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); } } else { checkExternalEmitHelpers(node, 32768); } } } } checkAssertClause(node); } function checkGrammarExportDeclaration(node) { var _a2; if (node.isTypeOnly && ((_a2 = node.exportClause) == null ? void 0 : _a2.kind) === 276) { return checkGrammarNamedImportsOrExports(node.exportClause); } return false; } function checkGrammarModuleElementContext(node, errorMessage) { const isInAppropriateContext = node.parent.kind === 308 || node.parent.kind === 265 || node.parent.kind === 264; if (!isInAppropriateContext) { grammarErrorOnFirstToken(node, errorMessage); } return !isInAppropriateContext; } function importClauseContainsReferencedImport(importClause) { return forEachImportClauseDeclaration(importClause, (declaration) => { return !!getSymbolOfDeclaration(declaration).isReferenced; }); } function importClauseContainsConstEnumUsedAsValue(importClause) { return forEachImportClauseDeclaration(importClause, (declaration) => { return !!getSymbolLinks(getSymbolOfDeclaration(declaration)).constEnumReferenced; }); } function canConvertImportDeclarationToTypeOnly(statement) { return isImportDeclaration(statement) && statement.importClause && !statement.importClause.isTypeOnly && importClauseContainsReferencedImport(statement.importClause) && !isReferencedAliasDeclaration(statement.importClause, true) && !importClauseContainsConstEnumUsedAsValue(statement.importClause); } function canConvertImportEqualsDeclarationToTypeOnly(statement) { return isImportEqualsDeclaration(statement) && isExternalModuleReference(statement.moduleReference) && !statement.isTypeOnly && getSymbolOfDeclaration(statement).isReferenced && !isReferencedAliasDeclaration(statement, false) && !getSymbolLinks(getSymbolOfDeclaration(statement)).constEnumReferenced; } function checkImportsForTypeOnlyConversion(sourceFile) { for (const statement of sourceFile.statements) { if (canConvertImportDeclarationToTypeOnly(statement) || canConvertImportEqualsDeclarationToTypeOnly(statement)) { error(statement, Diagnostics.This_import_is_never_used_as_a_value_and_must_use_import_type_because_importsNotUsedAsValues_is_set_to_error); } } } function checkExportSpecifier(node) { checkAliasSymbol(node); if (getEmitDeclarations(compilerOptions)) { collectLinkedAliases(node.propertyName || node.name, true); } if (!node.parent.parent.moduleSpecifier) { const exportedName = node.propertyName || node.name; const symbol = resolveName(exportedName, exportedName.escapedText, 111551 | 788968 | 1920 | 2097152, void 0, void 0, true); if (symbol && (symbol === undefinedSymbol || symbol === globalThisSymbol || symbol.declarations && isGlobalSourceFile(getDeclarationContainer(symbol.declarations[0])))) { error(exportedName, Diagnostics.Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module, idText(exportedName)); } else { if (!node.isTypeOnly && !node.parent.parent.isTypeOnly) { markExportAsReferenced(node); } const target = symbol && (symbol.flags & 2097152 ? resolveAlias(symbol) : symbol); if (!target || getAllSymbolFlags(target) & 111551) { checkExpressionCached(node.propertyName || node.name); } } } else { if (getESModuleInterop(compilerOptions) && moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && idText(node.propertyName || node.name) === "default") { checkExternalEmitHelpers(node, 131072); } } } 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 === 308 ? node.parent : node.parent.parent; if (container.kind === 264 && !isAmbientModule(container)) { if (node.isExportEquals) { error(node, Diagnostics.An_export_assignment_cannot_be_used_in_a_namespace); } else { error(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 & 16777216) && compilerOptions.verbatimModuleSyntax && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1); if (node.expression.kind === 79) { const id = node.expression; const sym = getExportSymbolOfValueSymbolIfExported(resolveEntityName(id, 67108863, true, true, node)); if (sym) { markAliasReferenced(sym, id); if (getAllSymbolFlags(sym) & 111551) { checkExpressionCached(id); if (!isIllegalExportDefaultInCJS && compilerOptions.verbatimModuleSyntax && getTypeOnlyAliasDeclaration(sym, 111551)) { error(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 && compilerOptions.verbatimModuleSyntax) { error(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)); } } else { checkExpressionCached(id); } if (getEmitDeclarations(compilerOptions)) { collectLinkedAliases(id, true); } } else { checkExpressionCached(node.expression); } if (isIllegalExportDefaultInCJS) { error(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } checkExternalModuleExports(container); if (node.flags & 16777216 && !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 && (node.flags & 16777216 && getSourceFileOfNode(node).impliedNodeFormat === 99 || !(node.flags & 16777216) && 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 & 16777216)) { 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)) { error(declaration, Diagnostics.An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements); } } const exports = getExportsOfModule(moduleSymbol); if (exports) { exports.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 264: case 260: case 261: case 259: cancellationToken.throwIfCancellationRequested(); } } if (kind >= 240 && kind <= 256 && canHaveFlowNode(node) && node.flowNode && !isReachableFlowNode(node.flowNode)) { errorOrSuggestion(compilerOptions.allowUnreachableCode === false, node, Diagnostics.Unreachable_code_detected); } switch (kind) { case 165: return checkTypeParameter(node); case 166: return checkParameter(node); case 169: return checkPropertyDeclaration(node); case 168: return checkPropertySignature(node); case 182: case 181: case 176: case 177: case 178: return checkSignatureDeclaration(node); case 171: case 170: return checkMethodDeclaration(node); case 172: return checkClassStaticBlockDeclaration(node); case 173: return checkConstructorDeclaration(node); case 174: case 175: return checkAccessorDeclaration(node); case 180: return checkTypeReferenceNode(node); case 179: return checkTypePredicate(node); case 183: return checkTypeQuery(node); case 184: return checkTypeLiteral(node); case 185: return checkArrayType(node); case 186: return checkTupleType(node); case 189: case 190: return checkUnionOrIntersectionType(node); case 193: case 187: case 188: return checkSourceElement(node.type); case 194: return checkThisType(node); case 195: return checkTypeOperator(node); case 191: return checkConditionalType(node); case 192: return checkInferType(node); case 200: return checkTemplateLiteralType(node); case 202: return checkImportType(node); case 199: return checkNamedTupleMember(node); case 331: return checkJSDocAugmentsTag(node); case 332: return checkJSDocImplementsTag(node); case 349: case 341: case 343: return checkJSDocTypeAliasTag(node); case 348: return checkJSDocTemplateTag(node); case 347: return checkJSDocTypeTag(node); case 327: case 328: case 329: return checkJSDocLinkLikeTag(node); case 344: return checkJSDocParameterTag(node); case 351: return checkJSDocPropertyTag(node); case 320: checkJSDocFunctionType(node); case 318: case 317: case 315: case 316: case 325: checkJSDocTypeIsInJsFile(node); forEachChild(node, checkSourceElement); return; case 321: checkJSDocVariadicType(node); return; case 312: return checkSourceElement(node.type); case 336: case 338: case 337: return checkJSDocAccessibilityModifiers(node); case 353: return checkJSDocSatisfiesTag(node); case 196: return checkIndexedAccessType(node); case 197: return checkMappedType(node); case 259: return checkFunctionDeclaration(node); case 238: case 265: return checkBlock(node); case 240: return checkVariableStatement(node); case 241: return checkExpressionStatement(node); case 242: return checkIfStatement(node); case 243: return checkDoStatement(node); case 244: return checkWhileStatement(node); case 245: return checkForStatement(node); case 246: return checkForInStatement(node); case 247: return checkForOfStatement(node); case 248: case 249: return checkBreakOrContinueStatement(node); case 250: return checkReturnStatement(node); case 251: return checkWithStatement(node); case 252: return checkSwitchStatement(node); case 253: return checkLabeledStatement(node); case 254: return checkThrowStatement(node); case 255: return checkTryStatement(node); case 257: return checkVariableDeclaration(node); case 205: return checkBindingElement(node); case 260: return checkClassDeclaration(node); case 261: return checkInterfaceDeclaration(node); case 262: return checkTypeAliasDeclaration(node); case 263: return checkEnumDeclaration(node); case 264: return checkModuleDeclaration(node); case 269: return checkImportDeclaration(node); case 268: return checkImportEqualsDeclaration(node); case 275: return checkExportDeclaration(node); case 274: return checkExportAssignment(node); case 239: case 256: checkGrammarStatementInAmbientContext(node); return; case 279: return checkMissingDeclaration(node); } } function checkJSDocCommentWorker(node) { if (isArray(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) ? 53 : 57); 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 === neverType || type === voidType) ? getUnionType(append([type, undefinedType], node.postfix ? void 0 : nullType)) : 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) { error(node, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list); } return; } if (!isJSDocTypeExpression(parent2)) { error(node, Diagnostics.JSDoc_may_only_appear_in_the_last_parameter_of_a_signature); } const paramTag = node.parent.parent; if (!isJSDocParameterTag(paramTag)) { error(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) { error(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 _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.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 210: case 211: case 212: case 167: case 283: resolveUntypedCall(node); break; case 215: case 216: case 171: case 170: checkFunctionExpressionOrObjectLiteralMethodDeferred(node); break; case 174: case 175: checkAccessorDeclaration(node); break; case 228: checkClassExpressionDeferred(node); break; case 165: checkTypeParameterDeferred(node); break; case 282: checkJsxSelfClosingElementDeferred(node); break; case 281: checkJsxElementDeferred(node); break; } currentNode = saveCurrentNode; (_b = tracing) == null ? void 0 : _b.pop(); } function checkSourceFile(node) { var _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Check, "checkSourceFile", { path: node.path }, 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 & 16777216))) { diagnostics.add(diag2); } }); } if (!node.isDeclarationFile) { checkPotentialUncheckedRenamedBindingElementsInTypes(); } }); if (compilerOptions.importsNotUsedAsValues === 2 && !node.isDeclarationFile && isExternalModule(node)) { checkImportsForTypeOnlyConversion(node); } 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 & 33554432) { return []; } const symbols = createSymbolTable(); let isStaticSymbol = false; populateSymbols(); symbols.delete("this"); return symbolsToArray(symbols); function populateSymbols() { while (location) { if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) { copySymbols(location.locals, meaning); } switch (location.kind) { case 308: if (!isExternalModule(location)) break; case 264: copyLocallyVisibleExportSymbols(getSymbolOfDeclaration(location).exports, meaning & 2623475); break; case 263: copySymbols(getSymbolOfDeclaration(location).exports, meaning & 8); break; case 228: const className = location.name; if (className) { copySymbol(location.symbol, meaning); } case 260: case 261: if (!isStaticSymbol) { copySymbols(getMembersOfSymbol(getSymbolOfDeclaration(location)), meaning & 788968); } break; case 215: const funcName = location.name; if (funcName) { copySymbol(location.symbol, meaning); } break; } if (introducesArgumentsExoticObject(location)) { copySymbol(argumentsSymbol, meaning); } isStaticSymbol = isStatic(location); location = location.parent; } copySymbols(globals, 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, 278) && !getDeclarationOfKind(symbol, 277)) { copySymbol(symbol, meaning2); } }); } } } function isTypeDeclarationName(name) { return name.kind === 79 && isTypeDeclaration(name.parent) && getNameOfDeclaration(name.parent) === name; } function isTypeReferenceIdentifier(node) { while (node.parent.kind === 163) { node = node.parent; } return node.parent.kind === 180; } function isInNameOfExpressionWithTypeArguments(node) { while (node.parent.kind === 208) { node = node.parent; } return node.parent.kind === 230; } 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 === 163) { nodeOnRightSide = nodeOnRightSide.parent; } if (nodeOnRightSide.parent.kind === 268) { return nodeOnRightSide.parent.moduleReference === nodeOnRightSide ? nodeOnRightSide.parent : void 0; } if (nodeOnRightSide.parent.kind === 274) { 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 4: case 2: case 5: return getSymbolOfDeclaration(entityName.parent.parent); } } function isImportTypeQualifierPart(node) { let parent2 = node.parent; while (isQualifiedName(parent2)) { node = parent2; parent2 = parent2.parent; } if (parent2 && parent2.kind === 202 && parent2.qualifier === node) { return parent2; } return void 0; } function getSymbolOfNameOrPropertyAccessExpression(name) { if (isDeclarationName(name)) { return getSymbolOfNode(name.parent); } if (isInJSFile(name) && name.parent.kind === 208 && name.parent === name.parent.parent.left) { if (!isPrivateIdentifier(name) && !isJSDocMemberName(name)) { const specialPropertyAssignmentSymbol = getSpecialPropertyAssignmentSymbolFromEntityName(name); if (specialPropertyAssignmentSymbol) { return specialPropertyAssignmentSymbol; } } } if (name.parent.kind === 274 && isEntityNameExpression(name)) { const success = resolveEntityName(name, 111551 | 788968 | 1920 | 2097152, true); if (success && success !== unknownSymbol) { return success; } } else if (isEntityName(name) && isInRightSideOfImportOrExportAssignment(name)) { const importEqualsDeclaration = getAncestor(name, 268); Debug.assert(importEqualsDeclaration !== void 0); return getSymbolOfPartOfRightHandSideOfImportEquals(name, 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 === 230) { meaning = isPartOfTypeNode(name) ? 788968 : 111551; if (isExpressionWithTypeArgumentsInClassExtendsClause(name.parent)) { meaning |= 111551; } } else { meaning = 1920; } meaning |= 2097152; const entityNameSymbol = isEntityNameExpression(name) ? resolveEntityName(name, meaning) : void 0; if (entityNameSymbol) { return entityNameSymbol; } } if (name.parent.kind === 344) { return getParameterSymbolFromJSDoc(name.parent); } if (name.parent.kind === 165 && name.parent.parent.kind === 348) { 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 === 79) { if (isJSXTagName(name) && isJsxIntrinsicIdentifier(name)) { const symbol = getIntrinsicTagSymbol(name.parent); return symbol === unknownSymbol ? void 0 : symbol; } const result = resolveEntityName(name, meaning, false, true, getHostSignatureFromJSDoc(name)); if (!result && isJSDoc2) { const container = findAncestor(name, or(isClassLike, isInterfaceDeclaration)); if (container) { return resolveJSDocMemberName(name, false, getSymbolOfDeclaration(container)); } } if (result && isJSDoc2) { const container = getJSDocHost(name); if (container && isEnumMember(container) && container === result.valueDeclaration) { return resolveEntityName(name, meaning, true, true, getSourceFileOfNode(container)) || result; } } return result; } else if (isPrivateIdentifier(name)) { return getSymbolForPrivateIdentifierExpression(name); } else if (name.kind === 208 || name.kind === 163) { const links = getNodeLinks(name); if (links.resolvedSymbol) { return links.resolvedSymbol; } if (name.kind === 208) { checkPropertyAccessExpression(name, 0); if (!links.resolvedSymbol) { const expressionType = checkExpressionCached(name.expression); const infos = getApplicableIndexInfos(expressionType, getLiteralTypeFromPropertyName(name.name)); if (infos.length && expressionType.members) { const resolved = resolveStructuredTypeMembers(expressionType); const symbol = resolved.members.get("__index"); if (infos === getIndexInfosOfType(expressionType)) { links.resolvedSymbol = 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)) { links.resolvedSymbol = symbolLinks2.filteredIndexSymbolCache.get(nodeListId); } else { const copy = createSymbol(131072, "__index"); copy.declarations = mapDefined(infos, (i) => i.declaration); copy.parent = expressionType.aliasSymbol ? expressionType.aliasSymbol : expressionType.symbol ? expressionType.symbol : getSymbolAtLocation(copy.declarations[0].parent); symbolLinks2.filteredIndexSymbolCache.set(nodeListId, copy); links.resolvedSymbol = symbolLinks2.filteredIndexSymbolCache.get(nodeListId); } } } } } else { checkQualifiedName(name, 0); } 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 === 180 ? 788968 : 1920; const symbol = resolveEntityName(name, meaning, false, true); return symbol && symbol !== unknownSymbol ? symbol : getUnresolvedSymbolForEntityName(name); } if (name.parent.kind === 179) { return resolveEntityName(name, 1); } return void 0; } function resolveJSDocMemberName(name, ignoreErrors, container) { if (isEntityName(name)) { const meaning = 788968 | 1920 | 111551; let symbol = resolveEntityName(name, meaning, ignoreErrors, 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 & 33554432) { 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 === 79) { if (isInRightSideOfImportOrExportAssignment(node)) { return getSymbolOfNameOrPropertyAccessExpression(node); } else if (parent2.kind === 205 && grandParent.kind === 203 && 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 === 103 && idText(node) === "target") { return checkNewTargetMetaProperty(parent2).symbol; } if (parent2.keywordToken === 100 && idText(node) === "meta") { return getGlobalImportMetaExpressionType().members.get("meta"); } return void 0; } } switch (node.kind) { case 79: case 80: case 208: case 163: if (!isThisInTypeQuery(node)) { return getSymbolOfNameOrPropertyAccessExpression(node); } case 108: const container = getThisContainer(node, false, false); if (isFunctionLike(container)) { const sig = getSignatureFromDeclaration(container); if (sig.thisParameter) { return sig.thisParameter; } } if (isInExpressionContext(node)) { return checkExpression(node).symbol; } case 194: return getTypeFromThisTypeNode(node).symbol; case 106: return checkExpression(node).symbol; case 135: const constructorDeclaration = node.parent; if (constructorDeclaration && constructorDeclaration.kind === 173) { return constructorDeclaration.parent.symbol; } return void 0; case 10: case 14: if (isExternalModuleImportEqualsDeclaration(node.parent.parent) && getExternalModuleImportEqualsDeclarationExpression(node.parent.parent) === node || (node.parent.kind === 269 || node.parent.kind === 275) && node.parent.moduleSpecifier === node || (isInJSFile(node) && getEmitModuleResolutionKind(compilerOptions) !== 100 && isRequireCall(node.parent, false) || isImportCall(node.parent)) || isLiteralTypeNode(node.parent) && isLiteralImportTypeNode(node.parent.parent) && node.parent.parent.argument === node.parent) { return resolveExternalModuleName(node, node, ignoreErrors); } if (isCallExpression(parent2) && isBindableObjectDefinePropertyCall(parent2) && parent2.arguments[1] === node) { return getSymbolOfDeclaration(parent2); } case 8: const objectType = isElementAccessExpression(parent2) ? parent2.argumentExpression === node ? getTypeOfExpression(parent2.expression) : void 0 : isLiteralTypeNode(parent2) && isIndexedAccessTypeNode(grandParent) ? getTypeFromTypeNode(grandParent.objectType) : void 0; return objectType && getPropertyOfType(objectType, escapeLeadingUnderscores(node.text)); case 88: case 98: case 38: case 84: return getSymbolOfNode(node.parent); case 202: return isLiteralImportTypeNode(node) ? getSymbolAtLocation(node.argument.literal, ignoreErrors) : void 0; case 93: return isExportAssignment(node.parent) ? Debug.checkDefined(node.parent.symbol) : void 0; case 100: case 103: return isMetaProperty(node.parent) ? checkMetaPropertyKeyword(node.parent).symbol : void 0; case 233: return checkExpression(node).symbol; default: return void 0; } } function getIndexInfosAtLocation(node) { if (isIdentifier(node) && isPropertyAccessExpression(node.parent) && node.parent.name === node) { const keyType = getLiteralTypeFromPropertyName(node); const objectType = getTypeOfExpression(node.parent.expression); const objectTypes = objectType.flags & 1048576 ? objectType.types : [objectType]; return flatMap(objectTypes, (t) => filter(getIndexInfosOfType(t), (info) => isApplicableIndexType(keyType, info.keyType))); } return void 0; } function getShorthandAssignmentValueSymbol(location) { if (location && location.kind === 300) { return resolveEntityName(location.name, 111551 | 2097152); } 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); } else { return resolveEntityName(node, 111551 | 788968 | 1920 | 2097152); } } function getTypeOfNode(node) { if (isSourceFile(node) && !isExternalModule(node)) { return errorType; } if (node.flags & 33554432) { 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 (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, true, 0) || 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); } return errorType; } function getTypeOfAssignmentPattern(expr) { Debug.assert(expr.kind === 207 || expr.kind === 206); if (expr.parent.kind === 247) { const iteratedType = checkRightHandSideOfForOf(expr.parent); return checkDestructuringAssignment(expr, iteratedType || errorType); } if (expr.parent.kind === 223) { const iteratedType = getTypeOfExpression(expr.parent.right); return checkDestructuringAssignment(expr, iteratedType || errorType); } if (expr.parent.kind === 299) { 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, undefinedType, 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 79: return getStringLiteralType(idText(name)); case 8: case 10: return getStringLiteralType(name.text); case 164: const nameType = checkComputedPropertyName(name); return isTypeAssignableToKind(nameType, 12288) ? nameType : stringType; default: return Debug.fail("Unsupported property name."); } } function getAugmentedPropertiesOfType(type) { type = getApparentType(type); const propsByName = createSymbolTable(getPropertiesOfType(type)); const functionType = getSignaturesOfType(type, 0).length ? globalCallableFunctionType : getSignaturesOfType(type, 1).length ? globalNewableFunctionType : void 0; if (functionType) { forEach(getPropertiesOfType(functionType), (p) => { if (!propsByName.has(p.escapedName)) { propsByName.set(p.escapedName, p); } }); } return getNamedMembers(propsByName); } function typeHasCallOrConstructSignatures(type) { return getSignaturesOfType(type, 0).length !== 0 || getSignaturesOfType(type, 1).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 moduleExportsSomeValue(moduleReferenceExpression) { let moduleSymbol = resolveExternalModuleName(moduleReferenceExpression.parent, moduleReferenceExpression); if (!moduleSymbol || isShorthandAmbientModuleSymbol(moduleSymbol)) { return true; } const hasExportAssignment = hasExportAssignmentSymbol(moduleSymbol); moduleSymbol = resolveExternalModuleSymbol(moduleSymbol); const symbolLinks2 = getSymbolLinks(moduleSymbol); if (symbolLinks2.exportsSomeValue === void 0) { symbolLinks2.exportsSomeValue = hasExportAssignment ? !!(moduleSymbol.flags & 111551) : forEachEntry(getExportsOfModule(moduleSymbol), isValue); } return symbolLinks2.exportsSomeValue; function isValue(s) { s = resolveSymbol(s); return s && !!(getAllSymbolFlags(s) & 111551); } } function isNameOfModuleOrEnumDeclaration(node) { return isModuleOrEnumDeclaration(node.parent) && node === node.parent.name; } function getReferencedExportContainer(nodeIn, prefixLocals) { var _a2; const node = getParseTreeNode(nodeIn, isIdentifier); if (node) { let symbol = getReferencedValueSymbol(node, 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 && ((_a2 = parentSymbol.valueDeclaration) == null ? void 0 : _a2.kind) === 308) { 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, 111551) && !getTypeOnlyAliasDeclaration(symbol, 111551)) { return getDeclarationOfAliasSymbol(symbol); } } return void 0; } function isSymbolOfDestructuredElementOfCatchBinding(symbol) { return symbol.valueDeclaration && isBindingElement(symbol.valueDeclaration) && walkUpBindingElementsAndPatterns(symbol.valueDeclaration).parent.kind === 295; } 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)) { const nodeLinks2 = getNodeLinks(symbol.valueDeclaration); if (resolveName(container.parent, symbol.escapedName, 111551, void 0, void 0, false)) { links.isDeclarationWithCollidingName = true; } else if (nodeLinks2.flags & 16384) { const isDeclaredInLoop = nodeLinks2.flags & 32768; const inLoopInitializer = isIterationStatement(container, false); const inLoopBodyBlock = container.kind === 238 && isIterationStatement(container.parent, 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(!compilerOptions.verbatimModuleSyntax); switch (node.kind) { case 268: return isAliasResolvedToValue(getSymbolOfDeclaration(node)); case 270: case 271: case 273: case 278: const symbol = getSymbolOfDeclaration(node); return !!symbol && isAliasResolvedToValue(symbol) && !getTypeOnlyAliasDeclaration(symbol, 111551); case 275: const exportClause = node.exportClause; return !!exportClause && (isNamespaceExport(exportClause) || some(exportClause.elements, isValueAliasDeclaration)); case 274: return node.expression && node.expression.kind === 79 ? isAliasResolvedToValue(getSymbolOfDeclaration(node)) : true; } return false; } function isTopLevelValueImportEqualsWithEntityName(nodeIn) { const node = getParseTreeNode(nodeIn, isImportEqualsDeclaration); if (node === void 0 || node.parent.kind !== 308 || !isInternalModuleImportEqualsDeclaration(node)) { return false; } const isValue = isAliasResolvedToValue(getSymbolOfDeclaration(node)); return isValue && node.moduleReference && !nodeIsMissing(node.moduleReference); } function isAliasResolvedToValue(symbol) { var _a2; if (!symbol) { return false; } const target = getExportSymbolOfValueSymbolIfExported(resolveAlias(symbol)); if (target === unknownSymbol) { return true; } return !!(((_a2 = getAllSymbolFlags(target)) != null ? _a2 : -1) & 111551) && (shouldPreserveConstEnums(compilerOptions) || !isConstEnumOrConstEnumOnlyModule(target)); } function isConstEnumOrConstEnumOnlyModule(s) { return isConstEnumSymbol(s) || !!s.constEnumOnlyModule; } function isReferencedAliasDeclaration(node, checkChildren) { Debug.assert(!compilerOptions.verbatimModuleSyntax); 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) & 1 && getAllSymbolFlags(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 || signaturesOfSymbol.length === 1 && signaturesOfSymbol[0].declaration !== node; } return false; } function isRequiredInitializedParameter(parameter) { return !!strictNullChecks && !isOptionalParameter(parameter) && !isJSDocParameterTag(parameter) && !!parameter.initializer && !hasSyntacticModifier(parameter, 16476); } function isOptionalUninitializedParameterProperty(parameter) { return strictNullChecks && isOptionalParameter(parameter) && !parameter.initializer && hasSyntacticModifier(parameter, 16476); } function isExpandoFunctionDeclaration(node) { const declaration = getParseTreeNode(node, isFunctionDeclaration); if (!declaration) { return false; } const symbol = getSymbolOfDeclaration(declaration); if (!symbol || !(symbol.flags & 16)) { return false; } return !!forEachEntry(getExportsOfSymbol(symbol), (p) => p.flags & 111551 && p.valueDeclaration && isPropertyAccessExpression(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 _a2; const nodeId = node.id || 0; if (nodeId < 0 || nodeId >= nodeLinks.length) return 0; return ((_a2 = nodeLinks[nodeId]) == null ? void 0 : _a2.flags) || 0; } function getEnumMemberValue(node) { computeEnumMemberValues(node.parent); return getNodeLinks(node).enumMemberValue; } function canHaveConstantValue(node) { switch (node.kind) { case 302: case 208: case 209: return true; } return false; } function getConstantValue2(node) { if (node.kind === 302) { return getEnumMemberValue(node); } const symbol = getNodeLinks(node).resolvedSymbol; if (symbol && symbol.flags & 8) { const member = symbol.valueDeclaration; if (isEnumConst(member.parent)) { return getEnumMemberValue(member); } } return void 0; } function isFunctionType(type) { return !!(type.flags & 524288) && getSignaturesOfType(type, 0).length > 0; } function getTypeReferenceSerializationKind(typeNameIn, location) { var _a2; 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, true, true, location); isTypeOnly = !!((_a2 = rootValueSymbol == null ? void 0 : rootValueSymbol.declarations) == null ? void 0 : _a2.every(isTypeOnlyImportOrExportDeclaration)); } const valueSymbol = resolveEntityName(typeName, 111551, true, true, location); const resolvedSymbol = valueSymbol && valueSymbol.flags & 2097152 ? resolveAlias(valueSymbol) : valueSymbol; isTypeOnly || (isTypeOnly = !!(valueSymbol && getTypeOnlyAliasDeclaration(valueSymbol, 111551))); const typeSymbol = resolveEntityName(typeName, 788968, true, false, location); if (resolvedSymbol && resolvedSymbol === typeSymbol) { const globalPromiseSymbol = getGlobalPromiseConstructorSymbol(false); if (globalPromiseSymbol && resolvedSymbol === globalPromiseSymbol) { return 9; } const constructorType = getTypeOfSymbol(resolvedSymbol); if (constructorType && isConstructorType(constructorType)) { return isTypeOnly ? 10 : 1; } } if (!typeSymbol) { return isTypeOnly ? 11 : 0; } const type = getDeclaredTypeOfSymbol(typeSymbol); if (isErrorType(type)) { return isTypeOnly ? 11 : 0; } else if (type.flags & 3) { return 11; } else if (isTypeAssignableToKind(type, 16384 | 98304 | 131072)) { return 2; } else if (isTypeAssignableToKind(type, 528)) { return 6; } else if (isTypeAssignableToKind(type, 296)) { return 3; } else if (isTypeAssignableToKind(type, 2112)) { return 4; } else if (isTypeAssignableToKind(type, 402653316)) { return 5; } else if (isTupleType(type)) { return 7; } else if (isTypeAssignableToKind(type, 12288)) { return 8; } else if (isFunctionType(type)) { return 10; } else if (isArrayType(type)) { return 7; } else { return 11; } } function createTypeOfDeclaration(declarationIn, enclosingDeclaration, flags, tracker, addUndefined) { const declaration = getParseTreeNode(declarationIn, isVariableLikeOrAccessor); if (!declaration) { return factory.createToken(131); } const symbol = getSymbolOfDeclaration(declaration); let type = symbol && !(symbol.flags & (2048 | 131072)) ? getWidenedLiteralType(getTypeOfSymbol(symbol)) : errorType; if (type.flags & 8192 && type.symbol === symbol) { flags |= 1048576; } if (addUndefined) { type = getOptionalType(type); } return nodeBuilder.typeToTypeNode(type, enclosingDeclaration, flags | 1024, tracker); } function createReturnTypeOfSignatureDeclaration(signatureDeclarationIn, enclosingDeclaration, flags, tracker) { const signatureDeclaration = getParseTreeNode(signatureDeclarationIn, isFunctionLike); if (!signatureDeclaration) { return factory.createToken(131); } const signature = getSignatureFromDeclaration(signatureDeclaration); return nodeBuilder.typeToTypeNode(getReturnTypeOfSignature(signature), enclosingDeclaration, flags | 1024, tracker); } function createTypeOfExpression(exprIn, enclosingDeclaration, flags, tracker) { const expr = getParseTreeNode(exprIn, isExpression); if (!expr) { return factory.createToken(131); } const type = getWidenedType(getRegularTypeOfExpression(expr)); return nodeBuilder.typeToTypeNode(type, enclosingDeclaration, flags | 1024, tracker); } function hasGlobalName(name) { return globals.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, void 0, void 0, true); } function getReferencedValueOrAliasSymbol(reference) { const resolvedSymbol = getNodeLinks(reference).resolvedSymbol; if (resolvedSymbol && resolvedSymbol !== unknownSymbol) { return resolvedSymbol; } return resolveName(reference, reference.escapedText, 111551 | 1048576 | 2097152, void 0, void 0, true, void 0, 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 isLiteralConstDeclaration(node) { if (isDeclarationReadonly(node) || isVariableDeclaration(node) && isVarConst(node)) { return isFreshLiteralType(getTypeOfSymbol(getSymbolOfDeclaration(node))); } return false; } function literalTypeToNode(type, enclosing, tracker) { const enumResult = type.flags & 1056 ? nodeBuilder.symbolToExpression(type.symbol, 111551, enclosing, void 0, tracker) : 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 === "number" ? factory.createNumericLiteral(literalValue) : factory.createStringLiteral(literalValue); } function createLiteralConstValue(node, tracker) { const type = getTypeOfSymbol(getSymbolOfDeclaration(node)); return literalTypeToNode(type, node, tracker); } 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 = isArray(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 createResolver() { const resolvedTypeReferenceDirectives = host.getResolvedTypeReferenceDirectives(); let fileToDirective; if (resolvedTypeReferenceDirectives) { fileToDirective = /* @__PURE__ */ new Map(); resolvedTypeReferenceDirectives.forEach(({ resolvedTypeReferenceDirective }, key, mode) => { if (!(resolvedTypeReferenceDirective == null ? void 0 : resolvedTypeReferenceDirective.resolvedFileName)) { return; } const file = host.getSourceFile(resolvedTypeReferenceDirective.resolvedFileName); if (file) { addReferencedFilesToTypeDirective(file, key, mode); } }); } return { getReferencedExportContainer, getReferencedImportDeclaration, getReferencedDeclarationWithCollidingName, isDeclarationWithCollidingName, isValueAliasDeclaration: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node ? isValueAliasDeclaration(node) : true; }, hasGlobalName, isReferencedAliasDeclaration: (nodeIn, checkChildren) => { const node = getParseTreeNode(nodeIn); return node ? isReferencedAliasDeclaration(node, checkChildren) : true; }, getNodeCheckFlags: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node ? getNodeCheckFlags(node) : 0; }, isTopLevelValueImportEqualsWithEntityName, isDeclarationVisible, isImplementationOfOverload, isRequiredInitializedParameter, isOptionalUninitializedParameterProperty, isExpandoFunctionDeclaration, getPropertiesOfContainerFunction, createTypeOfDeclaration, createReturnTypeOfSignatureDeclaration, createTypeOfExpression, createLiteralConstValue, isSymbolAccessible, isEntityNameVisible, getConstantValue: (nodeIn) => { const node = getParseTreeNode(nodeIn, canHaveConstantValue); return node ? getConstantValue2(node) : void 0; }, collectLinkedAliases, getReferencedValueDeclaration, getTypeReferenceSerializationKind, isOptionalParameter, moduleExportsSomeValue, isArgumentsLocalBinding, getExternalModuleFileFromDeclaration: (nodeIn) => { const node = getParseTreeNode(nodeIn, hasPossibleExternalModuleReference); return node && getExternalModuleFileFromDeclaration(node); }, getTypeReferenceDirectivesForEntityName, getTypeReferenceDirectivesForSymbol, isLiteralConstDeclaration, isLateBound: (nodeIn) => { const node = getParseTreeNode(nodeIn, isDeclaration); const symbol = node && getSymbolOfDeclaration(node); return !!(symbol && getCheckFlags(symbol) & 4096); }, getJsxFactoryEntity, getJsxFragmentFactoryEntity, getAllAccessorDeclarations(accessor) { accessor = getParseTreeNode(accessor, isGetOrSetAccessorDeclaration); const otherKind = accessor.kind === 175 ? 174 : 175; 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 === 175 ? accessor : otherAccessor; const getAccessor = accessor.kind === 174 ? accessor : otherAccessor; return { firstAccessor, secondAccessor, setAccessor, getAccessor }; }, getSymbolOfExternalModuleSpecifier: (moduleName) => resolveExternalModuleNameWorker(moduleName, moduleName, void 0), isBindingCapturedByNode: (node, decl) => { const parseNode = getParseTreeNode(node); const parseDecl = getParseTreeNode(decl); return !!parseNode && !!parseDecl && (isVariableDeclaration(parseDecl) || isBindingElement(parseDecl)) && isBindingCapturedByNode(parseNode, parseDecl); }, getDeclarationStatementsForSourceFile: (node, flags, tracker, bundled) => { const n = getParseTreeNode(node); Debug.assert(n && n.kind === 308, "Non-sourcefile node passed into getDeclarationsForSourceFile"); const sym = getSymbolOfDeclaration(node); if (!sym) { return !node.locals ? [] : nodeBuilder.symbolTableToDeclarationStatements(node.locals, node, flags, tracker, bundled); } return !sym.exports ? [] : nodeBuilder.symbolTableToDeclarationStatements(sym.exports, node, flags, tracker, bundled); }, 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 exports = getExportsOfModule(file.symbol); for (const s of arrayFrom(exports.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 isInHeritageClause(node) { return node.parent && node.parent.kind === 230 && node.parent.parent && node.parent.parent.kind === 294; } function getTypeReferenceDirectivesForEntityName(node) { if (!fileToDirective) { return void 0; } let meaning; if (node.parent.kind === 164) { meaning = 111551 | 1048576; } else { meaning = 788968 | 1920; if (node.kind === 79 && isInTypeQuery(node) || node.kind === 208 && !isInHeritageClause(node)) { meaning = 111551 | 1048576; } } const symbol = resolveEntityName(node, meaning, true); return symbol && symbol !== unknownSymbol ? getTypeReferenceDirectivesForSymbol(symbol, meaning) : void 0; } function getTypeReferenceDirectivesForSymbol(symbol, meaning) { if (!fileToDirective || !isSymbolFromTypeDeclarationFile(symbol)) { return void 0; } let typeReferenceDirectives; for (const decl of symbol.declarations) { if (decl.symbol && decl.symbol.flags & meaning) { const file = getSourceFileOfNode(decl); const typeReferenceDirective = fileToDirective.get(file.path); if (typeReferenceDirective) { (typeReferenceDirectives || (typeReferenceDirectives = [])).push(typeReferenceDirective); } else { return void 0; } } } return typeReferenceDirectives; } function isSymbolFromTypeDeclarationFile(symbol) { if (!symbol.declarations) { return false; } let current = symbol; while (true) { const parent2 = getParentOfSymbol(current); if (parent2) { current = parent2; } else { break; } } if (current.valueDeclaration && current.valueDeclaration.kind === 308 && current.flags & 512) { return false; } for (const decl of symbol.declarations) { const file = getSourceFileOfNode(decl); if (fileToDirective.has(file.path)) { return true; } } return false; } function addReferencedFilesToTypeDirective(file, key, mode) { if (fileToDirective.has(file.path)) return; fileToDirective.set(file.path, [key, mode]); for (const { fileName, resolutionMode } of file.referencedFiles) { const resolvedFile = resolveTripleslashReference(fileName, file.fileName); const referencedFile = host.getSourceFile(resolvedFile); if (referencedFile) { addReferencedFilesToTypeDirective(referencedFile, key, resolutionMode || file.impliedNodeFormat); } } } } function getExternalModuleFileFromDeclaration(declaration) { const specifier = declaration.kind === 264 ? tryCast(declaration.name, isStringLiteral) : getExternalModuleName(declaration); const moduleSymbol = resolveExternalModuleNameWorker(specifier, specifier, void 0); if (!moduleSymbol) { return void 0; } return getDeclarationOfKind(moduleSymbol, 308); } 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(globals, file.locals); } if (file.jsGlobalAugmentations) { mergeSymbolTable(globals, 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 (!globals.has(id)) { globals.set(id, sourceSymbol); } }); } } if (augmentations) { for (const list of augmentations) { for (const augmentation of list) { if (!isGlobalScopeAugmentation(augmentation.parent)) continue; mergeModuleAugmentation(augmentation); } } } addToSymbolTable(globals, builtinGlobals, Diagnostics.Declaration_name_conflicts_with_built_in_global_identifier_0); getSymbolLinks(undefinedSymbol).type = undefinedWideningType; getSymbolLinks(argumentsSymbol).type = getGlobalType("IArguments", 0, true); getSymbolLinks(unknownSymbol).type = errorType; getSymbolLinks(globalThisSymbol).type = createObjectType(16, globalThisSymbol); globalArrayType = getGlobalType("Array", 1, true); globalObjectType = getGlobalType("Object", 0, true); globalFunctionType = getGlobalType("Function", 0, true); globalCallableFunctionType = strictBindCallApply && getGlobalType("CallableFunction", 0, true) || globalFunctionType; globalNewableFunctionType = strictBindCallApply && getGlobalType("NewableFunction", 0, true) || globalFunctionType; globalStringType = getGlobalType("String", 0, true); globalNumberType = getGlobalType("Number", 0, true); globalBooleanType = getGlobalType("Boolean", 0, true); globalRegExpType = getGlobalType("RegExp", 0, true); anyArrayType = createArrayType(anyType); autoArrayType = createArrayType(autoType); if (autoArrayType === emptyObjectType) { autoArrayType = createAnonymousType(void 0, emptySymbols, emptyArray, emptyArray, emptyArray); } globalReadonlyArrayType = getGlobalTypeOrUndefined("ReadonlyArray", 1) || globalArrayType; anyReadonlyArrayType = globalReadonlyArrayType ? createTypeFromGenericGlobalType(globalReadonlyArrayType, [anyType]) : anyArrayType; globalThisType = getGlobalTypeOrUndefined("ThisType", 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 ((requestedExternalEmitHelpers & helpers) !== helpers && compilerOptions.importHelpers) { const sourceFile = getSourceFileOfNode(location); if (isEffectiveExternalModule(sourceFile, compilerOptions) && !(location.flags & 16777216)) { const helpersModule = resolveHelpersModule(sourceFile, location); if (helpersModule !== unknownSymbol) { const uncheckedHelpers = helpers & ~requestedExternalEmitHelpers; for (let helper = 1; helper <= 16777216; helper <<= 1) { if (uncheckedHelpers & helper) { for (const name of getHelperNames(helper)) { if (requestedExternalEmitHelperNames.has(name)) continue; requestedExternalEmitHelperNames.add(name); const symbol = getSymbol2(helpersModule.exports, escapeLeadingUnderscores(name), 111551); if (!symbol) { error(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)) { error(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)) { error(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)) { error(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); } } } } } } 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 ["__createBinding"]; case 8388608: return ["__setFunctionName"]; case 16777216: return ["__propKey"]; default: return Debug.fail("Unrecognized helper"); } } function resolveHelpersModule(node, errorNode) { if (!externalHelpersModule) { externalHelpersModule = resolveExternalModule(node, externalHelpersModuleNameText, Diagnostics.This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found, errorNode) || unknownSymbol; } return externalHelpersModule; } function checkGrammarModifiers(node) { 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); } 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 === 171 && !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 === 174 || node.kind === 175)) { const accessors = getAllAccessorDeclarations(node.parent.members, 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 & ~(1025 | 131072)) { return grammarErrorOnNode(modifier, Diagnostics.Decorators_are_not_valid_here); } if (hasLeadingDecorators && flags & 126975) { Debug.assertIsDefined(firstDecorator); const sourceFile = getSourceFileOfNode(modifier); if (!hasParseDiagnostics(sourceFile)) { addRelatedInfo(error(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 |= 131072; if (!(flags & 126975)) { hasLeadingDecorators = true; } else if (flags & 1) { sawExportBeforeDecorators = true; } firstDecorator != null ? firstDecorator : firstDecorator = modifier; } else { if (modifier.kind !== 146) { if (node.kind === 168 || node.kind === 170) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_type_member, tokenToString(modifier.kind)); } if (node.kind === 178 && (modifier.kind !== 124 || !isClassLike(node.parent))) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_index_signature, tokenToString(modifier.kind)); } } if (modifier.kind !== 101 && modifier.kind !== 145 && modifier.kind !== 85) { if (node.kind === 165) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_type_parameter, tokenToString(modifier.kind)); } } switch (modifier.kind) { case 85: if (node.kind !== 263 && node.kind !== 165) { return grammarErrorOnNode(node, Diagnostics.A_class_member_cannot_have_the_0_keyword, tokenToString(85)); } const parent2 = node.parent; if (node.kind === 165 && !(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 161: if (flags & 16384) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "override"); } else if (flags & 2) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "override", "declare"); } else if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "readonly"); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "accessor"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "async"); } flags |= 16384; lastOverride = modifier; break; case 123: case 122: case 121: const text = visibilityToString(modifierToFlag(modifier.kind)); if (flags & 28) { return grammarErrorOnNode(modifier, Diagnostics.Accessibility_modifier_already_seen); } else if (flags & 16384) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "override"); } else if (flags & 32) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "static"); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "accessor"); } else if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "readonly"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "async"); } else if (node.parent.kind === 265 || node.parent.kind === 308) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element, text); } else if (flags & 256) { if (modifier.kind === 121) { 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 124: if (flags & 32) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "static"); } else if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "readonly"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "async"); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "accessor"); } else if (node.parent.kind === 265 || node.parent.kind === 308) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element, "static"); } else if (node.kind === 166) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "static"); } else if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "static", "abstract"); } else if (flags & 16384) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "override"); } flags |= 32; lastStatic = modifier; break; case 127: if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "accessor"); } else if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "accessor", "readonly"); } else if (flags & 2) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "accessor", "declare"); } else if (node.kind !== 169) { return grammarErrorOnNode(modifier, Diagnostics.accessor_modifier_can_only_appear_on_a_property_declaration); } flags |= 128; break; case 146: if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "readonly"); } else if (node.kind !== 169 && node.kind !== 168 && node.kind !== 178 && node.kind !== 166) { return grammarErrorOnNode(modifier, Diagnostics.readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "readonly", "accessor"); } flags |= 64; break; case 93: if (compilerOptions.verbatimModuleSyntax && !(node.flags & 16777216) && node.kind !== 262 && node.kind !== 261 && node.kind !== 264 && node.parent.kind === 308 && (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 & 1) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "export"); } else if (flags & 2) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "declare"); } else if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "abstract"); } else if (flags & 512) { 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 === 166) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "export"); } flags |= 1; break; case 88: const container = node.parent.kind === 308 ? node.parent : node.parent.parent; if (container.kind === 264 && !isAmbientModule(container)) { return grammarErrorOnNode(modifier, Diagnostics.A_default_export_can_only_be_used_in_an_ECMAScript_style_module); } else if (!(flags & 1)) { 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 |= 1024; break; case 136: if (flags & 2) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "declare"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "async"); } else if (flags & 16384) { 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 === 166) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "declare"); } else if (node.parent.flags & 16777216 && node.parent.kind === 265) { 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 & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "declare", "accessor"); } flags |= 2; lastDeclare = modifier; break; case 126: if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "abstract"); } if (node.kind !== 260 && node.kind !== 182) { if (node.kind !== 171 && node.kind !== 169 && node.kind !== 174 && node.kind !== 175) { return grammarErrorOnNode(modifier, Diagnostics.abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration); } if (!(node.parent.kind === 260 && hasSyntacticModifier(node.parent, 256))) { return grammarErrorOnNode(modifier, Diagnostics.Abstract_methods_can_only_appear_within_an_abstract_class); } if (flags & 32) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "static", "abstract"); } if (flags & 8) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "private", "abstract"); } if (flags & 512 && lastAsync) { return grammarErrorOnNode(lastAsync, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "async", "abstract"); } if (flags & 16384) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "abstract", "override"); } if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "abstract", "accessor"); } } if (isNamedDeclaration(node) && node.name.kind === 80) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_a_private_identifier, "abstract"); } flags |= 256; break; case 132: if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "async"); } else if (flags & 2 || node.parent.flags & 16777216) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "async"); } else if (node.kind === 166) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "async"); } if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "async", "abstract"); } flags |= 512; lastAsync = modifier; break; case 101: case 145: const inOutFlag = modifier.kind === 101 ? 32768 : 65536; const inOutText = modifier.kind === 101 ? "in" : "out"; if (node.kind !== 165 || !(isInterfaceDeclaration(node.parent) || isClassLike(node.parent) || isTypeAliasDeclaration(node.parent))) { 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 & 32768 && flags & 65536) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "in", "out"); } flags |= inOutFlag; break; } } } if (node.kind === 173) { if (flags & 32) { return grammarErrorOnNode(lastStatic, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "static"); } if (flags & 16384) { return grammarErrorOnNode(lastOverride, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "override"); } if (flags & 512) { return grammarErrorOnNode(lastAsync, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "async"); } return false; } else if ((node.kind === 269 || node.kind === 268) && flags & 2) { return grammarErrorOnNode(lastDeclare, Diagnostics.A_0_modifier_cannot_be_used_with_an_import_declaration, "declare"); } else if (node.kind === 166 && flags & 16476 && isBindingPattern(node.name)) { return grammarErrorOnNode(node, Diagnostics.A_parameter_property_may_not_be_declared_using_a_binding_pattern); } else if (node.kind === 166 && flags & 16476 && node.dotDotDotToken) { return grammarErrorOnNode(node, Diagnostics.A_parameter_property_cannot_be_declared_using_a_rest_parameter); } if (flags & 512) { 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 174: case 175: case 173: case 169: case 168: case 171: case 170: case 178: case 264: case 269: case 268: case 275: case 274: case 215: case 216: case 166: case 165: return void 0; case 172: case 299: case 300: case 267: case 279: return find(node.modifiers, isModifier); default: if (node.parent.kind === 265 || node.parent.kind === 308) { return void 0; } switch (node.kind) { case 259: return findFirstModifierExcept(node, 132); case 260: case 182: return findFirstModifierExcept(node, 126); case 228: case 261: case 240: case 262: return find(node.modifiers, isModifier); case 263: return findFirstModifierExcept(node, 85); 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 171: case 259: case 215: case 216: 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 & 16777216)) { 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 (isOptionalParameter(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(error(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(error(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"])) { 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 & 32) { 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 === 94) { 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 === 117); 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 === 94) { if (seenExtendsClause) { return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_already_seen); } seenExtendsClause = true; } else { Debug.assert(heritageClause.token === 117); return grammarErrorOnFirstToken(heritageClause, Diagnostics.Interface_declaration_cannot_have_implements_clause); } checkGrammarHeritageClause(heritageClause); } } return false; } function checkGrammarComputedPropertyName(node) { if (node.kind !== 164) { return false; } const computedPropertyName = node; if (computedPropertyName.expression.kind === 223 && computedPropertyName.expression.operatorToken.kind === 27) { 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 === 259 || node.kind === 215 || node.kind === 171); if (node.flags & 16777216) { 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 === 301) { 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 === 164) { checkGrammarComputedPropertyName(name); } if (prop.kind === 300 && !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 === 80) { 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 !== 132 || prop.kind !== 171)) { 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 300: case 299: 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 === 8) { checkGrammarNumericLiteral(name); } currentKind = 4; break; case 171: currentKind = 8; break; case 174: currentKind = 1; break; case 175: currentKind = 2; break; default: throw Debug.assertNever(prop, "Unexpected syntax kind:" + prop.kind); } if (!inDestructuring) { const effectiveName = getPropertyNameForPropertyNameNode(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 === 290) { continue; } const { name, initializer } = attr; if (!seen.get(name.escapedText)) { seen.set(name.escapedText, true); } else { return grammarErrorOnNode(name, Diagnostics.JSX_elements_cannot_have_multiple_attributes_with_the_same_name); } if (initializer && initializer.kind === 291 && !initializer.expression) { return grammarErrorOnNode(initializer, Diagnostics.JSX_attributes_must_only_be_assigned_a_non_empty_expression); } } } function checkGrammarJsxName(node) { if (isPropertyAccessExpression(node)) { let propName = node; do { const check2 = checkGrammarJsxNestedIdentifier(propName.name); if (check2) { return check2; } propName = propName.expression; } while (isPropertyAccessExpression(propName)); const check = checkGrammarJsxNestedIdentifier(propName); if (check) { return check; } } function checkGrammarJsxNestedIdentifier(name) { if (isIdentifier(name) && idText(name).indexOf(":") !== -1) { return grammarErrorOnNode(name, Diagnostics.JSX_property_access_expressions_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 === 247 && forInOrOfStatement.awaitModifier) { if (!(forInOrOfStatement.flags & 32768)) { 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_or_nodenext_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 !== 173) { 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; } } return false; } } if (isForOfStatement(forInOrOfStatement) && !(forInOrOfStatement.flags & 32768) && 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 === 258) { const variableList = forInOrOfStatement.initializer; if (!checkGrammarVariableDeclarationList(variableList)) { const declarations = variableList.declarations; if (!declarations.length) { return false; } if (declarations.length > 1) { const diagnostic = forInOrOfStatement.kind === 246 ? 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 === 246 ? 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 === 246 ? 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 & 16777216) && accessor.parent.kind !== 184 && accessor.parent.kind !== 261) { if (languageVersion < 1) { return grammarErrorOnNode(accessor.name, Diagnostics.Accessors_are_only_available_when_targeting_ECMAScript_5_and_higher); } 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, 256)) { return grammarErrorAtPos(accessor, accessor.end - 1, ";".length, Diagnostics._0_expected, "{"); } } if (accessor.body) { if (hasSyntacticModifier(accessor, 256)) { return grammarErrorOnNode(accessor, Diagnostics.An_abstract_accessor_cannot_have_an_implementation); } if (accessor.parent.kind === 184 || accessor.parent.kind === 261) { 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 === 174 ? Diagnostics.A_get_accessor_cannot_have_parameters : Diagnostics.A_set_accessor_must_have_exactly_one_parameter); } if (accessor.kind === 175) { 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 === 174 ? 0 : 1); } function getAccessorThisParameter(accessor) { if (accessor.parameters.length === (accessor.kind === 174 ? 1 : 2)) { return getThisParameter(accessor); } } function checkGrammarTypeOperatorNode(node) { if (node.operator === 156) { if (node.type.kind !== 153) { return grammarErrorOnNode(node.type, Diagnostics._0_expected, tokenToString(153)); } let parent2 = walkUpParenthesizedTypes(node.parent); if (isInJSFile(parent2) && isJSDocTypeExpression(parent2)) { const host2 = getJSDocHost(parent2); if (host2) { parent2 = getSingleVariableOfVariableStatement(host2) || host2; } } switch (parent2.kind) { case 257: const decl = parent2; if (decl.name.kind !== 79) { 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 169: 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 168: if (!hasSyntacticModifier(parent2, 64)) { 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 === 146) { if (node.type.kind !== 185 && node.type.kind !== 186) { return grammarErrorOnFirstToken(node, Diagnostics.readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types, tokenToString(153)); } } } function checkGrammarForInvalidDynamicName(node, message) { if (isNonBindableDynamicName(node)) { return grammarErrorOnNode(node, message); } } function checkGrammarMethod(node) { if (checkGrammarFunctionLikeDeclaration(node)) { return true; } if (node.kind === 171) { if (node.parent.kind === 207) { if (node.modifiers && !(node.modifiers.length === 1 && first(node.modifiers).kind === 132)) { 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 & 16777216) { 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 === 171 && !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 === 261) { 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 === 184) { 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 253: if (node.label && current.label.escapedText === node.label.escapedText) { const isMisplacedContinueLabel = node.kind === 248 && !isIterationStatement(current.statement, 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 252: if (node.kind === 249 && !node.label) { return false; } break; default: if (isIterationStatement(current, false) && !node.label) { return false; } break; } current = current.parent; } if (node.label) { const message = node.kind === 249 ? 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 === 249 ? 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 === 221 && expr.operator === 40 && expr.operand.kind === 8; } function isBigIntLiteralExpression(expr) { return expr.kind === 9 || expr.kind === 221 && expr.operator === 40 && expr.operand.kind === 9; } 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 === 110 || initializer.kind === 95 || isBigIntLiteralExpression(initializer)); const isConstOrReadonly = isDeclarationReadonly(node) || isVariableDeclaration(node) && isVarConst(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) { if (node.parent.parent.kind !== 246 && node.parent.parent.kind !== 247) { if (node.flags & 16777216) { checkAmbientInitializer(node); } else if (!node.initializer) { if (isBindingPattern(node.name) && !isBindingPattern(node.parent)) { return grammarErrorOnNode(node, Diagnostics.A_destructuring_declaration_must_have_an_initializer); } if (isVarConst(node)) { return grammarErrorOnNode(node, Diagnostics.const_declarations_must_be_initialized); } } } if (node.exclamationToken && (node.parent.parent.kind !== 240 || !node.type || node.initializer || node.flags & 16777216)) { 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 & 16777216) && hasSyntacticModifier(node.parent.parent, 1)) { checkESModuleMarker(node.name); } const checkLetConstNames = isLet(node) || isVarConst(node); return checkLetConstNames && checkGrammarNameInLetOrConstDeclarations(node.name); } function checkESModuleMarker(name) { if (name.kind === 79) { 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 === 79) { 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); } return false; } function allowLetAndConstDeclarations(parent2) { switch (parent2.kind) { case 242: case 243: case 244: case 251: case 245: case 246: case 247: return false; case 253: return allowLetAndConstDeclarations(parent2.parent); } return true; } function checkGrammarForDisallowedLetOrConstStatement(node) { if (!allowLetAndConstDeclarations(node.parent)) { if (isLet(node.declarationList)) { return grammarErrorOnNode(node, Diagnostics.let_declarations_can_only_be_declared_inside_a_block); } else if (isVarConst(node.declarationList)) { return grammarErrorOnNode(node, Diagnostics.const_declarations_can_only_be_declared_inside_a_block); } } } function checkGrammarMetaProperty(node) { const escapedText = node.name.escapedText; switch (node.keywordToken) { case 103: if (escapedText !== "target") { return grammarErrorOnNode(node.name, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2, node.name.escapedText, tokenToString(node.keywordToken), "target"); } break; case 100: if (escapedText !== "meta") { return grammarErrorOnNode(node.name, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2, node.name.escapedText, tokenToString(node.keywordToken), "meta"); } break; } } function hasParseDiagnostics(sourceFile) { return sourceFile.parseDiagnostics.length > 0; } function grammarErrorOnFirstToken(node, message, arg0, arg1, arg2) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const span = getSpanOfTokenAtPosition(sourceFile, node.pos); diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, message, arg0, arg1, arg2)); return true; } return false; } function grammarErrorAtPos(nodeForSourceFile, start, length2, message, arg0, arg1, arg2) { const sourceFile = getSourceFileOfNode(nodeForSourceFile); if (!hasParseDiagnostics(sourceFile)) { diagnostics.add(createFileDiagnostic(sourceFile, start, length2, message, arg0, arg1, arg2)); return true; } return false; } function grammarErrorOnNodeSkippedOn(key, node, message, arg0, arg1, arg2) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { errorSkippedOn(key, node, message, arg0, arg1, arg2); return true; } return false; } function grammarErrorOnNode(node, message, arg0, arg1, arg2) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { diagnostics.add(createDiagnosticForNode(node, message, arg0, arg1, arg2)); 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 === 101) { return grammarErrorOnNode(node.parent.members[0], Diagnostics.A_mapped_type_may_not_declare_properties_or_methods); } if (isClassLike(node.parent)) { if (isStringLiteral(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 === 261) { 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 & 16777216) { checkAmbientInitializer(node); } if (isPropertyDeclaration(node) && node.exclamationToken && (!isClassLike(node.parent) || !node.type || node.initializer || node.flags & 16777216 || 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 === 261 || node.kind === 262 || node.kind === 269 || node.kind === 268 || node.kind === 275 || node.kind === 274 || node.kind === 267 || hasSyntacticModifier(node, 2 | 1 | 1024)) { 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 === 240) { if (checkGrammarTopLevelElementForRequiredDeclareModifier(decl)) { return true; } } } return false; } function checkGrammarSourceFile(node) { return !!(node.flags & 16777216) && checkGrammarTopLevelElementsForRequiredDeclareModifier(node); } function checkGrammarStatementInAmbientContext(node) { if (node.flags & 16777216) { 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 === 238 || node.parent.kind === 265 || node.parent.kind === 308) { 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) { if (node.numericLiteralFlags & 32) { let diagnosticMessage; if (languageVersion >= 1) { diagnosticMessage = Diagnostics.Octal_literals_are_not_available_when_targeting_ECMAScript_5_and_higher_Use_the_syntax_0; } else if (isChildOfNodeWithKind(node, 198)) { diagnosticMessage = Diagnostics.Octal_literal_types_must_use_ES2015_syntax_Use_the_syntax_0; } else if (isChildOfNodeWithKind(node, 302)) { diagnosticMessage = Diagnostics.Octal_literals_are_not_allowed_in_enums_members_initializer_Use_the_syntax_0; } if (diagnosticMessage) { const withMinus = isPrefixUnaryExpression(node.parent) && node.parent.operator === 40; const literal = (withMinus ? "-" : "") + "0o" + node.text; return grammarErrorOnNode(withMinus ? node.parent : node, diagnosticMessage, literal); } } checkNumericLiteralValueSize(node); return false; } function checkNumericLiteralValueSize(node) { const isFractional = getTextOfNode(node).indexOf(".") !== -1; const isScientific = node.numericLiteralFlags & 16; if (isFractional || isScientific) { return; } const value = +node.text; if (value <= 2 ** 53 - 1) { return; } addErrorOrSuggestion(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 literalType = isLiteralTypeNode(node.parent) || isPrefixUnaryExpression(node.parent) && isLiteralTypeNode(node.parent.parent); if (!literalType) { 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, arg0, arg1, arg2) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const span = getSpanOfTokenAtPosition(sourceFile, node.pos); diagnostics.add(createFileDiagnostic(sourceFile, textSpanEnd(span), 0, message, arg0, arg1, arg2)); return true; } return false; } function getAmbientModules() { if (!ambientModulesCache) { ambientModulesCache = []; globals.forEach((global2, sym) => { if (ambientModuleSymbolRegex.test(sym)) { ambientModulesCache.push(global2); } }); } return ambientModulesCache; } function checkGrammarImportClause(node) { var _a2; 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 && ((_a2 = node.namedBindings) == null ? void 0 : _a2.kind) === 272) { return checkGrammarNamedImportsOrExports(node.namedBindings); } return false; } function checkGrammarNamedImportsOrExports(namedBindings) { return !!forEach(namedBindings.elements, (specifier) => { if (specifier.isTypeOnly) { return grammarErrorOnFirstToken(specifier, specifier.kind === 273 ? 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 assertionArgument = nodeArguments[1]; return grammarErrorOnNode(assertionArgument, 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_assertion_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 & (134348796 | 406847488))) { let matchingCount = 0; for (const target of unionTarget.types) { if (!(target.flags & (134348796 | 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)) { const result = filterType(type, (t) => !(t.flags & 134348796)); if (!(result.flags & 131072)) { return result; } } return type; } function findMatchingDiscriminantType(source, target, isRelatedTo, skipPartial) { 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) { return discriminateTypeByDiscriminableItems(target, map(sourcePropertiesFiltered, (p) => [() => getTypeOfSymbol(p), p.escapedName]), isRelatedTo, void 0, skipPartial); } } } return void 0; } } function isNotAccessor(declaration) { return !isAccessor(declaration); } function isNotOverload(declaration) { return declaration.kind !== 259 && declaration.kind !== 171 || !!declaration.body; } function isDeclarationNameOrImportPropertyName(name) { switch (name.parent.kind) { case 273: case 278: return isIdentifier(name); default: return isDeclarationName(name); } } 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 _a2; return (_a2 = host.getPackageJsonInfoCache) == null ? void 0 : _a2.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 ambientModuleSymbolRegex, anon, nextSymbolId, nextNodeId, nextMergeId, nextFlowId, TypeFacts, typeofNEFacts, CheckMode, SignatureCheckMode, isNotOverloadAndNotAccessor, intrinsicTypeKinds, SymbolLinks, JsxNames, SymbolTrackerImpl; var init_checker = __esm({ "src/compiler/checker.ts"() { "use strict"; init_ts2(); init_ts_moduleSpecifiers(); init_ts_performance(); ambientModuleSymbolRegex = /^".+"$/; anon = "(anonymous)"; nextSymbolId = 1; nextNodeId = 1; nextMergeId = 1; nextFlowId = 1; 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] = "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] = "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] = "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] = "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 || {}); typeofNEFacts = new Map(Object.entries({ string: 256, number: 512, bigint: 1024, boolean: 2048, symbol: 4096, undefined: 524288, object: 8192, function: 16384 })); 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["IsForStringLiteralArgumentCompletions"] = 32] = "IsForStringLiteralArgumentCompletions"; CheckMode3[CheckMode3["RestBindingElement"] = 64] = "RestBindingElement"; return CheckMode3; })(CheckMode || {}); 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 || {}); isNotOverloadAndNotAccessor = and(isNotOverload, isNotAccessor); intrinsicTypeKinds = new Map(Object.entries({ Uppercase: 0, Lowercase: 1, Capitalize: 2, Uncapitalize: 3 })); SymbolLinks = class { }; ((JsxNames2) => { JsxNames2.JSX = "JSX"; JsxNames2.IntrinsicElements = "IntrinsicElements"; JsxNames2.ElementClass = "ElementClass"; JsxNames2.ElementAttributesPropertyNameContainer = "ElementAttributesProperty"; JsxNames2.ElementChildrenAttributeNameContainer = "ElementChildrenAttribute"; JsxNames2.Element = "Element"; JsxNames2.IntrinsicAttributes = "IntrinsicAttributes"; JsxNames2.IntrinsicClassAttributes = "IntrinsicClassAttributes"; JsxNames2.LibraryManagedAttributes = "LibraryManagedAttributes"; })(JsxNames || (JsxNames = {})); SymbolTrackerImpl = class { constructor(context, tracker, moduleResolverHost) { this.moduleResolverHost = void 0; this.inner = void 0; this.disableTrackSymbol = false; var _a2; while (tracker instanceof SymbolTrackerImpl) { tracker = tracker.inner; } this.inner = tracker; this.moduleResolverHost = moduleResolverHost; this.context = context; this.canTrackSymbol = !!((_a2 = this.inner) == null ? void 0 : _a2.trackSymbol); } trackSymbol(symbol, enclosingDeclaration, meaning) { var _a2; if (((_a2 = this.inner) == null ? void 0 : _a2.trackSymbol) && !this.disableTrackSymbol) { if (this.inner.trackSymbol(symbol, enclosingDeclaration, meaning)) { this.onDiagnosticReported(); return true; } } return false; } reportInaccessibleThisError() { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportInaccessibleThisError) { this.onDiagnosticReported(); this.inner.reportInaccessibleThisError(); } } reportPrivateInBaseOfClassExpression(propertyName) { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportPrivateInBaseOfClassExpression) { this.onDiagnosticReported(); this.inner.reportPrivateInBaseOfClassExpression(propertyName); } } reportInaccessibleUniqueSymbolError() { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportInaccessibleUniqueSymbolError) { this.onDiagnosticReported(); this.inner.reportInaccessibleUniqueSymbolError(); } } reportCyclicStructureError() { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportCyclicStructureError) { this.onDiagnosticReported(); this.inner.reportCyclicStructureError(); } } reportLikelyUnsafeImportRequiredError(specifier) { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportLikelyUnsafeImportRequiredError) { this.onDiagnosticReported(); this.inner.reportLikelyUnsafeImportRequiredError(specifier); } } reportTruncationError() { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportTruncationError) { this.onDiagnosticReported(); this.inner.reportTruncationError(); } } trackReferencedAmbientModule(decl, symbol) { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.trackReferencedAmbientModule) { this.onDiagnosticReported(); this.inner.trackReferencedAmbientModule(decl, symbol); } } trackExternalModuleSymbolOfImportTypeNode(symbol) { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.trackExternalModuleSymbolOfImportTypeNode) { this.onDiagnosticReported(); this.inner.trackExternalModuleSymbolOfImportTypeNode(symbol); } } reportNonlocalAugmentation(containingFile, parentSymbol, augmentingSymbol) { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportNonlocalAugmentation) { this.onDiagnosticReported(); this.inner.reportNonlocalAugmentation(containingFile, parentSymbol, augmentingSymbol); } } reportNonSerializableProperty(propertyName) { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportNonSerializableProperty) { this.onDiagnosticReported(); this.inner.reportNonSerializableProperty(propertyName); } } reportImportTypeNodeResolutionModeOverride() { var _a2; if ((_a2 = this.inner) == null ? void 0 : _a2.reportImportTypeNodeResolutionModeOverride) { this.onDiagnosticReported(); this.inner.reportImportTypeNodeResolutionModeOverride(); } } onDiagnosticReported() { this.context.reportedDiagnostic = true; } }; } }); function visitNode(node, visitor, test, lift) { if (node === void 0) { return node; } const visited = visitor(node); let visitedNode; if (visited === void 0) { return void 0; } else if (isArray(visited)) { visitedNode = (lift || extractSingleNode)(visited); } else { visitedNode = visited; } Debug.assertNode(visitedNode, test); return visitedNode; } function visitNodes2(nodes, visitor, 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, visitor, test, start, count); if (updated !== nodes) { const updatedArray = factory.createNodeArray(updated, hasTrailingComma); setTextRangePosEnd(updatedArray, pos, end); return updatedArray; } return nodes; } function visitArray(nodes, visitor, 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, visitor, test, start, count); } function visitArrayWorker(nodes, visitor, 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 ? visitor ? visitor(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 (isArray(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, visitor, context, start, ensureUseStrict, nodesVisitor = visitNodes2) { context.startLexicalEnvironment(); statements = nodesVisitor(statements, visitor, isStatement, start); if (ensureUseStrict) statements = context.factory.ensureUseStrict(statements); return factory.mergeLexicalEnvironment(statements, context.endLexicalEnvironment()); } function visitParameterList(nodes, visitor, context, nodesVisitor = visitNodes2) { let updated; context.startLexicalEnvironment(); if (nodes) { context.setLexicalEnvironmentFlags(1, true); updated = nodesVisitor(nodes, visitor, 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(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(parameter.name, void 0, parameter.type, parameter.initializer ? factory2.createConditionalExpression(factory2.createStrictEquality(factory2.getGeneratedNameForNode(parameter), factory2.createVoidZero()), void 0, parameter.initializer, void 0, factory2.getGeneratedNameForNode(parameter)) : factory2.getGeneratedNameForNode(parameter)) ]))); return factory2.updateParameterDeclaration(parameter, parameter.modifiers, parameter.dotDotDotToken, factory2.getGeneratedNameForNode(parameter), parameter.questionToken, parameter.type, 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), setEmitFlags(initializer, 96 | getEmitFlags(initializer) | 3072)), parameter), 3072)) ]), parameter), 1 | 64 | 768 | 3072))); return factory2.updateParameterDeclaration(parameter, parameter.modifiers, parameter.dotDotDotToken, parameter.name, parameter.questionToken, parameter.type, void 0); } function visitFunctionBody(node, visitor, context, nodeVisitor = visitNode) { context.resumeLexicalEnvironment(); const updated = nodeVisitor(node, visitor, 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, visitor, context, nodeVisitor = visitNode) { context.startBlockScope(); const updated = nodeVisitor(body, visitor, 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, visitor, discardVisitor = visitor) { if (discardVisitor === visitor || elements.length <= 1) { return visitNodes2(elements, visitor, isExpression); } let i = 0; const length2 = elements.length; return visitNodes2(elements, (node) => { const discarded = i < length2 - 1; i++; return discarded ? discardVisitor(node) : visitor(node); }, isExpression); } function visitEachChild(node, visitor, context, nodesVisitor = visitNodes2, tokenVisitor, nodeVisitor = visitNode) { if (node === void 0) { return void 0; } const fn = visitEachChildTable[node.kind]; return fn === void 0 ? node : fn(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor); } function extractSingleNode(nodes) { Debug.assert(nodes.length <= 1, "Too many nodes written to output."); return singleOrUndefined(nodes); } var visitEachChildTable; var init_visitorPublic = __esm({ "src/compiler/visitorPublic.ts"() { "use strict"; init_ts2(); visitEachChildTable = { [163]: function visitEachChildOfQualifiedName(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateQualifiedName(node, Debug.checkDefined(nodeVisitor(node.left, visitor, isEntityName)), Debug.checkDefined(nodeVisitor(node.right, visitor, isIdentifier))); }, [164]: function visitEachChildOfComputedPropertyName(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateComputedPropertyName(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [165]: function visitEachChildOfTypeParameterDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeParameterDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifier), Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), nodeVisitor(node.constraint, visitor, isTypeNode), nodeVisitor(node.default, visitor, isTypeNode)); }, [166]: function visitEachChildOfParameterDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateParameterDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken, Debug.checkDefined(nodeVisitor(node.name, visitor, isBindingName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodeVisitor(node.type, visitor, isTypeNode), nodeVisitor(node.initializer, visitor, isExpression)); }, [167]: function visitEachChildOfDecorator(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateDecorator(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [168]: function visitEachChildOfPropertySignature(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updatePropertySignature(node, nodesVisitor(node.modifiers, visitor, isModifier), Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodeVisitor(node.type, visitor, isTypeNode)); }, [169]: function visitEachChildOfPropertyDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { var _a2, _b; return context.factory.updatePropertyDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), tokenVisitor ? nodeVisitor((_a2 = node.questionToken) != null ? _a2 : node.exclamationToken, tokenVisitor, isQuestionOrExclamationToken) : (_b = node.questionToken) != null ? _b : node.exclamationToken, nodeVisitor(node.type, visitor, isTypeNode), nodeVisitor(node.initializer, visitor, isExpression)); }, [170]: function visitEachChildOfMethodSignature(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateMethodSignature(node, nodesVisitor(node.modifiers, visitor, isModifier), Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor, isParameter), nodeVisitor(node.type, visitor, isTypeNode)); }, [171]: function visitEachChildOfMethodDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateMethodDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor, context, nodesVisitor), nodeVisitor(node.type, visitor, isTypeNode), visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [173]: function visitEachChildOfConstructorDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConstructorDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), visitParameterList(node.parameters, visitor, context, nodesVisitor), visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [174]: function visitEachChildOfGetAccessorDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateGetAccessorDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), visitParameterList(node.parameters, visitor, context, nodesVisitor), nodeVisitor(node.type, visitor, isTypeNode), visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [175]: function visitEachChildOfSetAccessorDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSetAccessorDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), visitParameterList(node.parameters, visitor, context, nodesVisitor), visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [172]: function visitEachChildOfClassStaticBlockDeclaration(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { context.startLexicalEnvironment(); context.suspendLexicalEnvironment(); return context.factory.updateClassStaticBlockDeclaration(node, visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [176]: function visitEachChildOfCallSignatureDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateCallSignature(node, nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor, isParameter), nodeVisitor(node.type, visitor, isTypeNode)); }, [177]: function visitEachChildOfConstructSignatureDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConstructSignature(node, nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor, isParameter), nodeVisitor(node.type, visitor, isTypeNode)); }, [178]: function visitEachChildOfIndexSignatureDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateIndexSignature(node, nodesVisitor(node.modifiers, visitor, isModifierLike), nodesVisitor(node.parameters, visitor, isParameter), Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [179]: function visitEachChildOfTypePredicateNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypePredicateNode(node, nodeVisitor(node.assertsModifier, visitor, isAssertsKeyword), Debug.checkDefined(nodeVisitor(node.parameterName, visitor, isIdentifierOrThisTypeNode)), nodeVisitor(node.type, visitor, isTypeNode)); }, [180]: function visitEachChildOfTypeReferenceNode(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeReferenceNode(node, Debug.checkDefined(nodeVisitor(node.typeName, visitor, isEntityName)), nodesVisitor(node.typeArguments, visitor, isTypeNode)); }, [181]: function visitEachChildOfFunctionTypeNode(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateFunctionTypeNode(node, nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor, isParameter), Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [182]: function visitEachChildOfConstructorTypeNode(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConstructorTypeNode(node, nodesVisitor(node.modifiers, visitor, isModifier), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor, isParameter), Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [183]: function visitEachChildOfTypeQueryNode(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeQueryNode(node, Debug.checkDefined(nodeVisitor(node.exprName, visitor, isEntityName)), nodesVisitor(node.typeArguments, visitor, isTypeNode)); }, [184]: function visitEachChildOfTypeLiteralNode(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateTypeLiteralNode(node, nodesVisitor(node.members, visitor, isTypeElement)); }, [185]: function visitEachChildOfArrayTypeNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateArrayTypeNode(node, Debug.checkDefined(nodeVisitor(node.elementType, visitor, isTypeNode))); }, [186]: function visitEachChildOfTupleTypeNode(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateTupleTypeNode(node, nodesVisitor(node.elements, visitor, isTypeNode)); }, [187]: function visitEachChildOfOptionalTypeNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateOptionalTypeNode(node, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [188]: function visitEachChildOfRestTypeNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateRestTypeNode(node, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [189]: function visitEachChildOfUnionTypeNode(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateUnionTypeNode(node, nodesVisitor(node.types, visitor, isTypeNode)); }, [190]: function visitEachChildOfIntersectionTypeNode(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateIntersectionTypeNode(node, nodesVisitor(node.types, visitor, isTypeNode)); }, [191]: function visitEachChildOfConditionalTypeNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConditionalTypeNode(node, Debug.checkDefined(nodeVisitor(node.checkType, visitor, isTypeNode)), Debug.checkDefined(nodeVisitor(node.extendsType, visitor, isTypeNode)), Debug.checkDefined(nodeVisitor(node.trueType, visitor, isTypeNode)), Debug.checkDefined(nodeVisitor(node.falseType, visitor, isTypeNode))); }, [192]: function visitEachChildOfInferTypeNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateInferTypeNode(node, Debug.checkDefined(nodeVisitor(node.typeParameter, visitor, isTypeParameterDeclaration))); }, [202]: function visitEachChildOfImportTypeNode(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportTypeNode(node, Debug.checkDefined(nodeVisitor(node.argument, visitor, isTypeNode)), nodeVisitor(node.assertions, visitor, isImportTypeAssertionContainer), nodeVisitor(node.qualifier, visitor, isEntityName), nodesVisitor(node.typeArguments, visitor, isTypeNode), node.isTypeOf); }, [298]: function visitEachChildOfImportTypeAssertionContainer(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportTypeAssertionContainer(node, Debug.checkDefined(nodeVisitor(node.assertClause, visitor, isAssertClause)), node.multiLine); }, [199]: function visitEachChildOfNamedTupleMember(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateNamedTupleMember(node, tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [193]: function visitEachChildOfParenthesizedType(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateParenthesizedType(node, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [195]: function visitEachChildOfTypeOperatorNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeOperatorNode(node, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [196]: function visitEachChildOfIndexedAccessType(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateIndexedAccessTypeNode(node, Debug.checkDefined(nodeVisitor(node.objectType, visitor, isTypeNode)), Debug.checkDefined(nodeVisitor(node.indexType, visitor, isTypeNode))); }, [197]: function visitEachChildOfMappedType(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateMappedTypeNode(node, tokenVisitor ? nodeVisitor(node.readonlyToken, tokenVisitor, isReadonlyKeywordOrPlusOrMinusToken) : node.readonlyToken, Debug.checkDefined(nodeVisitor(node.typeParameter, visitor, isTypeParameterDeclaration)), nodeVisitor(node.nameType, visitor, isTypeNode), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionOrPlusOrMinusToken) : node.questionToken, nodeVisitor(node.type, visitor, isTypeNode), nodesVisitor(node.members, visitor, isTypeElement)); }, [198]: function visitEachChildOfLiteralTypeNode(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateLiteralTypeNode(node, Debug.checkDefined(nodeVisitor(node.literal, visitor, isLiteralTypeLiteral))); }, [200]: function visitEachChildOfTemplateLiteralType(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateLiteralType(node, Debug.checkDefined(nodeVisitor(node.head, visitor, isTemplateHead)), nodesVisitor(node.templateSpans, visitor, isTemplateLiteralTypeSpan)); }, [201]: function visitEachChildOfTemplateLiteralTypeSpan(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateLiteralTypeSpan(node, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode)), Debug.checkDefined(nodeVisitor(node.literal, visitor, isTemplateMiddleOrTemplateTail))); }, [203]: function visitEachChildOfObjectBindingPattern(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateObjectBindingPattern(node, nodesVisitor(node.elements, visitor, isBindingElement)); }, [204]: function visitEachChildOfArrayBindingPattern(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateArrayBindingPattern(node, nodesVisitor(node.elements, visitor, isArrayBindingElement)); }, [205]: function visitEachChildOfBindingElement(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateBindingElement(node, tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken, nodeVisitor(node.propertyName, visitor, isPropertyName), Debug.checkDefined(nodeVisitor(node.name, visitor, isBindingName)), nodeVisitor(node.initializer, visitor, isExpression)); }, [206]: function visitEachChildOfArrayLiteralExpression(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateArrayLiteralExpression(node, nodesVisitor(node.elements, visitor, isExpression)); }, [207]: function visitEachChildOfObjectLiteralExpression(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateObjectLiteralExpression(node, nodesVisitor(node.properties, visitor, isObjectLiteralElementLike)); }, [208]: function visitEachChildOfPropertyAccessExpression(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return isPropertyAccessChain(node) ? context.factory.updatePropertyAccessChain(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken, Debug.checkDefined(nodeVisitor(node.name, visitor, isMemberName))) : context.factory.updatePropertyAccessExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.name, visitor, isMemberName))); }, [209]: function visitEachChildOfElementAccessExpression(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return isElementAccessChain(node) ? context.factory.updateElementAccessChain(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken, Debug.checkDefined(nodeVisitor(node.argumentExpression, visitor, isExpression))) : context.factory.updateElementAccessExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.argumentExpression, visitor, isExpression))); }, [210]: function visitEachChildOfCallExpression(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return isCallChain(node) ? context.factory.updateCallChain(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken, nodesVisitor(node.typeArguments, visitor, isTypeNode), nodesVisitor(node.arguments, visitor, isExpression)) : context.factory.updateCallExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), nodesVisitor(node.typeArguments, visitor, isTypeNode), nodesVisitor(node.arguments, visitor, isExpression)); }, [211]: function visitEachChildOfNewExpression(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNewExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), nodesVisitor(node.typeArguments, visitor, isTypeNode), nodesVisitor(node.arguments, visitor, isExpression)); }, [212]: function visitEachChildOfTaggedTemplateExpression(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTaggedTemplateExpression(node, Debug.checkDefined(nodeVisitor(node.tag, visitor, isExpression)), nodesVisitor(node.typeArguments, visitor, isTypeNode), Debug.checkDefined(nodeVisitor(node.template, visitor, isTemplateLiteral))); }, [213]: function visitEachChildOfTypeAssertionExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeAssertion(node, Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode)), Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [214]: function visitEachChildOfParenthesizedExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateParenthesizedExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [215]: function visitEachChildOfFunctionExpression(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateFunctionExpression(node, nodesVisitor(node.modifiers, visitor, isModifier), tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, nodeVisitor(node.name, visitor, isIdentifier), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor, context, nodesVisitor), nodeVisitor(node.type, visitor, isTypeNode), visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [216]: function visitEachChildOfArrowFunction(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateArrowFunction(node, nodesVisitor(node.modifiers, visitor, isModifier), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor, context, nodesVisitor), nodeVisitor(node.type, visitor, isTypeNode), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.equalsGreaterThanToken, tokenVisitor, isEqualsGreaterThanToken)) : node.equalsGreaterThanToken, visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [217]: function visitEachChildOfDeleteExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateDeleteExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [218]: function visitEachChildOfTypeOfExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeOfExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [219]: function visitEachChildOfVoidExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateVoidExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [220]: function visitEachChildOfAwaitExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateAwaitExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [221]: function visitEachChildOfPrefixUnaryExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePrefixUnaryExpression(node, Debug.checkDefined(nodeVisitor(node.operand, visitor, isExpression))); }, [222]: function visitEachChildOfPostfixUnaryExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePostfixUnaryExpression(node, Debug.checkDefined(nodeVisitor(node.operand, visitor, isExpression))); }, [223]: function visitEachChildOfBinaryExpression(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateBinaryExpression(node, Debug.checkDefined(nodeVisitor(node.left, visitor, isExpression)), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.operatorToken, tokenVisitor, isBinaryOperatorToken)) : node.operatorToken, Debug.checkDefined(nodeVisitor(node.right, visitor, isExpression))); }, [224]: function visitEachChildOfConditionalExpression(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateConditionalExpression(node, Debug.checkDefined(nodeVisitor(node.condition, visitor, isExpression)), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken)) : node.questionToken, Debug.checkDefined(nodeVisitor(node.whenTrue, visitor, isExpression)), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.colonToken, tokenVisitor, isColonToken)) : node.colonToken, Debug.checkDefined(nodeVisitor(node.whenFalse, visitor, isExpression))); }, [225]: function visitEachChildOfTemplateExpression(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateExpression(node, Debug.checkDefined(nodeVisitor(node.head, visitor, isTemplateHead)), nodesVisitor(node.templateSpans, visitor, isTemplateSpan)); }, [226]: function visitEachChildOfYieldExpression(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateYieldExpression(node, tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, nodeVisitor(node.expression, visitor, isExpression)); }, [227]: function visitEachChildOfSpreadElement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSpreadElement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [228]: function visitEachChildOfClassExpression(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateClassExpression(node, nodesVisitor(node.modifiers, visitor, isModifierLike), nodeVisitor(node.name, visitor, isIdentifier), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.heritageClauses, visitor, isHeritageClause), nodesVisitor(node.members, visitor, isClassElement)); }, [230]: function visitEachChildOfExpressionWithTypeArguments(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExpressionWithTypeArguments(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), nodesVisitor(node.typeArguments, visitor, isTypeNode)); }, [231]: function visitEachChildOfAsExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateAsExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [235]: function visitEachChildOfSatisfiesExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSatisfiesExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [232]: function visitEachChildOfNonNullExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return isOptionalChain(node) ? context.factory.updateNonNullChain(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))) : context.factory.updateNonNullExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [233]: function visitEachChildOfMetaProperty(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateMetaProperty(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier))); }, [236]: function visitEachChildOfTemplateSpan(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateSpan(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.literal, visitor, isTemplateMiddleOrTemplateTail))); }, [238]: function visitEachChildOfBlock(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateBlock(node, nodesVisitor(node.statements, visitor, isStatement)); }, [240]: function visitEachChildOfVariableStatement(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateVariableStatement(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.declarationList, visitor, isVariableDeclarationList))); }, [241]: function visitEachChildOfExpressionStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExpressionStatement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [242]: function visitEachChildOfIfStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateIfStatement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.thenStatement, visitor, isStatement, context.factory.liftToBlock)), nodeVisitor(node.elseStatement, visitor, isStatement, context.factory.liftToBlock)); }, [243]: function visitEachChildOfDoStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateDoStatement(node, visitIterationBody(node.statement, visitor, context, nodeVisitor), Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [244]: function visitEachChildOfWhileStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateWhileStatement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), visitIterationBody(node.statement, visitor, context, nodeVisitor)); }, [245]: function visitEachChildOfForStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateForStatement(node, nodeVisitor(node.initializer, visitor, isForInitializer), nodeVisitor(node.condition, visitor, isExpression), nodeVisitor(node.incrementor, visitor, isExpression), visitIterationBody(node.statement, visitor, context, nodeVisitor)); }, [246]: function visitEachChildOfForInStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateForInStatement(node, Debug.checkDefined(nodeVisitor(node.initializer, visitor, isForInitializer)), Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), visitIterationBody(node.statement, visitor, context, nodeVisitor)); }, [247]: function visitEachChildOfForOfStatement(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateForOfStatement(node, tokenVisitor ? nodeVisitor(node.awaitModifier, tokenVisitor, isAwaitKeyword) : node.awaitModifier, Debug.checkDefined(nodeVisitor(node.initializer, visitor, isForInitializer)), Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), visitIterationBody(node.statement, visitor, context, nodeVisitor)); }, [248]: function visitEachChildOfContinueStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateContinueStatement(node, nodeVisitor(node.label, visitor, isIdentifier)); }, [249]: function visitEachChildOfBreakStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateBreakStatement(node, nodeVisitor(node.label, visitor, isIdentifier)); }, [250]: function visitEachChildOfReturnStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateReturnStatement(node, nodeVisitor(node.expression, visitor, isExpression)); }, [251]: function visitEachChildOfWithStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateWithStatement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.statement, visitor, isStatement, context.factory.liftToBlock))); }, [252]: function visitEachChildOfSwitchStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSwitchStatement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), Debug.checkDefined(nodeVisitor(node.caseBlock, visitor, isCaseBlock))); }, [253]: function visitEachChildOfLabeledStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateLabeledStatement(node, Debug.checkDefined(nodeVisitor(node.label, visitor, isIdentifier)), Debug.checkDefined(nodeVisitor(node.statement, visitor, isStatement, context.factory.liftToBlock))); }, [254]: function visitEachChildOfThrowStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateThrowStatement(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [255]: function visitEachChildOfTryStatement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTryStatement(node, Debug.checkDefined(nodeVisitor(node.tryBlock, visitor, isBlock)), nodeVisitor(node.catchClause, visitor, isCatchClause), nodeVisitor(node.finallyBlock, visitor, isBlock)); }, [257]: function visitEachChildOfVariableDeclaration(node, visitor, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateVariableDeclaration(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isBindingName)), tokenVisitor ? nodeVisitor(node.exclamationToken, tokenVisitor, isExclamationToken) : node.exclamationToken, nodeVisitor(node.type, visitor, isTypeNode), nodeVisitor(node.initializer, visitor, isExpression)); }, [258]: function visitEachChildOfVariableDeclarationList(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateVariableDeclarationList(node, nodesVisitor(node.declarations, visitor, isVariableDeclaration)); }, [259]: function visitEachChildOfFunctionDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateFunctionDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifier), tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, nodeVisitor(node.name, visitor, isIdentifier), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor, context, nodesVisitor), nodeVisitor(node.type, visitor, isTypeNode), visitFunctionBody(node.body, visitor, context, nodeVisitor)); }, [260]: function visitEachChildOfClassDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateClassDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), nodeVisitor(node.name, visitor, isIdentifier), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.heritageClauses, visitor, isHeritageClause), nodesVisitor(node.members, visitor, isClassElement)); }, [261]: function visitEachChildOfInterfaceDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateInterfaceDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), nodesVisitor(node.heritageClauses, visitor, isHeritageClause), nodesVisitor(node.members, visitor, isTypeElement)); }, [262]: function visitEachChildOfTypeAliasDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeAliasDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), nodesVisitor(node.typeParameters, visitor, isTypeParameterDeclaration), Debug.checkDefined(nodeVisitor(node.type, visitor, isTypeNode))); }, [263]: function visitEachChildOfEnumDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateEnumDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), nodesVisitor(node.members, visitor, isEnumMember)); }, [264]: function visitEachChildOfModuleDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateModuleDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor, isModuleName)), nodeVisitor(node.body, visitor, isModuleBody)); }, [265]: function visitEachChildOfModuleBlock(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateModuleBlock(node, nodesVisitor(node.statements, visitor, isStatement)); }, [266]: function visitEachChildOfCaseBlock(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateCaseBlock(node, nodesVisitor(node.clauses, visitor, isCaseOrDefaultClause)); }, [267]: function visitEachChildOfNamespaceExportDeclaration(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNamespaceExportDeclaration(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier))); }, [268]: function visitEachChildOfImportEqualsDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportEqualsDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), node.isTypeOnly, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), Debug.checkDefined(nodeVisitor(node.moduleReference, visitor, isModuleReference))); }, [269]: function visitEachChildOfImportDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), nodeVisitor(node.importClause, visitor, isImportClause), Debug.checkDefined(nodeVisitor(node.moduleSpecifier, visitor, isExpression)), nodeVisitor(node.assertClause, visitor, isAssertClause)); }, [296]: function visitEachChildOfAssertClause(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateAssertClause(node, nodesVisitor(node.elements, visitor, isAssertEntry), node.multiLine); }, [297]: function visitEachChildOfAssertEntry(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateAssertEntry(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isAssertionKey)), Debug.checkDefined(nodeVisitor(node.value, visitor, isExpression))); }, [270]: function visitEachChildOfImportClause(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportClause(node, node.isTypeOnly, nodeVisitor(node.name, visitor, isIdentifier), nodeVisitor(node.namedBindings, visitor, isNamedImportBindings)); }, [271]: function visitEachChildOfNamespaceImport(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNamespaceImport(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier))); }, [277]: function visitEachChildOfNamespaceExport(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNamespaceExport(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier))); }, [272]: function visitEachChildOfNamedImports(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateNamedImports(node, nodesVisitor(node.elements, visitor, isImportSpecifier)); }, [273]: function visitEachChildOfImportSpecifier(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportSpecifier(node, node.isTypeOnly, nodeVisitor(node.propertyName, visitor, isIdentifier), Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier))); }, [274]: function visitEachChildOfExportAssignment(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExportAssignment(node, nodesVisitor(node.modifiers, visitor, isModifierLike), Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [275]: function visitEachChildOfExportDeclaration(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExportDeclaration(node, nodesVisitor(node.modifiers, visitor, isModifierLike), node.isTypeOnly, nodeVisitor(node.exportClause, visitor, isNamedExportBindings), nodeVisitor(node.moduleSpecifier, visitor, isExpression), nodeVisitor(node.assertClause, visitor, isAssertClause)); }, [276]: function visitEachChildOfNamedExports(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateNamedExports(node, nodesVisitor(node.elements, visitor, isExportSpecifier)); }, [278]: function visitEachChildOfExportSpecifier(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExportSpecifier(node, node.isTypeOnly, nodeVisitor(node.propertyName, visitor, isIdentifier), Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier))); }, [280]: function visitEachChildOfExternalModuleReference(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExternalModuleReference(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [281]: function visitEachChildOfJsxElement(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxElement(node, Debug.checkDefined(nodeVisitor(node.openingElement, visitor, isJsxOpeningElement)), nodesVisitor(node.children, visitor, isJsxChild), Debug.checkDefined(nodeVisitor(node.closingElement, visitor, isJsxClosingElement))); }, [282]: function visitEachChildOfJsxSelfClosingElement(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxSelfClosingElement(node, Debug.checkDefined(nodeVisitor(node.tagName, visitor, isJsxTagNameExpression)), nodesVisitor(node.typeArguments, visitor, isTypeNode), Debug.checkDefined(nodeVisitor(node.attributes, visitor, isJsxAttributes))); }, [283]: function visitEachChildOfJsxOpeningElement(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxOpeningElement(node, Debug.checkDefined(nodeVisitor(node.tagName, visitor, isJsxTagNameExpression)), nodesVisitor(node.typeArguments, visitor, isTypeNode), Debug.checkDefined(nodeVisitor(node.attributes, visitor, isJsxAttributes))); }, [284]: function visitEachChildOfJsxClosingElement(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxClosingElement(node, Debug.checkDefined(nodeVisitor(node.tagName, visitor, isJsxTagNameExpression))); }, [285]: function visitEachChildOfJsxFragment(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxFragment(node, Debug.checkDefined(nodeVisitor(node.openingFragment, visitor, isJsxOpeningFragment)), nodesVisitor(node.children, visitor, isJsxChild), Debug.checkDefined(nodeVisitor(node.closingFragment, visitor, isJsxClosingFragment))); }, [288]: function visitEachChildOfJsxAttribute(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxAttribute(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), nodeVisitor(node.initializer, visitor, isStringLiteralOrJsxExpression)); }, [289]: function visitEachChildOfJsxAttributes(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateJsxAttributes(node, nodesVisitor(node.properties, visitor, isJsxAttributeLike)); }, [290]: function visitEachChildOfJsxSpreadAttribute(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxSpreadAttribute(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [291]: function visitEachChildOfJsxExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxExpression(node, nodeVisitor(node.expression, visitor, isExpression)); }, [292]: function visitEachChildOfCaseClause(node, visitor, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateCaseClause(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression)), nodesVisitor(node.statements, visitor, isStatement)); }, [293]: function visitEachChildOfDefaultClause(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateDefaultClause(node, nodesVisitor(node.statements, visitor, isStatement)); }, [294]: function visitEachChildOfHeritageClause(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateHeritageClause(node, nodesVisitor(node.types, visitor, isExpressionWithTypeArguments)); }, [295]: function visitEachChildOfCatchClause(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateCatchClause(node, nodeVisitor(node.variableDeclaration, visitor, isVariableDeclaration), Debug.checkDefined(nodeVisitor(node.block, visitor, isBlock))); }, [299]: function visitEachChildOfPropertyAssignment(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePropertyAssignment(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), Debug.checkDefined(nodeVisitor(node.initializer, visitor, isExpression))); }, [300]: function visitEachChildOfShorthandPropertyAssignment(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateShorthandPropertyAssignment(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isIdentifier)), nodeVisitor(node.objectAssignmentInitializer, visitor, isExpression)); }, [301]: function visitEachChildOfSpreadAssignment(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSpreadAssignment(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [302]: function visitEachChildOfEnumMember(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateEnumMember(node, Debug.checkDefined(nodeVisitor(node.name, visitor, isPropertyName)), nodeVisitor(node.initializer, visitor, isExpression)); }, [308]: function visitEachChildOfSourceFile(node, visitor, context, _nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateSourceFile(node, visitLexicalEnvironment(node.statements, visitor, context)); }, [356]: function visitEachChildOfPartiallyEmittedExpression(node, visitor, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePartiallyEmittedExpression(node, Debug.checkDefined(nodeVisitor(node.expression, visitor, isExpression))); }, [357]: function visitEachChildOfCommaListExpression(node, visitor, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateCommaListExpression(node, nodesVisitor(node.elements, visitor, isExpression)); } }; } }); 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, addMapping, appendSourceMap, toJSON, toString: () => JSON.stringify(toJSON()) }; function addSource(fileName) { enter(); const source = getRelativePathToDirectoryOrUrl(sourcesDirectoryPath, fileName, host.getCurrentDirectory(), host.getCanonicalFileName, 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 addName(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 = addName(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); lastGeneratedLine++; } while (lastGeneratedLine < pendingGeneratedLine); lastGeneratedCharacter = 0; } else { Debug.assertEqual(lastGeneratedLine, pendingGeneratedLine, "generatedLine cannot backtrack"); if (hasLast) { appendMappingCharCode(44); } } 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); } } 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 trimStringEnd(comment[1]); } 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" && isArray(x.sources) && every(x.sources, isString) && (x.sourceRoot === void 0 || x.sourceRoot === null || typeof x.sourceRoot === "string") && (x.sourcesContent === void 0 || x.sourcesContent === null || isArray(x.sourcesContent) && every(x.sourcesContent, isStringOrNull)) && (x.names === void 0 || x.names === null || isArray(x.names) && every(x.names, isString)); } function tryParseRawSourceMap(text) { try { const parsed = JSON.parse(text); if (isRawSourceMap(parsed)) { return parsed; } } catch (e) { } 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 error; return { get pos() { return pos; }, get error() { return error; }, get state() { return captureMapping(true, 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 (error === void 0) { error = message; } } function setErrorAndStopIterating(message) { setError(message); return stopIterating(); } function hasReportedError() { return error !== 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, 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, 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 sourceMapCommentRegExpDontCareLineStart, sourceMapCommentRegExp, whitespaceOrMapCommentRegExp, identitySourceMapConsumer; var init_sourcemap = __esm({ "src/compiler/sourcemap.ts"() { "use strict"; init_ts2(); init_ts_performance(); sourceMapCommentRegExpDontCareLineStart = ///[@#] source[M]appingURL=(.+) ? ?$/; sourceMapCommentRegExp = /^//[@#] source[M]appingURL=(.+) ? ?$/; whitespaceOrMapCommentRegExp = /^s*(//[@#] .*)?$/; identitySourceMapConsumer = { getSourcePosition: identity, getGeneratedPosition: identity }; } }); function getOriginalNodeId(node) { node = getOriginalNode(node); return node ? getNodeId(node) : 0; } function containsDefaultReference(node) { if (!node) return false; if (!isNamedImports(node)) return false; return some(node.elements, isNamedDefaultReference); } function isNamedDefaultReference(e) { return e.propertyName !== void 0 && e.propertyName.escapedText === "default"; } function chainBundle(context, transformSourceFile) { return transformSourceFileOrBundle; function transformSourceFileOrBundle(node) { return node.kind === 308 ? transformSourceFile(node) : transformBundle(node); } function transformBundle(node) { return context.factory.createBundle(map(node.sourceFiles, transformSourceFile), node.prepends); } } 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, resolver, compilerOptions) { const externalImports = []; const exportSpecifiers = createMultiMap(); const exportedBindings = []; const uniqueExports = /* @__PURE__ */ new Map(); 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 269: externalImports.push(node); if (!hasImportStar && getImportNeedsImportStarHelper(node)) { hasImportStar = true; } if (!hasImportDefault && getImportNeedsImportDefaultHelper(node)) { hasImportDefault = true; } break; case 268: if (node.moduleReference.kind === 280) { externalImports.push(node); } break; case 275: if (node.moduleSpecifier) { if (!node.exportClause) { externalImports.push(node); hasExportStarsToExportValues = true; } else { externalImports.push(node); if (isNamedExports(node.exportClause)) { addExportedNamesForExportDeclaration(node); } 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 274: if (node.isExportEquals && !exportEquals) { exportEquals = node; } break; case 240: if (hasSyntacticModifier(node, 1)) { for (const decl of node.declarationList.declarations) { exportedNames = collectExportedVariableInfo(decl, uniqueExports, exportedNames); } } break; case 259: if (hasSyntacticModifier(node, 1)) { if (hasSyntacticModifier(node, 1024)) { if (!hasExportDefault) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), context.factory.getDeclarationName(node)); hasExportDefault = true; } } else { const name = node.name; if (!uniqueExports.get(idText(name))) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name); uniqueExports.set(idText(name), true); exportedNames = append(exportedNames, name); } } } break; case 260: if (hasSyntacticModifier(node, 1)) { if (hasSyntacticModifier(node, 1024)) { 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, 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(idText(name), specifier); } const decl = resolver.getReferencedImportDeclaration(name) || resolver.getReferencedValueDeclaration(name); if (decl) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(decl), specifier.name); } uniqueExports.set(idText(specifier.name), true); exportedNames = append(exportedNames, specifier.name); } } } } function collectExportedVariableInfo(decl, uniqueExports, exportedNames) { if (isBindingPattern(decl.name)) { for (const element of decl.name.elements) { if (!isOmittedExpression(element)) { exportedNames = collectExportedVariableInfo(element, uniqueExports, exportedNames); } } } else if (!isGeneratedIdentifier(decl.name)) { const text = idText(decl.name); if (!uniqueExports.get(text)) { uniqueExports.set(text, true); exportedNames = append(exportedNames, 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; } function isSimpleCopiableExpression(expression) { return isStringLiteralLike(expression) || expression.kind === 8 || isKeyword(expression.kind) || isIdentifier(expression); } function isSimpleInlineableExpression(expression) { return !isIdentifier(expression) && isSimpleCopiableExpression(expression); } function isCompoundAssignment(kind) { return kind >= 64 && kind <= 78; } function getNonAssignmentOperatorForCompoundAssignment(kind) { switch (kind) { case 64: return 39; case 65: return 40; case 66: return 41; case 67: return 42; case 68: return 43; case 69: return 44; case 70: return 47; case 71: return 48; case 72: return 49; case 73: return 50; case 74: return 51; case 78: return 52; case 75: return 56; case 76: return 55; case 77: return 60; } } function getSuperCallFromStatement(statement) { if (!isExpressionStatement(statement)) { return void 0; } const expression = skipParentheses(statement.expression); return isSuperCall(expression) ? expression : void 0; } function findSuperStatementIndex(statements, indexAfterLastPrologueStatement) { for (let i = indexAfterLastPrologueStatement; i < statements.length; i += 1) { const statement = statements[i]; if (getSuperCallFromStatement(statement)) { return i; } } return -1; } 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 === 169 && 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 174: case 175: if (!useLegacyDecorators) { return getAllDecoratorsOfMethod(member); } return getAllDecoratorsOfAccessors(member, parent2); case 171: return getAllDecoratorsOfMethod(member); case 169: 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 _a2, _b; return isGeneratedPrivateIdentifier(name) ? (_a2 = privateEnv == null ? void 0 : privateEnv.generatedIdentifiers) == null ? void 0 : _a2.get(getNodeForGeneratedName(name)) : (_b = privateEnv == null ? void 0 : privateEnv.identifiers) == null ? void 0 : _b.get(name.escapedText); } function setPrivateIdentifier(privateEnv, name, entry) { var _a2, _b; if (isGeneratedPrivateIdentifier(name)) { (_a2 = privateEnv.generatedIdentifiers) != null ? _a2 : privateEnv.generatedIdentifiers = /* @__PURE__ */ new Map(); privateEnv.generatedIdentifiers.set(getNodeForGeneratedName(name), entry); } else { (_b = privateEnv.identifiers) != null ? _b : privateEnv.identifiers = /* @__PURE__ */ new Map(); privateEnv.identifiers.set(name.escapedText, entry); } } function accessPrivateIdentifier(env, name) { return walkUpLexicalEnvironments(env, (env2) => getPrivateIdentifier(env2.privateEnv, name)); } var init_utilities3 = __esm({ "src/compiler/transformers/utilities.ts"() { "use strict"; init_ts2(); } }); function flattenDestructuringAssignment(node, visitor, 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, visitor, 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 }; if (value) { value = visitNode(value, visitor, isExpression); Debug.assert(value); if (isIdentifier(value) && bindingOrAssignmentElementAssignsToName(node, value.escapedText) || bindingOrAssignmentElementContainsNonLiteralComputedName(node)) { value = ensureIdentifier(flattenContext, value, false, location); } else if (needsValue) { value = ensureIdentifier(flattenContext, value, true, location); } else if (nodeIsSynthesized(node)) { location = value; } } flattenBindingOrAssignmentElement(flattenContext, node, value, location, 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, visitor, 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, visitor, 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 }; 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)), false, initializer); node = context.factory.updateVariableDeclaration(node, node.name, void 0, void 0, initializer); } } flattenBindingOrAssignmentElement(flattenContext, node, rval, node, skipInitializer); if (pendingExpressions) { const temp = context.factory.createTempVariable(void 0); if (hoistTempVariables) { const value = context.factory.inlineExpressions(pendingExpressions); pendingExpressions = void 0; emitBindingOrAssignment(temp, value, void 0, 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, void 0, 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, 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, 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, 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), 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(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, element); } else if (i === numElements - 1) { const rhsValue = flattenContext.context.factory.createArraySliceCall(value, i); flattenBindingOrAssignmentElement(flattenContext, element, rhsValue, 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, true, location); return flattenContext.context.factory.createConditionalExpression(flattenContext.context.factory.createTypeCheck(value, "undefined"), void 0, defaultValue, void 0, value); } function createDestructuringPropertyAccess(flattenContext, value, propertyName) { if (isComputedPropertyName(propertyName)) { const argumentExpression = ensureIdentifier(flattenContext, Debug.checkDefined(visitNode(propertyName.expression, flattenContext.visitor, isExpression)), false, propertyName); return flattenContext.context.factory.createElementAccessExpression(value, argumentExpression); } else if (isStringOrNumericLiteralLike(propertyName)) { const argumentExpression = factory.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(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, 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(void 0, void 0, name); } function makeAssignmentElement(name) { return name; } var FlattenLevel; var init_destructuring = __esm({ "src/compiler/transformers/destructuring.ts"() { "use strict"; init_ts2(); FlattenLevel = /* @__PURE__ */ ((FlattenLevel2) => { FlattenLevel2[FlattenLevel2["All"] = 0] = "All"; FlattenLevel2[FlattenLevel2["ObjectRest"] = 1] = "ObjectRest"; return FlattenLevel2; })(FlattenLevel || {}); } }); function processTaggedTemplateExpression(context, node, visitor, currentSourceFile, recordTaggedTemplateString, level) { const tag = visitNode(node.tag, visitor, isExpression); Debug.assert(tag); const templateArguments = [void 0]; const cookedStrings = []; const rawStrings = []; const template = node.template; if (level === 0 && !hasInvalidEscape(template)) { return visitEachChild(node, visitor, context); } if (isNoSubstitutionTemplateLiteral(template)) { cookedStrings.push(createTemplateCooked(template)); rawStrings.push(getRawLiteral(template, currentSourceFile)); } else { cookedStrings.push(createTemplateCooked(template.head)); rawStrings.push(getRawLiteral(template.head, currentSourceFile)); for (const templateSpan of template.templateSpans) { cookedStrings.push(createTemplateCooked(templateSpan.literal)); rawStrings.push(getRawLiteral(templateSpan.literal, currentSourceFile)); templateArguments.push(Debug.checkDefined(visitNode(templateSpan.expression, visitor, isExpression))); } } const helperCall = context.getEmitHelperFactory().createTemplateObjectHelper(factory.createArrayLiteralExpression(cookedStrings), factory.createArrayLiteralExpression(rawStrings)); if (isExternalModule(currentSourceFile)) { const tempVar = factory.createUniqueName("templateObject"); recordTaggedTemplateString(tempVar); templateArguments[0] = factory.createLogicalOr(tempVar, factory.createAssignment(tempVar, helperCall)); } else { templateArguments[0] = helperCall; } return factory.createCallExpression(tag, void 0, templateArguments); } function createTemplateCooked(template) { return template.templateFlags ? factory.createVoidZero() : factory.createStringLiteral(template.text); } function getRawLiteral(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 === 14 || node.kind === 17; text = text.substring(1, text.length - (isLast ? 1 : 2)); } text = text.replace(/ ?/g, " "); return setTextRange(factory.createStringLiteral(text), node); } var ProcessLevel; var init_taggedTemplate = __esm({ "src/compiler/transformers/taggedTemplate.ts"() { "use strict"; init_ts2(); ProcessLevel = /* @__PURE__ */ ((ProcessLevel2) => { ProcessLevel2[ProcessLevel2["LiftRestriction"] = 0] = "LiftRestriction"; ProcessLevel2[ProcessLevel2["All"] = 1] = "All"; return ProcessLevel2; })(ProcessLevel || {}); } }); 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(208); context.enableSubstitution(209); let currentSourceFile; let currentNamespace; let currentNamespaceContainerName; let currentLexicalScope; let currentScopeFirstDeclarationsOfName; let currentClassHasParameterProperties; let enabledSubstitutions; let applicableSubstitutions; return transformSourceFileOrBundle; function transformSourceFileOrBundle(node) { if (node.kind === 309) { return transformBundle(node); } return transformSourceFile(node); } function transformBundle(node) { return factory2.createBundle(node.sourceFiles.map(transformSourceFile), mapDefined(node.prepends, (prepend) => { if (prepend.kind === 311) { return createUnparsedSourceFile(prepend, "js"); } return prepend; })); } 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 308: case 266: case 265: case 238: currentLexicalScope = node; currentScopeFirstDeclarationsOfName = void 0; break; case 260: case 259: if (hasSyntacticModifier(node, 2)) { break; } if (node.name) { recordEmittedDeclarationInScope(node); } else { Debug.assert(node.kind === 260 || hasSyntacticModifier(node, 1024)); } break; } } function visitor(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 269: case 268: case 274: case 275: return visitElidableStatement(node); default: return visitorWorker(node); } } function visitElidableStatement(node) { const parsed = getParseTreeNode(node); if (parsed !== node) { if (node.transformFlags & 1) { return visitEachChild(node, visitor, context); } return node; } switch (node.kind) { case 269: return visitImportDeclaration(node); case 268: return visitImportEqualsDeclaration(node); case 274: return visitExportAssignment(node); case 275: return visitExportDeclaration(node); default: Debug.fail("Unhandled ellided statement"); } } function namespaceElementVisitor(node) { return saveStateAndInvoke(node, namespaceElementVisitorWorker); } function namespaceElementVisitorWorker(node) { if (node.kind === 275 || node.kind === 269 || node.kind === 270 || node.kind === 268 && node.moduleReference.kind === 280) { return void 0; } else if (node.transformFlags & 1 || hasSyntacticModifier(node, 1)) { return visitTypeScript(node); } return node; } function getClassElementVisitor(parent2) { return (node) => saveStateAndInvoke(node, (n) => classElementVisitorWorker(n, parent2)); } function classElementVisitorWorker(node, parent2) { switch (node.kind) { case 173: return visitConstructor(node); case 169: return visitPropertyDeclaration(node, parent2); case 174: return visitGetAccessor(node, parent2); case 175: return visitSetAccessor(node, parent2); case 171: return visitMethodDeclaration(node, parent2); case 172: return visitEachChild(node, visitor, context); case 237: return node; case 178: 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 299: case 300: case 301: return visitor(node); case 174: return visitGetAccessor(node, parent2); case 175: return visitSetAccessor(node, parent2); case 171: return visitMethodDeclaration(node, parent2); default: return Debug.failBadSyntaxKind(node); } } function decoratorElidingVisitor(node) { return isDecorator(node) ? void 0 : visitor(node); } function modifierElidingVisitor(node) { return isModifier(node) ? void 0 : visitor(node); } function modifierVisitor(node) { if (isDecorator(node)) return void 0; if (modifierToFlag(node.kind) & 117086) { return void 0; } else if (currentNamespace && node.kind === 93) { return void 0; } return node; } function visitTypeScript(node) { if (isStatement(node) && hasSyntacticModifier(node, 2)) { return factory2.createNotEmittedStatement(node); } switch (node.kind) { case 93: case 88: return currentNamespace ? void 0 : node; case 123: case 121: case 122: case 126: case 161: case 85: case 136: case 146: case 101: case 145: case 185: case 186: case 187: case 188: case 184: case 179: case 165: case 131: case 157: case 134: case 152: case 148: case 144: case 114: case 153: case 182: case 181: case 183: case 180: case 189: case 190: case 191: case 193: case 194: case 195: case 196: case 197: case 198: case 178: return void 0; case 262: return factory2.createNotEmittedStatement(node); case 267: return void 0; case 261: return factory2.createNotEmittedStatement(node); case 260: return visitClassDeclaration(node); case 228: return visitClassExpression(node); case 294: return visitHeritageClause(node); case 230: return visitExpressionWithTypeArguments(node); case 207: return visitObjectLiteralExpression(node); case 173: case 169: case 171: case 174: case 175: case 172: return Debug.fail("Class and object literal elements must be visited with their respective visitors"); case 259: return visitFunctionDeclaration(node); case 215: return visitFunctionExpression(node); case 216: return visitArrowFunction(node); case 166: return visitParameter(node); case 214: return visitParenthesizedExpression(node); case 213: case 231: return visitAssertionExpression(node); case 235: return visitSatisfiesExpression(node); case 210: return visitCallExpression(node); case 211: return visitNewExpression(node); case 212: return visitTaggedTemplateExpression(node); case 232: return visitNonNullExpression(node); case 263: return visitEnumDeclaration(node); case 240: return visitVariableStatement(node); case 257: return visitVariableDeclaration(node); case 264: return visitModuleDeclaration(node); case 268: return visitImportEqualsDeclaration(node); case 282: return visitJsxSelfClosingElement(node); case 283: return visitJsxJsxOpeningElement(node); default: return visitEachChild(node, visitor, context); } } function visitSourceFile(node) { const alwaysStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") && !(isExternalModule(node) && moduleKind >= 5) && !isJsonSourceFile(node); return factory2.updateSourceFile(node, visitLexicalEnvironment(node.statements, sourceElementVisitor, context, 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, true, true))) facts |= 1; const extendsClauseElement = getEffectiveBaseTypeNode(node); if (extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 104) 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) { var _a2; 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, void 0, visitNodes2(node.heritageClauses, visitor, isHeritageClause), visitNodes2(node.members, getClassElementVisitor(node), isClassElement)); } if (promoteToIIFE) { context.startLexicalEnvironment(); } const moveModifiers = promoteToIIFE || facts & 8 || facts & 2 && legacyDecorators || facts & 1; let modifiers = moveModifiers ? visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike) : visitNodes2(node.modifiers, visitor, isModifierLike); if (facts & 2) { modifiers = injectClassTypeMetadata(modifiers, node); } const needsName = moveModifiers && !node.name || facts & 4 || facts & 1; const name = needsName ? (_a2 = node.name) != null ? _a2 : factory2.getGeneratedNameForNode(node) : node.name; const classDeclaration = factory2.updateClassDeclaration(node, modifiers, name, void 0, visitNodes2(node.heritageClauses, visitor, 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), 19); const localName = factory2.getInternalName(node); const outer = factory2.createPartiallyEmittedExpression(localName); setTextRangeEnd(outer, closingBraceLocation.end); setEmitFlags(outer, 3072); const returnStatement = factory2.createReturnStatement(outer); setTextRangePos(returnStatement, closingBraceLocation.pos); setEmitFlags(returnStatement, 3072 | 768); statements.push(returnStatement); insertStatementsAfterStandardPrologue(statements, context.endLexicalEnvironment()); const iife = factory2.createImmediatelyInvokedArrowFunction(statements); setInternalEmitFlags(iife, 1); const modifiers2 = facts & 16 ? factory2.createModifiersFromModifierFlags(1) : void 0; const varStatement = factory2.createVariableStatement(modifiers2, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.getLocalName(node, false, false), void 0, void 0, iife) ], 1)); setOriginalNode(varStatement, node); setCommentRange(varStatement, node); setSourceMapRange(varStatement, moveRangePastDecorators(node)); startOnNewLine(varStatement); statement = varStatement; } else { statement = classDeclaration; } if (moveModifiers) { if (facts & 8) { return demarcateMultiStatementExport(statement, createExportMemberAssignmentStatement(node)); } if (facts & 32) { return demarcateMultiStatementExport(statement, factory2.createExportDefault(factory2.getLocalName(node, false, true))); } if (facts & 16 && !promoteToIIFE) { return demarcateMultiStatementExport(statement, factory2.createExternalModuleExport(factory2.getLocalName(node, false, true))); } } return statement; } function demarcateMultiStatementExport(declarationStatement, exportStatement) { addEmitFlags(declarationStatement, 8388608); return [ declarationStatement, exportStatement, factory2.createEndOfDeclarationMarker(declarationStatement) ]; } 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, void 0, visitNodes2(node.heritageClauses, visitor, 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(void 0, parameter.name, void 0, void 0, void 0); setOriginalNode(parameterProperty, parameter); newMembers = append(newMembers, parameterProperty); } } if (newMembers) { newMembers = addRange(newMembers, members); return setTextRange(factory2.createNodeArray(newMembers), 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)); 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(void 0, void 0, [], void 0, factory2.createToken(38), typeSerializer.serializeTypeOfNode({ currentLexicalScope, currentNameScope: container }, node))); properties = append(properties, typeProperty); } if (shouldAddParamTypesMetadata(node)) { const paramTypeProperty = factory2.createPropertyAssignment("paramTypes", factory2.createArrowFunction(void 0, void 0, [], void 0, factory2.createToken(38), typeSerializer.serializeParameterTypesOfNode({ currentLexicalScope, currentNameScope: container }, node, container))); properties = append(properties, paramTypeProperty); } if (shouldAddReturnTypeMetadata(node)) { const returnTypeProperty = factory2.createPropertyAssignment("returnType", factory2.createArrowFunction(void 0, void 0, [], void 0, factory2.createToken(38), typeSerializer.serializeReturnTypeOfNode({ currentLexicalScope, currentNameScope: container }, node))); properties = append(properties, returnTypeProperty); } if (properties) { const typeInfoMetadata = emitHelpers().createMetadataHelper("design:typeinfo", factory2.createObjectLiteralExpression(properties, true)); return [factory2.createDecorator(typeInfoMetadata)]; } } } function shouldAddTypeMetadata(node) { const kind = node.kind; return kind === 171 || kind === 174 || kind === 175 || kind === 169; } function shouldAddReturnTypeMetadata(node) { return node.kind === 171; } function shouldAddParamTypesMetadata(node) { switch (node.kind) { case 260: case 228: return getFirstConstructorWithBody(node) !== void 0; case 171: case 174: case 175: 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, visitor, 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, visitor, isPropertyName)); } function visitHeritageClause(node) { if (node.token === 117) { return void 0; } return visitEachChild(node, visitor, context); } function visitExpressionWithTypeArguments(node) { return factory2.updateExpressionWithTypeArguments(node, Debug.checkDefined(visitNode(node.expression, visitor, isLeftHandSideExpression)), void 0); } function shouldEmitFunctionLikeDeclaration(node) { return !nodeIsMissing(node.body); } function visitPropertyDeclaration(node, parent2) { const isAmbient = node.flags & 16777216 || hasSyntacticModifier(node, 256); if (isAmbient && !(legacyDecorators && hasDecorators(node))) { return void 0; } let modifiers = isClassLike(parent2) ? !isAmbient ? visitNodes2(node.modifiers, visitor, 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(2)), Debug.checkDefined(visitNode(node.name, visitor, isPropertyName)), void 0, void 0, void 0); } return factory2.updatePropertyDeclaration(node, modifiers, visitPropertyNameOfClassElement(node), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); } function visitConstructor(node) { if (!shouldEmitFunctionLikeDeclaration(node)) { return void 0; } return factory2.updateConstructorDeclaration(node, void 0, visitParameterList(node.parameters, visitor, context), transformConstructorBody(node.body, node)); } function transformConstructorBody(body, constructor) { const parametersWithPropertyAssignments = constructor && filter(constructor.parameters, (p) => isParameterPropertyDeclaration(p, constructor)); if (!some(parametersWithPropertyAssignments)) { return visitFunctionBody(body, visitor, context); } let statements = []; resumeLexicalEnvironment(); const prologueStatementCount = factory2.copyPrologue(body.statements, statements, false, visitor); const superStatementIndex = findSuperStatementIndex(body.statements, prologueStatementCount); if (superStatementIndex >= 0) { addRange(statements, visitNodes2(body.statements, visitor, isStatement, prologueStatementCount, superStatementIndex + 1 - prologueStatementCount)); } const parameterPropertyAssignments = mapDefined(parametersWithPropertyAssignments, transformParameterWithPropertyAssignment); if (superStatementIndex >= 0) { addRange(statements, parameterPropertyAssignments); } else { statements = [ ...statements.slice(0, prologueStatementCount), ...parameterPropertyAssignments, ...statements.slice(prologueStatementCount) ]; } const start = superStatementIndex >= 0 ? superStatementIndex + 1 : prologueStatementCount; addRange(statements, visitNodes2(body.statements, visitor, isStatement, start)); statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment()); const block = factory2.createBlock(setTextRange(factory2.createNodeArray(statements), body.statements), true); setTextRange(block, 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); const localName = setParent(setTextRange(factory2.cloneNode(name), name), name.parent); setEmitFlags(localName, 3072); 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, visitor, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); return factory2.updateMethodDeclaration(node, modifiers, node.asteriskToken, visitPropertyNameOfClassElement(node), void 0, void 0, visitParameterList(node.parameters, visitor, context), void 0, visitFunctionBody(node.body, visitor, context)); } function shouldEmitAccessorDeclaration(node) { return !(nodeIsMissing(node.body) && hasSyntacticModifier(node, 256)); } function visitGetAccessor(node, parent2) { if (!(node.transformFlags & 1)) { return node; } if (!shouldEmitAccessorDeclaration(node)) { return void 0; } let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); return factory2.updateGetAccessorDeclaration(node, modifiers, visitPropertyNameOfClassElement(node), visitParameterList(node.parameters, visitor, context), void 0, visitFunctionBody(node.body, visitor, 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, visitor, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); return factory2.updateSetAccessorDeclaration(node, modifiers, visitPropertyNameOfClassElement(node), visitParameterList(node.parameters, visitor, context), visitFunctionBody(node.body, visitor, 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, void 0, visitParameterList(node.parameters, visitor, context), void 0, visitFunctionBody(node.body, visitor, 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, void 0, visitParameterList(node.parameters, visitor, context), void 0, visitFunctionBody(node.body, visitor, context) || factory2.createBlock([])); return updated; } function visitArrowFunction(node) { const updated = factory2.updateArrowFunction(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), void 0, visitParameterList(node.parameters, visitor, context), void 0, node.equalsGreaterThanToken, visitFunctionBody(node.body, visitor, context)); return updated; } function visitParameter(node) { if (parameterIsThisKeyword(node)) { return void 0; } const updated = factory2.updateParameterDeclaration(node, visitNodes2(node.modifiers, (node2) => isDecorator(node2) ? visitor(node2) : void 0, isModifierLike), node.dotDotDotToken, Debug.checkDefined(visitNode(node.name, visitor, isBindingName)), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); if (updated !== node) { setCommentRange(updated, node); setTextRange(updated, moveRangePastModifiers(node)); setSourceMapRange(updated, moveRangePastModifiers(node)); setEmitFlags(updated.name, 64); } 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, visitor, context); } } function transformInitializedVariable(node) { const name = node.name; if (isBindingPattern(name)) { return flattenDestructuringAssignment(node, visitor, context, 0, false, createNamespaceExportExpression); } else { return setTextRange(factory2.createAssignment(getNamespaceMemberNameWithSourceMapsAndWithoutComments(name), Debug.checkDefined(visitNode(node.initializer, visitor, isExpression))), node); } } function visitVariableDeclaration(node) { const updated = factory2.updateVariableDeclaration(node, Debug.checkDefined(visitNode(node.name, visitor, isBindingName)), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); if (node.type) { setTypeNode(updated.name, node.type); } return updated; } function visitParenthesizedExpression(node) { const innerExpression = skipOuterExpressions(node.expression, ~6); if (isAssertionExpression(innerExpression)) { const expression = visitNode(node.expression, visitor, isExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } return visitEachChild(node, visitor, context); } function visitAssertionExpression(node) { const expression = visitNode(node.expression, visitor, isExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } function visitNonNullExpression(node) { const expression = visitNode(node.expression, visitor, isLeftHandSideExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } function visitSatisfiesExpression(node) { const expression = visitNode(node.expression, visitor, isExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } function visitCallExpression(node) { return factory2.updateCallExpression(node, Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), void 0, visitNodes2(node.arguments, visitor, isExpression)); } function visitNewExpression(node) { return factory2.updateNewExpression(node, Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), void 0, visitNodes2(node.arguments, visitor, isExpression)); } function visitTaggedTemplateExpression(node) { return factory2.updateTaggedTemplateExpression(node, Debug.checkDefined(visitNode(node.tag, visitor, isExpression)), void 0, Debug.checkDefined(visitNode(node.template, visitor, isTemplateLiteral))); } function visitJsxSelfClosingElement(node) { return factory2.updateJsxSelfClosingElement(node, Debug.checkDefined(visitNode(node.tagName, visitor, isJsxTagNameExpression)), void 0, Debug.checkDefined(visitNode(node.attributes, visitor, isJsxAttributes))); } function visitJsxJsxOpeningElement(node) { return factory2.updateJsxOpeningElement(node, Debug.checkDefined(visitNode(node.tagName, visitor, isJsxTagNameExpression)), void 0, Debug.checkDefined(visitNode(node.attributes, visitor, 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 = hasSyntacticModifier(node, 1) ? factory2.getExternalModuleOrNamespaceExportName(currentNamespaceContainerName, node, false, true) : factory2.getLocalName(node, false, true); let moduleArg = factory2.createLogicalOr(exportName, factory2.createAssignment(exportName, factory2.createObjectLiteralExpression())); if (hasNamespaceQualifiedExportName(node)) { const localName = factory2.getLocalName(node, false, true); moduleArg = factory2.createAssignment(localName, moduleArg); } const enumStatement = factory2.createExpressionStatement(factory2.createCallExpression(factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, parameterName)], void 0, transformEnumBody(node, containerName)), 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); statements.push(factory2.createEndOfDeclarationMarker(node)); 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), node.members), true); } function transformEnumMember(member) { const name = getExpressionForPropertyName(member, false); const valueExpression = transformEnumMemberDeclarationValue(member); const innerAssignment = factory2.createAssignment(factory2.createElementAccessExpression(currentNamespaceContainerName, name), valueExpression); const outerAssignment = valueExpression.kind === 10 ? innerAssignment : factory2.createAssignment(factory2.createElementAccessExpression(currentNamespaceContainerName, innerAssignment), name); return setTextRange(factory2.createExpressionStatement(setTextRange(outerAssignment, member)), member); } function transformEnumMemberDeclarationValue(member) { const value = resolver.getConstantValue(member); if (value !== void 0) { return typeof value === "string" ? factory2.createStringLiteral(value) : factory2.createNumericLiteral(value); } else { enableSubstitutionForNonQualifiedEnumMembers(); if (member.initializer) { return Debug.checkDefined(visitNode(member.initializer, visitor, isExpression)); } else { return factory2.createVoidZero(); } } } function shouldEmitModuleDeclaration(nodeIn) { const node = getParseTreeNode(nodeIn, isModuleDeclaration); if (!node) { return true; } return isInstantiatedModule(node, shouldPreserveConstEnums(compilerOptions)); } function hasNamespaceQualifiedExportName(node) { return isExportOfNamespace(node) || isExternalModuleExport(node) && moduleKind !== 5 && moduleKind !== 6 && moduleKind !== 7 && moduleKind !== 99 && moduleKind !== 4; } 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 statement = factory2.createVariableStatement(visitNodes2(node.modifiers, modifierVisitor, isModifier), factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.getLocalName(node, false, true)) ], currentLexicalScope.kind === 308 ? 0 : 1)); setOriginalNode(statement, node); recordEmittedDeclarationInScope(node); if (isFirstEmittedDeclarationInScope(node)) { if (node.kind === 263) { setSourceMapRange(statement.declarationList, node); } else { setSourceMapRange(statement, node); } setCommentRange(statement, node); addEmitFlags(statement, 2048 | 8388608); statements.push(statement); return true; } else { const mergeMarker = factory2.createMergeDeclarationMarker(statement); setEmitFlags(mergeMarker, 3072 | 8388608); statements.push(mergeMarker); 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 = hasSyntacticModifier(node, 1) ? factory2.getExternalModuleOrNamespaceExportName(currentNamespaceContainerName, node, false, true) : factory2.getLocalName(node, false, true); let moduleArg = factory2.createLogicalOr(exportName, factory2.createAssignment(exportName, factory2.createObjectLiteralExpression())); if (hasNamespaceQualifiedExportName(node)) { const localName = factory2.getLocalName(node, false, true); moduleArg = factory2.createAssignment(localName, moduleArg); } const moduleStatement = factory2.createExpressionStatement(factory2.createCallExpression(factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, parameterName)], void 0, transformModuleBody(node, containerName)), 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); statements.push(factory2.createEndOfDeclarationMarker(node)); 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 === 265) { 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 (isArray(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), statementsLocation), true); setTextRange(block, blockLocation); if (!node.body || node.body.kind !== 265) { setEmitFlags(block, getEmitFlags(block) | 3072); } return block; } function getInnerMostModuleDeclarationFromDottedModule(moduleDeclaration) { if (moduleDeclaration.body.kind === 264) { 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 || compilerOptions.importsNotUsedAsValues === 1 || compilerOptions.importsNotUsedAsValues === 2 ? factory2.updateImportDeclaration(node, void 0, importClause, node.moduleSpecifier, node.assertClause) : 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, false, name, namedBindings) : void 0; } function visitNamedImportBindings(node) { if (node.kind === 271) { return shouldEmitAliasDeclaration(node) ? node : void 0; } else { const allowEmpty = compilerOptions.verbatimModuleSyntax || compilerOptions.preserveValueImports && (compilerOptions.importsNotUsedAsValues === 1 || compilerOptions.importsNotUsedAsValues === 2); 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, visitor, context) : void 0; } function visitExportDeclaration(node) { if (node.isTypeOnly) { return void 0; } if (!node.exportClause || isNamespaceExport(node.exportClause)) { return node; } const allowEmpty = compilerOptions.verbatimModuleSyntax || !!node.moduleSpecifier && (compilerOptions.importsNotUsedAsValues === 1 || compilerOptions.importsNotUsedAsValues === 2); const exportClause = visitNode(node.exportClause, (bindings) => visitNamedExportBindings(bindings, allowEmpty), isNamedExportBindings); return exportClause ? factory2.updateExportDeclaration(node, void 0, node.isTypeOnly, exportClause, node.moduleSpecifier, node.assertClause) : 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, visitor, 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); if (!isReferenced && compilerOptions.importsNotUsedAsValues === 1) { return setOriginalNode(setTextRange(factory2.createImportDeclaration(void 0, void 0, node.moduleReference.expression, void 0), node), node); } return isReferenced ? visitEachChild(node, visitor, context) : void 0; } if (!shouldEmitImportEqualsDeclaration(node)) { return void 0; } const moduleReference = createExpressionFromEntityName(factory2, node.moduleReference); setEmitFlags(moduleReference, 3072 | 4096); if (isNamedExternalModuleExport(node) || !isExportOfNamespace(node)) { return setOriginalNode(setTextRange(factory2.createVariableStatement(visitNodes2(node.modifiers, modifierVisitor, isModifier), factory2.createVariableDeclarationList([ setOriginalNode(factory2.createVariableDeclaration(node.name, void 0, void 0, moduleReference), node) ])), node), node); } else { return setOriginalNode(createNamespaceExport(node.name, moduleReference, node), node); } } function isExportOfNamespace(node) { return currentNamespace !== void 0 && hasSyntacticModifier(node, 1); } function isExternalModuleExport(node) { return currentNamespace === void 0 && hasSyntacticModifier(node, 1); } function isNamedExternalModuleExport(node) { return isExternalModuleExport(node) && !hasSyntacticModifier(node, 1024); } function isDefaultExternalModuleExport(node) { return isExternalModuleExport(node) && hasSyntacticModifier(node, 1024); } function createExportMemberAssignmentStatement(node) { const expression = factory2.createAssignment(factory2.getExternalModuleOrNamespaceExportName(currentNamespaceContainerName, node, false, 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, false, true), exportValue)), location); } function createNamespaceExportExpression(exportName, exportValue, location) { return setTextRange(factory2.createAssignment(getNamespaceMemberNameWithSourceMapsAndWithoutComments(exportName), exportValue), location); } function getNamespaceMemberNameWithSourceMapsAndWithoutComments(name) { return factory2.getNamespaceMemberName(currentNamespaceContainerName, name, false, 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(79); } } function enableSubstitutionForNamespaceExports() { if ((enabledSubstitutions & 2) === 0) { enabledSubstitutions |= 2; context.enableSubstitution(79); context.enableSubstitution(300); context.enableEmitNotification(264); } } function isTransformedModuleDeclaration(node) { return getOriginalNode(node).kind === 264; } function isTransformedEnumDeclaration(node) { return getOriginalNode(node).kind === 263; } 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 79: return substituteExpressionIdentifier(node); case 208: return substitutePropertyAccessExpression(node); case 209: 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, false); if (container && container.kind !== 308) { const substitute = applicableSubstitutions & 2 && container.kind === 264 || applicableSubstitutions & 8 && container.kind === 263; if (substitute) { return setTextRange(factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(container), node), 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) : 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) || (compilerOptions.preserveValueImports ? resolver.isValueAliasDeclaration(node) : resolver.isReferencedAliasDeclaration(node)); } } var USE_NEW_TYPE_METADATA_FORMAT; var init_ts = __esm({ "src/compiler/transformers/ts.ts"() { "use strict"; init_ts2(); USE_NEW_TYPE_METADATA_FORMAT = false; } }); 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(); let currentClassContainer; let currentStaticPropertyDeclarationOrStaticBlock; 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, visitor, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function modifierVisitor(node) { switch (node.kind) { case 127: return shouldTransformAutoAccessorsInCurrentClass() ? void 0 : node; default: return tryCast(node, isModifier); } } function visitor(node) { if (!(node.transformFlags & 16777216) && !(node.transformFlags & 134234112)) { return node; } switch (node.kind) { case 127: return Debug.fail("Use `modifierVisitor` instead."); case 260: return visitClassDeclaration(node); case 228: return visitClassExpression(node, void 0); case 172: case 169: return Debug.fail("Use `classElementVisitor` instead."); case 299: return visitPropertyAssignment(node); case 240: return visitVariableStatement(node); case 257: return visitVariableDeclaration(node); case 166: return visitParameterDeclaration(node); case 205: return visitBindingElement(node); case 274: return visitExportAssignment(node); case 80: return visitPrivateIdentifier(node); case 208: return visitPropertyAccessExpression(node); case 209: return visitElementAccessExpression(node); case 221: case 222: return visitPreOrPostfixUnaryExpression(node, false); case 223: return visitBinaryExpression(node, false); case 214: return visitParenthesizedExpression(node, false, void 0); case 210: return visitCallExpression(node); case 241: return visitExpressionStatement(node); case 212: return visitTaggedTemplateExpression(node); case 245: return visitForStatement(node); case 259: case 215: case 173: case 171: case 174: case 175: { return setCurrentStaticPropertyDeclarationOrStaticBlockAnd(void 0, fallbackVisitor, node); } default: return fallbackVisitor(node); } } function fallbackVisitor(node) { return visitEachChild(node, visitor, context); } function namedEvaluationVisitor(node, referencedName) { switch (node.kind) { case 356: return visitPartiallyEmittedExpression(node, false, referencedName); case 214: return visitParenthesizedExpression(node, false, referencedName); case 228: return visitClassExpression(node, referencedName); default: return visitor(node); } } function discardedValueVisitor(node) { switch (node.kind) { case 221: case 222: return visitPreOrPostfixUnaryExpression(node, true); case 223: return visitBinaryExpression(node, true); case 357: return visitCommaListExpression(node, true); case 214: return visitParenthesizedExpression(node, true, void 0); default: return visitor(node); } } function heritageClauseVisitor(node) { switch (node.kind) { case 294: return visitEachChild(node, heritageClauseVisitor, context); case 230: return visitExpressionWithTypeArgumentsInHeritageClause(node); default: return visitor(node); } } function assignmentTargetVisitor(node) { switch (node.kind) { case 207: case 206: return visitAssignmentPattern(node); default: return visitor(node); } } function classElementVisitor(node) { switch (node.kind) { case 173: return visitConstructorDeclaration(node); case 174: case 175: case 171: return setCurrentStaticPropertyDeclarationOrStaticBlockAnd(void 0, visitMethodOrAccessorDeclaration, node); case 169: return setCurrentStaticPropertyDeclarationOrStaticBlockAnd(void 0, visitPropertyDeclaration, node); case 172: return visitClassStaticBlockDeclaration(node); case 164: return visitComputedPropertyName(node); case 237: return node; default: return isModifierLike(node) ? modifierVisitor(node) : visitor(node); } } function propertyNameVisitor(node) { switch (node.kind) { case 164: return visitComputedPropertyName(node); default: return visitor(node); } } function accessorFieldResultVisitor(node) { switch (node.kind) { case 169: return transformFieldInitializer(node); case 174: case 175: 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, visitor, isExpression); return setOriginalNode(emitHelpers().createClassPrivateFieldInHelper(info.brandCheckIdentifier, receiver), node); } return visitEachChild(node, visitor, context); } function visitPropertyAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const { referencedName, name } = visitReferencedPropertyName(node.name); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, referencedName), isExpression); return factory2.updatePropertyAssignment(node, name, initializer); } return visitEachChild(node, visitor, context); } function visitVariableStatement(node) { const savedPendingStatements = pendingStatements; pendingStatements = []; const visitedNode = visitEachChild(node, visitor, context); const statement = some(pendingStatements) ? [visitedNode, ...pendingStatements] : visitedNode; pendingStatements = savedPendingStatements; return statement; } function getAssignedNameOfIdentifier(name, initializer) { const originalClass = getOriginalNode(initializer, isClassLike); return originalClass && !originalClass.name && hasSyntacticModifier(originalClass, 1024) ? factory2.createStringLiteral("default") : factory2.createStringLiteralFromNode(name); } function visitVariableDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.initializer); const name = visitNode(node.name, visitor, isBindingName); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateVariableDeclaration(node, name, void 0, void 0, initializer); } return visitEachChild(node, visitor, context); } function visitParameterDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.initializer); const name = visitNode(node.name, visitor, isBindingName); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateParameterDeclaration(node, void 0, void 0, name, void 0, void 0, initializer); } return visitEachChild(node, visitor, context); } function visitBindingElement(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.initializer); const propertyName = visitNode(node.propertyName, visitor, isPropertyName); const name = visitNode(node.name, visitor, isBindingName); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateBindingElement(node, void 0, propertyName, name, initializer); } return visitEachChild(node, visitor, context); } function visitExportAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = factory2.createStringLiteral(node.isExportEquals ? "" : "default"); const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const expression = visitNode(node.expression, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateExportAssignment(node, modifiers, expression); } return visitEachChild(node, visitor, 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, visitor, 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, void 0, visitParameterList(node.parameters, visitor, context), void 0, visitFunctionBody(node.body, visitor, context)))); } return void 0; } function setCurrentStaticPropertyDeclarationOrStaticBlockAnd(current, visitor2, arg) { const savedCurrentStaticPropertyDeclarationOrStaticBlock = currentStaticPropertyDeclarationOrStaticBlock; currentStaticPropertyDeclarationOrStaticBlock = current; const result = visitor2(arg); currentStaticPropertyDeclarationOrStaticBlock = savedCurrentStaticPropertyDeclarationOrStaticBlock; return result; } 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 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, visitor, isExpression)); setterName = factory2.updateComputedPropertyName(name, cacheAssignment.left); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration); setSourceMapRange(temp, name.expression); const expression = visitNode(name.expression, visitor, 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); setSourceMapRange(backingField, sourceMapRange); const getter = createAccessorPropertyGetRedirector(factory2, node, modifiers, getterName); setOriginalNode(getter, node); setCommentRange(getter, commentRange); setSourceMapRange(getter, sourceMapRange); const setter = createAccessorPropertySetRedirector(factory2, node, modifiers, setterName); setOriginalNode(setter, node); setEmitFlags(setter, 3072); 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], 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, visitor, isModifierLike), node.name, void 0, void 0, void 0); } if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const { referencedName, name } = visitReferencedPropertyName(node.name); return factory2.updatePropertyDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), name, void 0, void 0, visitNode(node.initializer, (child) => namedEvaluationVisitor(child, referencedName), isExpression)); } return factory2.updatePropertyDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), visitNode(node.name, propertyNameVisitor, isPropertyName), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); } function transformPublicFieldInitializer(node) { if (shouldTransformInitializers && !isAutoAccessorPropertyDeclaration(node)) { const expr = getPropertyNameExpressionIfNeeded(node.name, !!node.initializer || useDefineForClassFields, isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)); 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), void 0, void 0, visitNode(node.initializer, visitor, 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 createPrivateIdentifierAccess(info, receiver) { return createPrivateIdentifierAccessHelper(info, visitNode(receiver, visitor, isExpression)); } 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 && isSuperProperty(node) && isIdentifier(node.name) && currentStaticPropertyDeclarationOrStaticBlock && (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, visitor, context); } function visitElementAccessExpression(node) { if (shouldTransformSuperInStaticInitializers && isSuperProperty(node) && currentStaticPropertyDeclarationOrStaticBlock && (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, visitor, isExpression), classConstructor); setOriginalNode(superProperty, node.expression); setTextRange(superProperty, node.expression); return superProperty; } } return visitEachChild(node, visitor, context); } function visitPreOrPostfixUnaryExpression(node, discarded) { if (node.operator === 45 || node.operator === 46) { const operand = skipParentheses(node.operand); if (isPrivateIdentifierPropertyAccessExpression(operand)) { let info; if (info = accessPrivateIdentifier2(operand.name)) { const receiver = visitNode(operand.expression, visitor, isExpression); 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, 63); setOriginalNode(expression, node); setTextRange(expression, node); if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } else if (shouldTransformSuperInStaticInitializers && isSuperProperty(operand) && currentStaticPropertyDeclarationOrStaticBlock && (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, visitor, 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, visitor, context); } function visitForStatement(node) { return factory2.updateForStatement(node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, visitor, 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 (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 _a2; 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, visitor, isExpression), node.questionDotToken, "call"), void 0, void 0, [visitNode(thisArg, visitor, isExpression), ...visitNodes2(node.arguments, visitor, isExpression)]); } return factory2.updateCallExpression(node, factory2.createPropertyAccessExpression(visitNode(target, visitor, isExpression), "call"), void 0, [visitNode(thisArg, visitor, isExpression), ...visitNodes2(node.arguments, visitor, isExpression)]); } if (shouldTransformSuperInStaticInitializers && isSuperProperty(node.expression) && currentStaticPropertyDeclarationOrStaticBlock && ((_a2 = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a2.classConstructor)) { const invocation = factory2.createFunctionCallCall(visitNode(node.expression, visitor, isExpression), lexicalEnvironment.data.classConstructor, visitNodes2(node.arguments, visitor, isExpression)); setOriginalNode(invocation, node); setTextRange(invocation, node); return invocation; } return visitEachChild(node, visitor, context); } function visitTaggedTemplateExpression(node) { var _a2; 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, visitor, isExpression), "bind"), void 0, [visitNode(thisArg, visitor, isExpression)]), void 0, visitNode(node.template, visitor, isTemplateLiteral)); } if (shouldTransformSuperInStaticInitializers && isSuperProperty(node.tag) && currentStaticPropertyDeclarationOrStaticBlock && ((_a2 = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a2.classConstructor)) { const invocation = factory2.createFunctionBindCall(visitNode(node.tag, visitor, isExpression), lexicalEnvironment.data.classConstructor, []); setOriginalNode(invocation, node); setTextRange(invocation, node); return factory2.updateTaggedTemplateExpression(node, invocation, void 0, visitNode(node.template, visitor, isTemplateLiteral)); } return visitEachChild(node, visitor, context); } function transformClassStaticBlockDeclaration(node) { if (lexicalEnvironment) { lexicalEnvironmentMap.set(getOriginalNode(node), lexicalEnvironment); } if (shouldTransformPrivateElementsOrClassStaticBlocks) { startLexicalEnvironment(); let statements = setCurrentStaticPropertyDeclarationOrStaticBlockAnd(node, (statements2) => visitNodes2(statements2, visitor, isStatement), node.body.statements); statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment()); const iife = factory2.createImmediatelyInvokedArrowFunction(statements); setOriginalNode(iife, node); setTextRange(iife, node); addEmitFlags(iife, 4); return iife; } } function isAnonymousClassNeedingAssignedName(node) { if (isClassExpression(node) && !node.name) { const staticPropertiesOrClassStaticBlocks = getStaticPropertiesAndClassStaticBlock(node); const classStaticBlock = find(staticPropertiesOrClassStaticBlocks, isClassStaticBlockDeclaration); if (classStaticBlock) { for (const statement of classStaticBlock.body.statements) { if (isExpressionStatement(statement) && isCallToHelper(statement.expression, "___setFunctionName")) { 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, visitor, isExpression)); const expr = some(pendingExpressions) ? factory2.inlineExpressions(compact([...pendingExpressions, node])) : node; pendingExpressions = savedPendingExpressions; return expr; } if (isAssignmentExpression(node)) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.left, node.right); const left = visitNode(node.left, visitor, isExpression); const right = visitNode(node.right, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } if (isPrivateIdentifierPropertyAccessExpression(node.left)) { const info = accessPrivateIdentifier2(node.left.name); if (info) { return setTextRange(setOriginalNode(createPrivateIdentifierAssignment(info, node.left.expression, node.right, node.operatorToken.kind), node), node); } } else if (shouldTransformSuperInStaticInitializers && isSuperProperty(node.left) && currentStaticPropertyDeclarationOrStaticBlock && (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, visitor, isExpression)); } if (classConstructor && superClassReference) { let setterName = isElementAccessExpression(node.left) ? visitNode(node.left.argumentExpression, visitor, isExpression) : isIdentifier(node.left.name) ? factory2.createStringLiteralFromNode(node.left.name) : void 0; if (setterName) { let expression = visitNode(node.right, visitor, 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, visitor, context); } function visitCommaListExpression(node, discarded) { const elements = discarded ? visitCommaListElements(node.elements, discardedValueVisitor) : visitCommaListElements(node.elements, visitor, discardedValueVisitor); return factory2.updateCommaListExpression(node, elements); } function visitParenthesizedExpression(node, discarded, referencedName) { const visitorFunc = discarded ? discardedValueVisitor : referencedName ? (node2) => namedEvaluationVisitor(node2, referencedName) : visitor; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updateParenthesizedExpression(node, expression); } function visitPartiallyEmittedExpression(node, discarded, referencedName) { const visitorFunc = discarded ? discardedValueVisitor : referencedName ? (node2) => namedEvaluationVisitor(node2, referencedName) : visitor; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updatePartiallyEmittedExpression(node, expression); } function visitReferencedPropertyName(node) { if (isPropertyNameLiteral(node) || isPrivateIdentifier(node)) { const referencedName2 = factory2.createStringLiteralFromNode(node); const name2 = visitNode(node, visitor, isPropertyName); return { referencedName: referencedName2, name: name2 }; } if (isPropertyNameLiteral(node.expression) && !isIdentifier(node.expression)) { const referencedName2 = factory2.createStringLiteralFromNode(node.expression); const name2 = visitNode(node, visitor, isPropertyName); return { referencedName: referencedName2, name: name2 }; } const referencedName = factory2.createTempVariable(hoistVariableDeclaration); const key = emitHelpers().createPropKeyHelper(visitNode(node.expression, visitor, isExpression)); const assignment = factory2.createAssignment(referencedName, key); const name = factory2.updateComputedPropertyName(node, injectPendingExpressions(assignment)); return { referencedName, name }; } function createPrivateIdentifierAssignment(info, receiver, right, operator) { receiver = visitNode(receiver, visitor, isExpression); right = visitNode(right, visitor, isExpression); 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, 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) { let facts = 0; const original = getOriginalNode(node); if (isClassDeclaration(original) && classOrConstructorParameterIsDecorated(legacyDecorators, original)) { facts |= 1; } 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; } 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; } 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 _a2; const facts = ((_a2 = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a2.facts) || 0; if (facts & 4) { const temp = factory2.createTempVariable(hoistVariableDeclaration, true); getClassLexicalEnvironment().superClassReference = temp; return factory2.updateExpressionWithTypeArguments(node, factory2.createAssignment(temp, visitNode(node.expression, visitor, isExpression)), void 0); } return visitEachChild(node, visitor, context); } function visitInNewClassLexicalEnvironment(node, referencedName, visitor2) { 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; } } 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 = visitor2(node, facts, referencedName); endClassLexicalEnvironment(); Debug.assert(lexicalEnvironment === savedLexicalEnvironment); currentClassContainer = savedCurrentClassContainer; pendingExpressions = savedPendingExpressions; return result; } function visitClassDeclaration(node) { return visitInNewClassLexicalEnvironment(node, void 0, visitClassDeclarationInNewClassLexicalEnvironment); } function visitClassDeclarationInNewClassLexicalEnvironment(node, facts) { var _a2, _b; let pendingClassReferenceAssignment; if (facts & 2) { if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_a2 = node.emitNode) == null ? void 0 : _a2.classThis)) { getClassLexicalEnvironment().classConstructor = node.emitNode.classThis; pendingClassReferenceAssignment = factory2.createAssignment(node.emitNode.classThis, factory2.getInternalName(node)); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration, 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 modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, heritageClauseVisitor, isHeritageClause); const { members, prologue } = transformClassMembers(node); const classDecl = factory2.updateClassDeclaration(node, modifiers, node.name, void 0, heritageClauses, members); const statements = []; if (prologue) { statements.push(factory2.createExpressionStatement(prologue)); } statements.push(classDecl); 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)); } } return statements; } function visitClassExpression(node, referencedName) { return visitInNewClassLexicalEnvironment(node, referencedName, visitClassExpressionInNewClassLexicalEnvironment); } function visitClassExpressionInNewClassLexicalEnvironment(node, facts, referencedName) { var _a2, _b, _c, _d, _e, _f; const isDecoratedClassDeclaration = !!(facts & 1); const staticPropertiesOrClassStaticBlocks = getStaticPropertiesAndClassStaticBlock(node); const isClassWithConstructorReference = resolver.getNodeCheckFlags(node) & 1048576; let temp; function createClassTempVar() { var _a3; if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_a3 = node.emitNode) == null ? void 0 : _a3.classThis)) { return getClassLexicalEnvironment().classConstructor = node.emitNode.classThis; } const classCheckFlags = resolver.getNodeCheckFlags(node); const isClassWithConstructorReference2 = classCheckFlags & 1048576; const requiresBlockScopedVar = classCheckFlags & 32768; const temp2 = factory2.createTempVariable(requiresBlockScopedVar ? addBlockScopedVariable : hoistVariableDeclaration, !!isClassWithConstructorReference2); getClassLexicalEnvironment().classConstructor = factory2.cloneNode(temp2); return temp2; } if ((_a2 = node.emitNode) == null ? void 0 : _a2.classThis) { getClassLexicalEnvironment().classThis = node.emitNode.classThis; } if (facts & 2) { temp != null ? temp : temp = createClassTempVar(); } const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, heritageClauseVisitor, isHeritageClause); const { members, prologue } = transformClassMembers(node); let classExpression = factory2.updateClassExpression(node, modifiers, node.name, 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) || referencedName) { 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 (referencedName) { if (shouldTransformPrivateElementsOrClassStaticBlocks) { const setNameExpression = emitHelpers().createSetFunctionNameHelper((_c = temp != null ? temp : (_b = node.emitNode) == null ? void 0 : _b.classThis) != null ? _c : factory2.getInternalName(node), referencedName); pendingStatements.push(factory2.createExpressionStatement(setNameExpression)); } else { const setNameExpression = emitHelpers().createSetFunctionNameHelper(factory2.createThis(), referencedName); classExpression = factory2.updateClassExpression(classExpression, classExpression.modifiers, classExpression.name, classExpression.typeParameters, classExpression.heritageClauses, [ factory2.createClassStaticBlockDeclaration(factory2.createBlock([ factory2.createExpressionStatement(setNameExpression) ])), ...classExpression.members ]); } } if (some(staticPropertiesOrClassStaticBlocks)) { addPropertyOrClassStaticBlockStatements(pendingStatements, staticPropertiesOrClassStaticBlocks, (_e = (_d = node.emitNode) == null ? void 0 : _d.classThis) != null ? _e : factory2.getInternalName(node)); } if (temp) { expressions.push(factory2.createAssignment(temp, classExpression)); } else if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_f = node.emitNode) == null ? void 0 : _f.classThis)) { expressions.push(factory2.createAssignment(node.emitNode.classThis, classExpression)); } else { expressions.push(classExpression); } } else { temp != null ? 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); if (referencedName) { expressions.push(emitHelpers().createSetFunctionNameHelper(temp, referencedName)); } addRange(expressions, generateInitializedPropertyExpressionsOrClassStaticBlock(staticPropertiesOrClassStaticBlocks, temp)); expressions.push(factory2.cloneNode(temp)); } } else { expressions.push(classExpression); } if (expressions.length > 1) { addEmitFlags(classExpression, 131072); expressions.forEach(startOnNewLine); } return factory2.inlineExpressions(expressions); } function visitClassStaticBlockDeclaration(node) { if (!shouldTransformPrivateElementsOrClassStaticBlocks) { return visitEachChild(node, visitor, context); } return void 0; } 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, 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(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(void 0, void 0, [], void 0, void 0, factory2.createBlock([statement])); prologue = factory2.createAssignment(temp, arrow); statement = factory2.createExpressionStatement(factory2.createCallExpression(temp, void 0, [])); } const block = factory2.createBlock([statement]); syntheticStaticBlock = factory2.createClassStaticBlockDeclaration(block); pendingExpressions = void 0; } if (syntheticConstructor || syntheticStaticBlock) { let membersArray; membersArray = append(membersArray, syntheticConstructor); membersArray = append(membersArray, syntheticStaticBlock); membersArray = addRange(membersArray, members); members = setTextRange(factory2.createNodeArray(membersArray), 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"), void 0, []))); } function transformConstructor(constructor, container) { constructor = visitNode(constructor, visitor, 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 !== 104); const parameters = visitParameterList(constructor ? constructor.parameters : void 0, visitor, context); const body = transformConstructorBody(container, constructor, isDerivedClass); if (!body) { return constructor; } if (constructor) { Debug.assert(parameters); return factory2.updateConstructorDeclaration(constructor, void 0, parameters, body); } return startOnNewLine(setOriginalNode(setTextRange(factory2.createConstructorDeclaration(void 0, parameters != null ? parameters : [], body), constructor || container), constructor)); } function transformConstructorBody(node, constructor, isDerivedClass) { var _a2, _b; const instanceProperties = getProperties(node, false, 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(void 0, visitor, context); } resumeLexicalEnvironment(); const needsSyntheticConstructor = !constructor && isDerivedClass; let indexOfFirstStatementAfterSuperAndPrologue = 0; let prologueStatementCount = 0; let superStatementIndex = -1; let statements = []; if ((_a2 = constructor == null ? void 0 : constructor.body) == null ? void 0 : _a2.statements) { prologueStatementCount = factory2.copyPrologue(constructor.body.statements, statements, false, visitor); superStatementIndex = findSuperStatementIndex(constructor.body.statements, prologueStatementCount); if (superStatementIndex >= 0) { indexOfFirstStatementAfterSuperAndPrologue = superStatementIndex + 1; statements = [ ...statements.slice(0, prologueStatementCount), ...visitNodes2(constructor.body.statements, visitor, isStatement, prologueStatementCount, indexOfFirstStatementAfterSuperAndPrologue - prologueStatementCount), ...statements.slice(prologueStatementCount) ]; } else if (prologueStatementCount >= 0) { indexOfFirstStatementAfterSuperAndPrologue = prologueStatementCount; } } if (needsSyntheticConstructor) { statements.push(factory2.createExpressionStatement(factory2.createCallExpression(factory2.createSuper(), void 0, [factory2.createSpreadElement(factory2.createIdentifier("arguments"))]))); } let parameterPropertyDeclarationCount = 0; if (constructor == null ? void 0 : constructor.body) { for (let i = indexOfFirstStatementAfterSuperAndPrologue; i < constructor.body.statements.length; i++) { const statement = constructor.body.statements[i]; if (isParameterPropertyDeclaration(getOriginalNode(statement), constructor)) { parameterPropertyDeclarationCount++; } else { break; } } if (parameterPropertyDeclarationCount > 0) { indexOfFirstStatementAfterSuperAndPrologue += parameterPropertyDeclarationCount; } } const receiver = factory2.createThis(); addInstanceMethodStatements(statements, privateMethodsAndAccessors, receiver); if (constructor) { const parameterProperties = filter(instanceProperties, (prop) => isParameterPropertyDeclaration(getOriginalNode(prop), constructor)); const nonParameterProperties = filter(properties, (prop) => !isParameterPropertyDeclaration(getOriginalNode(prop), constructor)); addPropertyOrClassStaticBlockStatements(statements, parameterProperties, receiver); addPropertyOrClassStaticBlockStatements(statements, nonParameterProperties, receiver); } else { addPropertyOrClassStaticBlockStatements(statements, properties, receiver); } if (constructor) { addRange(statements, visitNodes2(constructor.body.statements, visitor, isStatement, indexOfFirstStatementAfterSuperAndPrologue)); } 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 ? (_b = constructor.body.multiLine) != null ? _b : statements.length > 0 : statements.length > 0; return setTextRange(factory2.createBlock(setTextRange(factory2.createNodeArray(statements), constructor ? constructor.body.statements : node.members), multiLine), 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) ? transformClassStaticBlockDeclaration(property) : transformProperty(property, receiver); if (!expression) { return void 0; } const statement = factory2.createExpressionStatement(expression); setOriginalNode(statement, property); addEmitFlags(statement, getEmitFlags(property) & 3072); 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); } return statement; } function generateInitializedPropertyExpressionsOrClassStaticBlock(propertiesOrClassStaticBlocks, receiver) { const expressions = []; for (const property of propertiesOrClassStaticBlocks) { const expression = isClassStaticBlockDeclaration(property) ? transformClassStaticBlockDeclaration(property) : transformProperty(property, receiver); if (!expression) { continue; } startOnNewLine(expression); setOriginalNode(expression, property); addEmitFlags(expression, getEmitFlags(property) & 3072); setSourceMapRange(expression, moveRangePastModifiers(property)); setCommentRange(expression, property); expressions.push(expression); } return expressions; } function transformProperty(property, receiver) { var _a2; const savedCurrentStaticPropertyDeclarationOrStaticBlock = currentStaticPropertyDeclarationOrStaticBlock; const transformed = transformPropertyWorker(property, receiver); if (transformed && hasStaticModifier(property) && ((_a2 = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a2.facts)) { setOriginalNode(transformed, property); addEmitFlags(transformed, 4); setSourceMapRange(transformed, getSourceMapRange(property.name)); lexicalEnvironmentMap.set(getOriginalNode(property), lexicalEnvironment); } currentStaticPropertyDeclarationOrStaticBlock = savedCurrentStaticPropertyDeclarationOrStaticBlock; return transformed; } function transformPropertyWorker(property, receiver) { const emitAssignment = !useDefineForClassFields; let referencedName; if (isNamedEvaluation(property, isAnonymousClassNeedingAssignedName)) { if (isPropertyNameLiteral(property.name) || isPrivateIdentifier(property.name)) { referencedName = factory2.createStringLiteralFromNode(property.name); } else if (isPropertyNameLiteral(property.name.expression) && !isIdentifier(property.name.expression)) { referencedName = factory2.createStringLiteralFromNode(property.name.expression); } else { referencedName = factory2.getGeneratedNameForNode(property.name); } } 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)) { currentStaticPropertyDeclarationOrStaticBlock = property; } const initializerVisitor = referencedName ? (child) => namedEvaluationVisitor(child, referencedName) : visitor; if (isPrivateIdentifier(propertyName) && shouldTransformClassElementToWeakMap(property)) { const privateIdentifierInfo = accessPrivateIdentifier2(propertyName); if (privateIdentifierInfo) { if (privateIdentifierInfo.kind === "f") { if (!privateIdentifierInfo.isStatic) { return createPrivateInstanceFieldInitializer(receiver, visitNode(property.initializer, initializerVisitor, isExpression), privateIdentifierInfo.brandCheckIdentifier); } else { return createPrivateStaticFieldInitializer(privateIdentifierInfo.variableName, visitNode(property.initializer, initializerVisitor, 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, 256)) { return void 0; } let initializer = visitNode(property.initializer, initializerVisitor, 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); setSourceMapRange(localName, propertyOriginalNode.name); setEmitFlags(localName, 3072); } else { initializer != null ? initializer : initializer = factory2.createVoidZero(); } if (emitAssignment || isPrivateIdentifier(propertyName)) { const memberAccess = createMemberAccessForPropertyName(factory2, receiver, propertyName, propertyName); addEmitFlags(memberAccess, 1024); 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(79); classAliases = []; } } function enableSubstitutionForClassStaticThisOrSuperReference() { if ((enabledSubstitutions & 2) === 0) { enabledSubstitutions |= 2; context.enableSubstitution(108); context.enableEmitNotification(259); context.enableEmitNotification(215); context.enableEmitNotification(173); context.enableEmitNotification(174); context.enableEmitNotification(175); context.enableEmitNotification(171); context.enableEmitNotification(169); context.enableEmitNotification(164); } } function addInstanceMethodStatements(statements, methods, receiver) { if (!shouldTransformPrivateElementsOrClassStaticBlocks || !some(methods)) { return; } const { weakSetName } = getPrivateIdentifierEnvironment().data; Debug.assert(weakSetName, "weakSetName should be set in private identifier environment"); statements.push(factory2.createExpressionStatement(createPrivateInstanceMethodInitializer(receiver, weakSetName))); } function visitInvalidSuperProperty(node) { return isPropertyAccessExpression(node) ? factory2.updatePropertyAccessExpression(node, factory2.createVoidZero(), node.name) : factory2.updateElementAccessExpression(node, factory2.createVoidZero(), visitNode(node.argumentExpression, visitor, isExpression)); } function getPropertyNameExpressionIfNeeded(name, shouldHoist, captureReferencedName) { if (isComputedPropertyName(name)) { const cacheAssignment = findComputedPropertyNameCacheAssignment(name); let expression = visitNode(name.expression, visitor, isExpression); const innerExpression = skipPartiallyEmittedExpressions(expression); const inlinable = isSimpleInlineableExpression(innerExpression); const alreadyTransformed = !!cacheAssignment || isAssignmentExpression(innerExpression) && isGeneratedIdentifier(innerExpression.left); if (!alreadyTransformed && !inlinable && shouldHoist) { const generatedName = factory2.getGeneratedNameForNode(name); if (resolver.getNodeCheckFlags(name) & 32768) { addBlockScopedVariable(generatedName); } else { hoistVariableDeclaration(generatedName); } if (captureReferencedName) { expression = emitHelpers().createPropKeyHelper(expression); } 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() { var _a2; Debug.assert(lexicalEnvironment); return (_a2 = lexicalEnvironment.data) != null ? _a2 : lexicalEnvironment.data = { facts: 0, classConstructor: void 0, classThis: void 0, superClassReference: void 0 }; } function getPrivateIdentifierEnvironment() { var _a2; Debug.assert(lexicalEnvironment); return (_a2 = lexicalEnvironment.privateEnv) != null ? _a2 : lexicalEnvironment.privateEnv = newPrivateEnvironment({ className: void 0, weakSetName: void 0 }); } function getPendingExpressions() { return pendingExpressions != null ? pendingExpressions : pendingExpressions = []; } function addPrivateIdentifierClassElementToEnvironment(node, name, lex, privateEnv, isStatic2, isValid, previousInfo) { if (isAutoAccessorPropertyDeclaration(node)) { addPrivateIdentifierAutoAccessorPropertyDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid, previousInfo); } else if (isPropertyDeclaration(node)) { addPrivateIdentifierPropertyDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid, previousInfo); } else if (isMethodDeclaration(node)) { addPrivateIdentifierMethodDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid, previousInfo); } else if (isGetAccessorDeclaration(node)) { addPrivateIdentifierGetAccessorDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid, previousInfo); } else if (isSetAccessorDeclaration(node)) { addPrivateIdentifierSetAccessorDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid, previousInfo); } } function addPrivateIdentifierPropertyDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid, _previousInfo) { var _a2; if (isStatic2) { const brandCheckIdentifier = Debug.checkDefined((_a2 = lex.classThis) != null ? _a2 : lex.classConstructor, "classConstructor should be set in private identifier environment"); const variableName = createHoistedVariableForPrivateName(name); setPrivateIdentifier(privateEnv, name, { kind: "f", isStatic: true, brandCheckIdentifier, variableName, isValid }); } else { const weakMapName = createHoistedVariableForPrivateName(name); setPrivateIdentifier(privateEnv, name, { kind: "f", isStatic: false, brandCheckIdentifier: weakMapName, isValid }); getPendingExpressions().push(factory2.createAssignment(weakMapName, factory2.createNewExpression(factory2.createIdentifier("WeakMap"), void 0, []))); } } function addPrivateIdentifierMethodDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid, _previousInfo) { var _a2; const methodName = createHoistedVariableForPrivateName(name); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined((_a2 = lex.classThis) != null ? _a2 : 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 }); } function addPrivateIdentifierGetAccessorDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid, previousInfo) { var _a2; const getterName = createHoistedVariableForPrivateName(name, "_get"); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined((_a2 = lex.classThis) != null ? _a2 : 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 }); } } function addPrivateIdentifierSetAccessorDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid, previousInfo) { var _a2; const setterName = createHoistedVariableForPrivateName(name, "_set"); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined((_a2 = lex.classThis) != null ? _a2 : 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 }); } } function addPrivateIdentifierAutoAccessorPropertyDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid, _previousInfo) { var _a2; const getterName = createHoistedVariableForPrivateName(name, "_get"); const setterName = createHoistedVariableForPrivateName(name, "_set"); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined((_a2 = lex.classThis) != null ? _a2 : 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 }); } function addPrivateIdentifierToEnvironment(node, name, addDeclaration) { const lex = getClassLexicalEnvironment(); const privateEnv = getPrivateIdentifierEnvironment(); const previousInfo = getPrivateIdentifier(privateEnv, name); const isStatic2 = hasStaticModifier(node); const isValid = !isReservedPrivateName(name) && previousInfo === void 0; addDeclaration(node, name, lex, privateEnv, isStatic2, isValid, 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(void 0, true, prefix, suffix); if (resolver.getNodeCheckFlags(node) & 32768) { addBlockScopedVariable(identifier); } else { hoistVariableDeclaration(identifier); } return identifier; } function createHoistedVariableForPrivateName(name, suffix) { var _a2; const text = tryGetTextOfPropertyName(name); return createHoistedVariableForClass((_a2 = text == null ? void 0 : text.substring(1)) != null ? _a2 : 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, visitor, context); } let receiver = node.expression; if (isThisProperty(node) || isSuperProperty(node) || !isSimpleCopiableExpression(node.expression)) { receiver = factory2.createTempVariable(hoistVariableDeclaration, true); getPendingExpressions().push(factory2.createBinaryExpression(receiver, 63, visitNode(node.expression, visitor, isExpression))); } return factory2.createAssignmentTargetWrapper(parameter, createPrivateIdentifierAssignment(info, receiver, parameter, 63)); } function visitDestructuringAssignmentTarget(node) { if (isObjectLiteralExpression(node) || isArrayLiteralExpression(node)) { return visitAssignmentPattern(node); } if (isPrivateIdentifierPropertyAccessExpression(node)) { return wrapPrivateIdentifierForDestructuringTarget(node); } else if (shouldTransformSuperInStaticInitializers && isSuperProperty(node) && currentStaticPropertyDeclarationOrStaticBlock && (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, visitor, isExpression) : isIdentifier(node.name) ? factory2.createStringLiteralFromNode(node.name) : void 0; if (name) { const temp = factory2.createTempVariable(void 0); return factory2.createAssignmentTargetWrapper(temp, factory2.createReflectSetCall(superClassReference, name, temp, classConstructor)); } } } return visitEachChild(node, visitor, context); } function visitAssignmentElement(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const left = visitDestructuringAssignmentTarget(node.left); const assignedName = getAssignedNameOfIdentifier(node.left, node.right); const right = visitNode(node.right, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } if (isAssignmentExpression(node, true)) { const left = visitDestructuringAssignmentTarget(node.left); const right = visitNode(node.right, visitor, 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, visitor, context); } function visitArrayAssignmentElement(node) { Debug.assertNode(node, isArrayBindingOrAssignmentElement); if (isSpreadElement(node)) return visitAssignmentRestElement(node); if (!isOmittedExpression(node)) return visitAssignmentElement(node); return visitEachChild(node, visitor, context); } function visitAssignmentProperty(node) { const name = visitNode(node.name, visitor, isPropertyName); if (isAssignmentExpression(node.initializer, 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, visitor, context); } function visitShorthandAssignmentProperty(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.objectAssignmentInitializer); const objectAssignmentInitializer = visitNode(node.objectAssignmentInitializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateShorthandPropertyAssignment(node, node.name, objectAssignmentInitializer); } return visitEachChild(node, visitor, context); } function visitAssignmentRestProperty(node) { if (isLeftHandSideExpression(node.expression)) { const expression = visitDestructuringAssignmentTarget(node.expression); return factory2.updateSpreadAssignment(node, expression); } return visitEachChild(node, visitor, 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, visitor, 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 215: if (isArrowFunction(original) || getEmitFlags(node) & 524288) { break; } case 259: case 173: case 174: case 175: case 171: case 169: { 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 164: { 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 79: return substituteExpressionIdentifier(node); case 108: return substituteThisExpression(node); } return node; } function substituteThisExpression(node) { if (enabledSubstitutions & 2 && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { facts, classConstructor, classThis } = lexicalEnvironment.data; if (facts & 1 && legacyDecorators) { return factory2.createParenthesizedExpression(factory2.createVoidZero()); } const substituteThis = shouldSubstituteThisWithClassThis ? classThis != null ? classThis : classConstructor : classConstructor; if (substituteThis) { return setTextRange(setOriginalNode(factory2.cloneNode(substituteThis), node), node); } } return node; } function substituteExpressionIdentifier(node) { return trySubstituteClassAlias(node) || node; } function trySubstituteClassAlias(node) { if (enabledSubstitutions & 1) { if (resolver.getNodeCheckFlags(node) & 2097152) { 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(variableName, initializer) { return factory.createAssignment(variableName, factory.createObjectLiteralExpression([ factory.createPropertyAssignment("value", initializer || factory.createVoidZero()) ])); } function createPrivateInstanceFieldInitializer(receiver, initializer, weakMapName) { return factory.createCallExpression(factory.createPropertyAccessExpression(weakMapName, "set"), void 0, [receiver, initializer || factory.createVoidZero()]); } function createPrivateInstanceMethodInitializer(receiver, weakSetName) { return factory.createCallExpression(factory.createPropertyAccessExpression(weakSetName, "add"), void 0, [receiver]); } function isReservedPrivateName(node) { return !isGeneratedPrivateIdentifier(node) && node.escapedText === "#constructor"; } function isPrivateIdentifierInExpression(node) { return isPrivateIdentifier(node.left) && node.operatorToken.kind === 101; } var init_classFields = __esm({ "src/compiler/transformers/classFields.ts"() { "use strict"; init_ts2(); } }); function createRuntimeTypeSerializer(context) { const { 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) => setSerializerContextAnd(serializerContext, serializeTypeOfNode, node), 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) { const accessors = resolver.getAllAccessorDeclarations(node); return accessors.setAccessor && getSetAccessorTypeAnnotationNode(accessors.setAccessor) || accessors.getAccessor && getEffectiveReturnTypeNode(accessors.getAccessor); } function serializeTypeOfNode(node) { switch (node.kind) { case 169: case 166: return serializeTypeNode(node.type); case 175: case 174: return serializeTypeNode(getAccessorTypeNode(node)); case 260: case 228: case 171: return factory.createIdentifier("Function"); default: return factory.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)); } } } return factory.createArrayLiteralExpression(expressions); } function getParametersOfDecoratedDeclaration(node, container) { if (container && node.kind === 174) { 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 factory.createIdentifier("Promise"); } return factory.createVoidZero(); } function serializeTypeNode(node) { if (node === void 0) { return factory.createIdentifier("Object"); } node = skipTypeParentheses(node); switch (node.kind) { case 114: case 155: case 144: return factory.createVoidZero(); case 181: case 182: return factory.createIdentifier("Function"); case 185: case 186: return factory.createIdentifier("Array"); case 179: return node.assertsModifier ? factory.createVoidZero() : factory.createIdentifier("Boolean"); case 134: return factory.createIdentifier("Boolean"); case 200: case 152: return factory.createIdentifier("String"); case 149: return factory.createIdentifier("Object"); case 198: return serializeLiteralOfLiteralTypeNode(node.literal); case 148: return factory.createIdentifier("Number"); case 160: return getGlobalConstructor("BigInt", 7); case 153: return getGlobalConstructor("Symbol", 2); case 180: return serializeTypeReferenceNode(node); case 190: return serializeUnionOrIntersectionConstituents(node.types, true); case 189: return serializeUnionOrIntersectionConstituents(node.types, false); case 191: return serializeUnionOrIntersectionConstituents([node.trueType, node.falseType], false); case 195: if (node.operator === 146) { return serializeTypeNode(node.type); } break; case 183: case 196: case 197: case 184: case 131: case 157: case 194: case 202: break; case 315: case 316: case 320: case 321: case 322: break; case 317: case 318: case 319: return serializeTypeNode(node.type); default: return Debug.failBadSyntaxKind(node); } return factory.createIdentifier("Object"); } function serializeLiteralOfLiteralTypeNode(node) { switch (node.kind) { case 10: case 14: return factory.createIdentifier("String"); case 221: { const operand = node.operand; switch (operand.kind) { case 8: case 9: return serializeLiteralOfLiteralTypeNode(operand); default: return Debug.failBadSyntaxKind(operand); } } case 8: return factory.createIdentifier("Number"); case 9: return getGlobalConstructor("BigInt", 7); case 110: case 95: return factory.createIdentifier("Boolean"); case 104: return factory.createVoidZero(); default: return Debug.failBadSyntaxKind(node); } } function serializeUnionOrIntersectionConstituents(types, isIntersection) { let serializedType; for (let typeNode of types) { typeNode = skipTypeParentheses(typeNode); if (typeNode.kind === 144) { if (isIntersection) return factory.createVoidZero(); continue; } if (typeNode.kind === 157) { if (!isIntersection) return factory.createIdentifier("Object"); continue; } if (typeNode.kind === 131) { return factory.createIdentifier("Object"); } if (!strictNullChecks && (isLiteralTypeNode(typeNode) && typeNode.literal.kind === 104 || typeNode.kind === 155)) { continue; } const serializedConstituent = serializeTypeNode(typeNode); if (isIdentifier(serializedConstituent) && serializedConstituent.escapedText === "Object") { return serializedConstituent; } if (serializedType) { if (!equateSerializedTypeNodes(serializedType, serializedConstituent)) { return factory.createIdentifier("Object"); } } else { serializedType = serializedConstituent; } } return serializedType != null ? serializedType : factory.createVoidZero(); } function equateSerializedTypeNodes(left, right) { return isGeneratedIdentifier(left) ? isGeneratedIdentifier(right) : isIdentifier(left) ? isIdentifier(right) && left.escapedText === right.escapedText : isPropertyAccessExpression(left) ? isPropertyAccessExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) && equateSerializedTypeNodes(left.name, right.name) : isVoidExpression(left) ? isVoidExpression(right) && isNumericLiteral(left.expression) && left.expression.text === "0" && isNumericLiteral(right.expression) && right.expression.text === "0" : isStringLiteral(left) ? isStringLiteral(right) && left.text === right.text : isTypeOfExpression(left) ? isTypeOfExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) : isParenthesizedExpression(left) ? isParenthesizedExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) : isConditionalExpression(left) ? isConditionalExpression(right) && equateSerializedTypeNodes(left.condition, right.condition) && equateSerializedTypeNodes(left.whenTrue, right.whenTrue) && equateSerializedTypeNodes(left.whenFalse, right.whenFalse) : 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 != null ? currentNameScope : currentLexicalScope); switch (kind) { case 0: if (findAncestor(node, (n) => n.parent && isConditionalTypeNode(n.parent) && (n.parent.trueType === n || n.parent.falseType === n))) { return factory.createIdentifier("Object"); } const serialized = serializeEntityNameAsExpressionFallback(node.typeName); const temp = factory.createTempVariable(hoistVariableDeclaration); return factory.createConditionalExpression(factory.createTypeCheck(factory.createAssignment(temp, serialized), "function"), void 0, temp, void 0, factory.createIdentifier("Object")); case 1: return serializeEntityNameAsExpression(node.typeName); case 2: return factory.createVoidZero(); case 4: return getGlobalConstructor("BigInt", 7); case 6: return factory.createIdentifier("Boolean"); case 3: return factory.createIdentifier("Number"); case 5: return factory.createIdentifier("String"); case 7: return factory.createIdentifier("Array"); case 8: return getGlobalConstructor("Symbol", 2); case 10: return factory.createIdentifier("Function"); case 9: return factory.createIdentifier("Promise"); case 11: return factory.createIdentifier("Object"); default: return Debug.assertNever(kind); } } function createCheckedValue(left, right) { return factory.createLogicalAnd(factory.createStrictInequality(factory.createTypeOfExpression(left), factory.createStringLiteral("undefined")), right); } function serializeEntityNameAsExpressionFallback(node) { if (node.kind === 79) { const copied = serializeEntityNameAsExpression(node); return createCheckedValue(copied, copied); } if (node.left.kind === 79) { return createCheckedValue(serializeEntityNameAsExpression(node.left), serializeEntityNameAsExpression(node)); } const left = serializeEntityNameAsExpressionFallback(node.left); const temp = factory.createTempVariable(hoistVariableDeclaration); return factory.createLogicalAnd(factory.createLogicalAnd(left.left, factory.createStrictInequality(factory.createAssignment(temp, left.right), factory.createVoidZero())), factory.createPropertyAccessExpression(temp, node.right)); } function serializeEntityNameAsExpression(node) { switch (node.kind) { case 79: const name = setParent(setTextRange(parseNodeFactory.cloneNode(node), node), node.parent); name.original = void 0; setParent(name, getParseTreeNode(currentLexicalScope)); return name; case 163: return serializeQualifiedNameAsExpression(node); } } function serializeQualifiedNameAsExpression(node) { return factory.createPropertyAccessExpression(serializeEntityNameAsExpression(node.left), node.right); } function getGlobalConstructorWithFallback(name) { return factory.createConditionalExpression(factory.createTypeCheck(factory.createIdentifier(name), "function"), void 0, factory.createIdentifier(name), void 0, factory.createIdentifier("Object")); } function getGlobalConstructor(name, minLanguageVersion) { return languageVersion < minLanguageVersion ? getGlobalConstructorWithFallback(name) : factory.createIdentifier(name); } } var init_typeSerializer = __esm({ "src/compiler/transformers/typeSerializer.ts"() { "use strict"; init_ts2(); } }); 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, visitor, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function modifierVisitor(node) { return isDecorator(node) ? void 0 : node; } function visitor(node) { if (!(node.transformFlags & 33554432)) { return node; } switch (node.kind) { case 167: return void 0; case 260: return visitClassDeclaration(node); case 228: return visitClassExpression(node); case 173: return visitConstructorDeclaration(node); case 171: return visitMethodDeclaration(node); case 175: return visitSetAccessorDeclaration(node); case 174: return visitGetAccessorDeclaration(node); case 169: return visitPropertyDeclaration(node); case 166: return visitParameterDeclaration(node); default: return visitEachChild(node, visitor, context); } } function visitClassDeclaration(node) { if (!(classOrConstructorParameterIsDecorated(true, node) || childIsDecorated(true, node))) { return visitEachChild(node, visitor, context); } const statements = classOrConstructorParameterIsDecorated(true, node) ? transformClassDeclarationWithClassDecorators(node, node.name) : transformClassDeclarationWithoutClassDecorators(node, node.name); if (statements.length > 1) { statements.push(factory2.createEndOfDeclarationMarker(node)); setEmitFlags(statements[0], getEmitFlags(statements[0]) | 8388608); } 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, 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, false); addClassElementDecorationStatements(decorationStatements, node, true); if (hasClassElementWithDecoratorContainingPrivateIdentifierInExpression(node)) { members = setTextRange(factory2.createNodeArray([ ...members, factory2.createClassStaticBlockDeclaration(factory2.createBlock(decorationStatements, true)) ]), members); decorationStatements = void 0; } return { decorationStatements, members }; } function transformClassDeclarationWithoutClassDecorators(node, name) { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, visitor, isHeritageClause); let members = visitNodes2(node.members, visitor, isClassElement); let decorationStatements = []; ({ members, decorationStatements } = transformDecoratorsOfClassElements(node, members)); const updated = factory2.updateClassDeclaration(node, modifiers, name, void 0, heritageClauses, members); return addRange([updated], decorationStatements); } function transformClassDeclarationWithClassDecorators(node, name) { const location = moveRangePastModifiers(node); const classAlias = getClassAliasIfNeeded(node); const declName = languageVersion <= 2 ? factory2.getInternalName(node, false, true) : factory2.getLocalName(node, false, true); const heritageClauses = visitNodes2(node.heritageClauses, visitor, isHeritageClause); let members = visitNodes2(node.members, visitor, isClassElement); let decorationStatements = []; ({ members, decorationStatements } = transformDecoratorsOfClassElements(node, members)); const classExpression = factory2.createClassExpression(void 0, name && isGeneratedIdentifier(name) ? void 0 : name, void 0, heritageClauses, members); setOriginalNode(classExpression, node); setTextRange(classExpression, location); const statement = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(declName, void 0, void 0, classAlias ? factory2.createAssignment(classAlias, classExpression) : classExpression) ], 1)); setOriginalNode(statement, node); setTextRange(statement, location); setCommentRange(statement, node); const statements = [statement]; addRange(statements, decorationStatements); addConstructorDecorationStatement(statements, node); return statements; } function visitClassExpression(node) { return factory2.updateClassExpression(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), node.name, void 0, visitNodes2(node.heritageClauses, visitor, isHeritageClause), visitNodes2(node.members, visitor, isClassElement)); } function visitConstructorDeclaration(node) { return factory2.updateConstructorDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), visitNodes2(node.parameters, visitor, isParameter), visitNode(node.body, visitor, 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, visitor, isPropertyName)), void 0, void 0, visitNodes2(node.parameters, visitor, isParameter), void 0, visitNode(node.body, visitor, isBlock)), node); } function visitGetAccessorDeclaration(node) { return finishClassElement(factory2.updateGetAccessorDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), Debug.checkDefined(visitNode(node.name, visitor, isPropertyName)), visitNodes2(node.parameters, visitor, isParameter), void 0, visitNode(node.body, visitor, isBlock)), node); } function visitSetAccessorDeclaration(node) { return finishClassElement(factory2.updateSetAccessorDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), Debug.checkDefined(visitNode(node.name, visitor, isPropertyName)), visitNodes2(node.parameters, visitor, isParameter), visitNode(node.body, visitor, isBlock)), node); } function visitPropertyDeclaration(node) { if (node.flags & 16777216 || hasSyntacticModifier(node, 2)) { return void 0; } return finishClassElement(factory2.updatePropertyDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifier), Debug.checkDefined(visitNode(node.name, visitor, isPropertyName)), void 0, void 0, visitNode(node.initializer, visitor, isExpression)), node); } function visitParameterDeclaration(node) { const updated = factory2.updateParameterDeclaration(node, elideNodes(factory2, node.modifiers), node.dotDotDotToken, Debug.checkDefined(visitNode(node.name, visitor, isBindingName)), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); if (updated !== node) { setCommentRange(updated, node); setTextRange(updated, moveRangePastModifiers(node)); setSourceMapRange(updated, moveRangePastModifiers(node)); setEmitFlags(updated.name, 64); } 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(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, true); const decoratorExpressions = transformAllDecoratorsOfDeclaration(allDecorators); if (!decoratorExpressions) { return void 0; } const prefix = getClassMemberPrefix(node, member); const memberName = getExpressionForPropertyName(member, !hasSyntacticModifier(member, 2)); const descriptor = languageVersion > 0 ? isPropertyDeclaration(member) && !hasAccessorModifier(member) ? factory2.createVoidZero() : factory2.createNull() : void 0; const helper = emitHelpers().createDecorateHelper(decoratorExpressions, prefix, memberName, descriptor); setEmitFlags(helper, 3072); 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, false, true) : factory2.getLocalName(node, false, true); const decorate = emitHelpers().createDecorateHelper(decoratorExpressions, localName); const expression = factory2.createAssignment(localName, classAlias ? factory2.createAssignment(classAlias, decorate) : decorate); setEmitFlags(expression, 3072); setSourceMapRange(expression, moveRangePastModifiers(node)); return expression; } function transformDecorator(decorator) { return Debug.checkDefined(visitNode(decorator.expression, visitor, 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); 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(79); classAliases = []; } } function getClassAliasIfNeeded(node) { if (resolver.getNodeCheckFlags(node) & 1048576) { 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 79: return substituteExpressionIdentifier(node); } return node; } function substituteExpressionIdentifier(node) { var _a2; return (_a2 = trySubstituteClassAlias(node)) != null ? _a2 : node; } function trySubstituteClassAlias(node) { if (classAliases) { if (resolver.getNodeCheckFlags(node) & 2097152) { 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; } } var init_legacyDecorators = __esm({ "src/compiler/transformers/legacyDecorators.ts"() { "use strict"; init_ts2(); } }); function transformESDecorators(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, startLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; 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, visitor, context); addEmitHelpers(visited, context.readEmitHelpers()); if (shouldTransformPrivateStaticElementsInFile) { addInternalEmitFlags(visited, 32); 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 _a2, _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 = (_a2 = top.next.classInfo) == null ? void 0 : _a2.classThis; top.classSuper = (_b = top.next.classInfo) == null ? void 0 : _b.classSuper; } updateState(); } function exitClassElement() { var _a2; 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(((_a2 = top.next) == null ? void 0 : _a2.kind) === "class", "Incorrect value for top.next.kind.", () => { var _a3; return `Expected top.next.kind to be "class" but got "${(_a3 = top.next) == null ? void 0 : _a3.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 visitor(node) { if (!shouldVisitNode(node)) { return node; } switch (node.kind) { case 167: return Debug.fail("Use `modifierVisitor` instead."); case 260: return visitClassDeclaration(node); case 228: return visitClassExpression(node, void 0); case 173: case 169: case 172: return Debug.fail("Not supported outside of a class. Use "classElementVisitor" instead."); case 166: return visitParameterDeclaration(node); case 223: return visitBinaryExpression(node, false); case 299: return visitPropertyAssignment(node); case 257: return visitVariableDeclaration(node); case 205: return visitBindingElement(node); case 274: return visitExportAssignment(node); case 108: return visitThisExpression(node); case 245: return visitForStatement(node); case 241: return visitExpressionStatement(node); case 357: return visitCommaListExpression(node, false); case 214: return visitParenthesizedExpression(node, false, void 0); case 356: return visitPartiallyEmittedExpression(node, false, void 0); case 210: return visitCallExpression(node); case 212: return visitTaggedTemplateExpression(node); case 221: case 222: return visitPreOrPostfixUnaryExpression(node, false); case 208: return visitPropertyAccessExpression(node); case 209: return visitElementAccessExpression(node); case 164: return visitComputedPropertyName(node); case 171: case 175: case 174: case 215: case 259: { enterOther(); const result = visitEachChild(node, fallbackVisitor, context); exitOther(); return result; } default: return visitEachChild(node, fallbackVisitor, context); } } function fallbackVisitor(node) { switch (node.kind) { case 167: return void 0; default: return visitor(node); } } function modifierVisitor(node) { switch (node.kind) { case 167: return void 0; default: return node; } } function classElementVisitor(node) { switch (node.kind) { case 173: return visitConstructorDeclaration(node); case 171: return visitMethodDeclaration(node); case 174: return visitGetAccessorDeclaration(node); case 175: return visitSetAccessorDeclaration(node); case 169: return visitPropertyDeclaration(node); case 172: return visitClassStaticBlockDeclaration(node); default: return visitor(node); } } function namedEvaluationVisitor(node, referencedName) { switch (node.kind) { case 356: return visitPartiallyEmittedExpression(node, false, referencedName); case 214: return visitParenthesizedExpression(node, false, referencedName); case 228: return visitClassExpression(node, referencedName); default: return visitor(node); } } function discardedValueVisitor(node) { switch (node.kind) { case 221: case 222: return visitPreOrPostfixUnaryExpression(node, true); case 223: return visitBinaryExpression(node, true); case 357: return visitCommaListExpression(node, true); case 214: return visitParenthesizedExpression(node, true, void 0); default: return visitor(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 && isStringLiteral(node.name) && isIdentifierText(node.name.text, 99) ? 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); } function createLet(name, initializer) { return factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(name, void 0, void 0, initializer) ], 1)); } function createClassInfo(node) { let instanceExtraInitializersName; let staticExtraInitializersName; let hasStaticInitializers = false; let hasNonAmbientInstanceFields = false; let hasStaticPrivateClassElements = false; for (const member of node.members) { if (isNamedClassElement(member) && nodeOrChildIsDecorated(false, member, node)) { if (hasStaticModifier(member)) { staticExtraInitializersName != null ? staticExtraInitializersName : staticExtraInitializersName = factory2.createUniqueName("_staticExtraInitializers", 16); } else { instanceExtraInitializersName != null ? instanceExtraInitializersName : instanceExtraInitializersName = factory2.createUniqueName("_instanceExtraInitializers", 16); } } if (isClassStaticBlockDeclaration(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 (staticExtraInitializersName && instanceExtraInitializersName && hasStaticInitializers && hasNonAmbientInstanceFields && hasStaticPrivateClassElements) { break; } } return { class: node, instanceExtraInitializersName, staticExtraInitializersName, hasStaticInitializers, hasNonAmbientInstanceFields, hasStaticPrivateClassElements }; } function containsLexicalSuperInStaticInitializer(node) { for (const member of node.members) { if (isClassStaticBlockDeclaration(member) || isPropertyDeclaration(member) && hasStaticModifier(member)) { if (member.transformFlags & 134217728) { return true; } } } return false; } function transformClassLike(node, className) { var _a2, _b, _c, _d, _e; startLexicalEnvironment(); const classReference = (_a2 = node.name) != null ? _a2 : factory2.getGeneratedNameForNode(node); 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); classInfo2.classDescriptorName = factory2.createUniqueName("_classDescriptor", 16); classInfo2.classExtraInitializersName = factory2.createUniqueName("_classExtraInitializers", 16); classInfo2.classThis = factory2.createUniqueName("_classThis", 16); 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; } } if (classDecorators && containsLexicalSuperInStaticInitializer(node)) { const extendsClause = getHeritageClause(node.heritageClauses, 94); const extendsElement = extendsClause && firstOrUndefined(extendsClause.types); const extendsExpression = extendsElement && visitNode(extendsElement.expression, visitor, isExpression); if (extendsExpression) { classInfo2.classSuper = factory2.createUniqueName("_classSuper", 16); 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, void 0); const updatedExtendsClause = factory2.updateHeritageClause(extendsClause, [updatedExtendsElement]); heritageClauses = factory2.createNodeArray([updatedExtendsClause]); } } else { heritageClauses = visitNodes2(node.heritageClauses, visitor, isHeritageClause); } const renamedClassThis = (_b = classInfo2.classThis) != null ? _b : factory2.createThis(); const needsSetNameHelper = !((_c = getOriginalNode(node, isClassLike)) == null ? void 0 : _c.name) && (classDecorators || !isStringLiteral(className) || !isEmptyStringLiteral(className)); if (needsSetNameHelper) { const setNameExpr = emitHelpers().createSetFunctionNameHelper(factory2.createThis(), className); leadingBlockStatements = append(leadingBlockStatements, factory2.createExpressionStatement(setNameExpr)); } enterClass(classInfo2); let members = visitNodes2(node.members, classElementVisitor, 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 108: if (!outerThis) { outerThis = factory2.createUniqueName("_outerThis", 16); 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 (classInfo2.instanceExtraInitializersName && !getFirstConstructorWithBody(node)) { const initializerStatements = prepareConstructor(node, classInfo2); if (initializerStatements) { const extendsClauseElement = getEffectiveBaseTypeNode(node); const isDerivedClass = !!(extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 104); const constructorStatements = []; if (isDerivedClass) { const spreadArguments = factory2.createSpreadElement(factory2.createIdentifier("arguments")); const superCall = factory2.createCallExpression(factory2.createSuper(), void 0, [spreadArguments]); constructorStatements.push(factory2.createExpressionStatement(superCall)); } addRange(constructorStatements, initializerStatements); const constructorBody = factory2.createBlock(constructorStatements, true); syntheticConstructor = factory2.createConstructorDeclaration(void 0, [], constructorBody); } } if (classInfo2.staticExtraInitializersName) { classDefinitionStatements.push(createLet(classInfo2.staticExtraInitializersName, factory2.createArrayLiteralExpression())); } if (classInfo2.instanceExtraInitializersName) { classDefinitionStatements.push(createLet(classInfo2.instanceExtraInitializersName, 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.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.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 != null ? leadingBlockStatements : leadingBlockStatements = []; const valueProperty = factory2.createPropertyAssignment("value", factory2.createThis()); const classDescriptor = factory2.createObjectLiteralExpression([valueProperty]); const classDescriptorAssignment = factory2.createAssignment(classInfo2.classDescriptorName, classDescriptor); const classNameReference = factory2.createPropertyAccessExpression(factory2.createThis(), "name"); const esDecorateHelper2 = emitHelpers().createESDecorateHelper(factory2.createNull(), classDescriptorAssignment, classInfo2.classDecoratorsName, { kind: "class", name: classNameReference }, 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)); } if (classInfo2.staticExtraInitializersName) { const runStaticInitializersHelper = emitHelpers().createRunInitializersHelper(renamedClassThis, classInfo2.staticExtraInitializersName); const runStaticInitializersStatement = factory2.createExpressionStatement(runStaticInitializersHelper); setSourceMapRange(runStaticInitializersStatement, (_d = node.name) != null ? _d : moveRangePastDecorators(node)); leadingBlockStatements = append(leadingBlockStatements, runStaticInitializersStatement); } if (classInfo2.classExtraInitializersName) { const runClassInitializersHelper = emitHelpers().createRunInitializersHelper(renamedClassThis, classInfo2.classExtraInitializersName); const runClassInitializersStatement = factory2.createExpressionStatement(runClassInitializersHelper); setSourceMapRange(runClassInitializersStatement, (_e = node.name) != null ? _e : moveRangePastDecorators(node)); trailingBlockStatements = append(trailingBlockStatements, runClassInitializersStatement); } if (leadingBlockStatements && trailingBlockStatements && !classInfo2.hasStaticInitializers) { addRange(leadingBlockStatements, trailingBlockStatements); trailingBlockStatements = void 0; } let newMembers = members; if (leadingBlockStatements) { const leadingStaticBlockBody = factory2.createBlock(leadingBlockStatements, true); const leadingStaticBlock = factory2.createClassStaticBlockDeclaration(leadingStaticBlockBody); if (shouldTransformPrivateStaticElementsInClass) { setInternalEmitFlags(leadingStaticBlock, 32); } newMembers = [leadingStaticBlock, ...newMembers]; } if (syntheticConstructor) { newMembers = [...newMembers, syntheticConstructor]; } if (trailingBlockStatements) { const trailingStaticBlockBody = factory2.createBlock(trailingBlockStatements, true); const trailingStaticBlock = factory2.createClassStaticBlockDeclaration(trailingStaticBlockBody); newMembers = [...newMembers, trailingStaticBlock]; } if (newMembers !== members) { members = setTextRange(factory2.createNodeArray(newMembers), members); } const lexicalEnvironment = endLexicalEnvironment(); let classExpression; if (classDecorators) { classExpression = factory2.createClassExpression(void 0, void 0, void 0, heritageClauses, members); const classReferenceDeclaration = factory2.createVariableDeclaration(classReference, void 0, void 0, classExpression); const classReferenceVarDeclList = factory2.createVariableDeclarationList([classReferenceDeclaration]); const returnExpr = classInfo2.classThis ? factory2.createAssignment(classReference, classInfo2.classThis) : classReference; classDefinitionStatements.push(factory2.createVariableStatement(void 0, classReferenceVarDeclList), factory2.createReturnStatement(returnExpr)); } else { classExpression = factory2.createClassExpression(void 0, node.name, void 0, heritageClauses, members); classDefinitionStatements.push(factory2.createReturnStatement(classExpression)); } if (shouldTransformPrivateStaticElementsInClass) { addInternalEmitFlags(classExpression, 32); for (const member of classExpression.members) { if ((isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member)) { addInternalEmitFlags(member, 32); } } } setOriginalNode(classExpression, node); getOrCreateEmitNode(classExpression).classThis = classInfo2.classThis; return factory2.createImmediatelyInvokedArrowFunction(factory2.mergeLexicalEnvironment(classDefinitionStatements, lexicalEnvironment)); } function isDecoratedClassLike(node) { return classOrConstructorParameterIsDecorated(false, node) || childIsDecorated(false, node); } function visitClassDeclaration(node) { var _a2; if (isDecoratedClassLike(node)) { if (hasSyntacticModifier(node, 1) && hasSyntacticModifier(node, 1024)) { const originalClass = (_a2 = getOriginalNode(node, isClassLike)) != null ? _a2 : node; const className = originalClass.name ? factory2.createStringLiteralFromNode(originalClass.name) : factory2.createStringLiteral("default"); const iife = transformClassLike(node, className); const statement = factory2.createExportDefault(iife); setOriginalNode(statement, node); setCommentRange(statement, getCommentRange(node)); setSourceMapRange(statement, moveRangePastDecorators(node)); return statement; } else { Debug.assertIsDefined(node.name, "A class declaration that is not a default export must have a name."); const iife = transformClassLike(node, factory2.createStringLiteralFromNode(node.name)); const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const varDecl = factory2.createVariableDeclaration(node.name, void 0, void 0, iife); const varDecls = factory2.createVariableDeclarationList([varDecl], 1); const statement = factory2.createVariableStatement(modifiers, varDecls); setOriginalNode(statement, node); setCommentRange(statement, getCommentRange(node)); return statement; } } else { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, visitor, isHeritageClause); enterClass(void 0); const members = visitNodes2(node.members, classElementVisitor, isClassElement); exitClass(); return factory2.updateClassDeclaration(node, modifiers, node.name, void 0, heritageClauses, members); } } function visitClassExpression(node, referencedName) { if (isDecoratedClassLike(node)) { const className = node.name ? factory2.createStringLiteralFromNode(node.name) : referencedName != null ? referencedName : factory2.createStringLiteral(""); const iife = transformClassLike(node, className); setOriginalNode(iife, node); return iife; } else { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, visitor, isHeritageClause); enterClass(void 0); const members = visitNodes2(node.members, classElementVisitor, isClassElement); exitClass(); return factory2.updateClassExpression(node, modifiers, node.name, void 0, heritageClauses, members); } } function prepareConstructor(_parent, classInfo2) { if (classInfo2.instanceExtraInitializersName && !classInfo2.hasNonAmbientInstanceFields) { const statements = []; statements.push(factory2.createExpressionStatement(emitHelpers().createRunInitializersHelper(factory2.createThis(), classInfo2.instanceExtraInitializersName))); return statements; } } function visitConstructorDeclaration(node) { enterClassElement(node); const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const parameters = visitNodes2(node.parameters, visitor, 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, false, visitor); const superStatementIndex = findSuperStatementIndex(node.body.statements, nonPrologueStart); const indexOfFirstStatementAfterSuper = superStatementIndex >= 0 ? superStatementIndex + 1 : void 0; addRange(statements, visitNodes2(node.body.statements, visitor, isStatement, nonPrologueStart, indexOfFirstStatementAfterSuper ? indexOfFirstStatementAfterSuper - nonPrologueStart : void 0)); addRange(statements, initializerStatements); addRange(statements, visitNodes2(node.body.statements, visitor, isStatement, indexOfFirstStatementAfterSuper)); body = factory2.createBlock(statements, true); setOriginalNode(body, node.body); setTextRange(body, node.body); } } body != null ? body : body = visitNode(node.body, visitor, 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, useNamedEvaluation, classInfo2, createDescriptor) { var _a2, _b, _c, _d, _e, _f, _g, _h; let referencedName; let name; let initializersName; let thisArg; let descriptorName; if (!classInfo2) { const modifiers2 = visitNodes2(member.modifiers, modifierVisitor, isModifier); enterName(); if (useNamedEvaluation) { ({ referencedName, name } = visitReferencedPropertyName(member.name)); } else { name = visitPropertyName(member.name); } exitName(); return { modifiers: modifiers2, referencedName, name, initializersName, descriptorName, thisArg }; } const memberDecorators = transformAllDecoratorsOfDeclaration(getAllDecoratorsOfClassElement(member, classInfo2.class, 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 }; (_a2 = classInfo2.memberInfos) != null ? _a2 : classInfo2.memberInfos = /* @__PURE__ */ new Map(); classInfo2.memberInfos.set(member, memberInfo); pendingExpressions != null ? pendingExpressions : pendingExpressions = []; pendingExpressions.push(memberDecoratorsAssignment); const statements = isMethodOrAccessor(member) || isAutoAccessorPropertyDeclaration(member) ? isStatic(member) ? (_b = classInfo2.staticNonFieldDecorationStatements) != null ? _b : classInfo2.staticNonFieldDecorationStatements = [] : (_c = classInfo2.nonStaticNonFieldDecorationStatements) != null ? _c : classInfo2.nonStaticNonFieldDecorationStatements = [] : isPropertyDeclaration(member) && !isAutoAccessorPropertyDeclaration(member) ? isStatic(member) ? (_d = classInfo2.staticFieldDecorationStatements) != null ? _d : classInfo2.staticFieldDecorationStatements = [] : (_e = classInfo2.nonStaticFieldDecorationStatements) != null ? _e : 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: { get: isPropertyDeclaration(member) || isGetAccessorDeclaration(member) || isMethodDeclaration(member), set: isPropertyDeclaration(member) || isSetAccessorDeclaration(member) } }; const extraInitializers = isStatic(member) ? (_f = classInfo2.staticExtraInitializersName) != null ? _f : classInfo2.staticExtraInitializersName = factory2.createUniqueName("_staticExtraInitializers", 16) : (_g = classInfo2.instanceExtraInitializersName) != null ? _g : classInfo2.instanceExtraInitializersName = factory2.createUniqueName("_instanceExtraInitializers", 16); if (isMethodOrAccessor(member)) { 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 != null ? descriptor : factory2.createNull(), memberDecoratorsName, context2, factory2.createNull(), extraInitializers); const esDecorateStatement = factory2.createExpressionStatement(esDecorateExpression); setSourceMapRange(esDecorateStatement, moveRangePastDecorators(member)); statements.push(esDecorateStatement); } else if (isPropertyDeclaration(member)) { initializersName = (_h = memberInfo.memberInitializersName) != null ? _h : memberInfo.memberInitializersName = createHelperVariable(member, "initializers"); if (isStatic(member)) { thisArg = classInfo2.classThis; } let descriptor; if (isPrivateIdentifierClassElementDeclaration(member) && hasAccessorModifier(member) && createDescriptor) { descriptor = createDescriptor(member, void 0); memberInfo.memberDescriptorName = descriptorName = createHelperVariable(member, "descriptor"); descriptor = factory2.createAssignment(descriptorName, descriptor); } const esDecorateExpression = emitHelpers().createESDecorateHelper(isAutoAccessorPropertyDeclaration(member) ? factory2.createThis() : factory2.createNull(), descriptor != null ? descriptor : factory2.createNull(), memberDecoratorsName, context2, initializersName, extraInitializers); const esDecorateStatement = factory2.createExpressionStatement(esDecorateExpression); setSourceMapRange(esDecorateStatement, moveRangePastDecorators(member)); statements.push(esDecorateStatement); } } if (name === void 0) { enterName(); if (useNamedEvaluation) { ({ referencedName, name } = visitReferencedPropertyName(member.name)); } else { name = visitPropertyName(member.name); } exitName(); } if (!some(modifiers) && (isMethodDeclaration(member) || isPropertyDeclaration(member))) { setEmitFlags(name, 1024); } return { modifiers, referencedName, name, initializersName, descriptorName, thisArg }; } function visitMethodDeclaration(node) { enterClassElement(node); const { modifiers, name, descriptorName } = partialTransformClassElement(node, false, classInfo, createMethodDescriptorObject); if (descriptorName) { exitClassElement(); return finishClassElement(createMethodDescriptorForwarder(modifiers, name, descriptorName), node); } else { const parameters = visitNodes2(node.parameters, visitor, isParameter); const body = visitNode(node.body, visitor, isBlock); exitClassElement(); return finishClassElement(factory2.updateMethodDeclaration(node, modifiers, node.asteriskToken, name, void 0, void 0, parameters, void 0, body), node); } } function visitGetAccessorDeclaration(node) { enterClassElement(node); const { modifiers, name, descriptorName } = partialTransformClassElement(node, false, classInfo, createGetAccessorDescriptorObject); if (descriptorName) { exitClassElement(); return finishClassElement(createGetAccessorDescriptorForwarder(modifiers, name, descriptorName), node); } else { const parameters = visitNodes2(node.parameters, visitor, isParameter); const body = visitNode(node.body, visitor, isBlock); exitClassElement(); return finishClassElement(factory2.updateGetAccessorDeclaration(node, modifiers, name, parameters, void 0, body), node); } } function visitSetAccessorDeclaration(node) { enterClassElement(node); const { modifiers, name, descriptorName } = partialTransformClassElement(node, false, classInfo, createSetAccessorDescriptorObject); if (descriptorName) { exitClassElement(); return finishClassElement(createSetAccessorDescriptorForwarder(modifiers, name, descriptorName), node); } else { const parameters = visitNodes2(node.parameters, visitor, isParameter); const body = visitNode(node.body, visitor, isBlock); exitClassElement(); return finishClassElement(factory2.updateSetAccessorDeclaration(node, modifiers, name, parameters, body), node); } } function visitClassStaticBlockDeclaration(node) { enterClassElement(node); if (classInfo) classInfo.hasStaticInitializers = true; const result = visitEachChild(node, visitor, context); exitClassElement(); return result; } function visitPropertyDeclaration(node) { enterClassElement(node); Debug.assert(!isAmbientPropertyDeclaration(node), "Not yet implemented."); const useNamedEvaluation = isNamedEvaluation(node, isAnonymousClassNeedingAssignedName); const { modifiers, name, referencedName, initializersName, descriptorName, thisArg } = partialTransformClassElement(node, useNamedEvaluation, classInfo, hasAccessorModifier(node) ? createAccessorPropertyDescriptorObject : void 0); startLexicalEnvironment(); let initializer = referencedName ? visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, referencedName), isExpression) : visitNode(node.initializer, visitor, isExpression); if (initializersName) { initializer = emitHelpers().createRunInitializersHelper(thisArg != null ? thisArg : factory2.createThis(), initializersName, initializer != null ? initializer : factory2.createVoidZero()); } if (!isStatic(node) && (classInfo == null ? void 0 : classInfo.instanceExtraInitializersName) && !(classInfo == null ? void 0 : classInfo.hasInjectedInstanceInitializers)) { classInfo.hasInjectedInstanceInitializers = true; initializer != null ? initializer : initializer = factory2.createVoidZero(); initializer = factory2.createParenthesizedExpression(factory2.createComma(emitHelpers().createRunInitializersHelper(factory2.createThis(), classInfo.instanceExtraInitializersName), initializer)); } if (isStatic(node) && classInfo && initializer) { classInfo.hasStaticInitializers = true; } const declarations = endLexicalEnvironment(); if (some(declarations)) { initializer = factory2.createImmediatelyInvokedArrowFunction([ ...declarations, factory2.createReturnStatement(initializer) ]); } 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, visitor, isExpression)); setterName = factory2.updateComputedPropertyName(name2, cacheAssignment.left); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration); setSourceMapRange(temp, name2.expression); const expression = visitNode(name2.expression, visitor, 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 !== 127 ? node2 : void 0, isModifier); const backingField = createAccessorPropertyBackingField(factory2, node, modifiersWithoutAccessor, initializer); setOriginalNode(backingField, node); setEmitFlags(backingField, 3072); 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); setSourceMapRange(setter, sourceMapRange); return [backingField, getter, setter]; } return finishClassElement(factory2.updatePropertyDeclaration(node, modifiers, name, void 0, void 0, initializer), node); } function visitThisExpression(node) { return classThis != null ? classThis : node; } function visitCallExpression(node) { if (isSuperProperty(node.expression) && classThis) { const expression = visitNode(node.expression, visitor, isExpression); const argumentsList = visitNodes2(node.arguments, visitor, isExpression); const invocation = factory2.createFunctionCallCall(expression, classThis, argumentsList); setOriginalNode(invocation, node); setTextRange(invocation, node); return invocation; } return visitEachChild(node, visitor, context); } function visitTaggedTemplateExpression(node) { if (isSuperProperty(node.tag) && classThis) { const tag = visitNode(node.tag, visitor, isExpression); const boundTag = factory2.createFunctionBindCall(tag, classThis, []); setOriginalNode(boundTag, node); setTextRange(boundTag, node); const template = visitNode(node.template, visitor, isTemplateLiteral); return factory2.updateTaggedTemplateExpression(node, boundTag, void 0, template); } return visitEachChild(node, visitor, 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, visitor, context); } function visitElementAccessExpression(node) { if (isSuperProperty(node) && classThis && classSuper) { const propertyName = visitNode(node.argumentExpression, visitor, isExpression); const superProperty = factory2.createReflectGetCall(classSuper, propertyName, classThis); setOriginalNode(superProperty, node.expression); setTextRange(superProperty, node.expression); return superProperty; } return visitEachChild(node, visitor, context); } function visitParameterDeclaration(node) { let updated; if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.initializer); const name = visitNode(node.name, visitor, isBindingName); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); updated = factory2.updateParameterDeclaration(node, void 0, void 0, name, void 0, void 0, initializer); } else { updated = factory2.updateParameterDeclaration(node, void 0, node.dotDotDotToken, visitNode(node.name, visitor, isBindingName), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); } if (updated !== node) { setCommentRange(updated, node); setTextRange(updated, moveRangePastModifiers(node)); setSourceMapRange(updated, moveRangePastModifiers(node)); setEmitFlags(updated.name, 64); } return updated; } function isAnonymousClassNeedingAssignedName(node) { return isClassExpression(node) && !node.name && isDecoratedClassLike(node); } function visitForStatement(node) { return factory2.updateForStatement(node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, visitor, 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, visitor, isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } if (isAssignmentExpression(node)) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.left, node.right); const left = visitNode(node.left, visitor, isExpression); const right = visitNode(node.right, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } if (isSuperProperty(node.left) && classThis && classSuper) { let setterName = isElementAccessExpression(node.left) ? visitNode(node.left.argumentExpression, visitor, isExpression) : isIdentifier(node.left.name) ? factory2.createStringLiteralFromNode(node.left.name) : void 0; if (setterName) { let expression = visitNode(node.right, visitor, 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 === 27) { const left = visitNode(node.left, discardedValueVisitor, isExpression); const right = visitNode(node.right, discarded ? discardedValueVisitor : visitor, isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } return visitEachChild(node, visitor, context); } function visitPreOrPostfixUnaryExpression(node, discarded) { if (node.operator === 45 || node.operator === 46) { const operand = skipParentheses(node.operand); if (isSuperProperty(operand) && classThis && classSuper) { let setterName = isElementAccessExpression(operand) ? visitNode(operand.argumentExpression, visitor, 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, visitor, context); } function visitCommaListExpression(node, discarded) { const elements = discarded ? visitCommaListElements(node.elements, discardedValueVisitor) : visitCommaListElements(node.elements, visitor, discardedValueVisitor); return factory2.updateCommaListExpression(node, elements); } function visitReferencedPropertyName(node) { if (isPropertyNameLiteral(node) || isPrivateIdentifier(node)) { const referencedName2 = factory2.createStringLiteralFromNode(node); const name2 = visitNode(node, visitor, isPropertyName); return { referencedName: referencedName2, name: name2 }; } if (isPropertyNameLiteral(node.expression) && !isIdentifier(node.expression)) { const referencedName2 = factory2.createStringLiteralFromNode(node.expression); const name2 = visitNode(node, visitor, isPropertyName); return { referencedName: referencedName2, name: name2 }; } const referencedName = factory2.getGeneratedNameForNode(node); hoistVariableDeclaration(referencedName); const key = emitHelpers().createPropKeyHelper(visitNode(node.expression, visitor, 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, visitor, isPropertyName); } function visitComputedPropertyName(node) { let expression = visitNode(node.expression, visitor, isExpression); if (!isSimpleInlineableExpression(expression)) { expression = injectPendingExpressions(expression); } return factory2.updateComputedPropertyName(node, expression); } function visitPropertyAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const { referencedName, name } = visitReferencedPropertyName(node.name); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, referencedName), isExpression); return factory2.updatePropertyAssignment(node, name, initializer); } return visitEachChild(node, visitor, context); } function visitVariableDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.initializer); const name = visitNode(node.name, visitor, isBindingName); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateVariableDeclaration(node, name, void 0, void 0, initializer); } return visitEachChild(node, visitor, context); } function visitBindingElement(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.initializer); const propertyName = visitNode(node.propertyName, visitor, isPropertyName); const name = visitNode(node.name, visitor, isBindingName); const initializer = visitNode(node.initializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateBindingElement(node, void 0, propertyName, name, initializer); } return visitEachChild(node, visitor, context); } function visitDestructuringAssignmentTarget(node) { if (isObjectLiteralExpression(node) || isArrayLiteralExpression(node)) { return visitAssignmentPattern(node); } if (isSuperProperty(node) && classThis && classSuper) { const propertyName = isElementAccessExpression(node) ? visitNode(node.argumentExpression, visitor, isExpression) : isIdentifier(node.name) ? factory2.createStringLiteralFromNode(node.name) : void 0; if (propertyName) { const paramName = factory2.createTempVariable(void 0); const expression = factory2.createAssignmentTargetWrapper(paramName, factory2.createReflectSetCall(classSuper, propertyName, paramName, classThis)); setOriginalNode(expression, node); setTextRange(expression, node); return expression; } } return visitEachChild(node, visitor, context); } function visitAssignmentElement(node) { if (isAssignmentExpression(node, true)) { const assignmentTarget = visitDestructuringAssignmentTarget(node.left); let initializer; if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.left, node.right); initializer = visitNode(node.right, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); } else { initializer = visitNode(node.right, visitor, 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, visitor, context); } function visitArrayAssignmentElement(node) { Debug.assertNode(node, isArrayBindingOrAssignmentElement); if (isSpreadElement(node)) return visitAssignmentRestElement(node); if (!isOmittedExpression(node)) return visitAssignmentElement(node); return visitEachChild(node, visitor, context); } function visitAssignmentProperty(node) { const name = visitNode(node.name, visitor, isPropertyName); if (isAssignmentExpression(node.initializer, 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, visitor, context); } function visitShorthandAssignmentProperty(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { const assignedName = getAssignedNameOfIdentifier(node.name, node.objectAssignmentInitializer); const name = visitNode(node.name, visitor, isIdentifier); const objectAssignmentInitializer = visitNode(node.objectAssignmentInitializer, (node2) => namedEvaluationVisitor(node2, assignedName), isExpression); return factory2.updateShorthandPropertyAssignment(node, name, objectAssignmentInitializer); } return visitEachChild(node, visitor, context); } function visitAssignmentRestProperty(node) { if (isLeftHandSideExpression(node.expression)) { const expression = visitDestructuringAssignmentTarget(node.expression); return factory2.updateSpreadAssignment(node, expression); } return visitEachChild(node, visitor, 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, visitor, 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)) { const referencedName = factory2.createStringLiteral(node.isExportEquals ? "" : "default"); const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const expression = visitNode(node.expression, (node2) => namedEvaluationVisitor(node2, referencedName), isExpression); return factory2.updateExportAssignment(node, modifiers, expression); } return visitEachChild(node, visitor, context); } function visitParenthesizedExpression(node, discarded, referencedName) { const visitorFunc = discarded ? discardedValueVisitor : referencedName ? (node2) => namedEvaluationVisitor(node2, referencedName) : visitor; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updateParenthesizedExpression(node, expression); } function visitPartiallyEmittedExpression(node, discarded, referencedName) { const visitorFunc = discarded ? discardedValueVisitor : referencedName ? (node2) => namedEvaluationVisitor(node2, referencedName) : visitor; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updatePartiallyEmittedExpression(node, expression); } 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 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, visitor, isExpression); setEmitFlags(expression, 3072); return expression; } function createDescriptorMethod(original, name, modifiers, asteriskToken, kind, parameters, body) { const func = factory2.createFunctionExpression(modifiers, asteriskToken, void 0, void 0, parameters, void 0, body != null ? body : factory2.createBlock([])); setOriginalNode(func, original); setSourceMapRange(func, moveRangePastDecorators(original)); setEmitFlags(func, 3072); const prefix = kind === "get" || kind === "set" ? kind : void 0; const functionName = factory2.createStringLiteralFromNode(name, 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); return method; } function createMethodDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod(node, node.name, modifiers, node.asteriskToken, "value", visitNodes2(node.parameters, visitor, isParameter), visitNode(node.body, visitor, isBlock)) ]); } function createGetAccessorDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod(node, node.name, modifiers, void 0, "get", [], visitNode(node.body, visitor, isBlock)) ]); } function createSetAccessorDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod(node, node.name, modifiers, void 0, "set", visitNodes2(node.parameters, visitor, isParameter), visitNode(node.body, visitor, isBlock)) ]); } function createAccessorPropertyDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod(node, node.name, modifiers, void 0, "get", [], factory2.createBlock([ factory2.createReturnStatement(factory2.createPropertyAccessExpression(factory2.createThis(), factory2.getGeneratedPrivateNameForNode(node.name))) ])), createDescriptorMethod(node, node.name, modifiers, void 0, "set", [factory2.createParameterDeclaration(void 0, 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, [], 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, [], 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(void 0, void 0, "value")], factory2.createBlock([ factory2.createReturnStatement(factory2.createFunctionCallCall(factory2.createPropertyAccessExpression(descriptorName, factory2.createIdentifier("set")), factory2.createThis(), [factory2.createIdentifier("value")])) ])); } function getAssignedNameOfIdentifier(name, initializer) { const originalClass = getOriginalNode(initializer, isClassLike); return originalClass && !originalClass.name && hasSyntacticModifier(originalClass, 1024) ? factory2.createStringLiteral("default") : factory2.createStringLiteralFromNode(name); } } var init_esDecorators = __esm({ "src/compiler/transformers/esDecorators.ts"() { "use strict"; init_ts2(); } }); 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; 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, visitor, 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); } function inHasLexicalThisContext() { return inContext(2); } function doWithContext(flags, cb, value) { const contextFlagsToSet = flags & ~contextFlags; if (contextFlagsToSet) { setContextFlag(contextFlagsToSet, true); const result = cb(value); setContextFlag(contextFlagsToSet, false); return result; } return cb(value); } function visitDefault(node) { return visitEachChild(node, visitor, context); } function visitor(node) { if ((node.transformFlags & 256) === 0) { return node; } switch (node.kind) { case 132: return void 0; case 220: return visitAwaitExpression(node); case 171: return doWithContext(1 | 2, visitMethodDeclaration, node); case 259: return doWithContext(1 | 2, visitFunctionDeclaration, node); case 215: return doWithContext(1 | 2, visitFunctionExpression, node); case 216: return doWithContext(1, visitArrowFunction, node); case 208: if (capturedSuperProperties && isPropertyAccessExpression(node) && node.expression.kind === 106) { capturedSuperProperties.add(node.name.escapedText); } return visitEachChild(node, visitor, context); case 209: if (capturedSuperProperties && node.expression.kind === 106) { hasSuperElementAccess = true; } return visitEachChild(node, visitor, context); case 174: return doWithContext(1 | 2, visitGetAccessorDeclaration, node); case 175: return doWithContext(1 | 2, visitSetAccessorDeclaration, node); case 173: return doWithContext(1 | 2, visitConstructorDeclaration, node); case 260: case 228: return doWithContext(1 | 2, visitDefault, node); default: return visitEachChild(node, visitor, context); } } function asyncBodyVisitor(node) { if (isNodeWithPossibleHoistedDeclaration(node)) { switch (node.kind) { case 240: return visitVariableStatementInAsyncBody(node); case 245: return visitForStatementInAsyncBody(node); case 246: return visitForInStatementInAsyncBody(node); case 247: return visitForOfStatementInAsyncBody(node); case 295: return visitCatchClauseInAsyncBody(node); case 238: case 252: case 266: case 292: case 293: case 255: case 243: case 244: case 242: case 251: case 253: return visitEachChild(node, asyncBodyVisitor, context); default: return Debug.assertNever(node, "Unhandled node."); } } return visitor(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, false); return expression ? factory2.createExpressionStatement(expression) : void 0; } return visitEachChild(node, visitor, context); } function visitForInStatementInAsyncBody(node) { return factory2.updateForInStatement(node, isVariableDeclarationListWithCollidingName(node.initializer) ? visitVariableDeclarationListWithCollidingNames(node.initializer, true) : Debug.checkDefined(visitNode(node.initializer, visitor, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), visitIterationBody(node.statement, asyncBodyVisitor, context)); } function visitForOfStatementInAsyncBody(node) { return factory2.updateForOfStatement(node, visitNode(node.awaitModifier, visitor, isAwaitKeyword), isVariableDeclarationListWithCollidingName(node.initializer) ? visitVariableDeclarationListWithCollidingNames(node.initializer, true) : Debug.checkDefined(visitNode(node.initializer, visitor, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), visitIterationBody(node.statement, asyncBodyVisitor, context)); } function visitForStatementInAsyncBody(node) { const initializer = node.initializer; return factory2.updateForStatement(node, isVariableDeclarationListWithCollidingName(initializer) ? visitVariableDeclarationListWithCollidingNames(initializer, false) : visitNode(node.initializer, visitor, isForInitializer), visitNode(node.condition, visitor, isExpression), visitNode(node.incrementor, visitor, isExpression), visitIterationBody(node.statement, asyncBodyVisitor, context)); } function visitAwaitExpression(node) { if (inTopLevelContext()) { return visitEachChild(node, visitor, context); } return setOriginalNode(setTextRange(factory2.createYieldExpression(void 0, visitNode(node.expression, visitor, isExpression)), node), node); } function visitConstructorDeclaration(node) { return factory2.updateConstructorDeclaration(node, visitNodes2(node.modifiers, visitor, isModifier), visitParameterList(node.parameters, visitor, context), transformMethodBody(node)); } function visitMethodDeclaration(node) { return factory2.updateMethodDeclaration(node, visitNodes2(node.modifiers, visitor, isModifierLike), node.asteriskToken, node.name, void 0, void 0, visitParameterList(node.parameters, visitor, context), void 0, getFunctionFlags(node) & 2 ? transformAsyncFunctionBody(node) : transformMethodBody(node)); } function visitGetAccessorDeclaration(node) { return factory2.updateGetAccessorDeclaration(node, visitNodes2(node.modifiers, visitor, isModifierLike), node.name, visitParameterList(node.parameters, visitor, context), void 0, transformMethodBody(node)); } function visitSetAccessorDeclaration(node) { return factory2.updateSetAccessorDeclaration(node, visitNodes2(node.modifiers, visitor, isModifierLike), node.name, visitParameterList(node.parameters, visitor, context), transformMethodBody(node)); } function visitFunctionDeclaration(node) { return factory2.updateFunctionDeclaration(node, visitNodes2(node.modifiers, visitor, isModifierLike), node.asteriskToken, node.name, void 0, visitParameterList(node.parameters, visitor, context), void 0, getFunctionFlags(node) & 2 ? transformAsyncFunctionBody(node) : visitFunctionBody(node.body, visitor, context)); } function visitFunctionExpression(node) { return factory2.updateFunctionExpression(node, visitNodes2(node.modifiers, visitor, isModifier), node.asteriskToken, node.name, void 0, visitParameterList(node.parameters, visitor, context), void 0, getFunctionFlags(node) & 2 ? transformAsyncFunctionBody(node) : visitFunctionBody(node.body, visitor, context)); } function visitArrowFunction(node) { return factory2.updateArrowFunction(node, visitNodes2(node.modifiers, visitor, isModifier), void 0, visitParameterList(node.parameters, visitor, context), void 0, node.equalsGreaterThanToken, getFunctionFlags(node) & 2 ? transformAsyncFunctionBody(node) : visitFunctionBody(node.body, visitor, 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 & 3) && 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), visitor, 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, visitor, 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, visitor, context); const originalMethod = getOriginalNode(node, isFunctionLikeDeclaration); const emitSuperHelpers = languageVersion >= 2 && resolver.getNodeCheckFlags(node) & (256 | 128) && (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.getNodeCheckFlags(node) & 256) { addEmitHelper(updated, advancedAsyncSuperHelper); } else if (resolver.getNodeCheckFlags(node) & 128) { addEmitHelper(updated, asyncSuperHelper); } } } capturedSuperProperties = savedCapturedSuperProperties; hasSuperElementAccess = savedHasSuperElementAccess; return updated; } function transformAsyncFunctionBody(node) { resumeLexicalEnvironment(); const original = getOriginalNode(node, isFunctionLike); const nodeType = original.type; const promiseConstructor = languageVersion < 2 ? getPromiseConstructor(nodeType) : void 0; const isArrowFunction2 = node.kind === 216; const hasLexicalArguments = (resolver.getNodeCheckFlags(node) & 512) !== 0; 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; } let result; if (!isArrowFunction2) { const statements = []; const statementOffset = factory2.copyPrologue(node.body.statements, statements, false, visitor); statements.push(factory2.createReturnStatement(emitHelpers().createAwaiterHelper(inHasLexicalThisContext(), hasLexicalArguments, promiseConstructor, transformAsyncFunctionBodyWorker(node.body, statementOffset)))); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const emitSuperHelpers = languageVersion >= 2 && resolver.getNodeCheckFlags(node) & (256 | 128); if (emitSuperHelpers) { enableSubstitutionForAsyncMethodsWithSuper(); if (capturedSuperProperties.size) { const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties); substitutedSuperAccessors[getNodeId(variableStatement)] = true; insertStatementsAfterStandardPrologue(statements, [variableStatement]); } } const block = factory2.createBlock(statements, true); setTextRange(block, node.body); if (emitSuperHelpers && hasSuperElementAccess) { if (resolver.getNodeCheckFlags(node) & 256) { addEmitHelper(block, advancedAsyncSuperHelper); } else if (resolver.getNodeCheckFlags(node) & 128) { addEmitHelper(block, asyncSuperHelper); } } result = block; } else { const expression = emitHelpers().createAwaiterHelper(inHasLexicalThisContext(), hasLexicalArguments, promiseConstructor, transformAsyncFunctionBodyWorker(node.body)); const declarations = endLexicalEnvironment(); if (some(declarations)) { const block = factory2.converters.convertToFunctionBlock(expression); result = factory2.updateBlock(block, setTextRange(factory2.createNodeArray(concatenate(declarations, block.statements)), block.statements)); } else { result = expression; } } enclosingFunctionParameterNames = savedEnclosingFunctionParameterNames; if (!isArrowFunction2) { capturedSuperProperties = savedCapturedSuperProperties; hasSuperElementAccess = savedHasSuperElementAccess; } 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(210); context.enableSubstitution(208); context.enableSubstitution(209); context.enableEmitNotification(260); context.enableEmitNotification(171); context.enableEmitNotification(174); context.enableEmitNotification(175); context.enableEmitNotification(173); context.enableEmitNotification(240); } } function onEmitNode(hint, node, emitCallback) { if (enabledSubstitutions & 1 && isSuperContainer(node)) { const superContainerFlags = resolver.getNodeCheckFlags(node) & (128 | 256); 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 208: return substitutePropertyAccessExpression(node); case 209: return substituteElementAccessExpression(node); case 210: return substituteCallExpression(node); } return node; } function substitutePropertyAccessExpression(node) { if (node.expression.kind === 106) { return setTextRange(factory2.createPropertyAccessExpression(factory2.createUniqueName("_super", 16 | 32), node.name), node); } return node; } function substituteElementAccessExpression(node) { if (node.expression.kind === 106) { 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"), void 0, [ factory2.createThis(), ...node.arguments ]); } return node; } function isSuperContainer(node) { const kind = node.kind; return kind === 260 || kind === 173 || kind === 171 || kind === 174 || kind === 175; } function createSuperElementAccessInAsyncMethod(argumentExpression, location) { if (enclosingSuperContainerFlags & 256) { return setTextRange(factory2.createPropertyAccessExpression(factory2.createCallExpression(factory2.createUniqueName("_superIndex", 16 | 32), void 0, [argumentExpression]), "value"), location); } else { return setTextRange(factory2.createCallExpression(factory2.createUniqueName("_superIndex", 16 | 32), void 0, [argumentExpression]), location); } } } function createSuperAccessVariableStatement(factory2, resolver, node, names) { const hasBinding = (resolver.getNodeCheckFlags(node) & 256) !== 0; const accessors = []; names.forEach((_, key) => { const name = unescapeLeadingUnderscores(key); const getterAndSetter = []; getterAndSetter.push(factory2.createPropertyAssignment("get", factory2.createArrowFunction(void 0, void 0, [], void 0, void 0, setEmitFlags(factory2.createPropertyAccessExpression(setEmitFlags(factory2.createSuper(), 8), name), 8)))); if (hasBinding) { getterAndSetter.push(factory2.createPropertyAssignment("set", factory2.createArrowFunction(void 0, void 0, [ factory2.createParameterDeclaration(void 0, void 0, "v", void 0, void 0, void 0) ], void 0, void 0, factory2.createAssignment(setEmitFlags(factory2.createPropertyAccessExpression(setEmitFlags(factory2.createSuper(), 8), name), 8), factory2.createIdentifier("v"))))); } accessors.push(factory2.createPropertyAssignment(name, factory2.createObjectLiteralExpression(getterAndSetter))); }); return factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.createUniqueName("_super", 16 | 32), void 0, void 0, factory2.createCallExpression(factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "create"), void 0, [ factory2.createNull(), factory2.createObjectLiteralExpression(accessors, true) ])) ], 2)); } var init_es2017 = __esm({ "src/compiler/transformers/es2017.ts"() { "use strict"; init_ts2(); } }); 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 visitor(node) { return visitorWorker(node, false); } function visitorWithUnusedExpressionResult(node) { return visitorWorker(node, true); } function visitorNoAsyncModifier(node) { if (node.kind === 132) { 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, visitor, context); } function visitorWorker(node, expressionResultIsUnused2) { if ((node.transformFlags & 128) === 0) { return node; } switch (node.kind) { case 220: return visitAwaitExpression(node); case 226: return visitYieldExpression(node); case 250: return visitReturnStatement(node); case 253: return visitLabeledStatement(node); case 207: return visitObjectLiteralExpression(node); case 223: return visitBinaryExpression(node, expressionResultIsUnused2); case 357: return visitCommaListExpression(node, expressionResultIsUnused2); case 295: return visitCatchClause(node); case 240: return visitVariableStatement(node); case 257: return visitVariableDeclaration(node); case 243: case 244: case 246: return doWithHierarchyFacts(visitDefault, node, 0, 2); case 247: return visitForOfStatement(node, void 0); case 245: return doWithHierarchyFacts(visitForStatement, node, 0, 2); case 219: return visitVoidExpression(node); case 173: return doWithHierarchyFacts(visitConstructorDeclaration, node, 2, 1); case 171: return doWithHierarchyFacts(visitMethodDeclaration, node, 2, 1); case 174: return doWithHierarchyFacts(visitGetAccessorDeclaration, node, 2, 1); case 175: return doWithHierarchyFacts(visitSetAccessorDeclaration, node, 2, 1); case 259: return doWithHierarchyFacts(visitFunctionDeclaration, node, 2, 1); case 215: return doWithHierarchyFacts(visitFunctionExpression, node, 2, 1); case 216: return doWithHierarchyFacts(visitArrowFunction, node, 2, 0); case 166: return visitParameter(node); case 241: return visitExpressionStatement(node); case 214: return visitParenthesizedExpression(node, expressionResultIsUnused2); case 212: return visitTaggedTemplateExpression(node); case 208: if (capturedSuperProperties && isPropertyAccessExpression(node) && node.expression.kind === 106) { capturedSuperProperties.add(node.name.escapedText); } return visitEachChild(node, visitor, context); case 209: if (capturedSuperProperties && node.expression.kind === 106) { hasSuperElementAccess = true; } return visitEachChild(node, visitor, context); case 260: case 228: return doWithHierarchyFacts(visitDefault, node, 2, 1); default: return visitEachChild(node, visitor, context); } } function visitAwaitExpression(node) { if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) { return setOriginalNode(setTextRange(factory2.createYieldExpression(void 0, emitHelpers().createAwaitHelper(visitNode(node.expression, visitor, isExpression))), node), node); } return visitEachChild(node, visitor, context); } function visitYieldExpression(node) { if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) { if (node.asteriskToken) { const expression = visitNode(Debug.checkDefined(node.expression), visitor, isExpression); return setOriginalNode(setTextRange(factory2.createYieldExpression(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(void 0, createDownlevelAwait(node.expression ? visitNode(node.expression, visitor, isExpression) : factory2.createVoidZero())), node), node); } return visitEachChild(node, visitor, context); } function visitReturnStatement(node) { if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) { return factory2.updateReturnStatement(node, createDownlevelAwait(node.expression ? visitNode(node.expression, visitor, isExpression) : factory2.createVoidZero())); } return visitEachChild(node, visitor, context); } function visitLabeledStatement(node) { if (enclosingFunctionFlags & 2) { const statement = unwrapInnermostStatementOfLabel(node); if (statement.kind === 247 && statement.awaitModifier) { return visitForOfStatement(statement, node); } return factory2.restoreEnclosingLabel(visitNode(statement, visitor, isStatement, factory2.liftToBlock), node); } return visitEachChild(node, visitor, context); } function chunkObjectLiteralElements(elements) { let chunkObject; const objects = []; for (const e of elements) { if (e.kind === 301) { if (chunkObject) { objects.push(factory2.createObjectLiteralExpression(chunkObject)); chunkObject = void 0; } const target = e.expression; objects.push(visitNode(target, visitor, isExpression)); } else { chunkObject = append(chunkObject, e.kind === 299 ? factory2.createPropertyAssignment(e.name, visitNode(e.initializer, visitor, isExpression)) : visitNode(e, visitor, 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 !== 207) { 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, visitor, context); } function visitExpressionStatement(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitParenthesizedExpression(node, expressionResultIsUnused2) { return visitEachChild(node, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor, context); } function visitSourceFile(node) { const ancestorFacts = enterSubtree(2, isEffectiveStrictModeSourceFile(node, compilerOptions) ? 0 : 1); exportedVariableStatement = false; const visited = visitEachChild(node, visitor, context); const statement = concatenate(visited.statements, taggedTemplateStringDeclarations && [ factory2.createVariableStatement(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, visitor, currentSourceFile, recordTaggedTemplateString, 0); } function visitBinaryExpression(node, expressionResultIsUnused2) { if (isDestructuringAssignment(node) && containsObjectRestOrSpread(node.left)) { return flattenDestructuringAssignment(node, visitor, context, 1, !expressionResultIsUnused2); } if (node.operatorToken.kind === 27) { return factory2.updateBinaryExpression(node, visitNode(node.left, visitorWithUnusedExpressionResult, isExpression), node.operatorToken, visitNode(node.right, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor, isExpression)); } return visitEachChild(node, visitor, 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 : visitor, 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, void 0, void 0, name); const visitedBindings = flattenDestructuringBinding(updatedDecl, visitor, context, 1); let block = visitNode(node.block, visitor, isBlock); if (some(visitedBindings)) { block = factory2.updateBlock(block, [ factory2.createVariableStatement(void 0, visitedBindings), ...block.statements ]); } return factory2.updateCatchClause(node, factory2.updateVariableDeclaration(node.variableDeclaration, name, void 0, void 0, void 0), block); } return visitEachChild(node, visitor, context); } function visitVariableStatement(node) { if (hasSyntacticModifier(node, 1)) { const savedExportedVariableStatement = exportedVariableStatement; exportedVariableStatement = true; const visited = visitEachChild(node, visitor, context); exportedVariableStatement = savedExportedVariableStatement; return visited; } return visitEachChild(node, visitor, context); } function visitVariableDeclaration(node) { if (exportedVariableStatement) { const savedExportedVariableStatement = exportedVariableStatement; exportedVariableStatement = false; const visited = visitVariableDeclarationWorker(node, true); exportedVariableStatement = savedExportedVariableStatement; return visited; } return visitVariableDeclarationWorker(node, false); } function visitVariableDeclarationWorker(node, exportedVariableStatement2) { if (isBindingPattern(node.name) && node.name.transformFlags & 65536) { return flattenDestructuringBinding(node, visitor, context, 1, void 0, exportedVariableStatement2); } return visitEachChild(node, visitor, context); } function visitForStatement(node) { return factory2.updateForStatement(node, visitNode(node.initializer, visitorWithUnusedExpressionResult, isForInitializer), visitNode(node.condition, visitor, isExpression), visitNode(node.incrementor, visitorWithUnusedExpressionResult, isExpression), visitIterationBody(node.statement, visitor, context)); } function visitVoidExpression(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitForOfStatement(node, outermostLabeledStatement) { const ancestorFacts = enterSubtree(0, 2); 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, visitor, 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(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), node.initializer), node.expression, setTextRange(factory2.createBlock(setTextRange(factory2.createNodeArray(statements), statementsLocation), 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 enterNonUserCodeExpression = factory2.createAssignment(nonUserCode, factory2.createTrue()); const enterNonUserCodeStatement = factory2.createExpressionStatement(enterNonUserCodeExpression); setSourceMapRange(exitNonUserCodeStatement, node.expression); const statements = []; const binding = createForOfBindingStatement(factory2, node.initializer, value); statements.push(visitNode(binding, visitor, isStatement)); let bodyLocation; let statementsLocation; const statement = visitIterationBody(node.statement, visitor, context); if (isBlock(statement)) { addRange(statements, statement.statements); bodyLocation = statement; statementsLocation = statement.statements; } else { statements.push(statement); } const body = setEmitFlags(setTextRange(factory2.createBlock(setTextRange(factory2.createNodeArray(statements), statementsLocation), true), bodyLocation), 96 | 768); return factory2.createBlock([ iteratorValueStatement, exitNonUserCodeStatement, factory2.createTryStatement(body, void 0, factory2.createBlock([ enterNonUserCodeStatement ])) ]); } function createDownlevelAwait(expression) { return enclosingFunctionFlags & 1 ? factory2.createYieldExpression(void 0, emitHelpers().createAwaitHelper(expression)) : factory2.createAwaitExpression(expression); } function transformForAwaitOfStatement(node, outermostLabeledStatement, ancestorFacts) { const expression = visitNode(node.expression, visitor, isExpression); const iterator = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable(void 0); const result = isIdentifier(expression) ? factory2.getGeneratedNameForNode(iterator) : factory2.createTempVariable(void 0); const nonUserCode = factory2.createTempVariable(void 0); const done = factory2.createTempVariable(hoistVariableDeclaration); const errorRecord = factory2.createUniqueName("e"); const catchVariable = factory2.getGeneratedNameForNode(errorRecord); const returnMethod = factory2.createTempVariable(void 0); const callValues = setTextRange(emitHelpers().createAsyncValuesHelper(expression), node.expression); const callNext = factory2.createCallExpression(factory2.createPropertyAccessExpression(iterator, "next"), void 0, []); const getDone = factory2.createPropertyAccessExpression(result, "done"); const getValue = 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(setEmitFlags(setTextRange(factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(nonUserCode, void 0, void 0, factory2.createTrue()), setTextRange(factory2.createVariableDeclaration(iterator, void 0, void 0, initializer), node.expression), factory2.createVariableDeclaration(result) ]), node.expression), 4194304), factory2.inlineExpressions([ factory2.createAssignment(result, createDownlevelAwait(callNext)), factory2.createAssignment(done, getDone), factory2.createLogicalNot(done) ]), void 0, convertForOfStatementHead(node, getValue, nonUserCode)), node), 512); 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)), factory2.createBlock([ factory2.createTryStatement(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) ]), void 0, setEmitFlags(factory2.createBlock([ setEmitFlags(factory2.createIfStatement(errorRecord, factory2.createThrowStatement(factory2.createPropertyAccessExpression(errorRecord, "error"))), 1) ]), 1)) ])); } 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, void 0, node.dotDotDotToken, isBindingPattern(node.name) ? factory2.getGeneratedNameForNode(node) : node.name, void 0, void 0, void 0); } if (node.transformFlags & 65536) { return factory2.updateParameterDeclaration(node, void 0, node.dotDotDotToken, factory2.getGeneratedNameForNode(node), void 0, void 0, visitNode(node.initializer, visitor, isExpression)); } return visitEachChild(node, visitor, 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, visitor, isPropertyName), visitParameterList(node.parameters, parameterVisitor, context), 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, visitor, 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, visitor, isPropertyName), visitNode(void 0, visitor, isQuestionToken), void 0, visitParameterList(node.parameters, parameterVisitor, context), 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, void 0, visitParameterList(node.parameters, parameterVisitor, context), 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, void 0, visitParameterList(node.parameters, parameterVisitor, context), 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, void 0, visitParameterList(node.parameters, parameterVisitor, context), void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node)); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function transformAsyncGeneratorFunctionBody(node) { resumeLexicalEnvironment(); const statements = []; const statementOffset = factory2.copyPrologue(node.body.statements, statements, false, visitor); appendObjectRestAssignmentsIfNeeded(statements, node); const savedCapturedSuperProperties = capturedSuperProperties; const savedHasSuperElementAccess = hasSuperElementAccess; capturedSuperProperties = /* @__PURE__ */ new Set(); hasSuperElementAccess = false; const returnStatement = factory2.createReturnStatement(emitHelpers().createAsyncGeneratorHelper(factory2.createFunctionExpression(void 0, factory2.createToken(41), node.name && factory2.getGeneratedNameForNode(node.name), void 0, [], void 0, factory2.updateBlock(node.body, visitLexicalEnvironment(node.body.statements, visitor, context, statementOffset))), !!(hierarchyFacts & 1))); const emitSuperHelpers = languageVersion >= 2 && resolver.getNodeCheckFlags(node) & (256 | 128); if (emitSuperHelpers) { enableSubstitutionForAsyncMethodsWithSuper(); const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties); substitutedSuperAccessors[getNodeId(variableStatement)] = true; insertStatementsAfterStandardPrologue(statements, [variableStatement]); } statements.push(returnStatement); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const block = factory2.updateBlock(node.body, statements); if (emitSuperHelpers && hasSuperElementAccess) { if (resolver.getNodeCheckFlags(node) & 256) { addEmitHelper(block, advancedAsyncSuperHelper); } else if (resolver.getNodeCheckFlags(node) & 128) { addEmitHelper(block, asyncSuperHelper); } } capturedSuperProperties = savedCapturedSuperProperties; hasSuperElementAccess = savedHasSuperElementAccess; return block; } function transformFunctionBody2(node) { var _a2; resumeLexicalEnvironment(); let statementOffset = 0; const statements = []; const body = (_a2 = visitNode(node.body, visitor, isConciseBody)) != null ? _a2 : factory2.createBlock([]); if (isBlock(body)) { statementOffset = factory2.copyPrologue(body.statements, statements, false, visitor); } addRange(statements, appendObjectRestAssignmentsIfNeeded(void 0, node)); const leadingStatements = endLexicalEnvironment(); if (statementOffset > 0 || some(statements) || some(leadingStatements)) { const block = factory2.converters.convertToFunctionBlock(body, 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, visitor, context, 0, factory2.getGeneratedNameForNode(parameter)); if (some(declarations)) { const declarationList = factory2.createVariableDeclarationList(declarations); const statement = factory2.createVariableStatement(void 0, declarationList); setEmitFlags(statement, 2097152); statements = append(statements, statement); } } else if (parameter.initializer) { const name = factory2.getGeneratedNameForNode(parameter); const initializer = visitNode(parameter.initializer, visitor, isExpression); const assignment = factory2.createAssignment(name, initializer); const statement = factory2.createExpressionStatement(assignment); setEmitFlags(statement, 2097152); statements = append(statements, statement); } } else if (parameter.initializer) { const name = factory2.cloneNode(parameter.name); setTextRange(name, parameter.name); setEmitFlags(name, 96); const initializer = visitNode(parameter.initializer, visitor, isExpression); addEmitFlags(initializer, 96 | 3072); const assignment = factory2.createAssignment(name, initializer); setTextRange(assignment, parameter); setEmitFlags(assignment, 3072); const block = factory2.createBlock([factory2.createExpressionStatement(assignment)]); setTextRange(block, parameter); setEmitFlags(block, 1 | 64 | 768 | 3072); 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); statements = append(statements, statement); } } else if (parameter.transformFlags & 65536) { containsPrecedingObjectRestOrSpread = true; const declarations = flattenDestructuringBinding(parameter, visitor, context, 1, factory2.getGeneratedNameForNode(parameter), false, true); if (some(declarations)) { const declarationList = factory2.createVariableDeclarationList(declarations); const statement = factory2.createVariableStatement(void 0, declarationList); setEmitFlags(statement, 2097152); statements = append(statements, statement); } } } return statements; } function enableSubstitutionForAsyncMethodsWithSuper() { if ((enabledSubstitutions & 1) === 0) { enabledSubstitutions |= 1; context.enableSubstitution(210); context.enableSubstitution(208); context.enableSubstitution(209); context.enableEmitNotification(260); context.enableEmitNotification(171); context.enableEmitNotification(174); context.enableEmitNotification(175); context.enableEmitNotification(173); context.enableEmitNotification(240); } } function onEmitNode(hint, node, emitCallback) { if (enabledSubstitutions & 1 && isSuperContainer(node)) { const superContainerFlags = resolver.getNodeCheckFlags(node) & (128 | 256); 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 208: return substitutePropertyAccessExpression(node); case 209: return substituteElementAccessExpression(node); case 210: return substituteCallExpression(node); } return node; } function substitutePropertyAccessExpression(node) { if (node.expression.kind === 106) { return setTextRange(factory2.createPropertyAccessExpression(factory2.createUniqueName("_super", 16 | 32), node.name), node); } return node; } function substituteElementAccessExpression(node) { if (node.expression.kind === 106) { 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"), void 0, [ factory2.createThis(), ...node.arguments ]); } return node; } function isSuperContainer(node) { const kind = node.kind; return kind === 260 || kind === 173 || kind === 171 || kind === 174 || kind === 175; } function createSuperElementAccessInAsyncMethod(argumentExpression, location) { if (enclosingSuperContainerFlags & 256) { return setTextRange(factory2.createPropertyAccessExpression(factory2.createCallExpression(factory2.createIdentifier("_superIndex"), void 0, [argumentExpression]), "value"), location); } else { return setTextRange(factory2.createCallExpression(factory2.createIdentifier("_superIndex"), void 0, [argumentExpression]), location); } } } var init_es2018 = __esm({ "src/compiler/transformers/es2018.ts"() { "use strict"; init_ts2(); } }); function transformES2019(context) { const factory2 = context.factory; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor, context); } function visitor(node) { if ((node.transformFlags & 64) === 0) { return node; } switch (node.kind) { case 295: return visitCatchClause(node); default: return visitEachChild(node, visitor, context); } } function visitCatchClause(node) { if (!node.variableDeclaration) { return factory2.updateCatchClause(node, factory2.createVariableDeclaration(factory2.createTempVariable(void 0)), visitNode(node.block, visitor, isBlock)); } return visitEachChild(node, visitor, context); } } var init_es2019 = __esm({ "src/compiler/transformers/es2019.ts"() { "use strict"; init_ts2(); } }); function transformES2020(context) { const { factory: factory2, hoistVariableDeclaration } = context; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor, context); } function visitor(node) { if ((node.transformFlags & 32) === 0) { return node; } switch (node.kind) { case 210: { const updated = visitNonOptionalCallExpression(node, false); Debug.assertNotNode(updated, isSyntheticReference); return updated; } case 208: case 209: if (isOptionalChain(node)) { const updated = visitOptionalExpression(node, false, false); Debug.assertNotNode(updated, isSyntheticReference); return updated; } return visitEachChild(node, visitor, context); case 223: if (node.operatorToken.kind === 60) { return transformNullishCoalescingExpression(node); } return visitEachChild(node, visitor, context); case 217: return visitDeleteExpression(node); default: return visitEachChild(node, visitor, 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, visitor, 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 === 208 ? factory2.updatePropertyAccessExpression(node, expression, visitNode(node.name, visitor, isIdentifier)) : factory2.updateElementAccessExpression(node, expression, visitNode(node.argumentExpression, visitor, isExpression)); return thisArg ? factory2.createSyntheticReferenceExpression(expression, thisArg) : expression; } function visitNonOptionalCallExpression(node, captureThisArg) { if (isOptionalChain(node)) { return visitOptionalExpression(node, captureThisArg, false); } if (isParenthesizedExpression(node.expression) && isOptionalChain(skipParentheses(node.expression))) { const expression = visitNonOptionalParenthesizedExpression(node.expression, true, false); const args = visitNodes2(node.arguments, visitor, isExpression); if (isSyntheticReference(expression)) { return setTextRange(factory2.createFunctionCallCall(expression.expression, expression.thisArg, args), node); } return factory2.updateCallExpression(node, expression, void 0, args); } return visitEachChild(node, visitor, context); } function visitNonOptionalExpression(node, captureThisArg, isDelete) { switch (node.kind) { case 214: return visitNonOptionalParenthesizedExpression(node, captureThisArg, isDelete); case 208: case 209: return visitNonOptionalPropertyOrElementAccessExpression(node, captureThisArg, isDelete); case 210: return visitNonOptionalCallExpression(node, captureThisArg); default: return visitNode(node, visitor, isExpression); } } function visitOptionalExpression(node, captureThisArg, isDelete) { const { expression, chain } = flattenChain(node); const left = visitNonOptionalExpression(skipPartiallyEmittedExpressions(expression), isCallChain(chain[0]), false); let leftThisArg = isSyntheticReference(left) ? left.thisArg : void 0; let capturedLeft = isSyntheticReference(left) ? left.expression : left; let leftExpression = factory2.restoreOuterExpressions(expression, capturedLeft, 8); 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 208: case 209: if (i === chain.length - 1 && captureThisArg) { if (!isSimpleCopiableExpression(rightExpression)) { thisArg = factory2.createTempVariable(hoistVariableDeclaration); rightExpression = factory2.createAssignment(thisArg, rightExpression); } else { thisArg = rightExpression; } } rightExpression = segment.kind === 208 ? factory2.createPropertyAccessExpression(rightExpression, visitNode(segment.name, visitor, isIdentifier)) : factory2.createElementAccessExpression(rightExpression, visitNode(segment.argumentExpression, visitor, isExpression)); break; case 210: if (i === 0 && leftThisArg) { if (!isGeneratedIdentifier(leftThisArg)) { leftThisArg = factory2.cloneNode(leftThisArg); addEmitFlags(leftThisArg, 3072); } rightExpression = factory2.createFunctionCallCall(rightExpression, leftThisArg.kind === 106 ? factory2.createThis() : leftThisArg, visitNodes2(segment.arguments, visitor, isExpression)); } else { rightExpression = factory2.createCallExpression(rightExpression, void 0, visitNodes2(segment.arguments, visitor, isExpression)); } break; } setOriginalNode(rightExpression, segment); } const target = isDelete ? factory2.createConditionalExpression(createNotNullCondition(leftExpression, capturedLeft, true), void 0, factory2.createTrue(), void 0, factory2.createDeleteExpression(rightExpression)) : factory2.createConditionalExpression(createNotNullCondition(leftExpression, capturedLeft, true), void 0, factory2.createVoidZero(), 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 ? 36 : 37), factory2.createNull()), factory2.createToken(invert ? 56 : 55), factory2.createBinaryExpression(right, factory2.createToken(invert ? 36 : 37), factory2.createVoidZero())); } function transformNullishCoalescingExpression(node) { let left = visitNode(node.left, visitor, isExpression); let right = left; if (!isSimpleCopiableExpression(left)) { right = factory2.createTempVariable(hoistVariableDeclaration); left = factory2.createAssignment(right, left); } return setTextRange(factory2.createConditionalExpression(createNotNullCondition(left, right), void 0, right, void 0, visitNode(node.right, visitor, isExpression)), node); } function visitDeleteExpression(node) { return isOptionalChain(skipParentheses(node.expression)) ? setOriginalNode(visitNonOptionalExpression(node.expression, false, true), node) : factory2.updateDeleteExpression(node, visitNode(node.expression, visitor, isExpression)); } } var init_es2020 = __esm({ "src/compiler/transformers/es2020.ts"() { "use strict"; init_ts2(); } }); function transformES2021(context) { const { hoistVariableDeclaration, factory: factory2 } = context; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor, context); } function visitor(node) { if ((node.transformFlags & 16) === 0) { return node; } if (isLogicalOrCoalescingAssignmentExpression(node)) { return transformLogicalAssignment(node); } return visitEachChild(node, visitor, context); } function transformLogicalAssignment(binaryExpression) { const operator = binaryExpression.operatorToken; const nonAssignmentOperator = getNonAssignmentOperatorForCompoundAssignment(operator.kind); let left = skipParentheses(visitNode(binaryExpression.left, visitor, isLeftHandSideExpression)); let assignmentTarget = left; const right = skipParentheses(visitNode(binaryExpression.right, visitor, 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))); } } var init_es2021 = __esm({ "src/compiler/transformers/es2021.ts"() { "use strict"; init_ts2(); } }); function transformESNext(context) { return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor, context); } function visitor(node) { if ((node.transformFlags & 4) === 0) { return node; } switch (node.kind) { default: return visitEachChild(node, visitor, context); } } } var init_esnext = __esm({ "src/compiler/transformers/esnext.ts"() { "use strict"; init_ts2(); } }); 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), void 0, 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 _a2, _b; const importSource = name === "createElement" ? currentFileState.importSpecifier : getJSXRuntimeImport(currentFileState.importSpecifier, compilerOptions); const existing = (_b = (_a2 = currentFileState.utilizedImplicitRuntimeImports) == null ? void 0 : _a2.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); const specifier = factory2.createImportSpecifier(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, visitor, context); addEmitHelpers(visited, context.readEmitHelpers()); let statements = visited.statements; if (currentFileState.filenameDeclaration) { statements = insertStatementAfterCustomPrologue(statements.slice(), factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([currentFileState.filenameDeclaration], 2))); } if (currentFileState.utilizedImplicitRuntimeImports) { for (const [importSource, importSpecifiersMap] of arrayFrom(currentFileState.utilizedImplicitRuntimeImports.entries())) { if (isExternalModule(node)) { const importStatement = factory2.createImportDeclaration(void 0, factory2.createImportClause(false, void 0, factory2.createNamedImports(arrayFrom(importSpecifiersMap.values()))), factory2.createStringLiteral(importSource), void 0); setParentRecursive(importStatement, false); statements = insertStatementAfterCustomPrologue(statements.slice(), importStatement); } else if (isExternalOrCommonJsModule(node)) { const requireStatement = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.createObjectBindingPattern(arrayFrom(importSpecifiersMap.values(), (s) => factory2.createBindingElement(void 0, s.propertyName, s.name))), void 0, void 0, factory2.createCallExpression(factory2.createIdentifier("require"), void 0, [factory2.createStringLiteral(importSource)])) ], 2)); setParentRecursive(requireStatement, false); statements = insertStatementAfterCustomPrologue(statements.slice(), requireStatement); } else { } } } if (statements !== visited.statements) { visited = factory2.updateSourceFile(visited, statements); } currentFileState = void 0; return visited; } function visitor(node) { if (node.transformFlags & 2) { return visitorWorker(node); } else { return node; } } function visitorWorker(node) { switch (node.kind) { case 281: return visitJsxElement(node, false); case 282: return visitJsxSelfClosingElement(node, false); case 285: return visitJsxFragment(node, false); case 291: return visitJsxExpression(node); default: return visitEachChild(node, visitor, context); } } function transformJsxChildToExpression(node) { switch (node.kind) { case 11: return visitJsxText(node); case 291: return visitJsxExpression(node); case 281: return visitJsxElement(node, true); case 282: return visitJsxSelfClosingElement(node, true); case 285: return visitJsxFragment(node, true); default: return Debug.failBadSyntaxKind(node); } } function hasKeyAfterPropsSpread(node) { let spread = false; for (const elem of node.attributes.properties) { if (isJsxSpreadAttribute(elem)) { spread = true; } else if (spread && isJsxAttribute(elem) && 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, node); } function visitJsxSelfClosingElement(node, isChild) { const tagTransform = shouldUseCreateElement(node) ? visitJsxOpeningLikeElementCreateElement : visitJsxOpeningLikeElementJSX; return tagTransform(node, void 0, isChild, node); } function visitJsxFragment(node, isChild) { const tagTransform = currentFileState.importSpecifier === void 0 ? visitJsxOpeningFragmentCreateElement : visitJsxOpeningFragmentJSX; return tagTransform(node.openingFragment, node.children, isChild, 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 _a2; const nonWhitespaceChildren = getSemanticJsxChildren(children); const isStaticChildren = length(nonWhitespaceChildren) > 1 || !!((_a2 = nonWhitespaceChildren[0]) == null ? void 0 : _a2.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), 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, 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([]), 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, mapDefined(children, transformJsxChildToExpression), node, location); if (isChild) { startOnNewLine(element); } return element; } function transformJsxSpreadAttributeToSpreadAssignment(node) { return factory2.createSpreadAssignment(Debug.checkDefined(visitNode(node.expression, visitor, 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) => map(attrs2, (attr) => isSpread ? transformJsxSpreadAttributeToSpreadAssignment(attr) : transformJsxAttributeToObjectLiteralElement(attr)))); if (children) { props.push(children); } return props; } function transformJsxAttributesToExpression(attrs, children) { const expressions = flatten(spanMap(attrs, isJsxSpreadAttribute, (attrs2, isSpread) => isSpread ? map(attrs2, transformJsxSpreadAttributeToExpression) : factory2.createObjectLiteralExpression(map(attrs2, transformJsxAttributeToObjectLiteralElement)))); if (isJsxSpreadAttribute(attrs[0])) { expressions.unshift(factory2.createObjectLiteralExpression()); } if (children) { expressions.push(factory2.createObjectLiteralExpression([children])); } return singleOrUndefined(expressions) || emitHelpers().createAssignHelper(expressions); } function transformJsxSpreadAttributeToExpression(node) { return Debug.checkDefined(visitNode(node.expression, visitor, isExpression)); } 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 === 10) { 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 === 291) { if (node.expression === void 0) { return factory2.createTrue(); } return Debug.checkDefined(visitNode(node.expression, visitor, isExpression)); } if (isJsxElement(node)) { return visitJsxElement(node, false); } if (isJsxSelfClosingElement(node)) { return visitJsxSelfClosingElement(node, false); } if (isJsxFragment(node)) { return visitJsxFragment(node, 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 === 281) { return getTagName(node.openingElement); } else { const name = node.tagName; if (isIdentifier(name) && isIntrinsicJsxName(name.escapedText)) { return factory2.createStringLiteral(idText(name)); } else { return createExpressionFromEntityName(factory2, name); } } } function getAttributeName(node) { const name = node.name; const text = idText(name); if (/^[A-Za-z_]w*$/.test(text)) { return name; } else { return factory2.createStringLiteral(text); } } function visitJsxExpression(node) { const expression = visitNode(node.expression, visitor, isExpression); return node.dotDotDotToken ? factory2.createSpreadElement(expression) : expression; } } var entities; var init_jsx = __esm({ "src/compiler/transformers/jsx.ts"() { "use strict"; init_ts2(); 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, visitor, context); } function visitor(node) { if ((node.transformFlags & 512) === 0) { return node; } switch (node.kind) { case 223: return visitBinaryExpression(node); default: return visitEachChild(node, visitor, context); } } function visitBinaryExpression(node) { switch (node.operatorToken.kind) { case 67: return visitExponentiationAssignmentExpression(node); case 42: return visitExponentiationExpression(node); default: return visitEachChild(node, visitor, context); } } function visitExponentiationAssignmentExpression(node) { let target; let value; const left = visitNode(node.left, visitor, isExpression); const right = visitNode(node.right, visitor, 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, visitor, isExpression); const right = visitNode(node.right, visitor, isExpression); return setTextRange(factory2.createGlobalMethodCall("Math", "pow", [left, right]), node); } } var init_es2016 = __esm({ "src/compiler/transformers/es2016.ts"() { "use strict"; init_ts2(); } }); 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 === 250 && !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, false) || isBlock(node)); } function shouldVisitNode(node) { return (node.transformFlags & 1024) !== 0 || convertedLoopState !== void 0 || hierarchyFacts & 8192 && isOrMayContainReturnCompletion(node) || isIterationStatement(node, false) && shouldConvertIterationStatement(node) || (getInternalEmitFlags(node) & 1) !== 0; } function visitor(node) { return shouldVisitNode(node) ? visitorWorker(node, false) : node; } function visitorWithUnusedExpressionResult(node) { return shouldVisitNode(node) ? visitorWorker(node, true) : node; } function classWrapperStatementVisitor(node) { if (shouldVisitNode(node)) { const original = getOriginalNode(node); if (isPropertyDeclaration(original) && hasStaticModifier(original)) { const ancestorFacts = enterSubtree(32670, 16449); const result = visitorWorker(node, false); exitSubtree(ancestorFacts, 98304, 0); return result; } return visitorWorker(node, false); } return node; } function callExpressionVisitor(node) { if (node.kind === 106) { return visitSuperKeyword(true); } return visitor(node); } function visitorWorker(node, expressionResultIsUnused2) { switch (node.kind) { case 124: return void 0; case 260: return visitClassDeclaration(node); case 228: return visitClassExpression(node); case 166: return visitParameter(node); case 259: return visitFunctionDeclaration(node); case 216: return visitArrowFunction(node); case 215: return visitFunctionExpression(node); case 257: return visitVariableDeclaration(node); case 79: return visitIdentifier(node); case 258: return visitVariableDeclarationList(node); case 252: return visitSwitchStatement(node); case 266: return visitCaseBlock(node); case 238: return visitBlock(node, false); case 249: case 248: return visitBreakOrContinueStatement(node); case 253: return visitLabeledStatement(node); case 243: case 244: return visitDoOrWhileStatement(node, void 0); case 245: return visitForStatement(node, void 0); case 246: return visitForInStatement(node, void 0); case 247: return visitForOfStatement(node, void 0); case 241: return visitExpressionStatement(node); case 207: return visitObjectLiteralExpression(node); case 295: return visitCatchClause(node); case 300: return visitShorthandPropertyAssignment(node); case 164: return visitComputedPropertyName(node); case 206: return visitArrayLiteralExpression(node); case 210: return visitCallExpression(node); case 211: return visitNewExpression(node); case 214: return visitParenthesizedExpression(node, expressionResultIsUnused2); case 223: return visitBinaryExpression(node, expressionResultIsUnused2); case 357: return visitCommaListExpression(node, expressionResultIsUnused2); case 14: case 15: case 16: case 17: return visitTemplateLiteral(node); case 10: return visitStringLiteral(node); case 8: return visitNumericLiteral(node); case 212: return visitTaggedTemplateExpression(node); case 225: return visitTemplateExpression(node); case 226: return visitYieldExpression(node); case 227: return visitSpreadElement(node); case 106: return visitSuperKeyword(false); case 108: return visitThisKeyword(node); case 233: return visitMetaProperty(node); case 171: return visitMethodDeclaration(node); case 174: case 175: return visitAccessorDeclaration(node); case 240: return visitVariableStatement(node); case 250: return visitReturnStatement(node); case 219: return visitVoidExpression(node); default: return visitEachChild(node, visitor, context); } } function visitSourceFile(node) { const ancestorFacts = enterSubtree(8064, 64); const prologue = []; const statements = []; startLexicalEnvironment(); const statementOffset = factory2.copyPrologue(node.statements, prologue, false, visitor); addRange(statements, visitNodes2(node.statements, visitor, isStatement, statementOffset)); if (taggedTemplateStringDeclarations) { statements.push(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList(taggedTemplateStringDeclarations))); } factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment()); insertCaptureThisForNodeIfNeeded(prologue, node); exitSubtree(ancestorFacts, 0, 0); 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, visitor, context); convertedLoopState.allowedNonLabeledJumps = savedAllowedNonLabeledJumps; return result; } return visitEachChild(node, visitor, context); } function visitCaseBlock(node) { const ancestorFacts = enterSubtree(7104, 0); const updated = visitEachChild(node, visitor, context); exitSubtree(ancestorFacts, 0, 0); return updated; } function returnCapturedThis(node) { return setOriginalNode(factory2.createReturnStatement(factory2.createUniqueName("_this", 16 | 32)), node); } 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, visitor, isExpression)) : factory2.createVoidZero()) ])); } else if (isReturnVoidStatementInConstructorWithCapturedSuper(node)) { return returnCapturedThis(node); } return visitEachChild(node, visitor, context); } function visitThisKeyword(node) { if (hierarchyFacts & 2 && !(hierarchyFacts & 16384)) { hierarchyFacts |= 65536; } 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 & 128) { return setOriginalNode(setTextRange(factory2.createIdentifier(unescapeLeadingUnderscores(node.escapedText)), node), node); } return node; } function visitBreakOrContinueStatement(node) { if (convertedLoopState) { const jump = node.kind === 249 ? 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 === 249) { convertedLoopState.nonLocalJumps |= 2; labelMarker = "break"; } else { convertedLoopState.nonLocalJumps |= 4; labelMarker = "continue"; } } else { if (node.kind === 249) { labelMarker = `break-${label.escapedText}`; setLabeledJump(convertedLoopState, true, idText(label), labelMarker); } else { labelMarker = `continue-${label.escapedText}`; setLabeledJump(convertedLoopState, 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); if (i === 0) { expr = copyExpr; } else { expr = factory2.createBinaryExpression(expr, 27, copyExpr); } } returnExpression = factory2.createBinaryExpression(expr, 27, returnExpression); } return factory2.createReturnStatement(returnExpression); } } return visitEachChild(node, visitor, context); } function visitClassDeclaration(node) { const variable = factory2.createVariableDeclaration(factory2.getLocalName(node, true), void 0, void 0, transformClassLikeDeclarationToExpression(node)); setOriginalNode(variable, node); const statements = []; const statement = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([variable])); setOriginalNode(statement, node); setTextRange(statement, node); startOnNewLine(statement); statements.push(statement); if (hasSyntacticModifier(node, 1)) { const exportStatement = hasSyntacticModifier(node, 1024) ? factory2.createExportDefault(factory2.getLocalName(node)) : factory2.createExternalModuleExport(factory2.getLocalName(node)); setOriginalNode(exportStatement, statement); statements.push(exportStatement); } const emitFlags = getEmitFlags(node); if ((emitFlags & 8388608) === 0) { statements.push(factory2.createEndOfDeclarationMarker(node)); setEmitFlags(statement, emitFlags | 8388608); } return singleOrMany(statements); } function visitClassExpression(node) { return transformClassLikeDeclarationToExpression(node); } function transformClassLikeDeclarationToExpression(node) { if (node.name) { enableSubstitutionsForBlockScopedBindings(); } const extendsClauseElement = getClassExtendsHeritageElement(node); const classFunction = factory2.createFunctionExpression(void 0, void 0, void 0, void 0, extendsClauseElement ? [factory2.createParameterDeclaration(void 0, void 0, factory2.createUniqueName("_super", 16 | 32))] : [], void 0, transformClassBody(node, extendsClauseElement)); setEmitFlags(classFunction, getEmitFlags(node) & 131072 | 1048576); const inner = factory2.createPartiallyEmittedExpression(classFunction); setTextRangeEnd(inner, node.end); setEmitFlags(inner, 3072); const outer = factory2.createPartiallyEmittedExpression(inner); setTextRangeEnd(outer, skipTrivia(currentText, node.pos)); setEmitFlags(outer, 3072); const result = factory2.createParenthesizedExpression(factory2.createCallExpression(outer, void 0, extendsClauseElement ? [Debug.checkDefined(visitNode(extendsClauseElement.expression, visitor, 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), 19); const outer = factory2.createPartiallyEmittedExpression(constructorLikeName); setTextRangeEnd(outer, closingBraceLocation.end); setEmitFlags(outer, 3072); const statement = factory2.createReturnStatement(outer); setTextRangePos(statement, closingBraceLocation.pos); setEmitFlags(statement, 3072 | 768); statements.push(statement); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const block = factory2.createBlock(setTextRange(factory2.createNodeArray(statements), node.members), true); setEmitFlags(block, 3072); return block; } function addExtendsHelperIfNeeded(statements, node, extendsClauseElement) { if (extendsClauseElement) { statements.push(setTextRange(factory2.createExpressionStatement(emitHelpers().createExtendsHelper(factory2.getInternalName(node))), extendsClauseElement)); } } function addConstructor(statements, node, name, extendsClauseElement) { const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree(32662, 73); const constructor = getFirstConstructorWithBody(node); const hasSynthesizedSuper = hasSynthesizedDefaultSuperCall(constructor, extendsClauseElement !== void 0); const constructorFunction = factory2.createFunctionDeclaration(void 0, void 0, name, void 0, transformConstructorParameters(constructor, hasSynthesizedSuper), void 0, transformConstructorBody(constructor, node, extendsClauseElement, hasSynthesizedSuper)); setTextRange(constructorFunction, constructor || node); if (extendsClauseElement) { setEmitFlags(constructorFunction, 16); } statements.push(constructorFunction); exitSubtree(ancestorFacts, 98304, 0); convertedLoopState = savedConvertedLoopState; } function transformConstructorParameters(constructor, hasSynthesizedSuper) { return visitParameterList(constructor && !hasSynthesizedSuper ? constructor.parameters : void 0, visitor, 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, true); setTextRange(block, node); setEmitFlags(block, 3072); return block; } function transformConstructorBody(constructor, node, extendsClauseElement, hasSynthesizedSuper) { const isDerivedClass = !!extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 104; if (!constructor) return createDefaultConstructorBody(node, isDerivedClass); const prologue = []; const statements = []; resumeLexicalEnvironment(); const existingPrologue = takeWhile(constructor.body.statements, isPrologueDirective); const { superCall, superStatementIndex } = findSuperCallAndStatementIndex(constructor.body.statements, existingPrologue); const postSuperStatementsStart = superStatementIndex === -1 ? existingPrologue.length : superStatementIndex + 1; let statementOffset = postSuperStatementsStart; if (!hasSynthesizedSuper) statementOffset = factory2.copyStandardPrologue(constructor.body.statements, prologue, statementOffset, false); if (!hasSynthesizedSuper) statementOffset = factory2.copyCustomPrologue(constructor.body.statements, statements, statementOffset, visitor, void 0); let superCallExpression; if (hasSynthesizedSuper) { superCallExpression = createDefaultSuperCallOrThis(); } else if (superCall) { superCallExpression = visitSuperCallInBody(superCall); } if (superCallExpression) { hierarchyFacts |= 8192; } addDefaultValueAssignmentsIfNeeded2(prologue, constructor); addRestParameterIfNeeded(prologue, constructor, hasSynthesizedSuper); addRange(statements, visitNodes2(constructor.body.statements, visitor, isStatement, statementOffset)); factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment()); insertCaptureNewTargetIfNeeded(prologue, constructor, false); if (isDerivedClass || superCallExpression) { if (superCallExpression && postSuperStatementsStart === constructor.body.statements.length && !(constructor.body.transformFlags & 16384)) { const superCall2 = cast(cast(superCallExpression, isBinaryExpression).left, isCallExpression); const returnStatement = factory2.createReturnStatement(superCallExpression); setCommentRange(returnStatement, getCommentRange(superCall2)); setEmitFlags(superCall2, 3072); statements.push(returnStatement); } else { if (superStatementIndex <= existingPrologue.length) { insertCaptureThisForNode(statements, constructor, superCallExpression || createActualThis()); } else { insertCaptureThisForNode(prologue, constructor, createActualThis()); if (superCallExpression) { insertSuperThisCaptureThisForNode(statements, superCallExpression); } } if (!isSufficientlyCoveredByReturnStatements(constructor.body)) { statements.push(factory2.createReturnStatement(factory2.createUniqueName("_this", 16 | 32))); } } } else { insertCaptureThisForNodeIfNeeded(prologue, constructor); } const body = factory2.createBlock(setTextRange(factory2.createNodeArray([ ...existingPrologue, ...prologue, ...superStatementIndex <= existingPrologue.length ? emptyArray : visitNodes2(constructor.body.statements, visitor, isStatement, existingPrologue.length, superStatementIndex - existingPrologue.length), ...statements ]), constructor.body.statements), true); setTextRange(body, constructor.body); return body; } function findSuperCallAndStatementIndex(originalBodyStatements, existingPrologue) { for (let i = existingPrologue.length; i < originalBodyStatements.length; i += 1) { const superCall = getSuperCallFromStatement(originalBodyStatements[i]); if (superCall) { return { superCall, superStatementIndex: i }; } } return { superStatementIndex: -1 }; } function isSufficientlyCoveredByReturnStatements(statement) { if (statement.kind === 250) { return true; } else if (statement.kind === 242) { const ifStatement = statement; if (ifStatement.elseStatement) { return isSufficientlyCoveredByReturnStatements(ifStatement.thenStatement) && isSufficientlyCoveredByReturnStatements(ifStatement.elseStatement); } } else if (statement.kind === 238) { const lastStatement = lastOrUndefined(statement.statements); if (lastStatement && isSufficientlyCoveredByReturnStatements(lastStatement)) { return true; } } return false; } function createActualThis() { return setEmitFlags(factory2.createThis(), 8); } function createDefaultSuperCallOrThis() { return factory2.createLogicalOr(factory2.createLogicalAnd(factory2.createStrictInequality(factory2.createUniqueName("_super", 16 | 32), factory2.createNull()), factory2.createFunctionApplyCall(factory2.createUniqueName("_super", 16 | 32), createActualThis(), factory2.createIdentifier("arguments"))), createActualThis()); } function visitParameter(node) { if (node.dotDotDotToken) { return void 0; } else if (isBindingPattern(node.name)) { return setOriginalNode(setTextRange(factory2.createParameterDeclaration(void 0, void 0, factory2.getGeneratedNameForNode(node), void 0, void 0, void 0), node), node); } else if (node.initializer) { return setOriginalNode(setTextRange(factory2.createParameterDeclaration(void 0, void 0, node.name, void 0, void 0, void 0), node), 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(void 0, factory2.createVariableDeclarationList(flattenDestructuringBinding(parameter, visitor, context, 0, factory2.getGeneratedNameForNode(parameter)))), 2097152)); return true; } else if (initializer) { insertStatementAfterCustomPrologue(statements, setEmitFlags(factory2.createExpressionStatement(factory2.createAssignment(factory2.getGeneratedNameForNode(parameter), Debug.checkDefined(visitNode(initializer, visitor, isExpression)))), 2097152)); return true; } return false; } function insertDefaultValueAssignmentForInitializer(statements, parameter, name, initializer) { initializer = Debug.checkDefined(visitNode(initializer, visitor, isExpression)); const statement = factory2.createIfStatement(factory2.createTypeCheck(factory2.cloneNode(name), "undefined"), setEmitFlags(setTextRange(factory2.createBlock([ factory2.createExpressionStatement(setEmitFlags(setTextRange(factory2.createAssignment(setEmitFlags(setParent(setTextRange(factory2.cloneNode(name), name), name.parent), 96), setEmitFlags(initializer, 96 | getEmitFlags(initializer) | 3072)), parameter), 3072)) ]), parameter), 1 | 64 | 768 | 3072)); startOnNewLine(statement); setTextRange(statement, parameter); setEmitFlags(statement, 768 | 64 | 2097152 | 3072); 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 === 79 ? setParent(setTextRange(factory2.cloneNode(parameter.name), parameter.name), parameter.name.parent) : factory2.createTempVariable(void 0); setEmitFlags(declarationName, 96); const expressionName = parameter.name.kind === 79 ? factory2.cloneNode(parameter.name) : declarationName; const restIndex = node.parameters.length - 1; const temp = factory2.createLoopVariable(); prologueStatements.push(setEmitFlags(setTextRange(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(declarationName, void 0, void 0, factory2.createArrayLiteralExpression([])) ])), parameter), 2097152)); const forStatement = factory2.createForStatement(setTextRange(factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(temp, void 0, 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))), parameter)) ])); setEmitFlags(forStatement, 2097152); startOnNewLine(forStatement); prologueStatements.push(forStatement); if (parameter.name.kind !== 79) { prologueStatements.push(setEmitFlags(setTextRange(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList(flattenDestructuringBinding(parameter, visitor, context, 0, expressionName))), parameter), 2097152)); } insertStatementsAfterCustomPrologue(statements, prologueStatements); return true; } function insertCaptureThisForNodeIfNeeded(statements, node) { if (hierarchyFacts & 65536 && node.kind !== 216) { insertCaptureThisForNode(statements, node, factory2.createThis()); return true; } return false; } function insertSuperThisCaptureThisForNode(statements, superExpression) { enableSubstitutionsForCapturedThis(); const assignSuperExpression = factory2.createExpressionStatement(factory2.createBinaryExpression(factory2.createThis(), 63, superExpression)); insertStatementAfterCustomPrologue(statements, assignSuperExpression); setCommentRange(assignSuperExpression, getOriginalNode(superExpression).parent); } function insertCaptureThisForNode(statements, node, initializer) { enableSubstitutionsForCapturedThis(); const captureThisStatement = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.createUniqueName("_this", 16 | 32), void 0, void 0, initializer) ])); setEmitFlags(captureThisStatement, 3072 | 2097152); setSourceMapRange(captureThisStatement, node); insertStatementAfterCustomPrologue(statements, captureThisStatement); } function insertCaptureNewTargetIfNeeded(statements, node, copyOnWrite) { if (hierarchyFacts & 32768) { let newTarget; switch (node.kind) { case 216: return statements; case 171: case 174: case 175: newTarget = factory2.createVoidZero(); break; case 173: newTarget = factory2.createPropertyAccessExpression(setEmitFlags(factory2.createThis(), 8), "constructor"); break; case 259: case 215: newTarget = factory2.createConditionalExpression(factory2.createLogicalAnd(setEmitFlags(factory2.createThis(), 8), factory2.createBinaryExpression(setEmitFlags(factory2.createThis(), 8), 102, factory2.getLocalName(node))), void 0, factory2.createPropertyAccessExpression(setEmitFlags(factory2.createThis(), 8), "constructor"), void 0, factory2.createVoidZero()); break; default: return Debug.failBadSyntaxKind(node); } const captureNewTargetStatement = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.createUniqueName("_newTarget", 16 | 32), void 0, void 0, newTarget) ])); setEmitFlags(captureNewTargetStatement, 3072 | 2097152); if (copyOnWrite) { statements = statements.slice(); } insertStatementAfterCustomPrologue(statements, captureNewTargetStatement); } return statements; } function addClassMembers(statements, node) { for (const member of node.members) { switch (member.kind) { case 237: statements.push(transformSemicolonClassElementToStatement(member)); break; case 171: statements.push(transformClassMethodDeclarationToStatement(getClassMemberPrefix(node, member), member, node)); break; case 174: case 175: const accessors = getAllAccessorDeclarations(node.members, member); if (member === accessors.firstAccessor) { statements.push(transformAccessorsToStatement(getClassMemberPrefix(node, member), accessors, node)); } break; case 173: case 172: 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, member, void 0, container); const propertyName = visitNode(member.name, visitor, 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, member.name); e = factory2.createAssignment(memberName, memberFunction); } setEmitFlags(memberFunction, 3072); setSourceMapRange(memberFunction, sourceMapRange); const statement = setTextRange(factory2.createExpressionStatement(e), member); setOriginalNode(statement, member); setCommentRange(statement, commentRange); setEmitFlags(statement, 96); return statement; } function transformAccessorsToStatement(receiver, accessors, container) { const statement = factory2.createExpressionStatement(transformAccessorsToExpression(receiver, accessors, container, false)); setEmitFlags(statement, 3072); 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); setSourceMapRange(target, firstAccessor.name); const visitedAccessorName = visitNode(firstAccessor.name, visitor, 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); setSourceMapRange(propertyName, firstAccessor.name); const properties = []; if (getAccessor) { const getterFunction = transformFunctionLikeToExpression(getAccessor, void 0, void 0, container); setSourceMapRange(getterFunction, getSourceMapRange(getAccessor)); setEmitFlags(getterFunction, 1024); const getter = factory2.createPropertyAssignment("get", getterFunction); setCommentRange(getter, getCommentRange(getAccessor)); properties.push(getter); } if (setAccessor) { const setterFunction = transformFunctionLikeToExpression(setAccessor, void 0, void 0, container); setSourceMapRange(setterFunction, getSourceMapRange(setAccessor)); setEmitFlags(setterFunction, 1024); 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"), void 0, [ target, propertyName, factory2.createObjectLiteralExpression(properties, true) ]); if (startsOnNewLine) { startOnNewLine(call); } return call; } function visitArrowFunction(node) { if (node.transformFlags & 16384 && !(hierarchyFacts & 16384)) { hierarchyFacts |= 65536; } const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree(15232, 66); const func = factory2.createFunctionExpression(void 0, void 0, void 0, void 0, visitParameterList(node.parameters, visitor, context), void 0, transformFunctionBody2(node)); setTextRange(func, node); setOriginalNode(func, node); setEmitFlags(func, 16); exitSubtree(ancestorFacts, 0, 0); convertedLoopState = savedConvertedLoopState; return func; } function visitFunctionExpression(node) { const ancestorFacts = getEmitFlags(node) & 524288 ? enterSubtree(32662, 69) : enterSubtree(32670, 65); const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const parameters = visitParameterList(node.parameters, visitor, context); const body = transformFunctionBody2(node); const name = hierarchyFacts & 32768 ? factory2.getLocalName(node) : node.name; exitSubtree(ancestorFacts, 98304, 0); convertedLoopState = savedConvertedLoopState; return factory2.updateFunctionExpression(node, void 0, node.asteriskToken, name, void 0, parameters, void 0, body); } function visitFunctionDeclaration(node) { const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree(32670, 65); const parameters = visitParameterList(node.parameters, visitor, context); const body = transformFunctionBody2(node); const name = hierarchyFacts & 32768 ? factory2.getLocalName(node) : node.name; exitSubtree(ancestorFacts, 98304, 0); convertedLoopState = savedConvertedLoopState; return factory2.updateFunctionDeclaration(node, visitNodes2(node.modifiers, visitor, isModifier), node.asteriskToken, name, void 0, parameters, 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) : enterSubtree(32670, 65); const parameters = visitParameterList(node.parameters, visitor, context); const body = transformFunctionBody2(node); if (hierarchyFacts & 32768 && !name && (node.kind === 259 || node.kind === 215)) { name = factory2.getGeneratedNameForNode(node); } exitSubtree(ancestorFacts, 98304, 0); convertedLoopState = savedConvertedLoopState; return setOriginalNode(setTextRange(factory2.createFunctionExpression(void 0, node.asteriskToken, name, void 0, parameters, void 0, body), location), 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, false); statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor, isHoistedFunction); statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor, isHoistedVariableStatement); } multiLine = addDefaultValueAssignmentsIfNeeded2(statements, node) || multiLine; multiLine = addRestParameterIfNeeded(statements, node, false) || multiLine; if (isBlock(body)) { statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor); statementsLocation = body.statements; addRange(statements, visitNodes2(body.statements, visitor, isStatement, statementOffset)); if (!multiLine && body.multiLine) { multiLine = true; } } else { Debug.assert(node.kind === 216); 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, visitor, isExpression); const returnStatement = factory2.createReturnStatement(expression); setTextRange(returnStatement, body); moveSyntheticComments(returnStatement, body); setEmitFlags(returnStatement, 768 | 64 | 2048); statements.push(returnStatement); closeBraceLocation = body; } factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment()); insertCaptureNewTargetIfNeeded(prologue, node, false); 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); } if (closeBraceLocation) { setTokenSourceMapRange(block, 19, closeBraceLocation); } setOriginalNode(block, node.body); return block; } function visitBlock(node, isFunctionBody2) { if (isFunctionBody2) { return visitEachChild(node, visitor, context); } const ancestorFacts = hierarchyFacts & 256 ? enterSubtree(7104, 512) : enterSubtree(6976, 128); const updated = visitEachChild(node, visitor, context); exitSubtree(ancestorFacts, 0, 0); return updated; } function visitExpressionStatement(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitParenthesizedExpression(node, expressionResultIsUnused2) { return visitEachChild(node, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor, context); } function visitBinaryExpression(node, expressionResultIsUnused2) { if (isDestructuringAssignment(node)) { return flattenDestructuringAssignment(node, visitor, context, 0, !expressionResultIsUnused2); } if (node.operatorToken.kind === 27) { return factory2.updateBinaryExpression(node, Debug.checkDefined(visitNode(node.left, visitorWithUnusedExpressionResult, isExpression)), node.operatorToken, Debug.checkDefined(visitNode(node.right, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor, isExpression))); } return visitEachChild(node, visitor, 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 : visitor, 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, 1) ? 32 : 0); let updated; if (convertedLoopState && (node.declarationList.flags & 3) === 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, visitor, context, 0); } else { assignment = factory2.createBinaryExpression(decl.name, 63, Debug.checkDefined(visitNode(decl.initializer, visitor, 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, visitor, context); } exitSubtree(ancestorFacts, 0, 0); return updated; } function visitVariableDeclarationList(node) { if (node.flags & 3 || node.transformFlags & 524288) { if (node.flags & 3) { 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, visitor, 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 flags = resolver.getNodeCheckFlags(node); const isCapturedInFunction = flags & 16384; const isDeclaredInLoop = flags & 32768; 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, void 0, void 0, factory2.createVoidZero()); } return visitEachChild(node, visitor, context); } function visitVariableDeclaration(node) { const ancestorFacts = enterSubtree(32, 0); let updated; if (isBindingPattern(node.name)) { updated = flattenDestructuringBinding(node, visitor, context, 0, void 0, (ancestorFacts & 32) !== 0); } else { updated = visitEachChild(node, visitor, context); } exitSubtree(ancestorFacts, 0, 0); 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, false) ? visitIterationStatement(statement, node) : factory2.restoreEnclosingLabel(Debug.checkDefined(visitNode(statement, visitor, isStatement, factory2.liftToBlock)), node, convertedLoopState && resetLabel); } function visitIterationStatement(node, outermostLabeledStatement) { switch (node.kind) { case 243: case 244: return visitDoOrWhileStatement(node, outermostLabeledStatement); case 245: return visitForStatement(node, outermostLabeledStatement); case 246: return visitForInStatement(node, outermostLabeledStatement); case 247: 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); 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, visitor, isExpression), visitNode(node.incrementor, visitorWithUnusedExpressionResult, isExpression), Debug.checkDefined(visitNode(node.statement, visitor, 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 & 3) { enableSubstitutionsForBlockScopedBindings(); } const firstOriginalDeclaration = firstOrUndefined(initializer.declarations); if (firstOriginalDeclaration && isBindingPattern(firstOriginalDeclaration.name)) { const declarations = flattenDestructuringBinding(firstOriginalDeclaration, visitor, 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(void 0, declarationList)); } else { statements.push(setTextRange(factory2.createVariableStatement(void 0, setOriginalNode(setTextRange(factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(firstOriginalDeclaration ? firstOriginalDeclaration.name : factory2.createTempVariable(void 0), void 0, 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, true))); } else { setTextRangeEnd(assignment, initializer.end); statements.push(setTextRange(factory2.createExpressionStatement(Debug.checkDefined(visitNode(assignment, visitor, isExpression))), moveRangeEnd(initializer, -1))); } } if (convertedLoopBodyStatements) { return createSyntheticBlockForConvertedStatements(addRange(statements, convertedLoopBodyStatements)); } else { const statement = visitNode(node.statement, visitor, 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), true), 96 | 768); } function convertForOfStatementForArray(node, outermostLabeledStatement, convertedLoopBodyStatements) { const expression = visitNode(node.expression, visitor, isExpression); Debug.assert(expression); const counter = factory2.createLoopVariable(); const rhsReference = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable(void 0); setEmitFlags(expression, 96 | getEmitFlags(expression)); const forStatement = setTextRange(factory2.createForStatement(setEmitFlags(setTextRange(factory2.createVariableDeclarationList([ setTextRange(factory2.createVariableDeclaration(counter, void 0, void 0, factory2.createNumericLiteral(0)), moveRangePos(node.expression, -1)), setTextRange(factory2.createVariableDeclaration(rhsReference, void 0, void 0, expression), node.expression) ]), node.expression), 4194304), setTextRange(factory2.createLessThan(counter, factory2.createPropertyAccessExpression(rhsReference, "length")), node.expression), setTextRange(factory2.createPostfixIncrement(counter), node.expression), convertForOfStatementHead(node, factory2.createElementAccessExpression(rhsReference, counter), convertedLoopBodyStatements)), node); setEmitFlags(forStatement, 512); setTextRange(forStatement, node); return factory2.restoreEnclosingLabel(forStatement, outermostLabeledStatement, convertedLoopState && resetLabel); } function convertForOfStatementForIterable(node, outermostLabeledStatement, convertedLoopBodyStatements, ancestorFacts) { const expression = visitNode(node.expression, visitor, isExpression); Debug.assert(expression); const iterator = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable(void 0); const result = isIdentifier(expression) ? factory2.getGeneratedNameForNode(iterator) : factory2.createTempVariable(void 0); const errorRecord = factory2.createUniqueName("e"); const catchVariable = factory2.getGeneratedNameForNode(errorRecord); const returnMethod = factory2.createTempVariable(void 0); const values = setTextRange(emitHelpers().createValuesHelper(expression), node.expression); const next = factory2.createCallExpression(factory2.createPropertyAccessExpression(iterator, "next"), 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(setEmitFlags(setTextRange(factory2.createVariableDeclarationList([ setTextRange(factory2.createVariableDeclaration(iterator, void 0, void 0, initializer), node.expression), factory2.createVariableDeclaration(result, void 0, void 0, next) ]), node.expression), 4194304), factory2.createLogicalNot(factory2.createPropertyAccessExpression(result, "done")), factory2.createAssignment(result, next), convertForOfStatementHead(node, factory2.createPropertyAccessExpression(result, "value"), convertedLoopBodyStatements)), node), 512); 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)), factory2.createBlock([ factory2.createTryStatement(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) ]), void 0, setEmitFlags(factory2.createBlock([ setEmitFlags(factory2.createIfStatement(errorRecord, factory2.createThrowStatement(factory2.createPropertyAccessExpression(errorRecord, "error"))), 1) ]), 1)) ])); } 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 === 164)) { numInitialProperties = i; break; } } if (numInitialProperties < 0) { return visitEachChild(node, visitor, context); } const temp = factory2.createTempVariable(hoistVariableDeclaration); const expressions = []; const assignment = factory2.createAssignment(temp, setEmitFlags(factory2.createObjectLiteralExpression(visitNodes2(properties, visitor, 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.getNodeCheckFlags(node) & 8192) !== 0; } 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.getNodeCheckFlags(node) & 4096) !== 0; } function hoistVariableDeclarationDeclaredInConvertedLoop(state, node) { if (!state.hoistedLocalVariables) { state.hoistedLocalVariables = []; } visit(node.name); function visit(node2) { if (node2.kind === 79) { 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, void 0, ancestorFacts) : factory2.restoreEnclosingLabel(isForStatement(node) ? visitEachChildOfForStatement2(node) : visitEachChild(node, visitor, 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, true)); loop = factory2.restoreEnclosingLabel(clone2, outermostLabeledStatement, convertedLoopState && resetLabel); } } else { const clone2 = convertIterationStatementCore(node, initializerFunction, Debug.checkDefined(visitNode(node.statement, visitor, isStatement, factory2.liftToBlock))); loop = factory2.restoreEnclosingLabel(clone2, outermostLabeledStatement, convertedLoopState && resetLabel); } statements.push(loop); return statements; } function convertIterationStatementCore(node, initializerFunction, convertedLoopBody) { switch (node.kind) { case 245: return convertForStatement(node, initializerFunction, convertedLoopBody); case 246: return convertForInStatement(node, convertedLoopBody); case 247: return convertForOfStatement(node, convertedLoopBody); case 243: return convertDoStatement(node, convertedLoopBody); case 244: 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, visitor, isExpression), visitNode(shouldConvertIncrementor ? void 0 : node.incrementor, visitorWithUnusedExpressionResult, isExpression), convertedLoopBody); } function convertForOfStatement(node, convertedLoopBody) { return factory2.updateForOfStatement(node, void 0, Debug.checkDefined(visitNode(node.initializer, visitor, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), convertedLoopBody); } function convertForInStatement(node, convertedLoopBody) { return factory2.updateForInStatement(node, Debug.checkDefined(visitNode(node.initializer, visitor, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), convertedLoopBody); } function convertDoStatement(node, convertedLoopBody) { return factory2.updateDoStatement(node, convertedLoopBody, Debug.checkDefined(visitNode(node.expression, visitor, isExpression))); } function convertWhileStatement(node, convertedLoopBody) { return factory2.updateWhileStatement(node, Debug.checkDefined(visitNode(node.expression, visitor, isExpression)), convertedLoopBody); } function createConvertedLoopState(node) { let loopInitializer; switch (node.kind) { case 245: case 246: case 247: const initializer = node.initializer; if (initializer && initializer.kind === 258) { loopInitializer = initializer; } break; } const loopParameters = []; const loopOutParameters = []; if (loopInitializer && getCombinedNodeFlags(loopInitializer) & 3) { 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, void 0, void 0, factory2.createIdentifier("arguments"))); } } if (state.thisName) { if (outerState) { outerState.thisName = state.thisName; } else { (extraVariableDeclarations || (extraVariableDeclarations = [])).push(factory2.createVariableDeclaration(state.thisName, void 0, 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, void 0, void 0, factory2.createFalse())); } if (extraVariableDeclarations) { statements.push(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList(extraVariableDeclarations))); } } function createOutVariable(p) { return factory2.createVariableDeclaration(p.originalName, void 0, 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(void 0, node.initializer)); copyOutParameters(currentState.loopOutParameters, 2, 1, statements); const functionDeclaration = factory2.createVariableStatement(void 0, setEmitFlags(factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(functionName, void 0, void 0, setEmitFlags(factory2.createFunctionExpression(void 0, containsYield ? factory2.createToken(41) : void 0, void 0, void 0, void 0, void 0, Debug.checkDefined(visitNode(factory2.createBlock(statements, true), visitor, isBlock))), emitFlags)) ]), 4194304)); 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, visitor, 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, visitor, 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(53, Debug.checkDefined(visitNode(node.condition, visitor, isExpression))), Debug.checkDefined(visitNode(factory2.createBreakStatement(), visitor, 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, 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(void 0, setEmitFlags(factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(functionName, void 0, void 0, setEmitFlags(factory2.createFunctionExpression(void 0, containsYield ? factory2.createToken(41) : void 0, void 0, void 0, currentState.loopParameters, void 0, loopBody), emitFlags)) ]), 4194304)); 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, 63, 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, void 0, []); const callResult = containsYield ? factory2.createYieldExpression(factory2.createToken(41), setEmitFlags(call, 16777216)) : 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, void 0, map(state.loopParameters, (p) => p.name)); const callResult = containsYield ? factory2.createYieldExpression(factory2.createToken(41), setEmitFlags(call, 16777216)) : call; if (isSimpleLoop) { statements.push(factory2.createExpressionStatement(callResult)); copyOutParameters(state.loopOutParameters, 1, 0, statements); } else { const loopResultName = factory2.createUniqueName("state"); const stateVariable = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([factory2.createVariableDeclaration(loopResultName, void 0, 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, true, loopResultName, outerState, caseClauses); processLabeledJumps(state.labeledNonLocalContinues, 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(void 0, void 0, name)); const checkFlags = resolver.getNodeCheckFlags(decl); if (checkFlags & 262144 || hasCapturedBindingsInForHead) { const outParamName = factory2.createUniqueName("out_" + idText(name)); let flags = 0; if (checkFlags & 262144) { 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 174: case 175: const accessors = getAllAccessorDeclarations(node.properties, property); if (property === accessors.firstAccessor) { expressions.push(transformAccessorsToExpression(receiver, accessors, node, !!node.multiLine)); } break; case 171: expressions.push(transformObjectLiteralMethodDeclarationToExpression(property, receiver, node, node.multiLine)); break; case 299: expressions.push(transformPropertyAssignmentToExpression(property, receiver, node.multiLine)); break; case 300: 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, visitor, isPropertyName))), Debug.checkDefined(visitNode(property.initializer, visitor, 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, visitor, 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, visitor, isPropertyName))), transformFunctionLikeToExpression(method, method, void 0, container)); setTextRange(expression, method); if (startsOnNewLine) { startOnNewLine(expression); } return expression; } function visitCatchClause(node) { const ancestorFacts = enterSubtree(7104, 0); 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(void 0); const newVariableDeclaration = factory2.createVariableDeclaration(temp); setTextRange(newVariableDeclaration, node.variableDeclaration); const vars = flattenDestructuringBinding(node.variableDeclaration, visitor, context, 0, temp); const list = factory2.createVariableDeclarationList(vars); setTextRange(list, node.variableDeclaration); const destructure = factory2.createVariableStatement(void 0, list); updated = factory2.updateCatchClause(node, newVariableDeclaration, addStatementToStartOfBlock(node.block, destructure)); } else { updated = visitEachChild(node, visitor, context); } exitSubtree(ancestorFacts, 0, 0); return updated; } function addStatementToStartOfBlock(block, statement) { const transformedStatements = visitNodes2(block.statements, visitor, isStatement); return factory2.updateBlock(block, [statement, ...transformedStatements]); } function visitMethodDeclaration(node) { Debug.assert(!isComputedPropertyName(node.name)); const functionExpression = transformFunctionLikeToExpression(node, moveRangePos(node, -1), void 0, void 0); setEmitFlags(functionExpression, 1024 | getEmitFlags(functionExpression)); return setTextRange(factory2.createPropertyAssignment(node.name, functionExpression), node); } function visitAccessorDeclaration(node) { Debug.assert(!isComputedPropertyName(node.name)); const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree(32670, 65); let updated; const parameters = visitParameterList(node.parameters, visitor, context); const body = transformFunctionBody2(node); if (node.kind === 174) { 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, 98304, 0); convertedLoopState = savedConvertedLoopState; return updated; } function visitShorthandPropertyAssignment(node) { return setTextRange(factory2.createPropertyAssignment(node.name, visitIdentifier(factory2.cloneNode(node.name))), node); } function visitComputedPropertyName(node) { return visitEachChild(node, visitor, context); } function visitYieldExpression(node) { return visitEachChild(node, visitor, context); } function visitArrayLiteralExpression(node) { if (some(node.elements, isSpreadElement)) { return transformAndSpreadElements(node.elements, false, !!node.multiLine, !!node.elements.hasTrailingComma); } return visitEachChild(node, visitor, context); } function visitCallExpression(node) { if (getInternalEmitFlags(node) & 1) { return visitTypeScriptClassWrapper(node); } const expression = skipOuterExpressions(node.expression); if (expression.kind === 106 || isSuperProperty(expression) || some(node.arguments, isSpreadElement)) { return visitCallExpressionWithPotentialCapturedThisAssignment(node, true); } return factory2.updateCallExpression(node, Debug.checkDefined(visitNode(node.expression, callExpressionVisitor, isExpression)), void 0, visitNodes2(node.arguments, visitor, 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, isAssignmentExpression); if (!aliasAssignment && isBinaryExpression(initializer) && initializer.operatorToken.kind === 27) { aliasAssignment = tryCast(initializer.left, isAssignmentExpression); } const call = cast(aliasAssignment ? skipOuterExpressions(aliasAssignment.right) : initializer, isCallExpression); 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], isExpressionStatement); 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, 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, void 0, void 0, void 0, void 0, func.parameters, void 0, factory2.updateBlock(func.body, statements))), void 0, call.arguments)))); } function visitSuperCallInBody(node) { return visitCallExpressionWithPotentialCapturedThisAssignment(node, false); } function visitCallExpressionWithPotentialCapturedThisAssignment(node, assignToCapturedThis) { if (node.transformFlags & 32768 || node.expression.kind === 106 || isSuperProperty(skipOuterExpressions(node.expression))) { const { target, thisArg } = factory2.createCallBinding(node.expression, hoistVariableDeclaration); if (node.expression.kind === 106) { setEmitFlags(thisArg, 8); } let resultingCall; if (node.transformFlags & 32768) { resultingCall = factory2.createFunctionApplyCall(Debug.checkDefined(visitNode(target, callExpressionVisitor, isExpression)), node.expression.kind === 106 ? thisArg : Debug.checkDefined(visitNode(thisArg, visitor, isExpression)), transformAndSpreadElements(node.arguments, true, false, false)); } else { resultingCall = setTextRange(factory2.createFunctionCallCall(Debug.checkDefined(visitNode(target, callExpressionVisitor, isExpression)), node.expression.kind === 106 ? thisArg : Debug.checkDefined(visitNode(thisArg, visitor, isExpression)), visitNodes2(node.arguments, visitor, isExpression)), node); } if (node.expression.kind === 106) { const initializer = factory2.createLogicalOr(resultingCall, createActualThis()); resultingCall = assignToCapturedThis ? factory2.createAssignment(factory2.createUniqueName("_this", 16 | 32), initializer) : initializer; } return setOriginalNode(resultingCall, node); } return visitEachChild(node, visitor, 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, visitor, isExpression)), thisArg, transformAndSpreadElements(factory2.createNodeArray([factory2.createVoidZero(), ...node.arguments]), true, false, false)), void 0, []); } return visitEachChild(node, visitor, context); } function transformAndSpreadElements(elements, isArgumentList, multiLine, hasTrailingComma) { const numElements = elements.length; const segments = flatten(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, visitor, 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, void 0); kind = 2; } return createSpreadSegment(kind, expression); } function visitSpanOfNonSpreads(chunk, multiLine, hasTrailingComma) { const expression = factory2.createArrayLiteralExpression(visitNodes2(factory2.createNodeArray(chunk, hasTrailingComma), visitor, isExpression), multiLine); return createSpreadSegment(0, expression); } function visitSpreadElement(node) { return visitNode(node.expression, visitor, 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, visitor, currentSourceFile, recordTaggedTemplateString, 1); } function visitTemplateExpression(node) { let expression = factory2.createStringLiteral(node.head.text); for (const span of node.templateSpans) { const args = [Debug.checkDefined(visitNode(span.expression, visitor, isExpression))]; if (span.literal.text.length > 0) { args.push(factory2.createStringLiteral(span.literal.text)); } expression = factory2.createCallExpression(factory2.createPropertyAccessExpression(expression, "concat"), void 0, args); } return setTextRange(expression, node); } function visitSuperKeyword(isExpressionOfCall) { return hierarchyFacts & 8 && !isExpressionOfCall ? factory2.createPropertyAccessExpression(factory2.createUniqueName("_super", 16 | 32), "prototype") : factory2.createUniqueName("_super", 16 | 32); } function visitMetaProperty(node) { if (node.keywordToken === 103 && node.name.escapedText === "target") { hierarchyFacts |= 32768; return factory2.createUniqueName("_newTarget", 16 | 32); } return node; } function onEmitNode(hint, node, emitCallback) { if (enabledSubstitutions & 1 && isFunctionLike(node)) { const ancestorFacts = enterSubtree(32670, getEmitFlags(node) & 16 ? 65 | 16 : 65); previousOnEmitNode(hint, node, emitCallback); exitSubtree(ancestorFacts, 0, 0); return; } previousOnEmitNode(hint, node, emitCallback); } function enableSubstitutionsForBlockScopedBindings() { if ((enabledSubstitutions & 2) === 0) { enabledSubstitutions |= 2; context.enableSubstitution(79); } } function enableSubstitutionsForCapturedThis() { if ((enabledSubstitutions & 1) === 0) { enabledSubstitutions |= 1; context.enableSubstitution(108); context.enableEmitNotification(173); context.enableEmitNotification(171); context.enableEmitNotification(174); context.enableEmitNotification(175); context.enableEmitNotification(216); context.enableEmitNotification(215); context.enableEmitNotification(259); } } 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 205: case 260: case 263: case 257: return node.parent.name === node && resolver.isDeclarationWithCollidingName(node.parent); } return false; } function substituteExpression(node) { switch (node.kind) { case 79: return substituteExpressionIdentifier(node); case 108: 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(factory2.createUniqueName("_this", 16 | 32), 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 !== 241) { return false; } const statementExpression = statement.expression; if (!nodeIsSynthesized(statementExpression) || statementExpression.kind !== 210) { return false; } const callTarget = statementExpression.expression; if (!nodeIsSynthesized(callTarget) || callTarget.kind !== 106) { return false; } const callArgument = singleOrUndefined(statementExpression.arguments); if (!callArgument || !nodeIsSynthesized(callArgument) || callArgument.kind !== 227) { return false; } const expression = callArgument.expression; return isIdentifier(expression) && expression.escapedText === "arguments"; } } var init_es2015 = __esm({ "src/compiler/transformers/es2015.ts"() { "use strict"; init_ts2(); } }); function transformES5(context) { const { factory: factory2 } = context; const compilerOptions = context.getCompilerOptions(); let previousOnEmitNode; let noSubstitution; if (compilerOptions.jsx === 1 || compilerOptions.jsx === 3) { previousOnEmitNode = context.onEmitNode; context.onEmitNode = onEmitNode; context.enableEmitNotification(283); context.enableEmitNotification(284); context.enableEmitNotification(282); noSubstitution = []; } const previousOnSubstituteNode = context.onSubstituteNode; context.onSubstituteNode = onSubstituteNode; context.enableSubstitution(208); context.enableSubstitution(299); return chainBundle(context, transformSourceFile); function transformSourceFile(node) { return node; } function onEmitNode(hint, node, emitCallback) { switch (node.kind) { case 283: case 284: case 282: const tagName = node.tagName; noSubstitution[getOriginalNodeId(tagName)] = true; break; } previousOnEmitNode(hint, node, emitCallback); } function onSubstituteNode(hint, node) { if (node.id && noSubstitution && noSubstitution[node.id]) { return previousOnSubstituteNode(hint, node); } node = previousOnSubstituteNode(hint, node); if (isPropertyAccessExpression(node)) { return substitutePropertyAccessExpression(node); } else if (isPropertyAssignment(node)) { return substitutePropertyAssignment(node); } return node; } function substitutePropertyAccessExpression(node) { if (isPrivateIdentifier(node.name)) { return node; } const literalName = trySubstituteReservedName(node.name); if (literalName) { return setTextRange(factory2.createElementAccessExpression(node.expression, literalName), node); } return node; } function substitutePropertyAssignment(node) { const literalName = isIdentifier(node.name) && trySubstituteReservedName(node.name); if (literalName) { return factory2.updatePropertyAssignment(node, literalName, node.initializer); } return node; } function trySubstituteReservedName(name) { const token = identifierToKeywordKind(name); if (token !== void 0 && token >= 81 && token <= 116) { return setTextRange(factory2.createStringLiteralFromNode(name), name); } return void 0; } } var init_es5 = __esm({ "src/compiler/transformers/es5.ts"() { "use strict"; init_ts2(); } }); 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 operations; 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, visitor, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function visitor(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, visitor, context); } else { return node; } } function visitJavaScriptInStatementContainingYield(node) { switch (node.kind) { case 243: return visitDoStatement(node); case 244: return visitWhileStatement(node); case 252: return visitSwitchStatement(node); case 253: return visitLabeledStatement(node); default: return visitJavaScriptInGeneratorFunctionBody(node); } } function visitJavaScriptInGeneratorFunctionBody(node) { switch (node.kind) { case 259: return visitFunctionDeclaration(node); case 215: return visitFunctionExpression(node); case 174: case 175: return visitAccessorDeclaration(node); case 240: return visitVariableStatement(node); case 245: return visitForStatement(node); case 246: return visitForInStatement(node); case 249: return visitBreakStatement(node); case 248: return visitContinueStatement(node); case 250: return visitReturnStatement(node); default: if (node.transformFlags & 1048576) { return visitJavaScriptContainingYield(node); } else if (node.transformFlags & (2048 | 4194304)) { return visitEachChild(node, visitor, context); } else { return node; } } } function visitJavaScriptContainingYield(node) { switch (node.kind) { case 223: return visitBinaryExpression(node); case 357: return visitCommaListExpression(node); case 224: return visitConditionalExpression(node); case 226: return visitYieldExpression(node); case 206: return visitArrayLiteralExpression(node); case 207: return visitObjectLiteralExpression(node); case 209: return visitElementAccessExpression(node); case 210: return visitCallExpression(node); case 211: return visitNewExpression(node); default: return visitEachChild(node, visitor, context); } } function visitGenerator(node) { switch (node.kind) { case 259: return visitFunctionDeclaration(node); case 215: return visitFunctionExpression(node); default: return Debug.failBadSyntaxKind(node); } } function visitFunctionDeclaration(node) { if (node.asteriskToken) { node = setOriginalNode(setTextRange(factory2.createFunctionDeclaration(node.modifiers, void 0, node.name, void 0, visitParameterList(node.parameters, visitor, context), void 0, transformGeneratorFunctionBody(node.body)), node), node); } else { const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; inGeneratorFunctionBody = false; inStatementContainingYield = false; node = visitEachChild(node, visitor, 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(void 0, void 0, node.name, void 0, visitParameterList(node.parameters, visitor, context), void 0, transformGeneratorFunctionBody(node.body)), node), node); } else { const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; inGeneratorFunctionBody = false; inStatementContainingYield = false; node = visitEachChild(node, visitor, context); inGeneratorFunctionBody = savedInGeneratorFunctionBody; inStatementContainingYield = savedInStatementContainingYield; } return node; } function visitAccessorDeclaration(node) { const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; inGeneratorFunctionBody = false; inStatementContainingYield = false; node = visitEachChild(node, visitor, 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 = operations; 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; operations = void 0; operationArguments = void 0; operationLocations = void 0; state = factory2.createTempVariable(void 0); resumeLexicalEnvironment(); const statementOffset = factory2.copyPrologue(body.statements, statements2, false, visitor); 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; operations = 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 208: target = factory2.updatePropertyAccessExpression(left, cacheExpression(Debug.checkDefined(visitNode(left.expression, visitor, isLeftHandSideExpression))), left.name); break; case 209: target = factory2.updateElementAccessExpression(left, cacheExpression(Debug.checkDefined(visitNode(left.expression, visitor, isLeftHandSideExpression))), cacheExpression(Debug.checkDefined(visitNode(left.argumentExpression, visitor, isExpression)))); break; default: target = Debug.checkDefined(visitNode(left, visitor, 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, visitor, isExpression))), node)), node); } else { return factory2.updateBinaryExpression(node, target, node.operatorToken, Debug.checkDefined(visitNode(right, visitor, isExpression))); } } return visitEachChild(node, visitor, context); } function visitLeftAssociativeBinaryExpression(node) { if (containsYield(node.right)) { if (isLogicalOperator(node.operatorToken.kind)) { return visitLogicalBinaryExpression(node); } else if (node.operatorToken.kind === 27) { return visitCommaExpression(node); } return factory2.updateBinaryExpression(node, cacheExpression(Debug.checkDefined(visitNode(node.left, visitor, isExpression))), node.operatorToken, Debug.checkDefined(visitNode(node.right, visitor, isExpression))); } return visitEachChild(node, visitor, 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 === 27) { 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, visitor, isExpression))); } } } function visitCommaListExpression(node) { let pendingExpressions = []; for (const elem of node.elements) { if (isBinaryExpression(elem) && elem.operatorToken.kind === 27) { 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, visitor, isExpression))); } } return factory2.inlineExpressions(pendingExpressions); } function visitLogicalBinaryExpression(node) { const resultLabel = defineLabel(); const resultLocal = declareLocal(); emitAssignment(resultLocal, Debug.checkDefined(visitNode(node.left, visitor, isExpression)), node.left); if (node.operatorToken.kind === 55) { emitBreakWhenFalse(resultLabel, resultLocal, node.left); } else { emitBreakWhenTrue(resultLabel, resultLocal, node.left); } emitAssignment(resultLocal, Debug.checkDefined(visitNode(node.right, visitor, isExpression)), 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, visitor, isExpression)), node.condition); emitAssignment(resultLocal, Debug.checkDefined(visitNode(node.whenTrue, visitor, isExpression)), node.whenTrue); emitBreak(resultLabel); markLabel(whenFalseLabel); emitAssignment(resultLocal, Debug.checkDefined(visitNode(node.whenFalse, visitor, isExpression)), node.whenFalse); markLabel(resultLabel); return resultLocal; } return visitEachChild(node, visitor, context); } function visitYieldExpression(node) { const resumeLabel = defineLabel(); const expression = visitNode(node.expression, visitor, isExpression); if (node.asteriskToken) { const iterator = (getEmitFlags(node.expression) & 16777216) === 0 ? setTextRange(emitHelpers().createValuesHelper(expression), node) : expression; emitYieldStar(iterator, node); } else { emitYield(expression, node); } markLabel(resumeLabel); return createGeneratorResume(node); } function visitArrayLiteralExpression(node) { return visitElements(node.elements, void 0, 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, visitor, 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, visitor, 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, visitor, 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, visitor, 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, visitor, isLeftHandSideExpression))), Debug.checkDefined(visitNode(node.argumentExpression, visitor, isExpression))); } return visitEachChild(node, visitor, context); } function visitCallExpression(node) { if (!isImportCall(node) && forEach(node.arguments, containsYield)) { const { target, thisArg } = factory2.createCallBinding(node.expression, hoistVariableDeclaration, languageVersion, true); return setOriginalNode(setTextRange(factory2.createFunctionApplyCall(cacheExpression(Debug.checkDefined(visitNode(target, visitor, isLeftHandSideExpression))), thisArg, visitElements(node.arguments)), node), node); } return visitEachChild(node, visitor, 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, visitor, isExpression))), thisArg, visitElements(node.arguments, factory2.createVoidZero())), void 0, []), node), node); } return visitEachChild(node, visitor, 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 238: return transformAndEmitBlock(node); case 241: return transformAndEmitExpressionStatement(node); case 242: return transformAndEmitIfStatement(node); case 243: return transformAndEmitDoStatement(node); case 244: return transformAndEmitWhileStatement(node); case 245: return transformAndEmitForStatement(node); case 246: return transformAndEmitForInStatement(node); case 248: return transformAndEmitContinueStatement(node); case 249: return transformAndEmitBreakStatement(node); case 250: return transformAndEmitReturnStatement(node); case 251: return transformAndEmitWithStatement(node); case 252: return transformAndEmitSwitchStatement(node); case 253: return transformAndEmitLabeledStatement(node); case 254: return transformAndEmitThrowStatement(node); case 255: return transformAndEmitTryStatement(node); default: return emitStatement(visitNode(node, visitor, isStatement)); } } function transformAndEmitBlock(node) { if (containsYield(node)) { transformAndEmitStatements(node.statements); } else { emitStatement(visitNode(node, visitor, isStatement)); } } function transformAndEmitExpressionStatement(node) { emitStatement(visitNode(node, visitor, 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, visitor, 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, visitor, isExpression)), node.expression); transformAndEmitEmbeddedStatement(node.thenStatement); if (node.elseStatement) { emitBreak(endLabel); markLabel(elseLabel); transformAndEmitEmbeddedStatement(node.elseStatement); } markLabel(endLabel); } else { emitStatement(visitNode(node, visitor, isStatement)); } } else { emitStatement(visitNode(node, visitor, isStatement)); } } function transformAndEmitDoStatement(node) { if (containsYield(node)) { const conditionLabel = defineLabel(); const loopLabel = defineLabel(); beginLoopBlock(conditionLabel); markLabel(loopLabel); transformAndEmitEmbeddedStatement(node.statement); markLabel(conditionLabel); emitBreakWhenTrue(loopLabel, Debug.checkDefined(visitNode(node.expression, visitor, isExpression))); endLoopBlock(); } else { emitStatement(visitNode(node, visitor, isStatement)); } } function visitDoStatement(node) { if (inStatementContainingYield) { beginScriptLoopBlock(); node = visitEachChild(node, visitor, context); endLoopBlock(); return node; } else { return visitEachChild(node, visitor, context); } } function transformAndEmitWhileStatement(node) { if (containsYield(node)) { const loopLabel = defineLabel(); const endLabel = beginLoopBlock(loopLabel); markLabel(loopLabel); emitBreakWhenFalse(endLabel, Debug.checkDefined(visitNode(node.expression, visitor, isExpression))); transformAndEmitEmbeddedStatement(node.statement); emitBreak(loopLabel); endLoopBlock(); } else { emitStatement(visitNode(node, visitor, isStatement)); } } function visitWhileStatement(node) { if (inStatementContainingYield) { beginScriptLoopBlock(); node = visitEachChild(node, visitor, context); endLoopBlock(); return node; } else { return visitEachChild(node, visitor, 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, visitor, isExpression))), initializer)); } } markLabel(conditionLabel); if (node.condition) { emitBreakWhenFalse(endLabel, Debug.checkDefined(visitNode(node.condition, visitor, isExpression))); } transformAndEmitEmbeddedStatement(node.statement); markLabel(incrementLabel); if (node.incrementor) { emitStatement(setTextRange(factory2.createExpressionStatement(Debug.checkDefined(visitNode(node.incrementor, visitor, isExpression))), node.incrementor)); } emitBreak(conditionLabel); endLoopBlock(); } else { emitStatement(visitNode(node, visitor, 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, visitor, isExpression), visitNode(node.incrementor, visitor, isExpression), visitIterationBody(node.statement, visitor, context)); } else { node = visitEachChild(node, visitor, 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, visitor, isExpression))); emitAssignment(keysArray, factory2.createArrayLiteralExpression()); emitStatement(factory2.createForInStatement(key, obj, factory2.createExpressionStatement(factory2.createCallExpression(factory2.createPropertyAccessExpression(keysArray, "push"), 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, 101, 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, visitor, 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, visitor, 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, visitor, isExpression)), Debug.checkDefined(visitNode(node.statement, visitor, isStatement, factory2.liftToBlock))); } else { node = visitEachChild(node, visitor, context); } if (inStatementContainingYield) { endLoopBlock(); } return node; } function transformAndEmitContinueStatement(node) { const label = findContinueTarget(node.label ? idText(node.label) : void 0); if (label > 0) { emitBreak(label, node); } else { emitStatement(node); } } function visitContinueStatement(node) { if (inStatementContainingYield) { const label = findContinueTarget(node.label && idText(node.label)); if (label > 0) { return createInlineBreak(label, node); } } return visitEachChild(node, visitor, context); } function transformAndEmitBreakStatement(node) { const label = findBreakTarget(node.label ? idText(node.label) : void 0); if (label > 0) { emitBreak(label, node); } else { emitStatement(node); } } function visitBreakStatement(node) { if (inStatementContainingYield) { const label = findBreakTarget(node.label && idText(node.label)); if (label > 0) { return createInlineBreak(label, node); } } return visitEachChild(node, visitor, context); } function transformAndEmitReturnStatement(node) { emitReturn(visitNode(node.expression, visitor, isExpression), node); } function visitReturnStatement(node) { return createInlineReturn(visitNode(node.expression, visitor, isExpression), node); } function transformAndEmitWithStatement(node) { if (containsYield(node)) { beginWithBlock(cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor, isExpression)))); transformAndEmitEmbeddedStatement(node.statement); endWithBlock(); } else { emitStatement(visitNode(node, visitor, 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, visitor, isExpression))); const clauseLabels = []; let defaultClauseIndex = -1; for (let i = 0; i < numClauses; i++) { const clause = caseBlock.clauses[i]; clauseLabels.push(defineLabel()); if (clause.kind === 293 && 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 === 292) { if (containsYield(clause.expression) && pendingClauses.length > 0) { break; } pendingClauses.push(factory2.createCaseClause(Debug.checkDefined(visitNode(clause.expression, visitor, isExpression)), [ createInlineBreak(clauseLabels[i], 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, visitor, isStatement)); } } function visitSwitchStatement(node) { if (inStatementContainingYield) { beginScriptSwitchBlock(); } node = visitEachChild(node, visitor, context); if (inStatementContainingYield) { endSwitchBlock(); } return node; } function transformAndEmitLabeledStatement(node) { if (containsYield(node)) { beginLabeledBlock(idText(node.label)); transformAndEmitEmbeddedStatement(node.statement); endLabeledBlock(); } else { emitStatement(visitNode(node, visitor, isStatement)); } } function visitLabeledStatement(node) { if (inStatementContainingYield) { beginScriptLabeledBlock(idText(node.label)); } node = visitEachChild(node, visitor, context); if (inStatementContainingYield) { endLabeledBlock(); } return node; } function transformAndEmitThrowStatement(node) { var _a2; emitThrow(Debug.checkDefined(visitNode((_a2 = node.expression) != null ? _a2 : factory2.createVoidZero(), visitor, isExpression)), 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, visitor, 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, node); return temp; } function declareLocal(name) { const temp = name ? factory2.createUniqueName(name) : factory2.createTempVariable(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] = operations ? operations.length : 0; } function beginBlock(block) { if (!blocks) { blocks = []; blockActions = []; blockOffsets = []; blockStack = []; } const index = blockActions.length; blockActions[index] = 0; blockOffsets[index] = operations ? operations.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] = operations ? operations.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); 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); 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(79); } renamedCatchVariables.set(text, true); renamedCatchVariableDeclarations[getOriginalNodeId(variable)] = name; } const exception = peekBlock(); Debug.assert(exception.state < 1); 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"), void 0, [])); emitNop(); } function beginFinallyBlock() { Debug.assert(peekBlockKind() === 0); const exception = peekBlock(); Debug.assert(exception.state < 2); const endLabel = exception.endLabel; emitBreak(endLabel); const finallyLabel = defineLabel(); markLabel(finallyLabel); exception.state = 2; exception.finallyLabel = finallyLabel; } function endExceptionBlock() { Debug.assert(peekBlockKind() === 0); 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); 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); 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); 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(-1); 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), createLabel(label) ])), location); } function createInlineReturn(expression, location) { return setTextRange(factory2.createReturnStatement(factory2.createArrayLiteralExpression(expression ? [createInstruction(2), expression] : [createInstruction(2)])), location); } function createGeneratorResume(location) { return setTextRange(factory2.createCallExpression(factory2.createPropertyAccessExpression(state, "sent"), void 0, []), location); } function emitNop() { emitWorker(0); } 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); } function emitWorker(code, args, location) { if (operations === void 0) { operations = []; operationArguments = []; operationLocations = []; } if (labelOffsets === void 0) { markLabel(defineLabel()); } const operationIndex = operations.length; operations[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(void 0, void 0, void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, state)], void 0, factory2.createBlock(buildResult, buildResult.length > 0)), 1048576)); } function buildStatements() { if (operations) { for (let operationIndex = 0; operationIndex < operations.length; operationIndex++) { writeOperation(operationIndex); } flushFinalLabel(operations.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(!lastOperationWasAbrupt); lastOperationWasAbrupt = false; lastOperationWasCompletion = false; labelNumber++; } function flushFinalLabel(operationIndex) { if (isFinalLabelReachable(operationIndex)) { tryEnterLabel(operationIndex); withBlockStack = void 0; writeReturn(void 0, void 0); } if (statements && clauses) { appendLabel(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"), 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 = operations[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), expression] : [createInstruction(2)])), operationLocation), 768)); } function writeBreak(label, operationLocation) { lastOperationWasAbrupt = true; writeStatement(setEmitFlags(setTextRange(factory2.createReturnStatement(factory2.createArrayLiteralExpression([ createInstruction(3), createLabel(label) ])), operationLocation), 768)); } function writeBreakWhenTrue(label, condition, operationLocation) { writeStatement(setEmitFlags(factory2.createIfStatement(condition, setEmitFlags(setTextRange(factory2.createReturnStatement(factory2.createArrayLiteralExpression([ createInstruction(3), createLabel(label) ])), operationLocation), 768)), 1)); } function writeBreakWhenFalse(label, condition, operationLocation) { writeStatement(setEmitFlags(factory2.createIfStatement(factory2.createLogicalNot(condition), setEmitFlags(setTextRange(factory2.createReturnStatement(factory2.createArrayLiteralExpression([ createInstruction(3), createLabel(label) ])), operationLocation), 768)), 1)); } function writeYield(expression, operationLocation) { lastOperationWasAbrupt = true; writeStatement(setEmitFlags(setTextRange(factory2.createReturnStatement(factory2.createArrayLiteralExpression(expression ? [createInstruction(4), expression] : [createInstruction(4)])), operationLocation), 768)); } function writeYieldStar(expression, operationLocation) { lastOperationWasAbrupt = true; writeStatement(setEmitFlags(setTextRange(factory2.createReturnStatement(factory2.createArrayLiteralExpression([ createInstruction(5), expression ])), operationLocation), 768)); } function writeEndfinally() { lastOperationWasAbrupt = true; writeStatement(factory2.createReturnStatement(factory2.createArrayLiteralExpression([ createInstruction(7) ]))); } } var init_generators = __esm({ "src/compiler/transformers/generators.ts"() { "use strict"; init_ts2(); } }); 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(210); context.enableSubstitution(212); context.enableSubstitution(79); context.enableSubstitution(223); context.enableSubstitution(300); context.enableEmitNotification(308); const moduleInfoMap = []; const deferredExports = []; 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) && outFile(compilerOptions))) { return node; } currentSourceFile = node; currentModuleInfo = collectExternalModuleInfo(context, node, resolver, compilerOptions); 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 (!currentModuleInfo.exportEquals && isExternalModule(currentSourceFile)) { return true; } return false; } function transformCommonJSModule(node) { startLexicalEnvironment(); const statements = []; const ensureUseStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") || !compilerOptions.noImplicitUseStrict && isExternalModule(currentSourceFile); const statementOffset = factory2.copyPrologue(node.statements, statements, ensureUseStrict && !isJsonSourceFile(node), topLevelVisitor); if (shouldEmitUnderscoreUnderscoreESModule()) { append(statements, createUnderscoreUnderscoreESModule()); } if (length(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()))); } } append(statements, visitNode(currentModuleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement)); addRange(statements, visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset)); addExportEqualsIfNeeded(statements, 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 define = factory2.createIdentifier("define"); const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions); const jsonSourceFile = isJsonSourceFile(node) && node; const { aliasedModuleNames, unaliasedModuleNames, importAliasNames } = collectAsynchronousDependencies(node, true); const updated = factory2.updateSourceFile(node, setTextRange(factory2.createNodeArray([ factory2.createExpressionStatement(factory2.createCallExpression(define, void 0, [ ...moduleName ? [moduleName] : [], factory2.createArrayLiteralExpression(jsonSourceFile ? emptyArray : [ factory2.createStringLiteral("require"), factory2.createStringLiteral("exports"), ...aliasedModuleNames, ...unaliasedModuleNames ]), jsonSourceFile ? jsonSourceFile.statements.length ? jsonSourceFile.statements[0].expression : factory2.createObjectLiteralExpression() : factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [ factory2.createParameterDeclaration(void 0, void 0, "require"), factory2.createParameterDeclaration(void 0, void 0, "exports"), ...importAliasNames ], void 0, transformAsynchronousModuleBody(node)) ])) ]), node.statements)); addEmitHelpers(updated, context.readEmitHelpers()); return updated; } function transformUMDModule(node) { const { aliasedModuleNames, unaliasedModuleNames, importAliasNames } = collectAsynchronousDependencies(node, false); const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions); const umdHeader = factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, "factory")], 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(void 0, [ factory2.createVariableDeclaration("v", void 0, void 0, factory2.createCallExpression(factory2.createIdentifier("factory"), 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) ]), 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"), void 0, [ ...moduleName ? [moduleName] : [], factory2.createArrayLiteralExpression([ factory2.createStringLiteral("require"), factory2.createStringLiteral("exports"), ...aliasedModuleNames, ...unaliasedModuleNames ]), factory2.createIdentifier("factory") ])) ]))) ], true), void 0)); const updated = factory2.updateSourceFile(node, setTextRange(factory2.createNodeArray([ factory2.createExpressionStatement(factory2.createCallExpression(umdHeader, void 0, [ factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [ factory2.createParameterDeclaration(void 0, void 0, "require"), factory2.createParameterDeclaration(void 0, void 0, "exports"), ...importAliasNames ], void 0, transformAsynchronousModuleBody(node)) ])) ]), 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(void 0, 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); aliasedModuleNames.push(externalModuleName); importAliasNames.push(factory2.createParameterDeclaration(void 0, 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, !compilerOptions.noImplicitUseStrict, topLevelVisitor); if (shouldEmitUnderscoreUnderscoreESModule()) { append(statements, createUnderscoreUnderscoreESModule()); } if (length(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()))); } 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, true); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const body = factory2.createBlock(statements, true); if (needUMDDynamicImportHelper) { addEmitHelper(body, dynamicImportUMDHelper); } return body; } function addExportEqualsIfNeeded(statements, emitAsReturn) { if (currentModuleInfo.exportEquals) { const expressionResult = visitNode(currentModuleInfo.exportEquals.expression, visitor, isExpression); if (expressionResult) { if (emitAsReturn) { const statement = factory2.createReturnStatement(expressionResult); setTextRange(statement, currentModuleInfo.exportEquals); setEmitFlags(statement, 768 | 3072); statements.push(statement); } else { const statement = factory2.createExpressionStatement(factory2.createAssignment(factory2.createPropertyAccessExpression(factory2.createIdentifier("module"), "exports"), expressionResult)); setTextRange(statement, currentModuleInfo.exportEquals); setEmitFlags(statement, 3072); statements.push(statement); } } } } function topLevelVisitor(node) { switch (node.kind) { case 269: return visitImportDeclaration(node); case 268: return visitImportEqualsDeclaration(node); case 275: return visitExportDeclaration(node); case 274: return visitExportAssignment(node); case 240: return visitVariableStatement(node); case 259: return visitFunctionDeclaration(node); case 260: return visitClassDeclaration(node); case 358: return visitMergeDeclarationMarker(node); case 359: return visitEndOfDeclarationMarker(node); default: return visitor(node); } } function visitorWorker(node, valueIsDiscarded) { if (!(node.transformFlags & (8388608 | 4096 | 268435456))) { return node; } switch (node.kind) { case 245: return visitForStatement(node); case 241: return visitExpressionStatement(node); case 214: return visitParenthesizedExpression(node, valueIsDiscarded); case 356: return visitPartiallyEmittedExpression(node, valueIsDiscarded); case 210: if (isImportCall(node) && currentSourceFile.impliedNodeFormat === void 0) { return visitImportCallExpression(node); } break; case 223: if (isDestructuringAssignment(node)) { return visitDestructuringAssignment(node, valueIsDiscarded); } break; case 221: case 222: return visitPreOrPostfixUnaryExpression(node, valueIsDiscarded); } return visitEachChild(node, visitor, context); } function visitor(node) { return visitorWorker(node, false); } function discardedValueVisitor(node) { return visitorWorker(node, true); } function destructuringNeedsFlattening(node) { if (isObjectLiteralExpression(node)) { for (const elem of node.properties) { switch (elem.kind) { case 299: if (destructuringNeedsFlattening(elem.initializer)) { return true; } break; case 300: if (destructuringNeedsFlattening(elem.name)) { return true; } break; case 301: if (destructuringNeedsFlattening(elem.expression)) { return true; } break; case 171: case 174: case 175: 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(getExports(node)) > (isExportName(node) ? 1 : 0); } return false; } function visitDestructuringAssignment(node, valueIsDiscarded) { if (destructuringNeedsFlattening(node.left)) { return flattenDestructuringAssignment(node, visitor, context, 0, !valueIsDiscarded, createAllExportExpressions); } return visitEachChild(node, visitor, context); } function visitForStatement(node) { return factory2.updateForStatement(node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, visitor, context)); } 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 : visitor, isExpression)); } function visitPartiallyEmittedExpression(node, valueIsDiscarded) { return factory2.updatePartiallyEmittedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor, isExpression)); } function visitPreOrPostfixUnaryExpression(node, valueIsDiscarded) { if ((node.operator === 45 || node.operator === 46) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand) && !isDeclarationNameOfEnumOrNamespace(node.operand)) { const exportedNames = getExports(node.operand); if (exportedNames) { let temp; let expression = visitNode(node.operand, visitor, 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, visitor, context); } function visitImportCallExpression(node) { if (moduleKind === 0 && languageVersion >= 7) { return visitEachChild(node, visitor, context); } const externalModuleName = getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions); const firstArgument = visitNode(firstOrUndefined(node.arguments), visitor, isExpression); const argument = externalModuleName && (!firstArgument || !isStringLiteral(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 != null ? argument : factory2.createVoidZero(), containsLexicalThis); case 1: default: return createImportCallExpressionCommonJS(argument); } } function createImportCallExpressionUMD(arg, containsLexicalThis) { needUMDDynamicImportHelper = true; if (isSimpleCopiableExpression(arg)) { const argClone = isGeneratedIdentifier(arg) ? arg : isStringLiteral(arg) ? factory2.createStringLiteralFromNode(arg) : setEmitFlags(setTextRange(factory2.cloneNode(arg), arg), 3072); return factory2.createConditionalExpression(factory2.createIdentifier("__syncRequire"), void 0, createImportCallExpressionCommonJS(arg), void 0, createImportCallExpressionAMD(argClone, containsLexicalThis)); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration); return factory2.createComma(factory2.createAssignment(temp, arg), factory2.createConditionalExpression(factory2.createIdentifier("__syncRequire"), void 0, createImportCallExpressionCommonJS(temp, true), void 0, createImportCallExpressionAMD(temp, containsLexicalThis))); } } function createImportCallExpressionAMD(arg, containsLexicalThis) { const resolve = factory2.createUniqueName("resolve"); const reject = factory2.createUniqueName("reject"); const parameters = [ factory2.createParameterDeclaration(void 0, void 0, resolve), factory2.createParameterDeclaration(void 0, void 0, reject) ]; const body = factory2.createBlock([ factory2.createExpressionStatement(factory2.createCallExpression(factory2.createIdentifier("require"), void 0, [factory2.createArrayLiteralExpression([arg || factory2.createOmittedExpression()]), resolve, reject])) ]); let func; if (languageVersion >= 2) { func = factory2.createArrowFunction(void 0, void 0, parameters, void 0, void 0, body); } else { func = factory2.createFunctionExpression(void 0, void 0, void 0, void 0, parameters, void 0, body); if (containsLexicalThis) { setEmitFlags(func, 16); } } const promise = factory2.createNewExpression(factory2.createIdentifier("Promise"), void 0, [func]); if (getESModuleInterop(compilerOptions)) { return factory2.createCallExpression(factory2.createPropertyAccessExpression(promise, factory2.createIdentifier("then")), 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"), void 0, needSyncEval ? languageVersion >= 2 ? [ factory2.createTemplateExpression(factory2.createTemplateHead(""), [ factory2.createTemplateSpan(arg, factory2.createTemplateTail("")) ]) ] : [ factory2.createCallExpression(factory2.createPropertyAccessExpression(factory2.createStringLiteral(""), "concat"), void 0, [arg]) ] : []); let requireCall = factory2.createCallExpression(factory2.createIdentifier("require"), void 0, needSyncEval ? [factory2.createIdentifier("s")] : arg ? [arg] : []); if (getESModuleInterop(compilerOptions)) { requireCall = emitHelpers().createImportStarHelper(requireCall); } const parameters = needSyncEval ? [ factory2.createParameterDeclaration(void 0, void 0, "s") ] : []; let func; if (languageVersion >= 2) { func = factory2.createArrowFunction(void 0, void 0, parameters, void 0, void 0, requireCall); } else { func = factory2.createFunctionExpression(void 0, void 0, void 0, void 0, parameters, void 0, factory2.createBlock([factory2.createReturnStatement(requireCall)])); } const downleveledImport = factory2.createCallExpression(factory2.createPropertyAccessExpression(promiseResolveCall, "then"), 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 visitImportDeclaration(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), void 0, void 0, getHelperExpressionForImport(node, createRequireCall2(node)))); } else { variables.push(factory2.createVariableDeclaration(factory2.getGeneratedNameForNode(node), void 0, void 0, getHelperExpressionForImport(node, createRequireCall2(node)))); if (namespaceDeclaration && isDefaultImport(node)) { variables.push(factory2.createVariableDeclaration(factory2.cloneNode(namespaceDeclaration.name), void 0, void 0, factory2.getGeneratedNameForNode(node))); } } statements = append(statements, setOriginalNode(setTextRange(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList(variables, languageVersion >= 2 ? 2 : 0)), node), node)); } } else if (namespaceDeclaration && isDefaultImport(node)) { statements = append(statements, factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ setOriginalNode(setTextRange(factory2.createVariableDeclaration(factory2.cloneNode(namespaceDeclaration.name), void 0, void 0, factory2.getGeneratedNameForNode(node)), node), node) ], languageVersion >= 2 ? 2 : 0))); } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfImportDeclaration(deferredExports[id], node); } else { 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"), void 0, args); } function visitImportEqualsDeclaration(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, 1)) { statements = append(statements, setOriginalNode(setTextRange(factory2.createExpressionStatement(createExportExpression(node.name, createRequireCall2(node))), node), node)); } else { statements = append(statements, setOriginalNode(setTextRange(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.cloneNode(node.name), void 0, void 0, createRequireCall2(node)) ], languageVersion >= 2 ? 2 : 0)), node), node)); } } else { if (hasSyntacticModifier(node, 1)) { statements = append(statements, setOriginalNode(setTextRange(factory2.createExpressionStatement(createExportExpression(factory2.getExportName(node), factory2.getLocalName(node))), node), node)); } } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfImportEqualsDeclaration(deferredExports[id], node); } else { statements = appendExportsOfImportEqualsDeclaration(statements, node); } return singleOrMany(statements); } function visitExportDeclaration(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(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(generatedName, void 0, void 0, createRequireCall2(node)) ])), node), node)); } for (const specifier of node.exportClause.elements) { if (languageVersion === 0) { statements.push(setOriginalNode(setTextRange(factory2.createExpressionStatement(emitHelpers().createCreateBindingHelper(generatedName, factory2.createStringLiteralFromNode(specifier.propertyName || specifier.name), specifier.propertyName ? factory2.createStringLiteralFromNode(specifier.name) : void 0)), specifier), specifier)); } else { 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, void 0, 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 visitExportAssignment(node) { if (node.isExportEquals) { return void 0; } let statements; const original = node.original; if (original && hasAssociatedEndOfDeclarationMarker(original)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportStatement(deferredExports[id], factory2.createIdentifier("default"), visitNode(node.expression, visitor, isExpression), node, true); } else { statements = appendExportStatement(statements, factory2.createIdentifier("default"), visitNode(node.expression, visitor, isExpression), node, true); } return singleOrMany(statements); } function visitFunctionDeclaration(node) { let statements; if (hasSyntacticModifier(node, 1)) { statements = append(statements, setOriginalNode(setTextRange(factory2.createFunctionDeclaration(visitNodes2(node.modifiers, modifierVisitor, isModifier), node.asteriskToken, factory2.getDeclarationName(node, true, true), void 0, visitNodes2(node.parameters, visitor, isParameter), void 0, visitEachChild(node.body, visitor, context)), node), node)); } else { statements = append(statements, visitEachChild(node, visitor, context)); } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfHoistedDeclaration(deferredExports[id], node); } else { statements = appendExportsOfHoistedDeclaration(statements, node); } return singleOrMany(statements); } function visitClassDeclaration(node) { let statements; if (hasSyntacticModifier(node, 1)) { statements = append(statements, setOriginalNode(setTextRange(factory2.createClassDeclaration(visitNodes2(node.modifiers, modifierVisitor, isModifierLike), factory2.getDeclarationName(node, true, true), void 0, visitNodes2(node.heritageClauses, visitor, isHeritageClause), visitNodes2(node.members, visitor, isClassElement)), node), node)); } else { statements = append(statements, visitEachChild(node, visitor, context)); } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfHoistedDeclaration(deferredExports[id], node); } else { statements = appendExportsOfHoistedDeclaration(statements, node); } return singleOrMany(statements); } function visitVariableStatement(node) { let statements; let variables; let expressions; if (hasSyntacticModifier(node, 1)) { 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, void 0, void 0, createExportExpression(variable.name, visitNode(variable.initializer, visitor, 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), variable.name), factory2.createIdentifier(getTextOfIdentifierOrLiteral(variable.name))); const updatedVariable = factory2.createVariableDeclaration(variable.name, variable.exclamationToken, variable.type, visitNode(variable.initializer, visitor, 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, visitor, context)); } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfVariableStatement(deferredExports[id], node); } else { statements = appendExportsOfVariableStatement(statements, node); } return singleOrMany(statements); } function createAllExportExpressions(name, value, location) { const exportedNames = getExports(name); if (exportedNames) { let expression = isExportName(name) ? value : factory2.createAssignment(name, value); for (const exportName of exportedNames) { setEmitFlags(expression, 8); expression = createExportExpression(exportName, expression, location); } return expression; } return factory2.createAssignment(name, value); } function transformInitializedVariable(node) { if (isBindingPattern(node.name)) { return flattenDestructuringAssignment(visitNode(node, visitor, isInitializedVariable), visitor, context, 0, false, createAllExportExpressions); } else { return factory2.createAssignment(setTextRange(factory2.createPropertyAccessExpression(factory2.createIdentifier("exports"), node.name), node.name), node.initializer ? visitNode(node.initializer, visitor, isExpression) : factory2.createVoidZero()); } } function visitMergeDeclarationMarker(node) { if (hasAssociatedEndOfDeclarationMarker(node) && node.original.kind === 240) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfVariableStatement(deferredExports[id], node.original); } return node; } function hasAssociatedEndOfDeclarationMarker(node) { return (getEmitFlags(node) & 8388608) !== 0; } function visitEndOfDeclarationMarker(node) { const id = getOriginalNodeId(node); const statements = deferredExports[id]; if (statements) { delete deferredExports[id]; return append(statements, node); } return node; } function appendExportsOfImportDeclaration(statements, decl) { if (currentModuleInfo.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 271: statements = appendExportsOfDeclaration(statements, namedBindings); break; case 272: for (const importBinding of namedBindings.elements) { statements = appendExportsOfDeclaration(statements, importBinding, true); } break; } } return statements; } function appendExportsOfImportEqualsDeclaration(statements, decl) { if (currentModuleInfo.exportEquals) { return statements; } return appendExportsOfDeclaration(statements, decl); } function appendExportsOfVariableStatement(statements, node) { if (currentModuleInfo.exportEquals) { return statements; } for (const decl of node.declarationList.declarations) { statements = appendExportsOfBindingElement(statements, decl); } return statements; } function appendExportsOfBindingElement(statements, decl) { if (currentModuleInfo.exportEquals) { return statements; } if (isBindingPattern(decl.name)) { for (const element of decl.name.elements) { if (!isOmittedExpression(element)) { statements = appendExportsOfBindingElement(statements, element); } } } else if (!isGeneratedIdentifier(decl.name)) { statements = appendExportsOfDeclaration(statements, decl); } return statements; } function appendExportsOfHoistedDeclaration(statements, decl) { if (currentModuleInfo.exportEquals) { return statements; } if (hasSyntacticModifier(decl, 1)) { const exportName = hasSyntacticModifier(decl, 1024) ? factory2.createIdentifier("default") : factory2.getDeclarationName(decl); statements = appendExportStatement(statements, exportName, factory2.getLocalName(decl), decl); } if (decl.name) { statements = appendExportsOfDeclaration(statements, decl); } return statements; } function appendExportsOfDeclaration(statements, decl, liveBinding) { const name = factory2.getDeclarationName(decl); const exportSpecifiers = currentModuleInfo.exportSpecifiers.get(idText(name)); if (exportSpecifiers) { for (const exportSpecifier of exportSpecifiers) { statements = appendExportStatement(statements, exportSpecifier.name, name, exportSpecifier.name, void 0, liveBinding); } } return statements; } function appendExportStatement(statements, exportName, expression, location, allowComments, liveBinding) { statements = append(statements, createExportStatement(exportName, expression, location, allowComments, liveBinding)); return statements; } function createUnderscoreUnderscoreESModule() { let statement; if (languageVersion === 0) { statement = factory2.createExpressionStatement(createExportExpression(factory2.createIdentifier("__esModule"), factory2.createTrue())); } else { statement = factory2.createExpressionStatement(factory2.createCallExpression(factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "defineProperty"), void 0, [ factory2.createIdentifier("exports"), factory2.createStringLiteral("__esModule"), factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("value", factory2.createTrue()) ]) ])); } setEmitFlags(statement, 2097152); return statement; } function createExportStatement(name, value, location, allowComments, liveBinding) { const statement = setTextRange(factory2.createExpressionStatement(createExportExpression(name, value, void 0, liveBinding)), location); startOnNewLine(statement); if (!allowComments) { setEmitFlags(statement, 3072); } return statement; } function createExportExpression(name, value, location, liveBinding) { return setTextRange(liveBinding && languageVersion !== 0 ? factory2.createCallExpression(factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "defineProperty"), void 0, [ factory2.createIdentifier("exports"), factory2.createStringLiteralFromNode(name), factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("enumerable", factory2.createTrue()), factory2.createPropertyAssignment("get", factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [], 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 93: case 88: return void 0; } return node; } function onEmitNode(hint, node, emitCallback) { if (node.kind === 308) { 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 79: return substituteExpressionIdentifier(node); case 210: return substituteCallExpression(node); case 212: return substituteTaggedTemplateExpression(node); case 223: 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, void 0, node.arguments), 16); } } 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, void 0, node.template), 16); } } return node; } function substituteExpressionIdentifier(node) { var _a2, _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 === 308) { return setTextRange(factory2.createPropertyAccessExpression(factory2.createIdentifier("exports"), factory2.cloneNode(node)), node); } const importDeclaration = resolver.getReferencedImportDeclaration(node); if (importDeclaration) { if (isImportClause(importDeclaration)) { return setTextRange(factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(importDeclaration.parent), factory2.createIdentifier("default")), node); } else if (isImportSpecifier(importDeclaration)) { const name = importDeclaration.propertyName || importDeclaration.name; return setTextRange(factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(((_b = (_a2 = importDeclaration.parent) == null ? void 0 : _a2.parent) == null ? void 0 : _b.parent) || importDeclaration), factory2.cloneNode(name)), node); } } } return node; } function substituteBinaryExpression(node) { if (isAssignmentOperator(node.operatorToken.kind) && isIdentifier(node.left) && !isGeneratedIdentifier(node.left) && !isLocalName(node.left) && !isDeclarationNameOfEnumOrNamespace(node.left)) { const exportedNames = getExports(node.left); if (exportedNames) { let expression = node; for (const exportName of exportedNames) { noSubstitution[getNodeId(expression)] = true; expression = createExportExpression(exportName, expression, node); } return expression; } } return node; } function getExports(name) { if (!isGeneratedIdentifier(name)) { const valueDeclaration = resolver.getReferencedImportDeclaration(name) || resolver.getReferencedValueDeclaration(name); if (valueDeclaration) { return currentModuleInfo && currentModuleInfo.exportedBindings[getOriginalNodeId(valueDeclaration)]; } } } } var dynamicImportUMDHelper; var init_module = __esm({ "src/compiler/transformers/module/module.ts"() { "use strict"; init_ts2(); 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(79); context.enableSubstitution(300); context.enableSubstitution(223); context.enableSubstitution(233); context.enableEmitNotification(308); const moduleInfoMap = []; const deferredExports = []; 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, resolver, compilerOptions); 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(void 0, void 0, void 0, void 0, [ factory2.createParameterDeclaration(void 0, void 0, exportFunction), factory2.createParameterDeclaration(void 0, void 0, contextObject) ], 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"), void 0, moduleName ? [moduleName, dependencies, moduleBodyFunction] : [dependencies, moduleBodyFunction])) ]), node.statements)), 2048); if (!outFile(compilerOptions)) { 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") || !compilerOptions.noImplicitUseStrict && isExternalModule(currentSourceFile); const statementOffset = factory2.copyPrologue(node.statements, statements, ensureUseStrict, topLevelVisitor); statements.push(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration("__moduleName", void 0, 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(512) : void 0; const moduleObject = factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("setters", createSettersArray(exportStarFunction, dependencyGroups)), factory2.createPropertyAssignment("execute", factory2.createFunctionExpression(modifiers, void 0, void 0, void 0, [], void 0, factory2.createBlock(executeStatements, true))) ], true); statements.push(factory2.createReturnStatement(moduleObject)); return factory2.createBlock(statements, true); } function addExportStarIfNeeded(statements) { if (!moduleInfo.hasExportStarsToExportValues) { return; } if (!moduleInfo.exportedNames && moduleInfo.exportSpecifiers.size === 0) { let hasExportDeclarationWithExportClause = false; for (const externalImport of moduleInfo.externalImports) { if (externalImport.kind === 275 && externalImport.exportClause) { hasExportDeclarationWithExportClause = true; break; } } if (!hasExportDeclarationWithExportClause) { const exportStarFunction2 = createExportStarFunction(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())); } } const exportedNamesStorageRef = factory2.createUniqueName("exportedNames"); statements.push(factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(exportedNamesStorageRef, void 0, void 0, factory2.createObjectLiteralExpression(exportedNames, 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 exports = 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"), void 0, [n]))); } return factory2.createFunctionDeclaration(void 0, void 0, exportStarFunction, void 0, [factory2.createParameterDeclaration(void 0, void 0, m)], void 0, factory2.createBlock([ factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(exports, void 0, void 0, factory2.createObjectLiteralExpression([])) ])), factory2.createForInStatement(factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(n) ]), m, factory2.createBlock([ setEmitFlags(factory2.createIfStatement(condition, factory2.createExpressionStatement(factory2.createAssignment(factory2.createElementAccessExpression(exports, n), factory2.createElementAccessExpression(m, n)))), 1) ])), factory2.createExpressionStatement(factory2.createCallExpression(exportFunction, void 0, [exports])) ], 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 269: if (!entry.importClause) { break; } case 268: Debug.assert(importVariableName !== void 0); statements.push(factory2.createExpressionStatement(factory2.createAssignment(importVariableName, parameterName))); if (hasSyntacticModifier(entry, 1)) { statements.push(factory2.createExpressionStatement(factory2.createCallExpression(exportFunction, void 0, [ factory2.createStringLiteral(idText(importVariableName)), parameterName ]))); } break; case 275: 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, void 0, [factory2.createObjectLiteralExpression(properties, true)]))); } else { statements.push(factory2.createExpressionStatement(factory2.createCallExpression(exportFunction, void 0, [ factory2.createStringLiteral(idText(entry.exportClause.name)), parameterName ]))); } } else { statements.push(factory2.createExpressionStatement(factory2.createCallExpression(exportStarFunction, void 0, [parameterName]))); } break; } } setters.push(factory2.createFunctionExpression(void 0, void 0, void 0, void 0, [factory2.createParameterDeclaration(void 0, void 0, parameterName)], void 0, factory2.createBlock(statements, true))); } return factory2.createArrayLiteralExpression(setters, true); } function topLevelVisitor(node) { switch (node.kind) { case 269: return visitImportDeclaration(node); case 268: return visitImportEqualsDeclaration(node); case 275: return visitExportDeclaration(node); case 274: return visitExportAssignment(node); default: return topLevelNestedVisitor(node); } } function visitImportDeclaration(node) { let statements; if (node.importClause) { hoistVariableDeclaration(getLocalNameForExternalImport(factory2, node, currentSourceFile)); } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfImportDeclaration(deferredExports[id], node); } else { statements = appendExportsOfImportDeclaration(statements, node); } return singleOrMany(statements); } 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)); if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfImportEqualsDeclaration(deferredExports[id], node); } else { statements = appendExportsOfImportEqualsDeclaration(statements, node); } return singleOrMany(statements); } function visitExportAssignment(node) { if (node.isExportEquals) { return void 0; } const expression = visitNode(node.expression, visitor, isExpression); const original = node.original; if (original && hasAssociatedEndOfDeclarationMarker(original)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportStatement(deferredExports[id], factory2.createIdentifier("default"), expression, true); } else { return createExportStatement(factory2.createIdentifier("default"), expression, true); } } function visitFunctionDeclaration(node) { if (hasSyntacticModifier(node, 1)) { hoistedStatements = append(hoistedStatements, factory2.updateFunctionDeclaration(node, visitNodes2(node.modifiers, modifierVisitor, isModifierLike), node.asteriskToken, factory2.getDeclarationName(node, true, true), void 0, visitNodes2(node.parameters, visitor, isParameter), void 0, visitNode(node.body, visitor, isBlock))); } else { hoistedStatements = append(hoistedStatements, visitEachChild(node, visitor, context)); } if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfHoistedDeclaration(deferredExports[id], node); } else { 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, void 0, visitNodes2(node.heritageClauses, visitor, isHeritageClause), visitNodes2(node.members, visitor, isClassElement)), node))), node)); if (hasAssociatedEndOfDeclarationMarker(node)) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfHoistedDeclaration(deferredExports[id], node); } else { statements = appendExportsOfHoistedDeclaration(statements, node); } return singleOrMany(statements); } function visitVariableStatement(node) { if (!shouldHoistVariableDeclarationList(node.declarationList)) { return visitNode(node, visitor, isStatement); } let expressions; const isExportedDeclaration = hasSyntacticModifier(node, 1); const isMarkedDeclaration = hasAssociatedEndOfDeclarationMarker(node); for (const variable of node.declarationList.declarations) { if (variable.initializer) { expressions = append(expressions, transformInitializedVariable(variable, isExportedDeclaration && !isMarkedDeclaration)); } else { hoistBindingElement(variable); } } let statements; if (expressions) { statements = append(statements, setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(expressions)), node)); } if (isMarkedDeclaration) { const id = getOriginalNodeId(node); deferredExports[id] = appendExportsOfVariableStatement(deferredExports[id], node, isExportedDeclaration); } else { statements = appendExportsOfVariableStatement(statements, node, 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 === 308 || (getOriginalNode(node).flags & 3) === 0); } function transformInitializedVariable(node, isExportedDeclaration) { const createAssignment = isExportedDeclaration ? createExportedVariableAssignment : createNonExportedVariableAssignment; return isBindingPattern(node.name) ? flattenDestructuringAssignment(node, visitor, context, 0, false, createAssignment) : node.initializer ? createAssignment(node.name, visitNode(node.initializer, visitor, isExpression)) : node.name; } function createExportedVariableAssignment(name, value, location) { return createVariableAssignment(name, value, location, true); } function createNonExportedVariableAssignment(name, value, location) { return createVariableAssignment(name, value, location, 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 visitMergeDeclarationMarker(node) { if (hasAssociatedEndOfDeclarationMarker(node) && node.original.kind === 240) { const id = getOriginalNodeId(node); const isExportedDeclaration = hasSyntacticModifier(node.original, 1); deferredExports[id] = appendExportsOfVariableStatement(deferredExports[id], node.original, isExportedDeclaration); } return node; } function hasAssociatedEndOfDeclarationMarker(node) { return (getEmitFlags(node) & 8388608) !== 0; } function visitEndOfDeclarationMarker(node) { const id = getOriginalNodeId(node); const statements = deferredExports[id]; if (statements) { delete deferredExports[id]; return append(statements, node); } else { const original = getOriginalNode(node); if (isModuleOrEnumDeclaration(original)) { return append(appendExportsOfDeclaration(statements, original), node); } } return node; } 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 271: statements = appendExportsOfDeclaration(statements, namedBindings); break; case 272: 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, 1)) { const exportName = hasSyntacticModifier(decl, 1024) ? 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(idText(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); } return statement; } function createExportExpression(name, value) { const exportName = isIdentifier(name) ? factory2.createStringLiteralFromNode(name) : name; setEmitFlags(value, getEmitFlags(value) | 3072); return setCommentRange(factory2.createCallExpression(exportFunction, void 0, [exportName, value]), value); } function topLevelNestedVisitor(node) { switch (node.kind) { case 240: return visitVariableStatement(node); case 259: return visitFunctionDeclaration(node); case 260: return visitClassDeclaration(node); case 245: return visitForStatement(node, true); case 246: return visitForInStatement(node); case 247: return visitForOfStatement(node); case 243: return visitDoStatement(node); case 244: return visitWhileStatement(node); case 253: return visitLabeledStatement(node); case 251: return visitWithStatement(node); case 252: return visitSwitchStatement(node); case 266: return visitCaseBlock(node); case 292: return visitCaseClause(node); case 293: return visitDefaultClause(node); case 255: return visitTryStatement(node); case 295: return visitCatchClause(node); case 238: return visitBlock(node); case 358: return visitMergeDeclarationMarker(node); case 359: return visitEndOfDeclarationMarker(node); default: return visitor(node); } } function visitForStatement(node, isTopLevel) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateForStatement(node, visitNode(node.initializer, isTopLevel ? visitForInitializer : discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor, context)); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function visitForInStatement(node) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateForInStatement(node, visitForInitializer(node.initializer), visitNode(node.expression, visitor, 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, visitor, 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, 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, visitor, isExpression)); } function visitWhileStatement(node) { return factory2.updateWhileStatement(node, visitNode(node.expression, visitor, 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, visitor, isExpression), Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock))); } function visitSwitchStatement(node) { return factory2.updateSwitchStatement(node, visitNode(node.expression, visitor, 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, visitor, 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 245: return visitForStatement(node, false); case 241: return visitExpressionStatement(node); case 214: return visitParenthesizedExpression(node, valueIsDiscarded); case 356: return visitPartiallyEmittedExpression(node, valueIsDiscarded); case 223: if (isDestructuringAssignment(node)) { return visitDestructuringAssignment(node, valueIsDiscarded); } break; case 210: if (isImportCall(node)) { return visitImportCallExpression(node); } break; case 221: case 222: return visitPrefixOrPostfixUnaryExpression(node, valueIsDiscarded); } return visitEachChild(node, visitor, context); } function visitor(node) { return visitorWorker(node, false); } function discardedValueVisitor(node) { return visitorWorker(node, 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 : visitor, isExpression)); } function visitPartiallyEmittedExpression(node, valueIsDiscarded) { return factory2.updatePartiallyEmittedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor, isExpression)); } function visitImportCallExpression(node) { const externalModuleName = getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions); const firstArgument = visitNode(firstOrUndefined(node.arguments), visitor, isExpression); const argument = externalModuleName && (!firstArgument || !isStringLiteral(firstArgument) || firstArgument.text !== externalModuleName.text) ? externalModuleName : firstArgument; return factory2.createCallExpression(factory2.createPropertyAccessExpression(contextObject, factory2.createIdentifier("import")), void 0, argument ? [argument] : []); } function visitDestructuringAssignment(node, valueIsDiscarded) { if (hasExportedReferenceInDestructuringTarget(node.left)) { return flattenDestructuringAssignment(node, visitor, context, 0, !valueIsDiscarded); } return visitEachChild(node, visitor, context); } function hasExportedReferenceInDestructuringTarget(node) { if (isAssignmentExpression(node, 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 === 308; } else { return false; } } function visitPrefixOrPostfixUnaryExpression(node, valueIsDiscarded) { if ((node.operator === 45 || node.operator === 46) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand) && !isDeclarationNameOfEnumOrNamespace(node.operand)) { const exportedNames = getExports(node.operand); if (exportedNames) { let temp; let expression = visitNode(node.operand, visitor, 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, visitor, context); } function modifierVisitor(node) { switch (node.kind) { case 93: case 88: return void 0; } return node; } function onEmitNode(hint, node, emitCallback) { if (node.kind === 308) { 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 300: return substituteShorthandPropertyAssignment(node); } return node; } function substituteShorthandPropertyAssignment(node) { var _a2, _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"))), node); } else if (isImportSpecifier(importDeclaration)) { return setTextRange(factory2.createPropertyAssignment(factory2.cloneNode(name), factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(((_b = (_a2 = importDeclaration.parent) == null ? void 0 : _a2.parent) == null ? void 0 : _b.parent) || importDeclaration), factory2.cloneNode(importDeclaration.propertyName || importDeclaration.name))), node); } } } return node; } function substituteExpression(node) { switch (node.kind) { case 79: return substituteExpressionIdentifier(node); case 223: return substituteBinaryExpression(node); case 233: return substituteMetaProperty(node); } return node; } function substituteExpressionIdentifier(node) { var _a2, _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")), node); } else if (isImportSpecifier(importDeclaration)) { return setTextRange(factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(((_b = (_a2 = importDeclaration.parent) == null ? void 0 : _a2.parent) == null ? void 0 : _b.parent) || importDeclaration), factory2.cloneNode(importDeclaration.propertyName || importDeclaration.name)), node); } } } return node; } function substituteBinaryExpression(node) { if (isAssignmentOperator(node.operatorToken.kind) && isIdentifier(node.left) && !isGeneratedIdentifier(node.left) && !isLocalName(node.left) && !isDeclarationNameOfEnumOrNamespace(node.left)) { const exportedNames = getExports(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 getExports(name) { let exportedNames; if (!isGeneratedIdentifier(name)) { const valueDeclaration = resolver.getReferencedImportDeclaration(name) || resolver.getReferencedValueDeclaration(name); if (valueDeclaration) { const exportContainer = resolver.getReferencedExportContainer(name, false); if (exportContainer && exportContainer.kind === 308) { exportedNames = append(exportedNames, factory2.getDeclarationName(valueDeclaration)); } exportedNames = addRange(exportedNames, moduleInfo && moduleInfo.exportedBindings[getOriginalNodeId(valueDeclaration)]); } } return exportedNames; } function preventSubstitution(node) { if (noSubstitution === void 0) noSubstitution = []; noSubstitution[getNodeId(node)] = true; return node; } function isSubstitutionPrevented(node) { return noSubstitution && node.id && noSubstitution[node.id]; } } var init_system = __esm({ "src/compiler/transformers/module/system.ts"() { "use strict"; init_ts2(); } }); 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(308); context.enableSubstitution(79); 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) || 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, visitor, isStatement, statementOffset)); return factory2.updateSourceFile(node, setTextRange(factory2.createNodeArray(statements), node.statements)); } else { return visitEachChild(node, visitor, context); } } function visitor(node) { switch (node.kind) { case 268: return getEmitModuleKind(compilerOptions) >= 100 ? visitImportEqualsDeclaration(node) : void 0; case 274: return visitExportAssignment(node); case 275: 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 (!importRequireStatements) { const createRequireName = factory2.createUniqueName("_createRequire", 16 | 32); const importStatement = factory2.createImportDeclaration(void 0, factory2.createImportClause(false, void 0, factory2.createNamedImports([ factory2.createImportSpecifier(false, factory2.createIdentifier("createRequire"), createRequireName) ])), factory2.createStringLiteral("module")); const requireHelperName = factory2.createUniqueName("__require", 16 | 32); const requireStatement = factory2.createVariableStatement(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(requireHelperName, void 0, void 0, factory2.createCallExpression(factory2.cloneNode(createRequireName), void 0, [ factory2.createPropertyAccessExpression(factory2.createMetaProperty(100, factory2.createIdentifier("meta")), factory2.createIdentifier("url")) ])) ], languageVersion >= 2 ? 2 : 0)); importRequireStatements = [importStatement, requireStatement]; } const name = importRequireStatements[1].declarationList.declarations[0].name; Debug.assertNode(name, isIdentifier); return factory2.createCallExpression(factory2.cloneNode(name), 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(void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(factory2.cloneNode(node.name), void 0, void 0, createRequireCall2(node)) ], languageVersion >= 2 ? 2 : 0)), node), node)); statements = appendExportsOfImportEqualsDeclaration(statements, node); return singleOrMany(statements); } function appendExportsOfImportEqualsDeclaration(statements, node) { if (hasSyntacticModifier(node, 1)) { statements = append(statements, factory2.createExportDeclaration(void 0, node.isTypeOnly, factory2.createNamedExports([factory2.createExportSpecifier(false, void 0, idText(node.name))]))); } return statements; } function visitExportAssignment(node) { return node.isExportEquals ? void 0 : 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(void 0, factory2.createImportClause(false, void 0, factory2.createNamespaceImport(synthName)), node.moduleSpecifier, node.assertClause); setOriginalNode(importDecl, node.exportClause); const exportDecl = isExportNamespaceAsDefaultDeclaration(node) ? factory2.createExportDefault(synthName) : factory2.createExportDeclaration(void 0, false, factory2.createNamedExports([factory2.createExportSpecifier(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)); } return substitution; } } var init_esnextAnd2015 = __esm({ "src/compiler/transformers/module/esnextAnd2015.ts"() { "use strict"; init_ts2(); } }); 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(308); context.enableEmitNotification(308); 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 === 308 ? transformSourceFile(node) : transformBundle(node); } function transformBundle(node) { return context.factory.createBundle(map(node.sourceFiles, transformSourceFile), node.prepends); } } var init_node = __esm({ "src/compiler/transformers/module/node.ts"() { "use strict"; init_ts2(); } }); 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) || 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 === 260) { 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 === 260) { 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) || 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, 8)) { 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 === 257 || node.kind === 205) { 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 === 169 || node.kind === 208 || node.kind === 168 || node.kind === 166 && hasSyntacticModifier(node.parent, 8)) { 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 === 260 || node.kind === 166) { 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 === 175) { 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 177: 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 176: 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 178: 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 171: case 170: 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 === 260) { 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 259: 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 173: 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 177: case 182: 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 176: 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 178: 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 171: case 170: 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 === 260) { 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 259: case 181: 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 175: case 174: 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 260: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_class_has_or_is_using_private_name_1; break; case 261: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1; break; case 197: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1; break; case 182: case 177: diagnosticMessage = Diagnostics.Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1; break; case 176: diagnosticMessage = Diagnostics.Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1; break; case 171: case 170: 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 === 260) { 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 181: case 259: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_function_has_or_is_using_private_name_1; break; case 192: diagnosticMessage = Diagnostics.Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1; break; case 262: 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 === 117 ? 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 }; } } var init_diagnostics = __esm({ "src/compiler/transformers/declarations/diagnostics.ts"() { "use strict"; init_ts2(); } }); function getDeclarationDiagnostics(host, resolver, file) { const compilerOptions = host.getCompilerOptions(); const result = transformNodes(resolver, host, factory, compilerOptions, file ? [file] : filter(host.getSourceFiles(), isSourceFileNotJson), [transformDeclarations], false); return result.diagnostics; } function hasInternalAnnotation(range, currentSourceFile) { const comment = currentSourceFile.text.substring(range.pos, range.end); return stringContains(comment, "@internal"); } function isInternalDeclaration(node, currentSourceFile) { const parseTreeNode = getParseTreeNode(node); if (parseTreeNode && parseTreeNode.kind === 166) { const paramIdx = parseTreeNode.parent.parameters.indexOf(parseTreeNode); const previousSibling = paramIdx > 0 ? parseTreeNode.parent.parameters[paramIdx - 1] : void 0; const text = currentSourceFile.text; const commentRanges = previousSibling ? concatenate(getTrailingCommentRanges(text, skipTrivia(text, previousSibling.end + 1, false, true)), getLeadingCommentRanges(text, node.pos)) : getTrailingCommentRanges(text, skipTrivia(text, node.pos, false, true)); return commentRanges && commentRanges.length && hasInternalAnnotation(last(commentRanges), currentSourceFile); } const leadingCommentRanges = parseTreeNode && getLeadingCommentRangesOfNode(parseTreeNode, currentSourceFile); return !!forEach(leadingCommentRanges, (range) => { return hasInternalAnnotation(range, currentSourceFile); }); } 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 necessaryTypeReferences; let lateMarkedStatements; let lateStatementReplacementMap; let suppressNewDiagnosticContexts; let exportedModulesFromDeclarationEmit; const { factory: factory2 } = context; const host = context.getEmitHost(); const symbolTracker = { trackSymbol, reportInaccessibleThisError, reportInaccessibleUniqueSymbolError, reportCyclicStructureError, reportPrivateInBaseOfClassExpression, reportLikelyUnsafeImportRequiredError, reportTruncationError, moduleResolverHost: host, trackReferencedAmbientModule, trackExternalModuleSymbolOfImportTypeNode, reportNonlocalAugmentation, reportNonSerializableProperty, reportImportTypeNodeResolutionModeOverride }; let errorNameNode; let errorFallbackNode; let currentSourceFile; let refs; let libs2; let emittedImports; const resolver = context.getEmitResolver(); const options = context.getCompilerOptions(); const { noResolve, stripInternal } = options; return transformRoot; function recordTypeReferenceDirectivesIfNecessary(typeReferenceDirectives) { if (!typeReferenceDirectives) { return; } necessaryTypeReferences = necessaryTypeReferences || /* @__PURE__ */ new Set(); for (const ref of typeReferenceDirectives) { necessaryTypeReferences.add(ref); } } function trackReferencedAmbientModule(node, symbol) { const directives = resolver.getTypeReferenceDirectivesForSymbol(symbol, 67108863); if (length(directives)) { return recordTypeReferenceDirectivesIfNecessary(directives); } const container = getSourceFileOfNode(node); refs.set(getOriginalNodeId(container), container); } function handleSymbolAccessibilityError(symbolAccessibilityResult) { if (symbolAccessibilityResult.accessibility === 0) { if (symbolAccessibilityResult && symbolAccessibilityResult.aliasesToMakeVisible) { if (!lateMarkedStatements) { lateMarkedStatements = symbolAccessibilityResult.aliasesToMakeVisible; } else { for (const ref of symbolAccessibilityResult.aliasesToMakeVisible) { pushIfUnique(lateMarkedStatements, ref); } } } } else { 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 trackExternalModuleSymbolOfImportTypeNode(symbol) { if (!isBundledEmit) { (exportedModulesFromDeclarationEmit || (exportedModulesFromDeclarationEmit = [])).push(symbol); } } function trackSymbol(symbol, enclosingDeclaration2, meaning) { if (symbol.flags & 262144) return false; const issuedDiagnostic = handleSymbolAccessibilityError(resolver.isSymbolAccessible(symbol, enclosingDeclaration2, meaning, true)); recordTypeReferenceDirectivesIfNecessary(resolver.getTypeReferenceDirectivesForSymbol(symbol, meaning)); 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 _a2; const primaryDeclaration = (_a2 = parentSymbol.declarations) == null ? void 0 : _a2.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 reportImportTypeNodeResolutionModeOverride() { if (!isNightly() && (errorNameNode || errorFallbackNode)) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_type_of_this_expression_cannot_be_named_without_a_resolution_mode_assertion_which_is_an_unstable_feature_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next)); } } function transformDeclarationsForJS(sourceFile, bundled) { 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, bundled); getSymbolAccessibilityDiagnostic = oldDiag; return result; } function transformRoot(node) { if (node.kind === 308 && node.isDeclarationFile) { return node; } if (node.kind === 309) { isBundledEmit = true; refs = /* @__PURE__ */ new Map(); libs2 = /* @__PURE__ */ new Map(); 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; collectReferences(sourceFile, refs); collectLibs(sourceFile, libs2); if (isExternalOrCommonJsModule(sourceFile) || isJsonSourceFile(sourceFile)) { resultHasExternalModuleIndicator = false; needsDeclare = false; const statements = isSourceFileJS(sourceFile) ? factory2.createNodeArray(transformDeclarationsForJS(sourceFile, true)) : visitNodes2(sourceFile.statements, visitDeclarationStatements, isStatement); const newFile = factory2.updateSourceFile(sourceFile, [factory2.createModuleDeclaration([factory2.createModifier(136)], factory2.createStringLiteral(getResolvedExternalModuleName(context.getEmitHost(), sourceFile)), factory2.createModuleBlock(setTextRange(factory2.createNodeArray(transformAndReplaceLatePaintedStatements(statements)), sourceFile.statements)))], true, [], [], false, []); return newFile; } needsDeclare = true; const updated2 = isSourceFileJS(sourceFile) ? factory2.createNodeArray(transformDeclarationsForJS(sourceFile)) : visitNodes2(sourceFile.statements, visitDeclarationStatements, isStatement); return factory2.updateSourceFile(sourceFile, transformAndReplaceLatePaintedStatements(updated2), true, [], [], false, []); }), mapDefined(node.prepends, (prepend) => { if (prepend.kind === 311) { const sourceFile = createUnparsedSourceFile(prepend, "dts", stripInternal); hasNoDefaultLib = hasNoDefaultLib || !!sourceFile.hasNoDefaultLib; collectReferences(sourceFile, refs); recordTypeReferenceDirectivesIfNecessary(map(sourceFile.typeReferenceDirectives, (ref) => [ref.fileName, ref.resolutionMode])); collectLibs(sourceFile, libs2); return sourceFile; } return prepend; })); bundle.syntheticFileReferences = []; bundle.syntheticTypeReferences = getFileReferencesForUsedTypeReferences(); bundle.syntheticLibReferences = getLibReferences(); bundle.hasNoDefaultLib = hasNoDefaultLib; const outputFilePath2 = getDirectoryPath(normalizeSlashes(getOutputPathsFor(node, host, true).declarationFilePath)); const referenceVisitor2 = mapReferencesIntoArray(bundle.syntheticFileReferences, outputFilePath2); refs.forEach(referenceVisitor2); 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(); necessaryTypeReferences = void 0; refs = collectReferences(currentSourceFile, /* @__PURE__ */ new Map()); libs2 = collectLibs(currentSourceFile, /* @__PURE__ */ new Map()); const references = []; const outputFilePath = getDirectoryPath(normalizeSlashes(getOutputPathsFor(node, host, true).declarationFilePath)); const referenceVisitor = mapReferencesIntoArray(references, outputFilePath); let combinedStatements; if (isSourceFileJS(currentSourceFile)) { combinedStatements = factory2.createNodeArray(transformDeclarationsForJS(node)); refs.forEach(referenceVisitor); emittedImports = filter(combinedStatements, isAnyImportSyntax); } else { const statements = visitNodes2(node.statements, visitDeclarationStatements, isStatement); combinedStatements = setTextRange(factory2.createNodeArray(transformAndReplaceLatePaintedStatements(statements)), node.statements); refs.forEach(referenceVisitor); emittedImports = filter(combinedStatements, isAnyImportSyntax); if (isExternalModule(node) && (!resultHasExternalModuleIndicator || needsScopeFixMarker && !resultHasScopeMarker)) { combinedStatements = setTextRange(factory2.createNodeArray([...combinedStatements, createEmptyExports(factory2)]), combinedStatements); } } const updated = factory2.updateSourceFile(node, combinedStatements, true, references, getFileReferencesForUsedTypeReferences(), node.hasNoDefaultLib, getLibReferences()); updated.exportedModulesFromDeclarationEmit = exportedModulesFromDeclarationEmit; return updated; function getLibReferences() { return arrayFrom(libs2.keys(), (lib) => ({ fileName: lib, pos: -1, end: -1 })); } function getFileReferencesForUsedTypeReferences() { return necessaryTypeReferences ? mapDefined(arrayFrom(necessaryTypeReferences.keys()), getFileReferenceForSpecifierModeTuple) : []; } function getFileReferenceForSpecifierModeTuple([typeName, mode]) { if (emittedImports) { for (const importStatement of emittedImports) { if (isImportEqualsDeclaration(importStatement) && isExternalModuleReference(importStatement.moduleReference)) { const expr = importStatement.moduleReference.expression; if (isStringLiteralLike(expr) && expr.text === typeName) { return void 0; } } else if (isImportDeclaration(importStatement) && isStringLiteral(importStatement.moduleSpecifier) && importStatement.moduleSpecifier.text === typeName) { return void 0; } } } return { fileName: typeName, pos: -1, end: -1, ...mode ? { resolutionMode: mode } : void 0 }; } function mapReferencesIntoArray(references2, outputFilePath2) { return (file) => { let declFileName; if (file.isDeclarationFile) { declFileName = file.fileName; } else { if (isBundledEmit && contains(node.sourceFiles, file)) return; const paths = getOutputPathsFor(file, host, true); declFileName = paths.declarationFilePath || paths.jsFilePath || file.fileName; } if (declFileName) { const specifier = getModuleSpecifier(options, currentSourceFile, toPath(outputFilePath2, host.getCurrentDirectory(), host.getCanonicalFileName), toPath(declFileName, host.getCurrentDirectory(), host.getCanonicalFileName), host); if (!pathIsRelative(specifier)) { recordTypeReferenceDirectivesIfNecessary([[ specifier, void 0 ]]); return; } let fileName = getRelativePathToDirectoryOrUrl(outputFilePath2, declFileName, host.getCurrentDirectory(), host.getCanonicalFileName, false); if (startsWith(fileName, "./") && hasExtension(fileName)) { fileName = fileName.substring(2); } if (startsWith(fileName, "node_modules/") || pathContainsNodeModules(fileName)) { return; } references2.push({ pos: -1, end: -1, fileName }); } }; } } function collectReferences(sourceFile, ret) { if (noResolve || !isUnparsedSource(sourceFile) && isSourceFileJS(sourceFile)) return ret; forEach(sourceFile.referencedFiles, (f) => { const elem = host.getSourceFileFromReference(sourceFile, f); if (elem) { ret.set(getOriginalNodeId(elem), elem); } }); return ret; } function collectLibs(sourceFile, ret) { forEach(sourceFile.libReferenceDirectives, (ref) => { const lib = host.getLibFileFromReference(ref); if (lib) { ret.set(toFileNameLowerCase(ref.fileName), true); } }); return ret; } function filterBindingPatternInitializersAndRenamings(name) { if (name.kind === 79) { return name; } else { if (name.kind === 204) { 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 === 229) { return elem; } if (elem.propertyName && isIdentifier(elem.propertyName) && isIdentifier(elem.name) && !elem.symbol.isReferenced && !isIdentifierANonContextualKeyword(elem.propertyName)) { return factory2.updateBindingElement(elem, elem.dotDotDotToken, void 0, elem.propertyName, shouldPrintWithInitializer(elem) ? elem.initializer : void 0); } return factory2.updateBindingElement(elem, elem.dotDotDotToken, elem.propertyName, filterBindingPatternInitializersAndRenamings(elem.name), shouldPrintWithInitializer(elem) ? elem.initializer : void 0); } } function ensureParameter(p, modifierMask, type) { let oldDiag; if (!suppressNewDiagnosticContexts) { oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(p); } const newParam = factory2.updateParameterDeclaration(p, maskModifiers(p, modifierMask), p.dotDotDotToken, filterBindingPatternInitializersAndRenamings(p.name), resolver.isOptionalParameter(p) ? p.questionToken || factory2.createToken(57) : void 0, ensureType(p, type || p.type, true), ensureNoInitializer(p)); if (!suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = oldDiag; } return newParam; } function shouldPrintWithInitializer(node) { return canHaveLiteralInitializer(node) && resolver.isLiteralConstDeclaration(getParseTreeNode(node)); } function ensureNoInitializer(node) { if (shouldPrintWithInitializer(node)) { return resolver.createLiteralConstValue(getParseTreeNode(node), symbolTracker); } return void 0; } function ensureType(node, type, ignorePrivate) { if (!ignorePrivate && hasEffectiveModifier(node, 8)) { return; } if (shouldPrintWithInitializer(node)) { return; } const shouldUseResolverType = node.kind === 166 && (resolver.isRequiredInitializedParameter(node) || resolver.isOptionalUninitializedParameterProperty(node)); if (type && !shouldUseResolverType) { return visitNode(type, visitDeclarationSubtree, isTypeNode); } if (!getParseTreeNode(node)) { return type ? visitNode(type, visitDeclarationSubtree, isTypeNode) : factory2.createKeywordTypeNode(131); } if (node.kind === 175) { return factory2.createKeywordTypeNode(131); } errorNameNode = node.name; let oldDiag; if (!suppressNewDiagnosticContexts) { oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(node); } if (node.kind === 257 || node.kind === 205) { return cleanup(resolver.createTypeOfDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker)); } if (node.kind === 166 || node.kind === 169 || node.kind === 168) { if (isPropertySignature(node) || !node.initializer) return cleanup(resolver.createTypeOfDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker, shouldUseResolverType)); return cleanup(resolver.createTypeOfDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker, shouldUseResolverType) || resolver.createTypeOfExpression(node.initializer, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker)); } return cleanup(resolver.createReturnTypeOfSignatureDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker)); function cleanup(returnValue) { errorNameNode = void 0; if (!suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = oldDiag; } return returnValue || factory2.createKeywordTypeNode(131); } } function isDeclarationAndNotVisible(node) { node = getParseTreeNode(node); switch (node.kind) { case 259: case 264: case 261: case 260: case 262: case 263: return !resolver.isDeclarationVisible(node); case 257: return !getBindingNameVisible(node); case 268: case 269: case 275: case 274: return false; case 172: return true; } return false; } function shouldEmitFunctionProperties(input) { var _a2; if (input.body) { return true; } const overloadSignatures = (_a2 = input.symbol.declarations) == null ? void 0 : _a2.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, 8)) { 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, resolver.getAllAccessorDeclarations(input)); newValueParameter = ensureParameter(valueParameter, void 0, accessorType); } } if (!newValueParameter) { newValueParameter = factory2.createParameterDeclaration(void 0, void 0, "value"); } newParams = append(newParams, newValueParameter); } return factory2.createNodeArray(newParams || emptyArray); } function ensureTypeParams(node, params) { return hasEffectiveModifier(node, 8) ? 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); recordTypeReferenceDirectivesIfNecessary(resolver.getTypeReferenceDirectivesForEntityName(entityName)); } 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 !== 264 && parent2.kind !== 202; if (isStringLiteralLike(input)) { if (isBundledEmit) { const newName = getExternalModuleNameFromDeclaration(context.getEmitHost(), resolver, parent2); if (newName) { return factory2.createStringLiteral(newName); } } else { const symbol = resolver.getSymbolOfExternalModuleSpecifier(input); if (symbol) { (exportedModulesFromDeclarationEmit || (exportedModulesFromDeclarationEmit = [])).push(symbol); } } } return input; } function transformImportEqualsDeclaration(decl) { if (!resolver.isDeclarationVisible(decl)) return; if (decl.moduleReference.kind === 280) { 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), getResolutionModeOverrideForClauseInNightly(decl.assertClause)); } 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, void 0), rewriteModuleSpecifier(decl, decl.moduleSpecifier), getResolutionModeOverrideForClauseInNightly(decl.assertClause)); } if (decl.importClause.namedBindings.kind === 271) { const namedBindings = resolver.isDeclarationVisible(decl.importClause.namedBindings) ? decl.importClause.namedBindings : void 0; return visibleDefaultBinding || namedBindings ? factory2.updateImportDeclaration(decl, decl.modifiers, factory2.updateImportClause(decl.importClause, decl.importClause.isTypeOnly, visibleDefaultBinding, namedBindings), rewriteModuleSpecifier(decl, decl.moduleSpecifier), getResolutionModeOverrideForClauseInNightly(decl.assertClause)) : 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), getResolutionModeOverrideForClauseInNightly(decl.assertClause)); } if (resolver.isImportRequiredByAugmentation(decl)) { return factory2.updateImportDeclaration(decl, decl.modifiers, void 0, rewriteModuleSpecifier(decl, decl.moduleSpecifier), getResolutionModeOverrideForClauseInNightly(decl.assertClause)); } } function getResolutionModeOverrideForClauseInNightly(assertClause) { const mode = getResolutionModeOverrideForClause(assertClause); if (mode !== void 0) { if (!isNightly()) { context.addDiagnostic(createDiagnosticForNode(assertClause, Diagnostics.resolution_mode_assertions_are_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next)); } return assertClause; } return 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 (isArray(result) ? some(result, needsScopeMarker) : needsScopeMarker(result)) { needsScopeFixMarker = true; } if (isSourceFile(statement.parent) && (isArray(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) && !resolver.isLateBound(getParseTreeNode(input))) { 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 === 184 || input.kind === 197) && input.parent.kind !== 262; if (isMethodDeclaration(input) || isMethodSignature(input)) { if (hasEffectiveModifier(input, 8)) { if (input.symbol && input.symbol.declarations && input.symbol.declarations[0] !== input) return; return cleanup(factory2.createPropertyDeclaration(ensureModifiers(input), input.name, void 0, void 0, 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 230: { 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 180: { checkEntityNameVisibility(input.typeName, enclosingDeclaration); const node = visitEachChild(input, visitDeclarationSubtree, context); return cleanup(factory2.updateTypeReferenceNode(node, node.typeName, node.typeArguments)); } case 177: return cleanup(factory2.updateConstructSignature(input, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type))); case 173: { const ctor = factory2.createConstructorDeclaration(ensureModifiers(input), updateParamsList(input, input.parameters, 0), void 0); return cleanup(ctor); } case 171: { if (isPrivateIdentifier(input.name)) { return cleanup(void 0); } const sig = factory2.createMethodDeclaration(ensureModifiers(input), void 0, input.name, input.questionToken, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type), void 0); return cleanup(sig); } case 174: { if (isPrivateIdentifier(input.name)) { return cleanup(void 0); } const accessorType = getTypeAnnotationFromAllAccessorDeclarations(input, resolver.getAllAccessorDeclarations(input)); return cleanup(factory2.updateGetAccessorDeclaration(input, ensureModifiers(input), input.name, updateAccessorParamsList(input, hasEffectiveModifier(input, 8)), ensureType(input, accessorType), void 0)); } case 175: { if (isPrivateIdentifier(input.name)) { return cleanup(void 0); } return cleanup(factory2.updateSetAccessorDeclaration(input, ensureModifiers(input), input.name, updateAccessorParamsList(input, hasEffectiveModifier(input, 8)), void 0)); } case 169: if (isPrivateIdentifier(input.name)) { return cleanup(void 0); } return cleanup(factory2.updatePropertyDeclaration(input, ensureModifiers(input), input.name, input.questionToken, ensureType(input, input.type), ensureNoInitializer(input))); case 168: if (isPrivateIdentifier(input.name)) { return cleanup(void 0); } return cleanup(factory2.updatePropertySignature(input, ensureModifiers(input), input.name, input.questionToken, ensureType(input, input.type))); case 170: { if (isPrivateIdentifier(input.name)) { return cleanup(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 176: { return cleanup(factory2.updateCallSignature(input, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type))); } case 178: { return cleanup(factory2.updateIndexSignature(input, ensureModifiers(input), updateParamsList(input, input.parameters), visitNode(input.type, visitDeclarationSubtree, isTypeNode) || factory2.createKeywordTypeNode(131))); } case 257: { if (isBindingPattern(input.name)) { return recreateBindingPattern(input.name); } shouldEnterSuppressNewDiagnosticsContextContext = true; suppressNewDiagnosticContexts = true; return cleanup(factory2.updateVariableDeclaration(input, input.name, void 0, ensureType(input, input.type), ensureNoInitializer(input))); } case 165: { if (isPrivateMethodTypeParameter(input) && (input.default || input.constraint)) { return cleanup(factory2.updateTypeParameterDeclaration(input, input.modifiers, input.name, void 0, void 0)); } return cleanup(visitEachChild(input, visitDeclarationSubtree, context)); } case 191: { 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 181: { return cleanup(factory2.updateFunctionTypeNode(input, visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration), updateParamsList(input, input.parameters), Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode)))); } case 182: { return cleanup(factory2.updateConstructorTypeNode(input, ensureModifiers(input), visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration), updateParamsList(input, input.parameters), Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode)))); } case 202: { if (!isLiteralImportTypeNode(input)) return cleanup(input); return cleanup(factory2.updateImportTypeNode(input, factory2.updateLiteralTypeNode(input.argument, rewriteModuleSpecifier(input, input.argument.literal)), input.assertions, 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); } 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 === 171 && hasEffectiveModifier(node.parent, 8); } function visitDeclarationStatements(input) { if (!isPreservedDeclarationStatement(input)) { return; } if (shouldStripInternal(input)) return; switch (input.kind) { case 275: { if (isSourceFile(input.parent)) { resultHasExternalModuleIndicator = true; } resultHasScopeMarker = true; return factory2.updateExportDeclaration(input, input.modifiers, input.isTypeOnly, input.exportClause, rewriteModuleSpecifier(input, input.moduleSpecifier), getResolutionModeOverrideForClause(input.assertClause) ? input.assertClause : void 0); } case 274: { if (isSourceFile(input.parent)) { resultHasExternalModuleIndicator = true; } resultHasScopeMarker = true; if (input.expression.kind === 79) { return input; } else { const newId = factory2.createUniqueName("_default", 16); getSymbolAccessibilityDiagnostic = () => ({ diagnosticMessage: Diagnostics.Default_export_of_the_module_has_or_is_using_private_name_0, errorNode: input }); errorFallbackNode = input; const varDecl = factory2.createVariableDeclaration(newId, void 0, resolver.createTypeOfExpression(input.expression, input, declarationEmitNodeBuilderFlags, symbolTracker), void 0); errorFallbackNode = void 0; const statement = factory2.createVariableStatement(needsDeclare ? [factory2.createModifier(136)] : [], factory2.createVariableDeclarationList([varDecl], 2)); 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, 1024) || !canHaveModifiers(statement)) { return statement; } const modifiers = factory2.createModifiersFromModifierFlags(getEffectiveModifierFlags(statement) & (258047 ^ 1)); return factory2.updateModifiers(statement, modifiers); } function transformTopLevelDeclaration(input) { if (lateMarkedStatements) { while (orderedRemoveItem(lateMarkedStatements, input)) ; } if (shouldStripInternal(input)) return; switch (input.kind) { case 268: { return transformImportEqualsDeclaration(input); } case 269: { return transformImportDeclaration(input); } } if (isDeclaration(input) && isDeclarationAndNotVisible(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 262: { 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 261: { return cleanup(factory2.updateInterfaceDeclaration(input, ensureModifiers(input), input.name, ensureTypeParams(input, input.typeParameters), transformHeritageClauses(input.heritageClauses), visitNodes2(input.members, visitDeclarationSubtree, isTypeElement))); } case 259: { const clean2 = cleanup(factory2.updateFunctionDeclaration(input, ensureModifiers(input), void 0, input.name, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type), void 0)); if (clean2 && resolver.isExpandoFunctionDeclaration(input) && shouldEmitFunctionProperties(input)) { const props = resolver.getPropertiesOfContainerFunction(input); const fakespace = parseNodeFactory.createModuleDeclaration(void 0, clean2.name || factory2.createIdentifier("_default"), factory2.createModuleBlock([]), 16); setParent(fakespace, enclosingDeclaration); fakespace.locals = createSymbolTable(props); fakespace.symbol = props[0].parent; const exportMappings = []; let declarations = mapDefined(props, (p) => { if (!p.valueDeclaration || !isPropertyAccessExpression(p.valueDeclaration)) { return void 0; } getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(p.valueDeclaration); const type = resolver.createTypeOfDeclaration(p.valueDeclaration, fakespace, declarationEmitNodeBuilderFlags, symbolTracker); getSymbolAccessibilityDiagnostic = oldDiag; const nameStr = unescapeLeadingUnderscores(p.escapedName); 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, void 0, type, void 0); return factory2.createVariableStatement(isNonContextualKeywordName ? void 0 : [factory2.createToken(93)], factory2.createVariableDeclarationList([varDecl])); }); if (!exportMappings.length) { declarations = mapDefined(declarations, (declaration) => factory2.updateModifiers(declaration, 0)); } else { declarations.push(factory2.createExportDeclaration(void 0, false, factory2.createNamedExports(map(exportMappings, ([gen, exp]) => { return factory2.createExportSpecifier(false, gen, exp); })))); } const namespaceDecl = factory2.createModuleDeclaration(ensureModifiers(input), input.name, factory2.createModuleBlock(declarations), 16); if (!hasEffectiveModifier(clean2, 1024)) { return [clean2, namespaceDecl]; } const modifiers = factory2.createModifiersFromModifierFlags(getEffectiveModifierFlags(clean2) & ~1025 | 2); const cleanDeclaration = factory2.updateFunctionDeclaration(clean2, modifiers, void 0, clean2.name, clean2.typeParameters, clean2.parameters, clean2.type, void 0); const namespaceDeclaration = factory2.updateModuleDeclaration(namespaceDecl, modifiers, namespaceDecl.name, namespaceDecl.body); const exportDefaultDeclaration = factory2.createExportAssignment(void 0, false, namespaceDecl.name); if (isSourceFile(input.parent)) { resultHasExternalModuleIndicator = true; } resultHasScopeMarker = true; return [cleanDeclaration, namespaceDeclaration, exportDefaultDeclaration]; } else { return clean2; } } case 264: { needsDeclare = false; const inner = input.body; if (inner && inner.kind === 265) { const oldNeedsScopeFix = needsScopeFixMarker; const oldHasScopeFix = resultHasScopeMarker; resultHasScopeMarker = false; needsScopeFixMarker = false; const statements = visitNodes2(inner.statements, visitDeclarationStatements, isStatement); let lateStatements = transformAndReplaceLatePaintedStatements(statements); if (input.flags & 16777216) { 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(factory2.updateModuleDeclaration(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(factory2.updateModuleDeclaration(input, mods, input.name, body)); } } case 260: { 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, 16476) || shouldStripInternal(param)) return; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(param); if (param.name.kind === 79) { 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, void 0, ensureType(elem, void 0), void 0)); } return elems; } })); getSymbolAccessibilityDiagnostic = oldDiag2; } const hasPrivateIdentifier = some(input.members, (member) => !!member.name && isPrivateIdentifier(member.name)); const privateIdentifier = hasPrivateIdentifier ? [ factory2.createPropertyDeclaration(void 0, factory2.createPrivateIdentifier("#private"), void 0, void 0, 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 !== 104) { const oldId = input.name ? unescapeLeadingUnderscores(input.name.escapedText) : "default"; const newId = factory2.createUniqueName(`${oldId}_base`, 16); 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, void 0, resolver.createTypeOfExpression(extendsClause.expression, input, declarationEmitNodeBuilderFlags, symbolTracker), void 0); const statement = factory2.createVariableStatement(needsDeclare ? [factory2.createModifier(136)] : [], factory2.createVariableDeclarationList([varDecl], 2)); const heritageClauses = factory2.createNodeArray(map(input.heritageClauses, (clause) => { if (clause.token === 94) { 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 === 104)), 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 240: { return cleanup(transformVariableStatement(input)); } case 263: { return cleanup(factory2.updateEnumDeclaration(input, factory2.createNodeArray(ensureModifiers(input)), input.name, factory2.createNodeArray(mapDefined(input.members, (m) => { if (shouldStripInternal(m)) return; const constValue = resolver.getConstantValue(m); return preserveJsDoc(factory2.updateEnumMember(m, m.name, constValue !== void 0 ? typeof constValue === "string" ? factory2.createStringLiteral(constValue) : factory2.createNumericLiteral(constValue) : void 0), 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 === 264) { 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; return factory2.updateVariableStatement(input, factory2.createNodeArray(ensureModifiers(input)), factory2.updateVariableDeclarationList(input.declarationList, nodes)); } function recreateBindingPattern(d) { return flatten(mapDefined(d.elements, (e) => recreateBindingElement(e))); } function recreateBindingElement(e) { if (e.kind === 229) { return; } if (e.name) { if (!getBindingNameVisible(e)) return; if (isBindingPattern(e.name)) { return recreateBindingPattern(e.name); } else { return factory2.createVariableDeclaration(e.name, void 0, ensureType(e, void 0), void 0); } } } function checkName(node) { let oldDiag; if (!suppressNewDiagnosticContexts) { oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNodeName(node); } errorNameNode = node.name; Debug.assert(resolver.isLateBound(getParseTreeNode(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 = 258047 ^ (4 | 512 | 16384); let additions = needsDeclare && !isAlwaysType(node) ? 2 : 0; const parentIsFile = node.parent.kind === 308; if (!parentIsFile || isBundledEmit && parentIsFile && isExternalModule(node.parent)) { mask2 ^= 2; 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 === 94 && t.expression.kind === 104; })), visitDeclarationSubtree, isExpressionWithTypeArguments))), (clause) => clause.types && !!clause.types.length)); } } function isAlwaysType(node) { if (node.kind === 261) { return true; } return false; } function maskModifiers(node, modifierMask, modifierAdditions) { return factory.createModifiersFromModifierFlags(maskModifierFlags(node, modifierMask, modifierAdditions)); } function maskModifierFlags(node, modifierMask = 258047 ^ 4, modifierAdditions = 0) { let flags = getEffectiveModifierFlags(node) & modifierMask | modifierAdditions; if (flags & 1024 && !(flags & 1)) { flags ^= 1; } if (flags & 1024 && flags & 2) { flags ^= 2; } return flags; } function getTypeAnnotationFromAccessor(accessor) { if (accessor) { return accessor.kind === 174 ? accessor.type : accessor.parameters.length > 0 ? accessor.parameters[0].type : void 0; } } function canHaveLiteralInitializer(node) { switch (node.kind) { case 169: case 168: return !hasEffectiveModifier(node, 8); case 166: case 257: return true; } return false; } function isPreservedDeclarationStatement(node) { switch (node.kind) { case 259: case 264: case 268: case 261: case 260: case 262: case 263: case 240: case 269: case 275: case 274: return true; } return false; } function isProcessedComponent(node) { switch (node.kind) { case 177: case 173: case 171: case 174: case 175: case 169: case 168: case 170: case 176: case 178: case 257: case 165: case 230: case 180: case 191: case 181: case 182: case 202: return true; } return false; } var declarationEmitNodeBuilderFlags; var init_declarations = __esm({ "src/compiler/transformers/declarations.ts"() { "use strict"; init_ts2(); init_ts_moduleSpecifiers(); declarationEmitNodeBuilderFlags = 1024 | 2048 | 4096 | 8 | 524288 | 4 | 1; } }); function getModuleTransformer(moduleKind) { switch (moduleKind) { case 99: case 7: case 6: case 5: return transformECMAScriptModule; case 4: return transformSystemModule; case 100: case 199: return transformNodeModule; default: return transformModule; } } 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); } else if (languageVersion < 99 || !useDefineForClassFields) { transformers.push(transformESDecorators); } transformers.push(transformClassFields); if (getJSXTransformEnabled(compilerOptions)) { transformers.push(transformJsx); } if (languageVersion < 99) { transformers.push(transformESNext); } 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)); if (languageVersion < 1) { transformers.push(transformES5); } 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 _a2, _b; const enabledSyntaxKindFeatures = new Array(361); 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, getEmitHost: () => host, 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) { (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Emit, "transformNodes", node.kind === 308 ? { 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); 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); 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); 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(void 0, factory2.createVariableDeclarationList(lexicalEnvironmentVariableDeclarations)); setEmitFlags(statement, 2097152); 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(void 0, factory2.createVariableDeclarationList(blockScopedVariableDeclarations.map((identifier) => factory2.createVariableDeclaration(identifier)), 1)) ] : 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 noTransformers, nullTransformationContext; var init_transformer = __esm({ "src/compiler/transformer.ts"() { "use strict"; init_ts2(); init_ts_performance(); noTransformers = { scriptTransformers: emptyArray, declarationTransformers: emptyArray }; nullTransformationContext = { factory, getCompilerOptions: () => ({}), getEmitResolver: notImplemented, getEmitHost: notImplemented, getEmitHelperFactory: notImplemented, startLexicalEnvironment: noop, resumeLexicalEnvironment: noop, suspendLexicalEnvironment: noop, endLexicalEnvironment: returnUndefined, setLexicalEnvironmentFlags: noop, getLexicalEnvironmentFlags: () => 0, hoistVariableDeclaration: noop, hoistFunctionDeclaration: noop, addInitializationStatement: noop, startBlockScope: noop, endBlockScope: returnUndefined, addBlockScopedVariable: noop, requestEmitHelper: noop, readEmitHelpers: notImplemented, enableSubstitution: noop, enableEmitNotification: noop, isSubstitutionEnabled: notImplemented, isEmitNotificationEnabled: notImplemented, onSubstituteNode: noEmitSubstitution, onEmitNode: noEmitNotification, addDiagnostic: noop }; } }); function isBuildInfoFile(file) { return fileExtensionIs(file, ".tsbuildinfo"); } function forEachEmittedFile(host, action, sourceFilesOrTargetSourceFile, forceDtsEmit = false, onlyBuildInfo, includeBuildInfo) { const sourceFiles = isArray(sourceFilesOrTargetSourceFile) ? sourceFilesOrTargetSourceFile : getSourceFilesToEmit(host, sourceFilesOrTargetSourceFile, forceDtsEmit); const options = host.getCompilerOptions(); if (outFile(options)) { const prepends = host.getPrependNodes(); if (sourceFiles.length || prepends.length) { const bundle = factory.createBundle(sourceFiles, prepends); 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 }, void 0); } } } function getTsBuildInfoEmitOutputFilePath(options) { const configFile = options.configFilePath; if (!isIncrementalCompilation(options)) return void 0; if (options.tsBuildInfoFile) return options.tsBuildInfoFile; const outPath = outFile(options); 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, true)) : combinePaths(options.outDir, getBaseFileName(configFileExtensionLess)) : configFileExtensionLess; } return buildInfoExtensionLess + ".tsbuildinfo"; } function getOutputPathsForBundle(options, forceDtsPaths) { const outPath = outFile(options); 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 === 309) { 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" : options.jsx === 1 && fileExtensionIsOneOf(fileName, [".jsx", ".tsx"]) ? ".jsx" : fileExtensionIsOneOf(fileName, [".mts", ".mjs"]) ? ".mjs" : fileExtensionIsOneOf(fileName, [".cts", ".cjs"]) ? ".cjs" : ".js"; } function getOutputPathWithoutChangingExt(inputFileName, configFile, ignoreCase, outputDir, getCommonSourceDirectory2) { return outputDir ? resolvePath(outputDir, getRelativePathFromDirectory(getCommonSourceDirectory2 ? getCommonSourceDirectory2() : getCommonSourceDirectoryOfConfig(configFile, ignoreCase), inputFileName, ignoreCase)) : inputFileName; } function getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2) { return changeExtension(getOutputPathWithoutChangingExt(inputFileName, configFile, ignoreCase, configFile.options.declarationDir || configFile.options.outDir, getCommonSourceDirectory2), getDeclarationEmitExtensionForPath(inputFileName)); } function getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2) { if (configFile.options.emitDeclarationOnly) return void 0; const isJsonFile = fileExtensionIs(inputFileName, ".json"); const outputFileName = changeExtension(getOutputPathWithoutChangingExt(inputFileName, configFile, ignoreCase, configFile.options.outDir, getCommonSourceDirectory2), getOutputExtension(inputFileName, configFile.options)); return !isJsonFile || comparePaths(inputFileName, outputFileName, Debug.checkDefined(configFile.options.configFilePath), ignoreCase) !== 0 ? outputFileName : void 0; } function createAddOutput() { let outputs; return { addOutput, getOutputs }; function addOutput(path) { if (path) { (outputs || (outputs = [])).push(path); } } function getOutputs() { return outputs || emptyArray; } } function getSingleOutputFileNames(configFile, addOutput) { const { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath } = getOutputPathsForBundle(configFile.options, false); addOutput(jsFilePath); addOutput(sourceMapFilePath); addOutput(declarationFilePath); addOutput(declarationMapPath); addOutput(buildInfoPath); } function getOwnOutputFileNames(configFile, inputFileName, ignoreCase, addOutput, getCommonSourceDirectory2) { if (isDeclarationFileName(inputFileName)) return; const js = getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2); addOutput(js); if (fileExtensionIs(inputFileName, ".json")) return; if (js && configFile.options.sourceMap) { addOutput(`${js}.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 (outFile(configFile.options)) { 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 (outFile(commandLine.options)) { getSingleOutputFileNames(commandLine, addOutput); } else { getOwnOutputFileNames(commandLine, inputFileName, ignoreCase, addOutput); } return getOutputs(); } function getFirstProjectOutput(configFile, ignoreCase) { if (outFile(configFile.options)) { const { jsFilePath, declarationFilePath } = getOutputPathsForBundle(configFile.options, 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")) 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 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 bundleBuildInfo; 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 _a2, _b, _c, _d, _e, _f; let buildInfoDirectory; if (buildInfoPath && sourceFileOrBundle && isBundle(sourceFileOrBundle)) { buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory())); bundleBuildInfo = { commonSourceDirectory: relativeToBuildInfo(host.getCommonSourceDirectory()), sourceFiles: sourceFileOrBundle.sourceFiles.map((file) => relativeToBuildInfo(getNormalizedAbsolutePath(file.fileName, host.getCurrentDirectory()))) }; } (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Emit, "emitJsFileOrBundle", { jsFilePath }); emitJsFileOrBundle(sourceFileOrBundle, jsFilePath, sourceMapFilePath, relativeToBuildInfo); (_b = tracing) == null ? void 0 : _b.pop(); (_c = tracing) == null ? void 0 : _c.push(tracing.Phase.Emit, "emitDeclarationFileOrBundle", { declarationFilePath }); emitDeclarationFileOrBundle(sourceFileOrBundle, declarationFilePath, declarationMapPath, relativeToBuildInfo); (_d = tracing) == null ? void 0 : _d.pop(); (_e = tracing) == null ? void 0 : _e.push(tracing.Phase.Emit, "emitBuildInfo", { buildInfoPath }); emitBuildInfo(bundleBuildInfo, buildInfoPath); (_f = tracing) == null ? void 0 : _f.pop(); if (!emitSkipped && emittedFilesList) { if (!emitOnly) { if (jsFilePath) { emittedFilesList.push(jsFilePath); } if (sourceMapFilePath) { emittedFilesList.push(sourceMapFilePath); } if (buildInfoPath) { emittedFilesList.push(buildInfoPath); } } if (emitOnly !== 0) { if (declarationFilePath) { emittedFilesList.push(declarationFilePath); } if (declarationMapPath) { emittedFilesList.push(declarationMapPath); } } } function relativeToBuildInfo(path) { return ensurePathIsNonModuleName(getRelativePathFromDirectory(buildInfoDirectory, path, host.getCanonicalFileName)); } } function emitBuildInfo(bundle, buildInfoPath) { if (!buildInfoPath || targetSourceFile || emitSkipped) return; if (host.isEmitBlocked(buildInfoPath)) { emitSkipped = true; return; } const buildInfo = host.getBuildInfo(bundle) || createBuildInfo(void 0, bundle); writeFile(host, emitterDiagnostics, buildInfoPath, getBuildInfoText(buildInfo), false, void 0, { buildInfo }); } function emitJsFileOrBundle(sourceFileOrBundle, jsFilePath, sourceMapFilePath, relativeToBuildInfo) { if (!sourceFileOrBundle || emitOnly || !jsFilePath) { return; } if (host.isEmitBlocked(jsFilePath) || compilerOptions.noEmit) { emitSkipped = true; return; } const transform2 = transformNodes(resolver, host, factory, compilerOptions, [sourceFileOrBundle], scriptTransformers, false); const printerOptions = { removeComments: compilerOptions.removeComments, newLine: compilerOptions.newLine, noEmitHelpers: compilerOptions.noEmitHelpers, module: compilerOptions.module, target: compilerOptions.target, sourceMap: compilerOptions.sourceMap, inlineSourceMap: compilerOptions.inlineSourceMap, inlineSources: compilerOptions.inlineSources, extendedDiagnostics: compilerOptions.extendedDiagnostics, writeBundleFileInfo: !!bundleBuildInfo, relativeToBuildInfo }; const printer = createPrinter(printerOptions, { hasGlobalName: resolver.hasGlobalName, 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 (bundleBuildInfo) bundleBuildInfo.js = printer.bundleFileInfo; } function emitDeclarationFileOrBundle(sourceFileOrBundle, declarationFilePath, declarationMapPath, relativeToBuildInfo) { 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 = outFile(compilerOptions) ? [factory.createBundle(filesForEmit, !isSourceFile(sourceFileOrBundle) ? sourceFileOrBundle.prepends : void 0)] : filesForEmit; if (emitOnly && !getEmitDeclarations(compilerOptions)) { filesForEmit.forEach(collectLinkedAliases); } const declarationTransform = transformNodes(resolver, host, factory, compilerOptions, inputListOrBundle, declarationTransformers, false); if (length(declarationTransform.diagnostics)) { for (const diagnostic of declarationTransform.diagnostics) { emitterDiagnostics.add(diagnostic); } } 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, writeBundleFileInfo: !!bundleBuildInfo, recordInternalSection: !!bundleBuildInfo, relativeToBuildInfo }; const declarationPrinter = createPrinter(printerOptions, { hasGlobalName: resolver.hasGlobalName, onEmitNode: declarationTransform.emitNodeWithNotification, isEmitNotificationEnabled: declarationTransform.isEmitNotificationEnabled, substituteNode: declarationTransform.substituteNode }); 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"); printSourceFileOrBundle(declarationFilePath, declarationMapPath, declarationTransform, declarationPrinter, { sourceMap: printerOptions.sourceMap, sourceRoot: compilerOptions.sourceRoot, mapRoot: compilerOptions.mapRoot, extendedDiagnostics: compilerOptions.extendedDiagnostics }); } declarationTransform.dispose(); if (bundleBuildInfo) bundleBuildInfo.dts = declarationPrinter.bundleFileInfo; } function collectLinkedAliases(node) { if (isExportAssignment(node)) { if (node.expression.kind === 79) { resolver.collectLinkedAliases(node.expression, true); } return; } else if (isExportSpecifier(node)) { resolver.collectLinkedAliases(node.propertyName || node.name, true); return; } forEachChild(node, collectLinkedAliases); } function printSourceFileOrBundle(jsFilePath, sourceMapFilePath, transform2, printer, mapOptions) { const sourceFileOrBundle = transform2.transformed[0]; const bundle = sourceFileOrBundle.kind === 309 ? sourceFileOrBundle : void 0; const sourceFile = sourceFileOrBundle.kind === 308 ? 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, false, sourceFiles); if (printer.bundleFileInfo) printer.bundleFileInfo.mapHash = computeSignature(sourceMap, host); } } else { writer.writeLine(); } const text = writer.getText(); writeFile(host, emitterDiagnostics, jsFilePath, text, !!compilerOptions.emitBOM, sourceFiles, { sourceMapUrlPos, diagnostics: transform2.diagnostics }); if (printer.bundleFileInfo) printer.bundleFileInfo.hash = computeSignature(text, host); writer.clear(); } function shouldEmitSourceMaps(mapOptions, sourceFileOrBundle) { return (mapOptions.sourceMap || mapOptions.inlineSourceMap) && (sourceFileOrBundle.kind !== 308 || !fileExtensionIs(sourceFileOrBundle.fileName, ".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)), combinePaths(sourceMapDir, sourceMapFile), host.getCurrentDirectory(), host.getCanonicalFileName, true)); } else { return encodeURI(combinePaths(sourceMapDir, sourceMapFile)); } } return encodeURI(sourceMapFile); } } function createBuildInfo(program, bundle) { const version2 = version; return { bundle, program, version: version2 }; } function getBuildInfoText(buildInfo) { return JSON.stringify(buildInfo); } function getBuildInfo(buildInfoFile, buildInfoText) { return readJsonOrUndefined(buildInfoFile, buildInfoText); } function createSourceFilesFromBundleBuildInfo(bundle, buildInfoDirectory, host) { var _a2; const jsBundle = Debug.checkDefined(bundle.js); const prologueMap = ((_a2 = jsBundle.sources) == null ? void 0 : _a2.prologues) && arrayToMap(jsBundle.sources.prologues, (prologueInfo) => prologueInfo.file); return bundle.sourceFiles.map((fileName, index) => { var _a3, _b; const prologueInfo = prologueMap == null ? void 0 : prologueMap.get(index); const statements = prologueInfo == null ? void 0 : prologueInfo.directives.map((directive) => { const literal = setTextRange(factory.createStringLiteral(directive.expression.text), directive.expression); const statement = setTextRange(factory.createExpressionStatement(literal), directive); setParent(literal, statement); return statement; }); const eofToken = factory.createToken(1); const sourceFile = factory.createSourceFile(statements != null ? statements : [], eofToken, 0); sourceFile.fileName = getRelativePathFromDirectory(host.getCurrentDirectory(), getNormalizedAbsolutePath(fileName, buildInfoDirectory), !host.useCaseSensitiveFileNames()); sourceFile.text = (_a3 = prologueInfo == null ? void 0 : prologueInfo.text) != null ? _a3 : ""; setTextRangePosWidth(sourceFile, 0, (_b = prologueInfo == null ? void 0 : prologueInfo.text.length) != null ? _b : 0); setEachParent(sourceFile.statements, sourceFile); setTextRangePosWidth(eofToken, sourceFile.end, 0); setParent(eofToken, sourceFile); return sourceFile; }); } function emitUsingBuildInfo(config, host, getCommandLine, customTransformers) { var _a2, _b; (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Emit, "emitUsingBuildInfo", {}, true); ts_performance_exports.mark("beforeEmit"); const result = emitUsingBuildInfoWorker(config, host, getCommandLine, customTransformers); ts_performance_exports.mark("afterEmit"); ts_performance_exports.measure("Emit", "beforeEmit", "afterEmit"); (_b = tracing) == null ? void 0 : _b.pop(); return result; } function emitUsingBuildInfoWorker(config, host, getCommandLine, customTransformers) { const { buildInfoPath, jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath } = getOutputPathsForBundle(config.options, false); const buildInfo = host.getBuildInfo(buildInfoPath, config.options.configFilePath); if (!buildInfo) return buildInfoPath; if (!buildInfo.bundle || !buildInfo.bundle.js || declarationFilePath && !buildInfo.bundle.dts) return buildInfoPath; const jsFileText = host.readFile(Debug.checkDefined(jsFilePath)); if (!jsFileText) return jsFilePath; if (computeSignature(jsFileText, host) !== buildInfo.bundle.js.hash) return jsFilePath; const sourceMapText = sourceMapFilePath && host.readFile(sourceMapFilePath); if (sourceMapFilePath && !sourceMapText || config.options.inlineSourceMap) return sourceMapFilePath || "inline sourcemap decoding"; if (sourceMapFilePath && computeSignature(sourceMapText, host) !== buildInfo.bundle.js.mapHash) return sourceMapFilePath; const declarationText = declarationFilePath && host.readFile(declarationFilePath); if (declarationFilePath && !declarationText) return declarationFilePath; if (declarationFilePath && computeSignature(declarationText, host) !== buildInfo.bundle.dts.hash) return declarationFilePath; const declarationMapText = declarationMapPath && host.readFile(declarationMapPath); if (declarationMapPath && !declarationMapText || config.options.inlineSourceMap) return declarationMapPath || "inline sourcemap decoding"; if (declarationMapPath && computeSignature(declarationMapText, host) !== buildInfo.bundle.dts.mapHash) return declarationMapPath; const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory())); const ownPrependInput = createInputFilesWithFileTexts(jsFilePath, jsFileText, sourceMapFilePath, sourceMapText, declarationFilePath, declarationText, declarationMapPath, declarationMapText, buildInfoPath, buildInfo, true); const outputFiles = []; const prependNodes = createPrependNodes(config.projectReferences, getCommandLine, (f) => host.readFile(f), host); const sourceFilesForJsEmit = createSourceFilesFromBundleBuildInfo(buildInfo.bundle, buildInfoDirectory, host); let changedDtsText; let changedDtsData; const emitHost = { getPrependNodes: memoize(() => [...prependNodes, ownPrependInput]), getCanonicalFileName: host.getCanonicalFileName, getCommonSourceDirectory: () => getNormalizedAbsolutePath(buildInfo.bundle.commonSourceDirectory, buildInfoDirectory), getCompilerOptions: () => config.options, getCurrentDirectory: () => host.getCurrentDirectory(), getSourceFile: returnUndefined, getSourceFileByPath: returnUndefined, getSourceFiles: () => sourceFilesForJsEmit, getLibFileFromReference: notImplemented, isSourceFileFromExternalLibrary: returnFalse, getResolvedProjectReferenceToRedirect: returnUndefined, getProjectReferenceRedirect: returnUndefined, isSourceOfProjectReferenceRedirect: returnFalse, writeFile: (name, text, writeByteOrderMark, _onError, _sourceFiles, data) => { switch (name) { case jsFilePath: if (jsFileText === text) return; break; case sourceMapFilePath: if (sourceMapText === text) return; break; case buildInfoPath: break; case declarationFilePath: if (declarationText === text) return; changedDtsText = text; changedDtsData = data; break; case declarationMapPath: if (declarationMapText === text) return; break; default: Debug.fail(`Unexpected path: ${name}`); } outputFiles.push({ name, text, writeByteOrderMark, data }); }, isEmitBlocked: returnFalse, readFile: (f) => host.readFile(f), fileExists: (f) => host.fileExists(f), useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(), getBuildInfo: (bundle) => { const program = buildInfo.program; if (program && changedDtsText !== void 0 && config.options.composite) { program.outSignature = computeSignature(changedDtsText, host, changedDtsData); } const { js, dts, sourceFiles } = buildInfo.bundle; bundle.js.sources = js.sources; if (dts) { bundle.dts.sources = dts.sources; } bundle.sourceFiles = sourceFiles; return createBuildInfo(program, bundle); }, getSourceFileFromReference: returnUndefined, redirectTargetsMap: createMultiMap(), getFileIncludeReasons: notImplemented, createHash: maybeBind(host, host.createHash) }; emitFiles(notImplementedResolver, emitHost, void 0, getTransformers(config.options, customTransformers)); return outputFiles; } function createPrinter(printerOptions = {}, handlers = {}) { var { hasGlobalName, onEmitNode = noEmitNotification, isEmitNotificationEnabled, substituteNode = noEmitSubstitution, onBeforeEmitNode, onAfterEmitNode, onBeforeEmitNodeArray, onAfterEmitNodeArray, onBeforeEmitToken, onAfterEmitToken } = handlers; var extendedDiagnostics = !!printerOptions.extendedDiagnostics; 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 bundleFileInfo = printerOptions.writeBundleFileInfo ? { sections: [] } : void 0; var relativeToBuildInfo = bundleFileInfo ? Debug.checkDefined(printerOptions.relativeToBuildInfo) : void 0; var recordInternalSection = printerOptions.recordInternalSection; var sourceFileTextPos = 0; var sourceFileTextKind = "text"; 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 { printNode, printList, printFile, printBundle, writeNode, writeList, writeFile: writeFile2, writeBundle, bundleFileInfo }; 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 308: return printFile(node); case 309: return printBundle(node); case 310: return printUnparsedSource(node); } writeNode(hint, node, sourceFile, beginPrint()); return endPrint(); } function printList(format, nodes, sourceFile) { writeList(format, nodes, sourceFile, beginPrint()); return endPrint(); } function printBundle(bundle) { writeBundle(bundle, beginPrint(), void 0); return endPrint(); } function printFile(sourceFile) { writeFile2(sourceFile, beginPrint(), void 0); return endPrint(); } function printUnparsedSource(unparsed) { writeUnparsedSource(unparsed, beginPrint()); return endPrint(); } function writeNode(hint, node, sourceFile, output) { const previousWriter = writer; setWriter(output, void 0); print(hint, node, sourceFile); reset2(); writer = previousWriter; } function writeList(format, nodes, sourceFile, output) { const previousWriter = writer; setWriter(output, void 0); if (sourceFile) { setSourceFile(sourceFile); } emitList(void 0, nodes, format); reset2(); writer = previousWriter; } function getTextPosWithWriteLine() { return writer.getTextPosWithWriteLine ? writer.getTextPosWithWriteLine() : writer.getTextPos(); } function updateOrPushBundleFileTextLike(pos, end, kind) { const last2 = lastOrUndefined(bundleFileInfo.sections); if (last2 && last2.kind === kind) { last2.end = end; } else { bundleFileInfo.sections.push({ pos, end, kind }); } } function recordBundleFileInternalSectionStart(node) { if (recordInternalSection && bundleFileInfo && currentSourceFile && (isDeclaration(node) || isVariableStatement(node)) && isInternalDeclaration(node, currentSourceFile) && sourceFileTextKind !== "internal") { const prevSourceFileTextKind = sourceFileTextKind; recordBundleFileTextLikeSection(writer.getTextPos()); sourceFileTextPos = getTextPosWithWriteLine(); sourceFileTextKind = "internal"; return prevSourceFileTextKind; } return void 0; } function recordBundleFileInternalSectionEnd(prevSourceFileTextKind) { if (prevSourceFileTextKind) { recordBundleFileTextLikeSection(writer.getTextPos()); sourceFileTextPos = getTextPosWithWriteLine(); sourceFileTextKind = prevSourceFileTextKind; } } function recordBundleFileTextLikeSection(end) { if (sourceFileTextPos < end) { updateOrPushBundleFileTextLike(sourceFileTextPos, end, sourceFileTextKind); return true; } return false; } function writeBundle(bundle, output, sourceMapGenerator2) { isOwnFileEmit = false; const previousWriter = writer; setWriter(output, sourceMapGenerator2); emitShebangIfNeeded(bundle); emitPrologueDirectivesIfNeeded(bundle); emitHelpers(bundle); emitSyntheticTripleSlashReferencesIfNeeded(bundle); for (const prepend of bundle.prepends) { writeLine(); const pos = writer.getTextPos(); const savedSections = bundleFileInfo && bundleFileInfo.sections; if (savedSections) bundleFileInfo.sections = []; print(4, prepend, void 0); if (bundleFileInfo) { const newSections = bundleFileInfo.sections; bundleFileInfo.sections = savedSections; if (prepend.oldFileOfCurrentEmit) bundleFileInfo.sections.push(...newSections); else { newSections.forEach((section) => Debug.assert(isBundleFileTextLike(section))); bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "prepend", data: relativeToBuildInfo(prepend.fileName), texts: newSections }); } } } sourceFileTextPos = getTextPosWithWriteLine(); for (const sourceFile of bundle.sourceFiles) { print(0, sourceFile, sourceFile); } if (bundleFileInfo && bundle.sourceFiles.length) { const end = writer.getTextPos(); if (recordBundleFileTextLikeSection(end)) { const prologues = getPrologueDirectivesFromBundledSourceFiles(bundle); if (prologues) { if (!bundleFileInfo.sources) bundleFileInfo.sources = {}; bundleFileInfo.sources.prologues = prologues; } const helpers = getHelpersFromBundledSourceFiles(bundle); if (helpers) { if (!bundleFileInfo.sources) bundleFileInfo.sources = {}; bundleFileInfo.sources.helpers = helpers; } } } reset2(); writer = previousWriter; } function writeUnparsedSource(unparsed, output) { const previousWriter = writer; setWriter(output, void 0); print(4, unparsed, void 0); 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, 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(void 0, void 0); } function getCurrentLineMap() { return currentLineMap || (currentLineMap = getLineStarts(Debug.checkDefined(currentSourceFile))); } function emit(node, parenthesizerRule) { if (node === void 0) return; const prevSourceFileTextKind = recordBundleFileInternalSectionStart(node); pipelineEmit(4, node, parenthesizerRule); recordBundleFileInternalSectionEnd(prevSourceFileTextKind); } function emitIdentifierName(node) { if (node === void 0) return; pipelineEmit(2, node, void 0); } function emitExpression(node, parenthesizerRule) { if (node === void 0) return; pipelineEmit(1, node, parenthesizerRule); } function emitJsxAttributeValue(node) { pipelineEmit(isStringLiteral(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) && !isUnparsedSource(node) && !isUnparsedPrepend(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, isStringLiteral), true); if (hint === 3) return emitMappedTypeParameter(cast(node, isTypeParameterDeclaration)); if (hint === 5) { Debug.assertNode(node, isEmptyStatement); return emitEmptyStatement(true); } if (hint === 4) { switch (node.kind) { case 15: case 16: case 17: return emitLiteral(node, false); case 79: return emitIdentifier(node); case 80: return emitPrivateIdentifier(node); case 163: return emitQualifiedName(node); case 164: return emitComputedPropertyName(node); case 165: return emitTypeParameter(node); case 166: return emitParameter(node); case 167: return emitDecorator(node); case 168: return emitPropertySignature(node); case 169: return emitPropertyDeclaration(node); case 170: return emitMethodSignature(node); case 171: return emitMethodDeclaration(node); case 172: return emitClassStaticBlockDeclaration(node); case 173: return emitConstructor(node); case 174: case 175: return emitAccessorDeclaration(node); case 176: return emitCallSignature(node); case 177: return emitConstructSignature(node); case 178: return emitIndexSignature(node); case 179: return emitTypePredicate(node); case 180: return emitTypeReference(node); case 181: return emitFunctionType(node); case 182: return emitConstructorType(node); case 183: return emitTypeQuery(node); case 184: return emitTypeLiteral(node); case 185: return emitArrayType(node); case 186: return emitTupleType(node); case 187: return emitOptionalType(node); case 189: return emitUnionType(node); case 190: return emitIntersectionType(node); case 191: return emitConditionalType(node); case 192: return emitInferType(node); case 193: return emitParenthesizedType(node); case 230: return emitExpressionWithTypeArguments(node); case 194: return emitThisType(); case 195: return emitTypeOperator(node); case 196: return emitIndexedAccessType(node); case 197: return emitMappedType(node); case 198: return emitLiteralType(node); case 199: return emitNamedTupleMember(node); case 200: return emitTemplateType(node); case 201: return emitTemplateTypeSpan(node); case 202: return emitImportTypeNode(node); case 203: return emitObjectBindingPattern(node); case 204: return emitArrayBindingPattern(node); case 205: return emitBindingElement(node); case 236: return emitTemplateSpan(node); case 237: return emitSemicolonClassElement(); case 238: return emitBlock(node); case 240: return emitVariableStatement(node); case 239: return emitEmptyStatement(false); case 241: return emitExpressionStatement(node); case 242: return emitIfStatement(node); case 243: return emitDoStatement(node); case 244: return emitWhileStatement(node); case 245: return emitForStatement(node); case 246: return emitForInStatement(node); case 247: return emitForOfStatement(node); case 248: return emitContinueStatement(node); case 249: return emitBreakStatement(node); case 250: return emitReturnStatement(node); case 251: return emitWithStatement(node); case 252: return emitSwitchStatement(node); case 253: return emitLabeledStatement(node); case 254: return emitThrowStatement(node); case 255: return emitTryStatement(node); case 256: return emitDebuggerStatement(node); case 257: return emitVariableDeclaration(node); case 258: return emitVariableDeclarationList(node); case 259: return emitFunctionDeclaration(node); case 260: return emitClassDeclaration(node); case 261: return emitInterfaceDeclaration(node); case 262: return emitTypeAliasDeclaration(node); case 263: return emitEnumDeclaration(node); case 264: return emitModuleDeclaration(node); case 265: return emitModuleBlock(node); case 266: return emitCaseBlock(node); case 267: return emitNamespaceExportDeclaration(node); case 268: return emitImportEqualsDeclaration(node); case 269: return emitImportDeclaration(node); case 270: return emitImportClause(node); case 271: return emitNamespaceImport(node); case 277: return emitNamespaceExport(node); case 272: return emitNamedImports(node); case 273: return emitImportSpecifier(node); case 274: return emitExportAssignment(node); case 275: return emitExportDeclaration(node); case 276: return emitNamedExports(node); case 278: return emitExportSpecifier(node); case 296: return emitAssertClause(node); case 297: return emitAssertEntry(node); case 279: return; case 280: return emitExternalModuleReference(node); case 11: return emitJsxText(node); case 283: case 286: return emitJsxOpeningElementOrFragment(node); case 284: case 287: return emitJsxClosingElementOrFragment(node); case 288: return emitJsxAttribute(node); case 289: return emitJsxAttributes(node); case 290: return emitJsxSpreadAttribute(node); case 291: return emitJsxExpression(node); case 292: return emitCaseClause(node); case 293: return emitDefaultClause(node); case 294: return emitHeritageClause(node); case 295: return emitCatchClause(node); case 299: return emitPropertyAssignment(node); case 300: return emitShorthandPropertyAssignment(node); case 301: return emitSpreadAssignment(node); case 302: return emitEnumMember(node); case 303: return writeUnparsedNode(node); case 310: case 304: return emitUnparsedSourceOrPrepend(node); case 305: case 306: return emitUnparsedTextLike(node); case 307: return emitUnparsedSyntheticReference(node); case 308: return emitSourceFile(node); case 309: return Debug.fail("Bundles should be printed using printBundle"); case 311: return Debug.fail("InputFiles should not be printed"); case 312: return emitJSDocTypeExpression(node); case 313: return emitJSDocNameReference(node); case 315: return writePunctuation("*"); case 316: return writePunctuation("?"); case 317: return emitJSDocNullableType(node); case 318: return emitJSDocNonNullableType(node); case 319: return emitJSDocOptionalType(node); case 320: return emitJSDocFunctionType(node); case 188: case 321: return emitRestOrJSDocVariadicType(node); case 322: return; case 323: return emitJSDoc(node); case 325: return emitJSDocTypeLiteral(node); case 326: return emitJSDocSignature(node); case 330: case 335: case 340: return emitJSDocSimpleTag(node); case 331: case 332: return emitJSDocHeritageTag(node); case 333: case 334: return; case 336: case 337: case 338: case 339: return; case 341: return emitJSDocCallbackTag(node); case 342: return emitJSDocOverloadTag(node); case 344: case 351: return emitJSDocPropertyLikeTag(node); case 343: case 345: case 346: case 347: case 352: case 353: return emitJSDocSimpleTypedTag(node); case 348: return emitJSDocTemplateTag(node); case 349: return emitJSDocTypedefTag(node); case 350: return emitJSDocSeeTag(node); case 355: case 359: case 358: 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 8: case 9: return emitNumericOrBigIntLiteral(node); case 10: case 13: case 14: return emitLiteral(node, false); case 79: return emitIdentifier(node); case 80: return emitPrivateIdentifier(node); case 206: return emitArrayLiteralExpression(node); case 207: return emitObjectLiteralExpression(node); case 208: return emitPropertyAccessExpression(node); case 209: return emitElementAccessExpression(node); case 210: return emitCallExpression(node); case 211: return emitNewExpression(node); case 212: return emitTaggedTemplateExpression(node); case 213: return emitTypeAssertionExpression(node); case 214: return emitParenthesizedExpression(node); case 215: return emitFunctionExpression(node); case 216: return emitArrowFunction(node); case 217: return emitDeleteExpression(node); case 218: return emitTypeOfExpression(node); case 219: return emitVoidExpression(node); case 220: return emitAwaitExpression(node); case 221: return emitPrefixUnaryExpression(node); case 222: return emitPostfixUnaryExpression(node); case 223: return emitBinaryExpression(node); case 224: return emitConditionalExpression(node); case 225: return emitTemplateExpression(node); case 226: return emitYieldExpression(node); case 227: return emitSpreadElement(node); case 228: return emitClassExpression(node); case 229: return; case 231: return emitAsExpression(node); case 232: return emitNonNullExpression(node); case 230: return emitExpressionWithTypeArguments(node); case 235: return emitSatisfiesExpression(node); case 233: return emitMetaProperty(node); case 234: return Debug.fail("SyntheticExpression should never be printed."); case 279: return; case 281: return emitJsxElement(node); case 282: return emitJsxSelfClosingElement(node); case 285: return emitJsxFragment(node); case 354: return Debug.fail("SyntaxList should not be printed"); case 355: return; case 356: return emitPartiallyEmittedExpression(node); case 357: return emitCommaList(node); case 358: case 359: return; case 360: return Debug.fail("SyntheticReferenceExpression should not be printed"); } } if (isKeyword(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 getHelpersFromBundledSourceFiles(bundle) { let result; if (moduleKind === 0 || printerOptions.noEmitHelpers) { return void 0; } const bundledHelpers2 = /* @__PURE__ */ new Map(); for (const sourceFile of bundle.sourceFiles) { const shouldSkip = getExternalHelpersModuleName(sourceFile) !== void 0; const helpers = getSortedEmitHelpers(sourceFile); if (!helpers) continue; for (const helper of helpers) { if (!helper.scoped && !shouldSkip && !bundledHelpers2.get(helper.name)) { bundledHelpers2.set(helper.name, true); (result || (result = [])).push(helper.name); } } } return result; } function emitHelpers(node) { let helpersEmitted = false; const bundle = node.kind === 309 ? node : void 0; if (bundle && moduleKind === 0) { return; } const numPrepends = bundle ? bundle.prepends.length : 0; const numNodes = bundle ? bundle.sourceFiles.length + numPrepends : 1; for (let i = 0; i < numNodes; i++) { const currentNode = bundle ? i < numPrepends ? bundle.prepends[i] : bundle.sourceFiles[i - numPrepends] : node; const sourceFile = isSourceFile(currentNode) ? currentNode : isUnparsedSource(currentNode) ? void 0 : currentSourceFile; const shouldSkip = printerOptions.noEmitHelpers || !!sourceFile && hasRecordedExternalHelpers(sourceFile); const shouldBundle = (isSourceFile(currentNode) || isUnparsedSource(currentNode)) && !isOwnFileEmit; const helpers = isUnparsedSource(currentNode) ? currentNode.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; } const pos = getTextPosWithWriteLine(); if (typeof helper.text === "string") { writeLines(helper.text); } else { writeLines(helper.text(makeFileLevelOptimisticUniqueName)); } if (bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "emitHelpers", data: helper.name }); helpersEmitted = true; } } } return helpersEmitted; } function getSortedEmitHelpers(node) { const helpers = getEmitHelpers(node); return helpers && stableSort(helpers, compareEmitHelpers); } function emitNumericOrBigIntLiteral(node) { emitLiteral(node, false); } function emitLiteral(node, jsxAttributeEscape) { const text = getLiteralTextOfNode(node, printerOptions.neverAsciiEscape, jsxAttributeEscape); if ((printerOptions.sourceMap || printerOptions.inlineSourceMap) && (node.kind === 10 || isTemplateLiteralKind(node.kind))) { writeLiteral(text); } else { writeStringLiteral(text); } } function emitUnparsedSourceOrPrepend(unparsed) { for (const text of unparsed.texts) { writeLine(); emit(text); } } function writeUnparsedNode(unparsed) { writer.rawWrite(unparsed.parent.text.substring(unparsed.pos, unparsed.end)); } function emitUnparsedTextLike(unparsed) { const pos = getTextPosWithWriteLine(); writeUnparsedNode(unparsed); if (bundleFileInfo) { updateOrPushBundleFileTextLike(pos, writer.getTextPos(), unparsed.kind === 305 ? "text" : "internal"); } } function emitUnparsedSyntheticReference(unparsed) { const pos = getTextPosWithWriteLine(); writeUnparsedNode(unparsed); if (bundleFileInfo) { const section = clone(unparsed.section); section.pos = pos; section.end = writer.getTextPos(); bundleFileInfo.sections.push(section); } } 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, false); nonEscapingWrite(`}`); } function emitTabStop(hint, node, snippet) { Debug.assert(node.kind === 239, `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, false), node.symbol); emitList(node, getIdentifierTypeArguments(node), 53776); } function emitPrivateIdentifier(node) { write(getTextOfNode2(node, false)); } function emitQualifiedName(node) { emitEntityName(node.left); writePunctuation("."); emit(node.right); } function emitEntityName(node) { if (node.kind === 79) { emitExpression(node); } else { emit(node); } } function emitComputedPropertyName(node) { const savedPrivateNameTempFlags = privateNameTempFlags; const savedReservedMemberNames = reservedPrivateNames; popPrivateNameGenerationScope(); writePunctuation("["); emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfComputedPropertyName); writePunctuation("]"); pushPrivateNameGenerationScope(savedPrivateNameTempFlags, savedReservedMemberNames); } 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, true); emit(node.dotDotDotToken); emitNodeWithWriter(node.name, writeParameter); emit(node.questionToken); if (node.parent && node.parent.kind === 320 && !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, 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) { pushNameGenerationScope(node); emitModifierList(node, node.modifiers); emit(node.name); emit(node.questionToken); emitTypeParameters(node, node.typeParameters); emitParameters(node, node.parameters); emitTypeAnnotation(node.type); writeTrailingSemicolon(); popNameGenerationScope(node); } function emitMethodDeclaration(node) { emitDecoratorsAndModifiers(node, node.modifiers, true); emit(node.asteriskToken); emit(node.name); emit(node.questionToken); emitSignatureAndBody(node, emitSignatureHead); } function emitClassStaticBlockDeclaration(node) { writeKeyword("static"); emitBlockFunctionBody(node.body); } function emitConstructor(node) { emitDecoratorsAndModifiers(node, node.modifiers, false); writeKeyword("constructor"); emitSignatureAndBody(node, emitSignatureHead); } function emitAccessorDeclaration(node) { const pos = emitDecoratorsAndModifiers(node, node.modifiers, true); const token = node.kind === 174 ? 137 : 151; emitTokenWithComment(token, pos, writeKeyword, node); writeSpace(); emit(node.name); emitSignatureAndBody(node, emitSignatureHead); } function emitCallSignature(node) { pushNameGenerationScope(node); emitTypeParameters(node, node.typeParameters); emitParameters(node, node.parameters); emitTypeAnnotation(node.type); writeTrailingSemicolon(); popNameGenerationScope(node); } function emitConstructSignature(node) { pushNameGenerationScope(node); writeKeyword("new"); writeSpace(); emitTypeParameters(node, node.typeParameters); emitParameters(node, node.parameters); emitTypeAnnotation(node.type); writeTrailingSemicolon(); popNameGenerationScope(node); } function emitIndexSignature(node) { emitDecoratorsAndModifiers(node, node.modifiers, 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) { pushNameGenerationScope(node); emitTypeParameters(node, node.typeParameters); emitParametersForArrow(node, node.parameters); writeSpace(); writePunctuation("=>"); writeSpace(); emit(node.type); popNameGenerationScope(node); } 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) { pushNameGenerationScope(node); emitModifierList(node, node.modifiers); writeKeyword("new"); writeSpace(); emitTypeParameters(node, node.typeParameters); emitParameters(node, node.parameters); writeSpace(); writePunctuation("=>"); writeSpace(); emit(node.type); popNameGenerationScope(node); } function emitTypeQuery(node) { writeKeyword("typeof"); writeSpace(); emit(node.exprName); emitTypeArguments(node, node.typeArguments); } function emitTypeLiteral(node) { pushPrivateNameGenerationScope(0, void 0); writePunctuation("{"); const flags = getEmitFlags(node) & 1 ? 768 : 32897; emitList(node, node.members, flags | 524288); writePunctuation("}"); popPrivateNameGenerationScope(); } function emitArrayType(node) { emit(node.elementType, parenthesizer.parenthesizeNonArrayTypeOfPostfixType); writePunctuation("["); writePunctuation("]"); } function emitRestOrJSDocVariadicType(node) { writePunctuation("..."); emit(node.type); } function emitTupleType(node) { emitTokenWithComment(22, node.pos, writePunctuation, node); const flags = getEmitFlags(node) & 1 ? 528 : 657; emitList(node, node.elements, flags | 524288, parenthesizer.parenthesizeElementTypeOfTupleType); emitTokenWithComment(23, node.elements.end, writePunctuation, node); } function emitNamedTupleMember(node) { emit(node.dotDotDotToken); emit(node.name); emit(node.questionToken); emitTokenWithComment(58, 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 === 146 ? 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 !== 146) { 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 !== 57) { writePunctuation("?"); } } writePunctuation(":"); writeSpace(); emit(node.type); writeTrailingSemicolon(); if (emitFlags & 1) { writeSpace(); } else { writeLine(); decreaseIndent(); } emitList(node, node.members, 2); writePunctuation("}"); } function emitLiteralType(node) { emitExpression(node.literal); } function emitTemplateType(node) { emit(node.head); emitList(node, node.templateSpans, 262144); } function emitImportTypeNode(node) { if (node.isTypeOf) { writeKeyword("typeof"); writeSpace(); } writeKeyword("import"); writePunctuation("("); emit(node.argument); if (node.assertions) { writePunctuation(","); writeSpace(); writePunctuation("{"); writeSpace(); writeKeyword("assert"); writePunctuation(":"); writeSpace(); const elements = node.assertions.assertClause.elements; emitList(node.assertions.assertClause, elements, 526226); writeSpace(); writePunctuation("}"); } writePunctuation(")"); if (node.qualifier) { writePunctuation("."); emit(node.qualifier); } emitTypeArguments(node, node.typeArguments); } function emitObjectBindingPattern(node) { writePunctuation("{"); emitList(node, node.elements, 525136); writePunctuation("}"); } function emitArrayBindingPattern(node) { writePunctuation("["); emitList(node, node.elements, 524880); 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) { pushPrivateNameGenerationScope(0, void 0); 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(); } popPrivateNameGenerationScope(); } function emitPropertyAccessExpression(node) { emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); const token = node.questionDotToken || setTextRangePosEnd(factory.createToken(24), node.expression.end, node.name.pos); const linesBeforeDot = getLinesBetweenNodes(node, node.expression, token); const linesAfterDot = getLinesBetweenNodes(node, token, node.name); writeLinesAndIndent(linesBeforeDot, false); const shouldEmitDotDot = token.kind !== 28 && 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, false); emit(node.name); decreaseIndentIf(linesBeforeDot, linesAfterDot); } function mayNeedDotDotForPropertyAccess(expression) { expression = skipPartiallyEmittedExpressions(expression); if (isNumericLiteral(expression)) { const text = getLiteralTextOfNode(expression, true, false); return !expression.numericLiteralFlags && !stringContains(text, tokenToString(24)); } else if (isAccessExpression(expression)) { const constantValue = getConstantValue(expression); return typeof constantValue === "number" && isFinite(constantValue) && Math.floor(constantValue) === constantValue; } } function emitElementAccessExpression(node) { emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); emit(node.questionDotToken); emitTokenWithComment(22, node.expression.end, writePunctuation, node); emitExpression(node.argumentExpression); emitTokenWithComment(23, 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(103, 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(20, node.pos, writePunctuation, node); const indented = writeLineSeparatorsAndIndentBefore(node.expression, node); emitExpression(node.expression, void 0); writeLineSeparatorsAfter(node.expression, node); decreaseIndentIf(indented); emitTokenWithComment(21, 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); } function emitArrowFunctionHead(node) { emitTypeParameters(node, node.typeParameters); emitParametersForArrow(node, node.parameters); emitTypeAnnotation(node.type); writeSpace(); emit(node.equalsGreaterThanToken); } function emitDeleteExpression(node) { emitTokenWithComment(89, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitTypeOfExpression(node) { emitTokenWithComment(112, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitVoidExpression(node) { emitTokenWithComment(114, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitAwaitExpression(node) { emitTokenWithComment(133, 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 === 221 && (node.operator === 39 && (operand.operator === 39 || operand.operator === 45) || node.operator === 40 && (operand.operator === 40 || operand.operator === 46)); } function emitPostfixUnaryExpression(node) { emitExpression(node.operand, parenthesizer.parenthesizeOperandOfPostfixUnary); writeTokenText(node.operator, writeOperator); } function createEmitBinaryExpression() { return createBinaryExpressionTrampoline(onEnter, onLeft, onOperator, onRight, onExit, 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 !== 27; const linesBeforeOperator = getLinesBetweenNodes(node, node.left, operatorToken); const linesAfterOperator = getLinesBetweenNodes(node, operatorToken, node.right); writeLinesAndIndent(linesBeforeOperator, isCommaOperator); emitLeadingCommentsOfPosition(operatorToken.pos); writeTokenNode(operatorToken, operatorToken.kind === 101 ? writeKeyword : writeOperator); emitTrailingCommentsOfPosition(operatorToken.end, true); writeLinesAndIndent(linesAfterOperator, 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, true); emit(node.questionToken); writeLinesAndIndent(linesAfterQuestion, true); emitExpression(node.whenTrue, parenthesizer.parenthesizeBranchOfConditionalExpression); decreaseIndentIf(linesBeforeQuestion, linesAfterQuestion); writeLinesAndIndent(linesBeforeColon, true); emit(node.colonToken); writeLinesAndIndent(linesAfterColon, true); emitExpression(node.whenFalse, parenthesizer.parenthesizeBranchOfConditionalExpression); decreaseIndentIf(linesBeforeColon, linesAfterColon); } function emitTemplateExpression(node) { emit(node.head); emitList(node, node.templateSpans, 262144); } function emitYieldExpression(node) { emitTokenWithComment(125, node.pos, writeKeyword, node); emit(node.asteriskToken); emitExpressionWithLeadingSpace(node.expression && parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsiAndDisallowedComma); } function emitSpreadElement(node) { emitTokenWithComment(25, 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, 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, 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, !node.multiLine && isEmptyBlock(node)); } function emitBlockStatements(node, forceSingleLine) { emitTokenWithComment(18, node.pos, writePunctuation, node); const format = forceSingleLine || getEmitFlags(node) & 1 ? 768 : 129; emitList(node, node.statements, format); emitTokenWithComment(19, node.statements.end, writePunctuation, node, !!(format & 1)); } function emitVariableStatement(node) { emitDecoratorsAndModifiers(node, node.modifiers, 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(99, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(20, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(21, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.thenStatement); if (node.elseStatement) { writeLineOrSpace(node, node.thenStatement, node.elseStatement); emitTokenWithComment(91, node.thenStatement.end, writeKeyword, node); if (node.elseStatement.kind === 242) { writeSpace(); emit(node.elseStatement); } else { emitEmbeddedStatement(node, node.elseStatement); } } } function emitWhileClause(node, startPos) { const openParenPos = emitTokenWithComment(115, startPos, writeKeyword, node); writeSpace(); emitTokenWithComment(20, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(21, node.expression.end, writePunctuation, node); } function emitDoStatement(node) { emitTokenWithComment(90, 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(97, node.pos, writeKeyword, node); writeSpace(); let pos = emitTokenWithComment(20, openParenPos, writePunctuation, node); emitForBinding(node.initializer); pos = emitTokenWithComment(26, node.initializer ? node.initializer.end : pos, writePunctuation, node); emitExpressionWithLeadingSpace(node.condition); pos = emitTokenWithComment(26, node.condition ? node.condition.end : pos, writePunctuation, node); emitExpressionWithLeadingSpace(node.incrementor); emitTokenWithComment(21, node.incrementor ? node.incrementor.end : pos, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitForInStatement(node) { const openParenPos = emitTokenWithComment(97, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(20, openParenPos, writePunctuation, node); emitForBinding(node.initializer); writeSpace(); emitTokenWithComment(101, node.initializer.end, writeKeyword, node); writeSpace(); emitExpression(node.expression); emitTokenWithComment(21, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitForOfStatement(node) { const openParenPos = emitTokenWithComment(97, node.pos, writeKeyword, node); writeSpace(); emitWithTrailingSpace(node.awaitModifier); emitTokenWithComment(20, openParenPos, writePunctuation, node); emitForBinding(node.initializer); writeSpace(); emitTokenWithComment(162, node.initializer.end, writeKeyword, node); writeSpace(); emitExpression(node.expression); emitTokenWithComment(21, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitForBinding(node) { if (node !== void 0) { if (node.kind === 258) { emit(node); } else { emitExpression(node); } } } function emitContinueStatement(node) { emitTokenWithComment(86, node.pos, writeKeyword, node); emitWithLeadingSpace(node.label); writeTrailingSemicolon(); } function emitBreakStatement(node) { emitTokenWithComment(81, 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(); } } pos = writeTokenText(token, writer2, pos); if (isSimilarNode && contextNode.end !== pos) { const isJsxExprContext = contextNode.kind === 291; emitTrailingCommentsOfPosition(pos, !isJsxExprContext, isJsxExprContext); } return pos; } function commentWillEmitNewLine(node) { return node.kind === 2 || !!node.hasTrailingNewLine; } function willEmitLeadingNewLine(node) { if (!currentSourceFile) return false; if (some(getLeadingCommentRanges(currentSourceFile.text, node.pos), 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(105, node.pos, writeKeyword, node); emitExpressionWithLeadingSpace(node.expression && parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsi); writeTrailingSemicolon(); } function emitWithStatement(node) { const openParenPos = emitTokenWithComment(116, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(20, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(21, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitSwitchStatement(node) { const openParenPos = emitTokenWithComment(107, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(20, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(21, node.expression.end, writePunctuation, node); writeSpace(); emit(node.caseBlock); } function emitLabeledStatement(node) { emit(node.label); emitTokenWithComment(58, node.label.end, writePunctuation, node); writeSpace(); emit(node.statement); } function emitThrowStatement(node) { emitTokenWithComment(109, node.pos, writeKeyword, node); emitExpressionWithLeadingSpace(parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsi); writeTrailingSemicolon(); } function emitTryStatement(node) { emitTokenWithComment(111, 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(96, (node.catchClause || node.tryBlock).end, writeKeyword, node); writeSpace(); emit(node.finallyBlock); } } function emitDebuggerStatement(node) { writeToken(87, node.pos, writeKeyword); writeTrailingSemicolon(); } function emitVariableDeclaration(node) { var _a2, _b, _c, _d, _e; emit(node.name); emit(node.exclamationToken); emitTypeAnnotation(node.type); emitInitializer(node.initializer, (_e = (_d = (_a2 = node.type) == null ? void 0 : _a2.end) != null ? _d : (_c = (_b = node.name.emitNode) == null ? void 0 : _b.typeNode) == null ? void 0 : _c.end) != null ? _e : node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitVariableDeclarationList(node) { writeKeyword(isLet(node) ? "let" : isVarConst(node) ? "const" : "var"); writeSpace(); emitList(node, node.declarations, 528); } function emitFunctionDeclaration(node) { emitFunctionDeclarationOrExpression(node); } function emitFunctionDeclarationOrExpression(node) { emitDecoratorsAndModifiers(node, node.modifiers, false); writeKeyword("function"); emit(node.asteriskToken); writeSpace(); emitIdentifierName(node.name); emitSignatureAndBody(node, emitSignatureHead); } function emitSignatureAndBody(node, emitSignatureHead2) { const body = node.body; if (body) { if (isBlock(body)) { const indentedFlag = getEmitFlags(node) & 131072; if (indentedFlag) { increaseIndent(); } pushNameGenerationScope(node); forEach(node.parameters, generateNames); generateNames(node.body); emitSignatureHead2(node); emitBlockFunctionBody(body); popNameGenerationScope(node); if (indentedFlag) { decreaseIndent(); } } else { emitSignatureHead2(node); writeSpace(); emitExpression(body, parenthesizer.parenthesizeConciseBodyOfArrowFunction); } } else { emitSignatureHead2(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) || getClosingLineTerminatorCount(body, lastOrUndefined(body.statements), 2, body.statements)) { return false; } let previousStatement; for (const statement of body.statements) { if (getSeparatingLineTerminatorCount(previousStatement, statement, 2) > 0) { return false; } previousStatement = statement; } return true; } function emitBlockFunctionBody(body) { onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(body); writeSpace(); writePunctuation("{"); increaseIndent(); const emitBlockFunctionBody2 = shouldEmitBlockFunctionBodyOnSingleLine(body) ? emitBlockFunctionBodyOnSingleLine : emitBlockFunctionBodyWorker; emitBodyWithDetachedComments(body, body.statements, emitBlockFunctionBody2); decreaseIndent(); writeToken(19, body.statements.end, writePunctuation, body); onAfterEmitNode == null ? void 0 : onAfterEmitNode(body); } function emitBlockFunctionBodyOnSingleLine(body) { emitBlockFunctionBodyWorker(body, 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); increaseIndent(); } else { emitList(body, body.statements, 1, void 0, statementOffset); } } function emitClassDeclaration(node) { emitClassDeclarationOrExpression(node); } function emitClassDeclarationOrExpression(node) { pushPrivateNameGenerationScope(0, void 0); forEach(node.members, generateMemberNames); emitDecoratorsAndModifiers(node, node.modifiers, true); emitTokenWithComment(84, 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); writeSpace(); writePunctuation("{"); emitList(node, node.members, 129); writePunctuation("}"); if (indentedFlag) { decreaseIndent(); } popPrivateNameGenerationScope(); } function emitInterfaceDeclaration(node) { pushPrivateNameGenerationScope(0, void 0); emitDecoratorsAndModifiers(node, node.modifiers, false); writeKeyword("interface"); writeSpace(); emit(node.name); emitTypeParameters(node, node.typeParameters); emitList(node, node.heritageClauses, 512); writeSpace(); writePunctuation("{"); emitList(node, node.members, 129); writePunctuation("}"); popPrivateNameGenerationScope(); } function emitTypeAliasDeclaration(node) { emitDecoratorsAndModifiers(node, node.modifiers, 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, false); writeKeyword("enum"); writeSpace(); emit(node.name); writeSpace(); writePunctuation("{"); emitList(node, node.members, 145); writePunctuation("}"); } function emitModuleDeclaration(node) { emitDecoratorsAndModifiers(node, node.modifiers, false); if (~node.flags & 1024) { writeKeyword(node.flags & 16 ? "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, isEmptyBlock(node)); popNameGenerationScope(node); } function emitCaseBlock(node) { emitTokenWithComment(18, node.pos, writePunctuation, node); emitList(node, node.clauses, 129); emitTokenWithComment(19, node.clauses.end, writePunctuation, node, true); } function emitImportEqualsDeclaration(node) { emitDecoratorsAndModifiers(node, node.modifiers, false); emitTokenWithComment(100, node.modifiers ? node.modifiers.end : node.pos, writeKeyword, node); writeSpace(); if (node.isTypeOnly) { emitTokenWithComment(154, node.pos, writeKeyword, node); writeSpace(); } emit(node.name); writeSpace(); emitTokenWithComment(63, node.name.end, writePunctuation, node); writeSpace(); emitModuleReference(node.moduleReference); writeTrailingSemicolon(); } function emitModuleReference(node) { if (node.kind === 79) { emitExpression(node); } else { emit(node); } } function emitImportDeclaration(node) { emitDecoratorsAndModifiers(node, node.modifiers, false); emitTokenWithComment(100, node.modifiers ? node.modifiers.end : node.pos, writeKeyword, node); writeSpace(); if (node.importClause) { emit(node.importClause); writeSpace(); emitTokenWithComment(158, node.importClause.end, writeKeyword, node); writeSpace(); } emitExpression(node.moduleSpecifier); if (node.assertClause) { emitWithLeadingSpace(node.assertClause); } writeTrailingSemicolon(); } function emitImportClause(node) { if (node.isTypeOnly) { emitTokenWithComment(154, node.pos, writeKeyword, node); writeSpace(); } emit(node.name); if (node.name && node.namedBindings) { emitTokenWithComment(27, node.name.end, writePunctuation, node); writeSpace(); } emit(node.namedBindings); } function emitNamespaceImport(node) { const asPos = emitTokenWithComment(41, node.pos, writePunctuation, node); writeSpace(); emitTokenWithComment(128, asPos, writeKeyword, node); writeSpace(); emit(node.name); } function emitNamedImports(node) { emitNamedImportsOrExports(node); } function emitImportSpecifier(node) { emitImportOrExportSpecifier(node); } function emitExportAssignment(node) { const nextPos = emitTokenWithComment(93, node.pos, writeKeyword, node); writeSpace(); if (node.isExportEquals) { emitTokenWithComment(63, nextPos, writeOperator, node); } else { emitTokenWithComment(88, nextPos, writeKeyword, node); } writeSpace(); emitExpression(node.expression, node.isExportEquals ? parenthesizer.getParenthesizeRightSideOfBinaryForOperator(63) : parenthesizer.parenthesizeExpressionOfExportDefault); writeTrailingSemicolon(); } function emitExportDeclaration(node) { emitDecoratorsAndModifiers(node, node.modifiers, false); let nextPos = emitTokenWithComment(93, node.pos, writeKeyword, node); writeSpace(); if (node.isTypeOnly) { nextPos = emitTokenWithComment(154, nextPos, writeKeyword, node); writeSpace(); } if (node.exportClause) { emit(node.exportClause); } else { nextPos = emitTokenWithComment(41, nextPos, writePunctuation, node); } if (node.moduleSpecifier) { writeSpace(); const fromPos = node.exportClause ? node.exportClause.end : nextPos; emitTokenWithComment(158, fromPos, writeKeyword, node); writeSpace(); emitExpression(node.moduleSpecifier); } if (node.assertClause) { emitWithLeadingSpace(node.assertClause); } writeTrailingSemicolon(); } function emitAssertClause(node) { emitTokenWithComment(130, node.pos, writeKeyword, node); writeSpace(); const elements = node.elements; emitList(node, elements, 526226); } function emitAssertEntry(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(93, node.pos, writeKeyword, node); writeSpace(); nextPos = emitTokenWithComment(128, nextPos, writeKeyword, node); writeSpace(); nextPos = emitTokenWithComment(143, nextPos, writeKeyword, node); writeSpace(); emit(node.name); writeTrailingSemicolon(); } function emitNamespaceExport(node) { const asPos = emitTokenWithComment(41, node.pos, writePunctuation, node); writeSpace(); emitTokenWithComment(128, 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); writePunctuation("}"); } function emitImportOrExportSpecifier(node) { if (node.isTypeOnly) { writeKeyword("type"); writeSpace(); } if (node.propertyName) { emit(node.propertyName); writeSpace(); emitTokenWithComment(128, 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); 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); 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); } 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 _a2; 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(18, node.pos, writePunctuation, node); emit(node.dotDotDotToken); emitExpression(node.expression); emitTokenWithComment(19, ((_a2 = node.expression) == null ? void 0 : _a2.end) || end, writePunctuation, node); if (isMultiline) { writer.decreaseIndent(); } } } function emitJsxTagName(node) { if (node.kind === 79) { emitExpression(node); } else { emit(node); } } function emitCaseClause(node) { emitTokenWithComment(82, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma); emitCaseOrDefaultClauseRest(node, node.statements, node.expression.end); } function emitDefaultClause(node) { const pos = emitTokenWithComment(88, node.pos, writeKeyword, node); emitCaseOrDefaultClauseRest(node, node.statements, pos); } function emitCaseOrDefaultClauseRest(parentNode, statements, colonPos) { const emitAsSingleStatement = statements.length === 1 && (!currentSourceFile || nodeIsSynthesized(parentNode) || nodeIsSynthesized(statements[0]) || rangeStartPositionsAreOnSameLine(parentNode, statements[0], currentSourceFile)); let format = 163969; if (emitAsSingleStatement) { writeToken(58, colonPos, writePunctuation, parentNode); writeSpace(); format &= ~(1 | 128); } else { emitTokenWithComment(58, colonPos, writePunctuation, parentNode); } emitList(parentNode, statements, format); } function emitHeritageClause(node) { writeSpace(); writeTokenText(node.token, writeKeyword); writeSpace(); emitList(node, node.types, 528); } function emitCatchClause(node) { const openParenPos = emitTokenWithComment(83, node.pos, writeKeyword, node); writeSpace(); if (node.variableDeclaration) { emitTokenWithComment(20, openParenPos, writePunctuation, node); emit(node.variableDeclaration); emitTokenWithComment(21, 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(25, 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(/ ?| /g); for (const line of lines) { writeLine(); writeSpace(); writePunctuation("*"); writeSpace(); write(line); } } } if (node.tags) { if (node.tags.length === 1 && node.tags[0].kind === 347 && !node.comment) { writeSpace(); emit(node.tags[0]); } else { emitList(node, node.tags, 33); } } 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 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); emitJSDocComment(tag.comment); } function emitJSDocTypedefTag(tag) { emitJSDocTagName(tag.tagName); if (tag.typeExpression) { if (tag.typeExpression.kind === 312) { 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 === 325) { 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); } function emitJSDocSignature(sig) { if (sig.typeParameters) { emitList(sig, factory.createNodeArray(sig.typeParameters), 33); } if (sig.parameters) { emitList(sig, factory.createNodeArray(sig.parameters), 33); } 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 || []); for (const prepend of node.prepends) { if (isUnparsedSource(prepend) && prepend.syntheticReferences) { for (const ref of prepend.syntheticReferences) { emit(ref); writeLine(); } } } } function emitTripleSlashDirectivesIfNeeded(node) { if (node.isDeclarationFile) emitTripleSlashDirectives(node.hasNoDefaultLib, node.referencedFiles, node.typeReferenceDirectives, node.libReferenceDirectives); } function emitTripleSlashDirectives(hasNoDefaultLib, files, types, libs2) { if (hasNoDefaultLib) { const pos = writer.getTextPos(); writeComment(`/// `); if (bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "no-default-lib" }); writeLine(); } if (currentSourceFile && currentSourceFile.moduleName) { writeComment(`/// `); writeLine(); } if (currentSourceFile && currentSourceFile.amdDependencies) { for (const dep of currentSourceFile.amdDependencies) { if (dep.name) { writeComment(`/// `); } else { writeComment(`/// `); } writeLine(); } } for (const directive of files) { const pos = writer.getTextPos(); writeComment(`/// `); if (bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "reference", data: directive.fileName }); writeLine(); } for (const directive of types) { const pos = writer.getTextPos(); const resolutionMode = directive.resolutionMode && directive.resolutionMode !== (currentSourceFile == null ? void 0 : currentSourceFile.impliedNodeFormat) ? `resolution-mode="${directive.resolutionMode === 99 ? "import" : "require"}"` : ""; writeComment(`/// `); if (bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: !directive.resolutionMode ? "type" : directive.resolutionMode === 99 ? "type-import" : "type-require", data: directive.fileName }); writeLine(); } for (const directive of libs2) { const pos = writer.getTextPos(); writeComment(`/// `); if (bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "lib", data: directive.fileName }); writeLine(); } } 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, 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, void 0); } function emitPrologueDirectives(statements, sourceFile, seenPrologueDirectives, recordBundleFileSection) { 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(); const pos = writer.getTextPos(); emit(statement); if (recordBundleFileSection && bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "prologue", data: statement.expression.text }); if (seenPrologueDirectives) { seenPrologueDirectives.add(statement.expression.text); } } } else { return i; } } return statements.length; } function emitUnparsedPrologues(prologues, seenPrologueDirectives) { for (const prologue of prologues) { if (!seenPrologueDirectives.has(prologue.data)) { writeLine(); const pos = writer.getTextPos(); emit(prologue); if (bundleFileInfo) bundleFileInfo.sections.push({ pos, end: writer.getTextPos(), kind: "prologue", data: prologue.data }); if (seenPrologueDirectives) { seenPrologueDirectives.add(prologue.data); } } } } function emitPrologueDirectivesIfNeeded(sourceFileOrBundle) { if (isSourceFile(sourceFileOrBundle)) { emitPrologueDirectives(sourceFileOrBundle.statements, sourceFileOrBundle); } else { const seenPrologueDirectives = /* @__PURE__ */ new Set(); for (const prepend of sourceFileOrBundle.prepends) { emitUnparsedPrologues(prepend.prologues, seenPrologueDirectives); } for (const sourceFile of sourceFileOrBundle.sourceFiles) { emitPrologueDirectives(sourceFile.statements, sourceFile, seenPrologueDirectives, true); } setSourceFile(void 0); } } function getPrologueDirectivesFromBundledSourceFiles(bundle) { const seenPrologueDirectives = /* @__PURE__ */ new Set(); let prologues; for (let index = 0; index < bundle.sourceFiles.length; index++) { const sourceFile = bundle.sourceFiles[index]; let directives; let end = 0; for (const statement of sourceFile.statements) { if (!isPrologueDirective(statement)) break; if (seenPrologueDirectives.has(statement.expression.text)) continue; seenPrologueDirectives.add(statement.expression.text); (directives || (directives = [])).push({ pos: statement.pos, end: statement.end, expression: { pos: statement.expression.pos, end: statement.expression.end, text: statement.expression.text } }); end = end < statement.end ? statement.end : end; } if (directives) (prologues || (prologues = [])).push({ file: index, text: sourceFile.text.substring(0, end), directives }); } return prologues; } function emitShebangIfNeeded(sourceFileOrBundle) { if (isSourceFile(sourceFileOrBundle) || isUnparsedSource(sourceFileOrBundle)) { const shebang = getShebang(sourceFileOrBundle.text); if (shebang) { writeComment(shebang); writeLine(); return true; } } else { for (const prepend of sourceFileOrBundle.prepends) { Debug.assertNode(prepend, isUnparsedSource); if (emitShebangIfNeeded(prepend)) { return true; } } 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, void 0, start, pos - start, 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); 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(63, 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) { writeSpace(); emit(node); } else { writeLine(); increaseIndent(); if (isEmptyStatement(node)) { pipelineEmit(5, node); } else { emit(node); } decreaseIndent(); } } function emitDecoratorList(parentNode, decorators) { emitList(parentNode, decorators, 2146305); 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); } function emitParameters(parentNode, parameters) { emitList(parentNode, parameters, 2576); } 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); } else { emitParameters(parentNode, parameters); } } function emitParametersForIndexSignature(parentNode, parameters) { emitList(parentNode, parameters, 8848); } function writeDelimiter(format) { switch (format & 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, format, parenthesizerRule, start, count) { emitNodeList(emit, parentNode, children, format | (parentNode && getEmitFlags(parentNode) & 2 ? 65536 : 0), parenthesizerRule, start, count); } function emitExpressionList(parentNode, children, format, parenthesizerRule, start, count) { emitNodeList(emitExpression, parentNode, children, format, parenthesizerRule, start, count); } function emitNodeList(emit2, parentNode, children, format, parenthesizerRule, start = 0, count = children ? children.length - start : 0) { const isUndefined = children === void 0; if (isUndefined && format & 16384) { return; } const isEmpty = children === void 0 || start >= children.length || count === 0; if (isEmpty && format & 32768) { onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(children); onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(children); return; } if (format & 15360) { writePunctuation(getOpeningBracket(format)); if (isEmpty && children) { emitTrailingCommentsOfPosition(children.pos, true); } } onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(children); if (isEmpty) { if (format & 1 && !(preserveSourceNewlines && (!parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile)))) { writeLine(); } else if (format & 256 && !(format & 524288)) { writeSpace(); } } else { emitNodeListItems(emit2, parentNode, children, format, parenthesizerRule, start, count, children.hasTrailingComma, children); } onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(children); if (format & 15360) { if (isEmpty && children) { emitLeadingCommentsOfPosition(children.end); } writePunctuation(getClosingBracket(format)); } } function emitNodeListItems(emit2, parentNode, children, format, parenthesizerRule, start, count, hasTrailingComma, childrenTextRange) { const mayEmitInterveningComments = (format & 262144) === 0; let shouldEmitInterveningComments = mayEmitInterveningComments; const leadingLineTerminatorCount = getLeadingLineTerminatorCount(parentNode, children[start], format); if (leadingLineTerminatorCount) { writeLine(leadingLineTerminatorCount); shouldEmitInterveningComments = false; } else if (format & 256) { writeSpace(); } if (format & 128) { increaseIndent(); } const emitListItem = getEmitListItem(emit2, parenthesizerRule); let previousSibling; let previousSourceFileTextKind; let shouldDecreaseIndentAfterEmit = false; for (let i = 0; i < count; i++) { const child = children[start + i]; if (format & 32) { writeLine(); writeDelimiter(format); } else if (previousSibling) { if (format & 60 && previousSibling.end !== (parentNode ? parentNode.end : -1)) { const previousSiblingEmitFlags = getEmitFlags(previousSibling); if (!(previousSiblingEmitFlags & 2048)) { emitLeadingCommentsOfPosition(previousSibling.end); } } writeDelimiter(format); recordBundleFileInternalSectionEnd(previousSourceFileTextKind); const separatingLineTerminatorCount = getSeparatingLineTerminatorCount(previousSibling, child, format); if (separatingLineTerminatorCount > 0) { if ((format & (3 | 128)) === 0) { increaseIndent(); shouldDecreaseIndentAfterEmit = true; } writeLine(separatingLineTerminatorCount); shouldEmitInterveningComments = false; } else if (previousSibling && format & 512) { writeSpace(); } } previousSourceFileTextKind = recordBundleFileInternalSectionStart(child); 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 && format & 64 && format & 16; if (emitTrailingComma) { if (previousSibling && !skipTrailingComments) { emitTokenWithComment(27, previousSibling.end, writePunctuation, previousSibling); } else { writePunctuation(","); } } if (previousSibling && (parentNode ? parentNode.end : -1) !== previousSibling.end && format & 60 && !skipTrailingComments) { emitLeadingCommentsOfPosition(emitTrailingComma && (childrenTextRange == null ? void 0 : childrenTextRange.end) ? childrenTextRange.end : previousSibling.end); } if (format & 128) { decreaseIndent(); } recordBundleFileInternalSectionEnd(previousSourceFileTextKind); const closingLineTerminatorCount = getClosingLineTerminatorCount(parentNode, children[start + count - 1], format, childrenTextRange); if (closingLineTerminatorCount) { writeLine(closingLineTerminatorCount); } else if (format & (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(/ ?| /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, format) { if (format & 2 || preserveSourceNewlines) { if (format & 65536) { return 1; } if (firstChild === void 0) { return !parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile) ? 0 : 1; } if (firstChild.pos === nextListElementPos) { return 0; } if (firstChild.kind === 11) { 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, format)) { return 1; } } return format & 1 ? 1 : 0; } function getSeparatingLineTerminatorCount(previousNode, nextNode, format) { if (format & 2 || preserveSourceNewlines) { if (previousNode === void 0 || nextNode === void 0) { return 0; } if (nextNode.kind === 11) { 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 format & 65536 ? 1 : 0; } else if (synthesizedNodeStartsOnNewLine(previousNode, format) || synthesizedNodeStartsOnNewLine(nextNode, format)) { return 1; } } else if (getStartsOnNewLine(nextNode)) { return 1; } return format & 1 ? 1 : 0; } function getClosingLineTerminatorCount(parentNode, lastChild, format, childrenTextRange) { if (format & 2 || preserveSourceNewlines) { if (format & 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, format)) { return 1; } } if (format & 1 && !(format & 131072)) { return 1; } return 0; } function getEffectiveLines(getLineDifference) { Debug.assert(!!preserveSourceNewlines); const lines = getLineDifference(true); if (lines === 0) { return getLineDifference(false); } return lines; } function writeLineSeparatorsAndIndentBefore(node, parent2) { const leadingNewlines = preserveSourceNewlines && getLeadingLineTerminatorCount(parent2, node, 0); if (leadingNewlines) { writeLinesAndIndent(leadingNewlines, false); } return !!leadingNewlines; } function writeLineSeparatorsAfter(node, parent2) { const trailingNewlines = preserveSourceNewlines && getClosingLineTerminatorCount(parent2, node, 0, void 0); if (trailingNewlines) { writeLine(trailingNewlines); } } function synthesizedNodeStartsOnNewLine(node, format) { if (nodeIsSynthesized(node)) { const startsOnNewLine = getStartsOnNewLine(node); if (startsOnNewLine === void 0) { return (format & 65536) !== 0; } return startsOnNewLine; } return (format & 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 === 214 && nodeIsSynthesized(node)) { node = node.expression; } return node; } function getTextOfNode2(node, includeTrivia) { if (isGeneratedIdentifier(node) || isGeneratedPrivateIdentifier(node)) { return generateName(node); } if (isStringLiteral(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 { Debug.assertNode(node, isLiteralExpression); if (!canUseSourceFile) { return node.text; } } return getSourceTextOfNodeFromSourceFile(sourceFile, node, includeTrivia); } function getLiteralTextOfNode(node, neverAsciiEscape, jsxAttributeEscape) { if (node.kind === 10 && node.textSourceNode) { const textSourceNode = node.textSourceNode; if (isIdentifier(textSourceNode) || isPrivateIdentifier(textSourceNode) || isNumericLiteral(textSourceNode)) { const text = isNumericLiteral(textSourceNode) ? textSourceNode.text : getTextOfNode2(textSourceNode); return jsxAttributeEscape ? `"${escapeJsxAttributeString(text)}"` : neverAsciiEscape || getEmitFlags(node) & 33554432 ? `"${escapeString(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 === 99 ? 8 : 0); return getLiteralText(node, currentSourceFile, flags); } function pushNameGenerationScope(node) { if (node && getEmitFlags(node) & 1048576) { return; } tempFlagsStack.push(tempFlags); tempFlags = 0; formattedNameTempFlagsStack.push(formattedNameTempFlags); formattedNameTempFlags = void 0; reservedNamesStack.push(reservedNames); } function popNameGenerationScope(node) { 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 pushPrivateNameGenerationScope(newPrivateNameTempFlags, newReservedMemberNames) { privateNameTempFlagsStack.push(privateNameTempFlags); privateNameTempFlags = newPrivateNameTempFlags; reservedPrivateNamesStack.push(reservedNames); reservedPrivateNames = newReservedMemberNames; } function popPrivateNameGenerationScope() { privateNameTempFlags = privateNameTempFlagsStack.pop(); reservedPrivateNames = reservedPrivateNamesStack.pop(); } 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 238: forEach(node.statements, generateNames); break; case 253: case 251: case 243: case 244: generateNames(node.statement); break; case 242: generateNames(node.thenStatement); generateNames(node.elseStatement); break; case 245: case 247: case 246: generateNames(node.initializer); generateNames(node.statement); break; case 252: generateNames(node.caseBlock); break; case 266: forEach(node.clauses, generateNames); break; case 292: case 293: forEach(node.statements, generateNames); break; case 255: generateNames(node.tryBlock); generateNames(node.catchClause); generateNames(node.finallyBlock); break; case 295: generateNames(node.variableDeclaration); generateNames(node.block); break; case 240: generateNames(node.declarationList); break; case 258: forEach(node.declarations, generateNames); break; case 257: case 166: case 205: case 260: generateNameIfNeeded(node.name); break; case 259: generateNameIfNeeded(node.name); if (getEmitFlags(node) & 1048576) { forEach(node.parameters, generateNames); generateNames(node.body); } break; case 203: case 204: forEach(node.elements, generateNames); break; case 269: generateNames(node.importClause); break; case 270: generateNameIfNeeded(node.name); generateNames(node.namedBindings); break; case 271: generateNameIfNeeded(node.name); break; case 277: generateNameIfNeeded(node.name); break; case 272: forEach(node.elements, generateNames); break; case 273: generateNameIfNeeded(node.propertyName || node.name); break; } } function generateMemberNames(node) { if (!node) return; switch (node.kind) { case 299: case 300: case 169: case 171: case 174: case 175: 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 != null ? flags : 0, formatGeneratedNamePart(prefix, generateName), formatGeneratedNamePart(suffix))); } function isUniqueName(name, privateName) { return isFileLevelUniqueName2(name, privateName) && !isReservedName(name, privateName) && !generatedNames.has(name); } function isReservedName(name, privateName) { return privateName ? !!(reservedPrivateNames == null ? void 0 : reservedPrivateNames.has(name)) : !!(reservedNames == null ? void 0 : reservedNames.has(name)); } function isFileLevelUniqueName2(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) { var _a2; switch (formattedNameKey) { case "": return tempFlags; case "#": return privateNameTempFlags; default: return (_a2 = formattedNameTempFlags == null ? void 0 : formattedNameTempFlags.get(formattedNameKey)) != null ? _a2 : 0; } } function setTempFlags(formattedNameKey, flags) { switch (formattedNameKey) { case "": tempFlags = flags; break; case "#": privateNameTempFlags = flags; break; default: formattedNameTempFlags != null ? 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, isFileLevelUniqueName2, true, false, false, "", ""); } function generateNameForModuleOrEnum(node) { const name = getTextOfNode2(node.name); return isUniqueLocalName(name, tryCast(node, canHaveLocals)) ? name : makeUniqueName2(name, isUniqueName, false, false, false, "", ""); } function generateNameForImportOrExportDeclaration(node) { const expr = getExternalModuleName(node); const baseName = isStringLiteral(expr) ? makeIdentifierFromModuleName(expr.text) : "module"; return makeUniqueName2(baseName, isUniqueName, false, false, false, "", ""); } function generateNameForExportDefault() { return makeUniqueName2("default", isUniqueName, false, false, false, "", ""); } function generateNameForClassExpression() { return makeUniqueName2("class", isUniqueName, false, false, false, "", ""); } function generateNameForMethodOrAccessor(node, privateName, prefix, suffix) { if (isIdentifier(node.name)) { return generateNameCached(node.name, privateName); } return makeTempVariableName(0, false, privateName, prefix, suffix); } function generateNameForNode(node, privateName, flags, prefix, suffix) { switch (node.kind) { case 79: case 80: return makeUniqueName2(getTextOfNode2(node), isUniqueName, !!(flags & 16), !!(flags & 8), privateName, prefix, suffix); case 264: case 263: Debug.assert(!prefix && !suffix && !privateName); return generateNameForModuleOrEnum(node); case 269: case 275: Debug.assert(!prefix && !suffix && !privateName); return generateNameForImportOrExportDeclaration(node); case 259: case 260: { Debug.assert(!prefix && !suffix && !privateName); const name = node.name; if (name && !isGeneratedIdentifier(name)) { return generateNameForNode(name, false, flags, prefix, suffix); } return generateNameForExportDefault(); } case 274: Debug.assert(!prefix && !suffix && !privateName); return generateNameForExportDefault(); case 228: Debug.assert(!prefix && !suffix && !privateName); return generateNameForClassExpression(); case 171: case 174: case 175: return generateNameForMethodOrAccessor(node, privateName, prefix, suffix); case 164: return makeTempVariableName(0, true, privateName, prefix, suffix); default: return makeTempVariableName(0, 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), false, prefix, suffix); case 3: return makeUniqueName2(idText(name), autoGenerate.flags & 32 ? isFileLevelUniqueName2 : isUniqueName, !!(autoGenerate.flags & 16), !!(autoGenerate.flags & 8), isPrivateIdentifier(name), prefix, suffix); } return Debug.fail(`Unsupported GeneratedIdentifierKind: ${Debug.formatEnum(autoGenerate.flags & 7, GeneratedIdentifierFlags, 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 === 11; const skipTrailingComments = end < 0 || (emitFlags & 2048) !== 0 || node.kind === 11; if ((pos > 0 || end > 0) && pos !== end) { if (!skipLeadingComments) { emitLeadingComments(pos, node.kind !== 355); } if (!skipLeadingComments || pos >= 0 && (emitFlags & 1024) !== 0) { containerPos = pos; } if (!skipTrailingComments || end >= 0 && (emitFlags & 2048) !== 0) { containerEnd = end; if (node.kind === 258) { 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 === 11; forEach(getSyntheticTrailingComments(node), emitTrailingSynthesizedComment); if ((pos > 0 || end > 0) && pos !== end) { containerPos = savedContainerPos; containerEnd = savedContainerEnd; declarationListContainerEnd = savedDeclarationListContainerEnd; if (!skipTrailingComments && node.kind !== 355) { 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, 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, 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, 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, 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 getParsedSourceMap(node) { if (node.parsedSourceMap === void 0 && node.sourceMapText !== void 0) { node.parsedSourceMap = tryParseRawSourceMap(node.sourceMapText) || false; } return node.parsedSourceMap || void 0; } 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); if (isUnparsedNode(node)) { Debug.assertIsDefined(node.parent, "UnparsedNodes must have parent pointers"); const parsed = getParsedSourceMap(node.parent); if (parsed && sourceMapGenerator) { sourceMapGenerator.appendSourceMap(writer.getLine(), writer.getColumn(), parsed, node.parent.sourceMapPath, node.parent.getLineAndCharacterOfPosition(node.pos), node.parent.getLineAndCharacterOfPosition(node.end)); } } else { const source = sourceMapRange.source || sourceMapSource; if (node.kind !== 355 && (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 (!isUnparsedNode(node)) { if (emitFlags & 128) { sourceMapsDisabled = false; } if (node.kind !== 355 && (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, 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"); } } function createBracketsMap() { const brackets2 = []; brackets2[1024] = ["{", "}"]; brackets2[2048] = ["(", ")"]; brackets2[4096] = ["<", ">"]; brackets2[8192] = ["[", "]"]; return brackets2; } function getOpeningBracket(format) { return brackets[format & 15360][0]; } function getClosingBracket(format) { return brackets[format & 15360][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; } var brackets, notImplementedResolver, createPrinterWithDefaults, createPrinterWithRemoveComments, createPrinterWithRemoveCommentsNeverAsciiEscape, createPrinterWithRemoveCommentsOmitTrailingSemicolon; var init_emitter = __esm({ "src/compiler/emitter.ts"() { "use strict"; init_ts2(); init_ts2(); init_ts_performance(); brackets = createBracketsMap(); notImplementedResolver = { hasGlobalName: notImplemented, getReferencedExportContainer: notImplemented, getReferencedImportDeclaration: notImplemented, getReferencedDeclarationWithCollidingName: notImplemented, isDeclarationWithCollidingName: notImplemented, isValueAliasDeclaration: notImplemented, isReferencedAliasDeclaration: notImplemented, isTopLevelValueImportEqualsWithEntityName: notImplemented, getNodeCheckFlags: notImplemented, isDeclarationVisible: notImplemented, isLateBound: (_node) => false, collectLinkedAliases: notImplemented, isImplementationOfOverload: notImplemented, isRequiredInitializedParameter: notImplemented, isOptionalUninitializedParameterProperty: notImplemented, isExpandoFunctionDeclaration: notImplemented, getPropertiesOfContainerFunction: notImplemented, createTypeOfDeclaration: notImplemented, createReturnTypeOfSignatureDeclaration: notImplemented, createTypeOfExpression: notImplemented, createLiteralConstValue: notImplemented, isSymbolAccessible: notImplemented, isEntityNameVisible: notImplemented, getConstantValue: notImplemented, getReferencedValueDeclaration: notImplemented, getTypeReferenceSerializationKind: notImplemented, isOptionalParameter: notImplemented, moduleExportsSomeValue: notImplemented, isArgumentsLocalBinding: notImplemented, getExternalModuleFileFromDeclaration: notImplemented, getTypeReferenceDirectivesForEntityName: notImplemented, getTypeReferenceDirectivesForSymbol: notImplemented, isLiteralConstDeclaration: notImplemented, getJsxFactoryEntity: notImplemented, getJsxFragmentFactoryEntity: notImplemented, getAllAccessorDeclarations: notImplemented, getSymbolOfExternalModuleSpecifier: notImplemented, isBindingCapturedByNode: notImplemented, getDeclarationStatementsForSourceFile: notImplemented, isImportRequiredByAugmentation: notImplemented }; createPrinterWithDefaults = /* @__PURE__ */ memoize(() => createPrinter({})); createPrinterWithRemoveComments = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true })); createPrinterWithRemoveCommentsNeverAsciiEscape = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true, neverAsciiEscape: true })); createPrinterWithRemoveCommentsOmitTrailingSemicolon = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true, omitTrailingSemicolon: true })); } }); function createCachedDirectoryStructureHost(host, currentDirectory, useCaseSensitiveFileNames) { if (!host.getDirectories || !host.readDirectory) { return void 0; } const cachedReadDirectoryResult = /* @__PURE__ */ new Map(); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames); return { useCaseSensitiveFileNames, fileExists, readFile: (path, encoding) => host.readFile(path, encoding), directoryExists: host.directoryExists && directoryExists, getDirectories, readDirectory, createDirectory: host.createDirectory && createDirectory, writeFile: host.writeFile && writeFile2, addOrDeleteFileOrDirectory, addOrDeleteFile, clearCache, realpath: host.realpath && realpath }; function toPath3(fileName) { return toPath(fileName, currentDirectory, getCanonicalFileName); } function getCachedFileSystemEntries(rootDirPath) { return cachedReadDirectoryResult.get(ensureTrailingDirectorySeparator(rootDirPath)); } function getCachedFileSystemEntriesForBaseDir(path) { const entries = getCachedFileSystemEntries(getDirectoryPath(path)); 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 _a2; if (!host.realpath || ensureTrailingDirectorySeparator(toPath3(host.realpath(rootDir))) === rootDirPath) { const resultFromHost = { files: map(host.readDirectory(rootDir, void 0, void 0, ["*.*"]), getBaseNameOfFileName) || [], directories: host.getDirectories(rootDir) || [] }; cachedReadDirectoryResult.set(ensureTrailingDirectorySeparator(rootDirPath), resultFromHost); return resultFromHost; } if ((_a2 = host.directoryExists) == null ? void 0 : _a2.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, identity, compareStringsCaseSensitive); return index >= 0; } function writeFile2(fileName, data, writeByteOrderMark) { const path = toPath3(fileName); const result = getCachedFileSystemEntriesForBaseDir(path); if (result) { updateFilesOfFileSystemEntry(result, getBaseNameOfFileName(fileName), true); } return host.writeFile(fileName, data, writeByteOrderMark); } function fileExists(fileName) { const path = toPath3(fileName); const result = getCachedFileSystemEntriesForBaseDir(path); return result && hasEntry(result.sortedAndCanonicalizedFiles, getCanonicalFileName(getBaseNameOfFileName(fileName))) || host.fileExists(fileName); } function directoryExists(dirPath) { const path = toPath3(dirPath); return cachedReadDirectoryResult.has(ensureTrailingDirectorySeparator(path)) || host.directoryExists(dirPath); } function createDirectory(dirPath) { const path = toPath3(dirPath); const result = getCachedFileSystemEntriesForBaseDir(path); 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 = toPath3(rootDir); const result = tryReadDirectory2(rootDir, rootDirPath); if (result) { return result.directories.slice(); } return host.getDirectories(rootDir); } function readDirectory(rootDir, extensions, excludes, includes, depth) { const rootDirPath = toPath3(rootDir); const rootResult = tryReadDirectory2(rootDir, rootDirPath); let rootSymLinkResult; if (rootResult !== void 0) { return matchFiles(rootDir, extensions, excludes, includes, useCaseSensitiveFileNames, currentDirectory, depth, getFileSystemEntries, realpath); } return host.readDirectory(rootDir, extensions, excludes, includes, depth); function getFileSystemEntries(dir) { const path = toPath3(dir); if (path === rootDirPath) { return rootResult || getFileSystemEntriesFromHost(dir, path); } const result = tryReadDirectory2(dir, path); return result !== void 0 ? result || getFileSystemEntriesFromHost(dir, path) : emptyFileSystemEntries; } function getFileSystemEntriesFromHost(dir, path) { if (rootSymLinkResult && path === rootDirPath) return rootSymLinkResult; const result = { files: map(host.readDirectory(dir, void 0, void 0, ["*.*"]), getBaseNameOfFileName) || emptyArray, directories: host.getDirectories(dir) || emptyArray }; if (path === 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(fileOrDirectoryPath), directoryExists: host.directoryExists(fileOrDirectoryPath) }; 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); } } 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, identity, 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(); } } function updateSharedExtendedConfigFileWatcher(projectPath, options, extendedConfigFilesMap, createExtendedConfigFileWatch, toPath3) { var _a2; const extendedConfigs = arrayToMap(((_a2 = options == null ? void 0 : options.configFile) == null ? void 0 : _a2.extendedSourceFiles) || emptyArray, toPath3); 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, toPath3) { if (!extendedConfigCache.delete(extendedConfigFilePath)) return; extendedConfigCache.forEach(({ extendedResult }, key) => { var _a2; if ((_a2 = extendedResult.extendedSourceFiles) == null ? void 0 : _a2.some((extendedFile) => toPath3(extendedFile) === extendedConfigFilePath)) { cleanExtendedConfigCache(extendedConfigCache, key, toPath3); } }); } function updatePackageJsonWatch(lookups, packageJsonWatches, createPackageJsonWatch) { const newMap = new Map(lookups); mutateMap(packageJsonWatches, newMap, { createNewValue: createPackageJsonWatch, onDeleteValue: closeFileWatcher }); } function updateMissingFilePathsWatch(program, missingFileWatches, createMissingFileWatch) { const missingFilePaths = program.getMissingFilePaths(); const newMissingFilePathMap = arrayToMap(missingFilePaths, identity, returnTrue); mutateMap(missingFileWatches, newMissingFilePathMap, { createNewValue: createMissingFileWatch, onDeleteValue: closeFileWatcher }); } function updateWatchingWildcardDirectories(existingWatchedForWildcards, wildcardDirectories, watchDirectory) { mutateMap(existingWatchedForWildcards, wildcardDirectories, { createNewValue: createWildcardDirectoryWatcher, onDeleteValue: closeFileWatcherOf, onExistingValue: updateWildcardDirectoryWatcher }); 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, writeLog, toPath: toPath3 }) { 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)) { writeLog(`Project: ${configFileName} Detected file add/remove of non supported extension: ${fileOrDirectory}`); return true; } if (isExcludedFile(fileOrDirectory, options.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), useCaseSensitiveFileNames, currentDirectory)) { writeLog(`Project: ${configFileName} Detected excluded file: ${fileOrDirectory}`); return true; } if (!program) return false; if (outFile(options) || 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 = isArray(program) ? void 0 : isBuilderProgram(program) ? program.getProgramOrUndefined() : program; const builderProgram = !realProgram && !isArray(program) ? program : void 0; if (hasSourceFile(filePathWithoutExtension + ".ts") || hasSourceFile(filePathWithoutExtension + ".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) => toPath3(rootFile) === file); } } function isBuilderProgram(program) { return !!program.getState; } function isEmittedFileOfProgram(program, file) { if (!program) { return false; } return program.isEmittedFile(file); } function getWatchFactory(host, watchLogLevel, log, getDetailWatchInfo) { setSysLog(watchLogLevel === 2 ? log : noop); 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 _a2; return !matchesExclude(file, key === "watchFile" ? options == null ? void 0 : options.excludeFiles : options == null ? void 0 : options.excludeDirectories, useCaseSensitiveFileNames(), ((_a2 = host.getCurrentDirectory) == null ? void 0 : _a2.call(host)) || "") ? factory2[key].call(void 0, file, cb, flags, options, detailInfo1, detailInfo2) : excludeWatcherFactory(file, flags, options, detailInfo1, detailInfo2); }; } function useCaseSensitiveFileNames() { 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, getDetailWatchInfo)}`); return { close: () => log(`ExcludeWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo)}`) }; } function createFileWatcherWithLogging(file, cb, flags, options, detailInfo1, detailInfo2) { log(`FileWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo)}`); const watcher = triggerInvokingFactory.watchFile(file, cb, flags, options, detailInfo1, detailInfo2); return { close: () => { log(`FileWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo)}`); watcher.close(); } }; } function createDirectoryWatcherWithLogging(file, cb, flags, options, detailInfo1, detailInfo2) { const watchInfo = `DirectoryWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo)}`; 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, getDetailWatchInfo)}`; 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(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, getDetailWatchInfo)}`; log(triggerredInfo); const start = timestamp(); cb.call(void 0, ...args); const elapsed = timestamp() - start; log(`Elapsed:: ${elapsed}ms ${triggerredInfo}`); }, flags, options, detailInfo1, detailInfo2); } function getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2) { return `WatchInfo: ${file} ${flags} ${JSON.stringify(options)} ${getDetailWatchInfo2 ? getDetailWatchInfo2(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 }; } function closeFileWatcherOf(objWithWatcher) { objWithWatcher.watcher.close(); } var ConfigFileProgramReloadLevel, WatchLogLevel; var init_watchUtilities = __esm({ "src/compiler/watchUtilities.ts"() { "use strict"; init_ts2(); init_ts2(); ConfigFileProgramReloadLevel = /* @__PURE__ */ ((ConfigFileProgramReloadLevel2) => { ConfigFileProgramReloadLevel2[ConfigFileProgramReloadLevel2["None"] = 0] = "None"; ConfigFileProgramReloadLevel2[ConfigFileProgramReloadLevel2["Partial"] = 1] = "Partial"; ConfigFileProgramReloadLevel2[ConfigFileProgramReloadLevel2["Full"] = 2] = "Full"; return ConfigFileProgramReloadLevel2; })(ConfigFileProgramReloadLevel || {}); WatchLogLevel = /* @__PURE__ */ ((WatchLogLevel2) => { WatchLogLevel2[WatchLogLevel2["None"] = 0] = "None"; WatchLogLevel2[WatchLogLevel2["TriggerOnly"] = 1] = "TriggerOnly"; WatchLogLevel2[WatchLogLevel2["Verbose"] = 2] = "Verbose"; return WatchLogLevel2; })(WatchLogLevel || {}); } }); 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(readFile, getCompilerOptions, setParentNodes) { return (fileName, languageVersionOrOptions, onError) => { let text; try { mark("beforeIORead"); text = readFile(fileName, getCompilerOptions().charset); 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 && ((path) => system.realpath(path)); const compilerHost = { getSourceFile: createGetSourceFile((fileName) => compilerHost.readFile(fileName), () => options, setParentNodes), getDefaultLibLocation, getDefaultLibFileName: (options2) => combinePaths(getDefaultLibLocation(), getDefaultLibFileName(options2)), writeFile: createWriteFileMeasuringIO((path, data, writeByteOrderMark) => system.writeFile(path, data, writeByteOrderMark), (path) => (compilerHost.createDirectory || system.createDirectory)(path), (path) => directoryExists(path)), 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: (path) => system.getDirectories(path), realpath, readDirectory: (path, extensions, include, exclude, depth) => system.readDirectory(path, extensions, include, exclude, depth), createDirectory: (d) => system.createDirectory(d), createHash: maybeBind(system, system.createHash) }; return compilerHost; } function changeCompilerHostLikeToUseCache(host, toPath3, 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 = toPath3(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 = toPath3(fileName); const value = readFileCache.get(key); if (value !== void 0) return value !== false ? value : void 0; if (!fileExtensionIs(fileName, ".json") && !isBuildInfoFile(fileName)) { return originalReadFile.call(host, fileName); } return setReadFileCache(key, fileName); }; const getSourceFileWithCache = getSourceFile ? (fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile) => { const key = toPath3(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"))) { sourceFileCache.set(impliedNodeFormat, (forImpliedNodeFormat || /* @__PURE__ */ new Map()).set(key, sourceFile)); } return sourceFile; } : void 0; host.fileExists = (fileName) => { const key = toPath3(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 = toPath3(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 = toPath3(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 = toPath3(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}: ${flattenDiagnosticMessageText2(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; } 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, indent2, 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 += indent2 + formatColorAndReset(padLeft(ellipsis, 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 = trimStringEnd(lineContent); lineContent = lineContent.replace(/ /g, " "); context += indent2 + formatColorAndReset(padLeft(i + 1 + "", gutterWidth), gutterStyleSequence) + gutterSeparator; context += lineContent + host.getNewLine(); context += indent2 + formatColorAndReset(padLeft("", 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"); output += ":"; output += color(`${firstLine + 1}`, "x1B[93m"); output += ":"; output += color(`${firstLineChar + 1}`, "x1B[93m"); 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"); output += flattenDiagnosticMessageText2(diagnostic.messageText, host.getNewLine()); if (diagnostic.file) { 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 + flattenDiagnosticMessageText2(messageText, host.getNewLine()); } } output += host.getNewLine(); } return output; } function flattenDiagnosticMessageText2(diag2, newLine, indent2 = 0) { if (isString(diag2)) { return diag2; } else if (diag2 === void 0) { return ""; } let result = ""; if (indent2) { result += newLine; for (let i = 0; i < indent2; i++) { result += " "; } } result += diag2.messageText; indent2++; if (diag2.next) { for (const kid of diag2.next) { result += flattenDiagnosticMessageText2(kid, newLine, indent2); } } return result; } function getModeForFileReference(ref, containingFileMode) { return (isString(ref) ? containingFileMode : ref.resolutionMode) || containingFileMode; } function getModeForResolutionAtIndex(file, index) { if (file.impliedNodeFormat === void 0) return void 0; return getModeForUsageLocation(file, getModuleNameStringLiteralAt(file, index)); } function isExclusivelyTypeOnlyImportOrExport(decl) { var _a2; if (isExportDeclaration(decl)) { return decl.isTypeOnly; } if ((_a2 = decl.importClause) == null ? void 0 : _a2.isTypeOnly) { return true; } return false; } function getModeForUsageLocation(file, usage) { var _a2, _b; if (file.impliedNodeFormat === void 0) return void 0; if (isImportDeclaration(usage.parent) || isExportDeclaration(usage.parent)) { const isTypeOnly = isExclusivelyTypeOnlyImportOrExport(usage.parent); if (isTypeOnly) { const override = getResolutionModeOverrideForClause(usage.parent.assertClause); if (override) { return override; } } } if (usage.parent.parent && isImportTypeNode(usage.parent.parent)) { const override = getResolutionModeOverrideForClause((_a2 = usage.parent.parent.assertions) == null ? void 0 : _a2.assertClause); if (override) { return override; } } if (file.impliedNodeFormat !== 99) { return isImportCall(walkUpParenthesizedExpressions(usage.parent)) ? 99 : 1; } const exprParentParent = (_b = walkUpParenthesizedExpressions(usage.parent)) == null ? void 0 : _b.parent; return exprParentParent && isImportEqualsDeclaration(exprParentParent) ? 1 : 99; } function getResolutionModeOverrideForClause(clause, grammarErrorOnNode) { if (!clause) return void 0; if (length(clause.elements) !== 1) { grammarErrorOnNode == null ? void 0 : grammarErrorOnNode(clause, Diagnostics.Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require); return void 0; } const elem = clause.elements[0]; if (!isStringLiteralLike(elem.name)) return void 0; if (elem.name.text !== "resolution-mode") { grammarErrorOnNode == null ? void 0 : grammarErrorOnNode(elem.name, 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; } function getModuleResolutionName(literal) { return literal.text; } 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 !isString(entry) ? toFileNameLowerCase(entry.fileName) : entry; } 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); 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(void 0, resolvedProjectReferences, (resolvedRef, parent2) => resolvedRef && cb(resolvedRef, parent2)); } function forEachProjectReference(projectReferences, resolvedProjectReferences, cbResolvedRef, cbRef) { let seenResolvedRefs; return worker(projectReferences, resolvedProjectReferences, 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); }); } } 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(getSourceFileByPath, ref) { var _a2, _b, _c, _d, _e, _f; const file = Debug.checkDefined(getSourceFileByPath(ref.file)); const { kind, index } = ref; let pos, end, packageId, resolutionMode; switch (kind) { case 3: const importLiteral = getModuleNameStringLiteralAt(file, index); packageId = (_c = (_b = (_a2 = file.resolvedModules) == null ? void 0 : _a2.get(importLiteral.text, getModeForResolutionAtIndex(file, index))) == null ? void 0 : _b.resolvedModule) == null ? void 0 : _c.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, resolutionMode } = file.typeReferenceDirectives[index]); packageId = (_f = (_e = (_d = file.resolvedTypeReferenceDirectiveNames) == null ? void 0 : _d.get(toFileNameLowerCase(file.typeReferenceDirectives[index].fileName), resolutionMode || file.impliedNodeFormat)) == null ? void 0 : _e.resolvedTypeReferenceDirective) == null ? void 0 : _f.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, 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; if (program.getMissingFilePaths().some(fileExists)) return false; const currentOptions = program.getCompilerOptions(); if (!compareDataObjects(currentOptions, newOptions)) 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"]) ? 99 : fileExtensionIsOneOf(fileName, [".d.cts", ".cts", ".cjs"]) ? 1 : fileExtensionIsOneOf(fileName, [".d.ts", ".ts", ".tsx", ".js", ".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 }; } } 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 _a2, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k, _l, _m, _n, _o, _p; const createProgramOptions = isArray(rootNamesOrOptions) ? createCreateProgramOptions(rootNamesOrOptions, _options, _host, _oldProgram, _configFileParsingDiagnostics) : rootNamesOrOptions; const { rootNames, options, configFileParsingDiagnostics, projectReferences, typeScriptVersion: typeScriptVersion3 } = createProgramOptions; let { oldProgram } = createProgramOptions; 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(); const cachedBindAndCheckDiagnosticsForFile = {}; const cachedDeclarationDiagnosticsForFile = {}; let resolvedTypeReferenceDirectives = createModeAwareCache(); let fileProcessingDiagnostics; let automaticTypeDirectiveNames; let automaticTypeDirectiveResolutions; const maxNodeModuleJsDepth = typeof options.maxNodeModuleJsDepth === "number" ? options.maxNodeModuleJsDepth : 0; let currentNodeModulesDepth = 0; const modulesWithElidedImports = /* @__PURE__ */ new Map(); const sourceFilesFoundSearchingNodeModules = /* @__PURE__ */ new Map(); (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "createProgram", { configFilePath: options.configFilePath, rootDir: options.rootDir }, 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(); const currentDirectory = host.getCurrentDirectory(); const supportedExtensions = getSupportedExtensions(options); const supportedExtensionsWithJsonIfResolveJsonModule = getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions); const hasEmitBlockingDiagnostics = /* @__PURE__ */ new Map(); let _compilerOptionsObjectLiteralSyntax; 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 } : { 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, void 0, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache()); actualResolveTypeReferenceDirectiveNamesWorker = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile, host, typeReferenceDirectiveResolutionCache, createTypeReferenceResolutionLoader); } const packageIdToSourceFile = /* @__PURE__ */ new Map(); let sourceFileToPackageName = /* @__PURE__ */ new Map(); let redirectTargetsMap = createMultiMap(); let usesUriStyleNodeCoreModules = false; const filesByName = /* @__PURE__ */ new Map(); let missingFilePaths; 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: toPath3, getResolvedProjectReferences, getSourceOfProjectReferenceRedirect, forEachResolvedProjectReference: forEachResolvedProjectReference2 }); const readFile = 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 = outFile(parsedRef.commandLine.options); 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")) { 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, false, false, { kind: 0, index })); (_j = tracing) == null ? void 0 : _j.pop(); automaticTypeDirectiveNames != null ? 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) : host.getCurrentDirectory(); const containingFilename = combinePaths(containingDirectory, inferredTypesContainingFile); const resolutions = resolveTypeReferenceDirectiveNamesReusingOldState(automaticTypeDirectiveNames, containingFilename); for (let i = 0; i < automaticTypeDirectiveNames.length; i++) { automaticTypeDirectiveResolutions.set(automaticTypeDirectiveNames[i], void 0, resolutions[i]); processTypeReferenceDirective(automaticTypeDirectiveNames[i], 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, true, false, { kind: 6 }); } else { forEach(options.lib, (libFileName, index) => { processRootFile(pathForLibFile(libFileName), true, false, { kind: 6, index }); }); } } missingFilePaths = arrayFrom(mapDefinedIterator(filesByName.entries(), ([path, file]) => file === void 0 ? path : void 0)); files = stableSort(processingDefaultLibFiles, compareDefaultLibFiles).concat(processingOtherFiles); processingDefaultLibFiles = void 0; processingOtherFiles = void 0; } Debug.assert(!!missingFilePaths); 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 || 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(), 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(toPath3(oldRefPath)))) { host.onReleaseParsedCommandLine(oldRefPath, oldResolvedRef, oldProgram.getCompilerOptions()); } }); } oldProgram = void 0; const program = { getRootFileNames: () => rootNames, getSourceFile, getSourceFileByPath, getSourceFiles: () => files, getMissingFilePaths: () => missingFilePaths, 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, getResolvedTypeReferenceDirectives: () => resolvedTypeReferenceDirectives, getAutomaticTypeDirectiveNames: () => automaticTypeDirectiveNames, getAutomaticTypeDirectiveResolutions: () => automaticTypeDirectiveResolutions, isSourceFileFromExternalLibrary, isSourceFileDefaultLibrary, getSourceFileFromReference, getLibFileFromReference, sourceFileToPackageName, redirectTargetsMap, usesUriStyleNodeCoreModules, isEmittedFile, getConfigFileParsingDiagnostics: getConfigFileParsingDiagnostics2, getProjectReferences, getResolvedProjectReferences, getProjectReferenceRedirect, getResolvedProjectReferenceToRedirect, getResolvedProjectReferenceByPath, forEachResolvedProjectReference: forEachResolvedProjectReference2, isSourceOfProjectReferenceRedirect, emitBuildInfo, fileExists, readFile, directoryExists, getSymlinkCache, realpath: (_o = host.realpath) == null ? void 0 : _o.bind(host), useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(), getCanonicalFileName, getFileIncludeReasons: () => fileReasons, structureIsReused, writeFile: writeFile2 }; onProgramCreateComplete(); 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: const { file, pos, end } = getReferencedFileLocation(getSourceFileByPath, diagnostic.reason); return programDiagnostics.add(createFileDiagnostic(file, Debug.checkDefined(pos), Debug.checkDefined(end) - pos, diagnostic.diagnostic, ...diagnostic.args || emptyArray)); case 2: return diagnostic.diagnostics.forEach((d) => programDiagnostics.add(d)); default: Debug.assertNever(diagnostic); } }); verifyCompilerOptions(); mark("afterProgram"); measure("Program", "beforeProgram", "afterProgram"); (_p = tracing) == null ? void 0 : _p.pop(); return program; function addResolutionDiagnostics(resolution) { var _a3; if (!((_a3 = resolution.resolutionDiagnostics) == null ? void 0 : _a3.length)) return; (fileProcessingDiagnostics != null ? 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 _a3, _b2; if (!moduleNames.length) return emptyArray; const containingFileName = getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory); const redirectedReference = getRedirectReferenceForResolution(containingFile); (_a3 = tracing) == null ? void 0 : _a3.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 _a3, _b2; if (!typeDirectiveNames.length) return []; const containingSourceFile = !isString(containingFile) ? containingFile : void 0; const containingFileName = !isString(containingFile) ? getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory) : containingFile; const redirectedReference = containingSourceFile && getRedirectReferenceForResolution(containingSourceFile); (_a3 = tracing) == null ? void 0 : _a3.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 || !stringContains(file.originalFileName, nodeModulesPathPart)) return void 0; const realDeclarationPath = toPath3(host.realpath(file.originalFileName)); return realDeclarationPath === file.path ? void 0 : getRedirectReferenceForResolutionFromSourceOfProject(realDeclarationPath); } function getRedirectReferenceForResolutionFromSourceOfProject(filePath) { const source = getSourceOfProjectReferenceRedirect(filePath); if (isString(source)) return getResolvedProjectReferenceToRedirect(source); if (!source) return void 0; return forEachResolvedProjectReference2((resolvedRef) => { const out = outFile(resolvedRef.commandLine.options); if (!out) return void 0; return toPath3(out) === filePath ? resolvedRef : void 0; }); } function compareDefaultLibFiles(a, b) { return compareValues(getDefaultLibFilePriority(a), getDefaultLibFilePriority(b)); } function getDefaultLibFilePriority(a) { if (containsPath(defaultLibraryPath, a.fileName, 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 toPath3(fileName) { return toPath(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 _a3; if (!classifiableNames) { getTypeChecker(); classifiableNames = /* @__PURE__ */ new Set(); for (const sourceFile of files) { (_a3 = sourceFile.classifiableNames) == null ? void 0 : _a3.forEach((value) => classifiableNames.add(value)); } } return classifiableNames; } function resolveModuleNamesReusingOldState(moduleNames, file) { var _a3; if (structureIsReused === 0 && !file.ambientModuleNames.length) { return resolveModuleNamesWorker(moduleNames, file, void 0); } const oldSourceFile = oldProgram && oldProgram.getSourceFile(file.fileName); if (oldSourceFile !== file && file.resolvedModules) { const result2 = []; for (const moduleName of moduleNames) { const resolvedModule = file.resolvedModules.get(moduleName.text, getModeForUsageLocation(file, moduleName)); result2.push(resolvedModule); } return result2; } let unknownModuleNames; let result; let reusedNames; const predictedToResolveToAmbientModuleMarker = emptyResolution; for (let i = 0; i < moduleNames.length; i++) { const moduleName = moduleNames[i]; if (file === oldSourceFile && !hasInvalidatedResolutions(oldSourceFile.path)) { const mode = getModeForUsageLocation(file, moduleName); const oldResolution = (_a3 = oldSourceFile.resolvedModules) == null ? void 0 : _a3.get(moduleName.text, mode); 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 != null ? result : result = new Array(moduleNames.length))[i] = oldResolution; (reusedNames != null ? 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 != null ? 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) { const resolutionToFile = getResolvedModule(oldSourceFile, moduleName.text, getModeForUsageLocation(file, moduleName)); 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 _a3; if (structureIsReused === 0) { return resolveTypeReferenceDirectiveNamesWorker(typeDirectiveNames, containingFile, void 0); } const oldSourceFile = !isString(containingFile) ? oldProgram && oldProgram.getSourceFile(containingFile.fileName) : void 0; if (!isString(containingFile)) { if (oldSourceFile !== containingFile && containingFile.resolvedTypeReferenceDirectiveNames) { const result2 = []; for (const typeDirectiveName of typeDirectiveNames) { const resolvedTypeReferenceDirective = containingFile.resolvedTypeReferenceDirectiveNames.get(getTypeReferenceResolutionName(typeDirectiveName), getModeForFileReference(typeDirectiveName, containingFile.impliedNodeFormat)); result2.push(resolvedTypeReferenceDirective); } return result2; } } let unknownTypeReferenceDirectiveNames; let result; let reusedNames; const containingSourceFile = !isString(containingFile) ? containingFile : void 0; const canReuseResolutions = !isString(containingFile) ? containingFile === oldSourceFile && !hasInvalidatedResolutions(oldSourceFile.path) : !hasInvalidatedResolutions(toPath3(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 = (_a3 = !isString(containingFile) ? oldSourceFile == null ? void 0 : oldSourceFile.resolvedTypeReferenceDirectiveNames : oldProgram == null ? void 0 : oldProgram.getAutomaticTypeDirectiveResolutions()) == null ? void 0 : _a3.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, !isString(containingFile) ? getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory) : containingFile, oldResolution.resolvedTypeReferenceDirective.resolvedFileName, oldResolution.resolvedTypeReferenceDirective.packageId && packageIdToString(oldResolution.resolvedTypeReferenceDirective.packageId)); } (result != null ? result : result = new Array(typeDirectiveNames.length))[i] = oldResolution; (reusedNames != null ? reusedNames : reusedNames = []).push(entry); continue; } } (unknownTypeReferenceDirectiveNames != null ? 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 _a3; 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 (oldProgram.getMissingFilePaths().some((missingFilePath) => host.fileExists(missingFilePath))) { 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, void 0, shouldCreateNewSourceFile || sourceFileOptions.impliedNodeFormat !== oldSourceFile.impliedNodeFormat) : host.getSourceFile(oldSourceFile.fileName, sourceFileOptions, void 0, shouldCreateNewSourceFile || sourceFileOptions.impliedNodeFormat !== oldSourceFile.impliedNodeFormat); if (!newSourceFile) { return 0; } newSourceFile.packageJsonLocations = ((_a3 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a3.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 & 6291456) !== (newSourceFile.flags & 6291456)) { structureIsReused = 1; } else if (!arrayIsEqualTo(oldSourceFile.typeReferenceDirectives, newSourceFile.typeReferenceDirectives, fileReferenceIsEqualTo)) { structureIsReused = 1; } } modifiedSourceFiles.push({ oldFile: oldSourceFile, newFile: newSourceFile }); } else if (hasInvalidatedResolutions(oldSourceFile.path)) { structureIsReused = 1; modifiedSourceFiles.push({ oldFile: oldSourceFile, newFile: newSourceFile }); } newSourceFiles.push(newSourceFile); } if (structureIsReused !== 2) { return structureIsReused; } const modifiedFiles = modifiedSourceFiles.map((f) => f.oldFile); for (const oldFile of oldSourceFiles) { if (!contains(modifiedFiles, oldFile)) { for (const moduleName of oldFile.ambientModuleNames) { ambientModuleNameToUnmodifiedFileName.set(moduleName, oldFile.fileName); } } } for (const { oldFile: oldSourceFile, newFile: newSourceFile } of modifiedSourceFiles) { const moduleNames = getModuleNames(newSourceFile); const resolutions = resolveModuleNamesReusingOldState(moduleNames, newSourceFile); const resolutionsChanged = hasChangesInResolutions(moduleNames, newSourceFile, resolutions, oldSourceFile.resolvedModules, moduleResolutionIsEqualTo, moduleResolutionNameAndModeGetter); if (resolutionsChanged) { structureIsReused = 1; newSourceFile.resolvedModules = zipToModeAwareCache(newSourceFile, moduleNames, resolutions, moduleResolutionNameAndModeGetter); } else { newSourceFile.resolvedModules = oldSourceFile.resolvedModules; } const typesReferenceDirectives = newSourceFile.typeReferenceDirectives; const typeReferenceResolutions = resolveTypeReferenceDirectiveNamesReusingOldState(typesReferenceDirectives, newSourceFile); const typeReferenceResolutionsChanged = hasChangesInResolutions(typesReferenceDirectives, newSourceFile, typeReferenceResolutions, oldSourceFile.resolvedTypeReferenceDirectiveNames, typeDirectiveIsEqualTo, typeReferenceResolutionNameAndModeGetter); if (typeReferenceResolutionsChanged) { structureIsReused = 1; newSourceFile.resolvedTypeReferenceDirectiveNames = zipToModeAwareCache(newSourceFile, typesReferenceDirectives, typeReferenceResolutions, typeReferenceResolutionNameAndModeGetter); } else { newSourceFile.resolvedTypeReferenceDirectiveNames = oldSourceFile.resolvedTypeReferenceDirectiveNames; } } if (structureIsReused !== 2) { return structureIsReused; } if (changesAffectingProgramStructure(oldOptions, options)) { return 1; } if (host.hasChangedAutomaticTypeDirectiveNames) { if (host.hasChangedAutomaticTypeDirectiveNames()) return 1; } else { automaticTypeDirectiveNames = getAutomaticTypeDirectiveNames(options, host); if (!arrayIsEqualTo(oldProgram.getAutomaticTypeDirectiveNames(), automaticTypeDirectiveNames)) return 1; } missingFilePaths = 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, path) => { if (!oldFile) { filesByName.set(path, oldFile); return; } if (oldFile.path === path) { if (oldProgram.isSourceFileFromExternalLibrary(oldFile)) { sourceFilesFoundSearchingNodeModules.set(oldFile.path, true); } return; } filesByName.set(path, filesByName.get(oldFile.path)); }); files = newSourceFiles; fileReasons = oldProgram.getFileIncludeReasons(); fileProcessingDiagnostics = oldProgram.getFileProcessingDiagnostics(); resolvedTypeReferenceDirectives = oldProgram.getResolvedTypeReferenceDirectives(); automaticTypeDirectiveNames = oldProgram.getAutomaticTypeDirectiveNames(); automaticTypeDirectiveResolutions = oldProgram.getAutomaticTypeDirectiveResolutions(); sourceFileToPackageName = oldProgram.sourceFileToPackageName; redirectTargetsMap = oldProgram.redirectTargetsMap; usesUriStyleNodeCoreModules = oldProgram.usesUriStyleNodeCoreModules; return 2; } function getEmitHost(writeFileCallback) { return { getPrependNodes, getCanonicalFileName, getCommonSourceDirectory: program.getCommonSourceDirectory, getCompilerOptions: program.getCompilerOptions, getCurrentDirectory: () => currentDirectory, getSourceFile: program.getSourceFile, getSourceFileByPath: program.getSourceFileByPath, getSourceFiles: program.getSourceFiles, getLibFileFromReference: program.getLibFileFromReference, isSourceFileFromExternalLibrary, getResolvedProjectReferenceToRedirect, getProjectReferenceRedirect, isSourceOfProjectReferenceRedirect, getSymlinkCache, writeFile: writeFileCallback || writeFile2, isEmitBlocked, readFile: (f) => host.readFile(f), fileExists: (f) => { const path = toPath3(f); if (getSourceFileByPath(path)) return true; if (contains(missingFilePaths, path)) return false; return host.fileExists(f); }, useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(), getBuildInfo: (bundle) => { var _a3; return (_a3 = program.getBuildInfo) == null ? void 0 : _a3.call(program, bundle); }, getSourceFileFromReference: (file, ref) => program.getSourceFileFromReference(file, ref), redirectTargetsMap, getFileIncludeReasons: program.getFileIncludeReasons, createHash: maybeBind(host, host.createHash) }; } function writeFile2(fileName, text, writeByteOrderMark, onError, sourceFiles, data) { host.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data); } function emitBuildInfo(writeFileCallback) { var _a3, _b2; Debug.assert(!outFile(options)); (_a3 = tracing) == null ? void 0 : _a3.push(tracing.Phase.Emit, "emitBuildInfo", {}, true); mark("beforeEmit"); const emitResult = emitFiles(notImplementedResolver, getEmitHost(writeFileCallback), void 0, noTransformers, false, 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 getPrependNodes() { return createPrependNodes(projectReferences, (_ref, index) => { var _a3; return (_a3 = resolvedProjectReferences[index]) == null ? void 0 : _a3.commandLine; }, (fileName) => { const path = toPath3(fileName); const sourceFile = getSourceFileByPath(path); return sourceFile ? sourceFile.text : filesByName.has(path) ? void 0 : host.readFile(path); }, host); } 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, pathForLibFile(libFileName))); } } function getTypeChecker() { return typeChecker || (typeChecker = createTypeChecker(program)); } function emit(sourceFile, writeFileCallback, cancellationToken, emitOnly, transformers, forceDtsEmit) { var _a3, _b2; (_a3 = tracing) == null ? void 0 : _a3.push(tracing.Phase.Emit, "emit", { path: sourceFile == null ? void 0 : sourceFile.path }, 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(toPath3(emitFileName)); } function emitWorker(program2, sourceFile, writeFileCallback, cancellationToken, emitOnly, customTransformers, forceDtsEmit) { if (!forceDtsEmit) { const result = handleNoEmitOptions(program2, sourceFile, writeFileCallback, cancellationToken); if (result) return result; } const emitResolver = getTypeChecker().getEmitResolver(outFile(options) ? void 0 : sourceFile, cancellationToken); mark("beforeEmit"); const emitResult = emitFiles(emitResolver, getEmitHost(writeFileCallback), sourceFile, getTransformers(options, customTransformers, emitOnly), emitOnly, false, forceDtsEmit); mark("afterEmit"); measure("Emit", "beforeEmit", "afterEmit"); return emitResult; } function getSourceFile(fileName) { return getSourceFileByPath(toPath3(fileName)); } function getSourceFileByPath(path) { return filesByName.get(path) || 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 _a3; return sourceFile ? (_a3 = cachedBindAndCheckDiagnosticsForFile.perFile) == null ? void 0 : _a3.get(sourceFile.path) : cachedBindAndCheckDiagnosticsForFile.allDiagnostics; } function getBindAndCheckDiagnostics(sourceFile, cancellationToken) { return getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken); } function getProgramDiagnostics(sourceFile) { var _a3; if (skipTypeChecking(sourceFile, options, program)) { return emptyArray; } const programDiagnosticsInFile = programDiagnostics.getDiagnostics(sourceFile.fileName); if (!((_a3 = sourceFile.commentDirectives) == null ? void 0 : _a3.length)) { return programDiagnosticsInFile; } return getDiagnosticsWithPrecedingDirectives(sourceFile, sourceFile.commentDirectives, programDiagnosticsInFile).diagnostics; } function getDeclarationDiagnostics2(sourceFile, cancellationToken) { const options2 = program.getCompilerOptions(); if (!sourceFile || outFile(options2)) { 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); const isTsNoCheck = !!sourceFile.checkJsDirective && sourceFile.checkJsDirective.enabled === false; const includeBindAndCheckDiagnostics = !isTsNoCheck && (sourceFile.scriptKind === 3 || sourceFile.scriptKind === 4 || sourceFile.scriptKind === 5 || isPlainJs || isCheckJs || sourceFile.scriptKind === 7); let bindDiagnostics = includeBindAndCheckDiagnostics ? sourceFile.bindDiagnostics : emptyArray; let checkDiagnostics = includeBindAndCheckDiagnostics ? typeChecker2.getDiagnostics(sourceFile, cancellationToken) : emptyArray; if (isPlainJs) { bindDiagnostics = filter(bindDiagnostics, (d) => plainJSErrors.has(d.code)); checkDiagnostics = filter(checkDiagnostics, (d) => plainJSErrors.has(d.code)); } return getMergedBindAndCheckDiagnostics(sourceFile, includeBindAndCheckDiagnostics && !isPlainJs, bindDiagnostics, checkDiagnostics, isCheckJs ? sourceFile.jsDocDiagnostics : void 0); }); } function getMergedBindAndCheckDiagnostics(sourceFile, includeBindAndCheckDiagnostics, ...allDiagnostics) { var _a3; const flatDiagnostics = flatten(allDiagnostics); if (!includeBindAndCheckDiagnostics || !((_a3 = sourceFile.commentDirectives) == null ? void 0 : _a3.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 166: case 169: case 171: if (parent2.questionToken === node) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, "?")); return "skip"; } case 170: case 173: case 174: case 175: case 215: case 259: case 216: case 257: if (parent2.type === node) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Type_annotations_can_only_be_used_in_TypeScript_files)); return "skip"; } } switch (node.kind) { case 270: if (node.isTypeOnly) { diagnostics.push(createDiagnosticForNode2(parent2, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, "import type")); return "skip"; } break; case 275: if (node.isTypeOnly) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, "export type")); return "skip"; } break; case 273: case 278: 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 268: diagnostics.push(createDiagnosticForNode2(node, Diagnostics.import_can_only_be_used_in_TypeScript_files)); return "skip"; case 274: if (node.isExportEquals) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.export_can_only_be_used_in_TypeScript_files)); return "skip"; } break; case 294: const heritageClause = node; if (heritageClause.token === 117) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.implements_clauses_can_only_be_used_in_TypeScript_files)); return "skip"; } break; case 261: const interfaceKeyword = tokenToString(118); Debug.assertIsDefined(interfaceKeyword); diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, interfaceKeyword)); return "skip"; case 264: const moduleKeyword = node.flags & 16 ? tokenToString(143) : tokenToString(142); Debug.assertIsDefined(moduleKeyword); diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, moduleKeyword)); return "skip"; case 262: diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Type_aliases_can_only_be_used_in_TypeScript_files)); return "skip"; case 263: const enumKeyword = Debug.checkDefined(tokenToString(92)); diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, enumKeyword)); return "skip"; case 232: diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Non_null_assertions_can_only_be_used_in_TypeScript_files)); return "skip"; case 231: diagnostics.push(createDiagnosticForNode2(node.type, Diagnostics.Type_assertion_expressions_can_only_be_used_in_TypeScript_files)); return "skip"; case 235: diagnostics.push(createDiagnosticForNode2(node.type, Diagnostics.Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files)); return "skip"; case 213: 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 260: case 228: case 171: case 173: case 174: case 175: case 215: case 259: case 216: if (nodes === parent2.typeParameters) { diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Type_parameter_declarations_can_only_be_used_in_TypeScript_files)); return "skip"; } case 240: if (nodes === parent2.modifiers) { checkModifiers(parent2.modifiers, parent2.kind === 240); return "skip"; } break; case 169: if (nodes === parent2.modifiers) { for (const modifier of nodes) { if (isModifier(modifier) && modifier.kind !== 124 && modifier.kind !== 127) { diagnostics.push(createDiagnosticForNode2(modifier, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, tokenToString(modifier.kind))); } } return "skip"; } break; case 166: 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 210: case 211: case 230: case 282: case 283: case 212: 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 85: if (isConstValid) { continue; } case 123: case 121: case 122: case 146: case 136: case 126: case 161: case 101: case 145: diagnostics.push(createDiagnosticForNode2(modifier, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, tokenToString(modifier.kind))); break; case 124: case 93: case 88: case 127: } } } function createDiagnosticForNodeArray2(nodes, message, arg0, arg1, arg2) { const start = nodes.pos; return createFileDiagnostic(sourceFile, start, nodes.end - start, message, arg0, arg1, arg2); } function createDiagnosticForNode2(node, message, arg0, arg1, arg2) { return createDiagnosticForNodeInSourceFile(sourceFile, node, message, arg0, arg1, arg2); } }); } 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(noop), resolver, sourceFile) || emptyArray; }); } function getAndCacheDiagnostics(sourceFile, cancellationToken, cache, getDiagnostics2) { var _a3; const cachedResult = sourceFile ? (_a3 = cache.perFile) == null ? void 0 : _a3.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(programDiagnostics.getGlobalDiagnostics(), getOptionsDiagnosticsOfConfigFile())); } function getOptionsDiagnosticsOfConfigFile() { if (!options.configFile) return emptyArray; let diagnostics = programDiagnostics.getDiagnostics(options.configFile.fileName); forEachResolvedProjectReference2((resolvedRef) => { diagnostics = concatenate(diagnostics, programDiagnostics.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, void 0, reason); } function fileReferenceIsEqualTo(a, b) { return a.fileName === b.fileName; } function moduleNameIsEqualTo(a, b) { return a.kind === 79 ? b.kind === 79 && a.escapedText === b.escapedText : b.kind === 10 && a.text === b.text; } function createSyntheticImport(text, file) { const externalHelpersModuleReference = factory.createStringLiteral(text); const importDecl = factory.createImportDeclaration(void 0, void 0, externalHelpersModuleReference, void 0); addInternalEmitFlags(importDecl, 2); setParent(externalHelpersModuleReference, importDecl); setParent(importDecl, file); externalHelpersModuleReference.flags &= ~8; importDecl.flags &= ~8; return externalHelpersModuleReference; } function collectExternalModuleReferences(file) { if (file.imports) { return; } const isJavaScriptFile = isSourceFileJS(file); const isExternalModuleFile = isExternalModule(file); let imports; let moduleAugmentations; let ambientModules; if ((getIsolatedModules(options) || isExternalModuleFile) && !file.isDeclarationFile) { 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, false); } const shouldProcessRequires = isJavaScriptFile && getEmitModuleResolutionKind(options) !== 100; if (file.flags & 2097152 || shouldProcessRequires) { collectDynamicImportOrRequireCalls(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 && isStringLiteral(moduleNameExpr) && moduleNameExpr.text && (!inAmbientModule || !isExternalModuleNameRelative(moduleNameExpr.text))) { setParentRecursive(node, false); imports = append(imports, moduleNameExpr); if (!usesUriStyleNodeCoreModules && currentNodeModulesDepth === 0 && !file.isDeclarationFile) { usesUriStyleNodeCoreModules = startsWith(moduleNameExpr.text, "node:"); } } } else if (isModuleDeclaration(node)) { if (isAmbientModule(node) && (inAmbientModule || hasSyntacticModifier(node, 2) || 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, true); } } } } } } function collectDynamicImportOrRequireCalls(file2) { const r = /import|require/g; while (r.exec(file2.text) !== null) { const node = getNodeAtPosition(file2, r.lastIndex); if (shouldProcessRequires && isRequireCall(node, true)) { setParentRecursive(node, false); imports = append(imports, node.arguments[0]); } else if (isImportCall(node) && node.arguments.length >= 1 && isStringLiteralLike(node.arguments[0])) { setParentRecursive(node, false); imports = append(imports, node.arguments[0]); } else if (isLiteralImportTypeNode(node)) { setParentRecursive(node, false); imports = append(imports, node.argument.literal); } } } 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) { const libName = toFileNameLowerCase(ref.fileName); const libFileName = libMap.get(libName); if (libFileName) { return getSourceFile(pathForLibFile(libFileName)); } } 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), (diagnostic, ...args) => addFilePreprocessingFileExplainingDiagnostic(void 0, reason, diagnostic, args), reason); } function processProjectReferenceFile(fileName, reason) { return processSourceFile(fileName, false, false, 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, path, resolvedPath, originalFileName, sourceFileOptions) { var _a3; const redirect = parseNodeFactory.createRedirectedSourceFile({ redirectTarget, unredirected }); redirect.fileName = fileName; redirect.path = path; redirect.resolvedPath = resolvedPath; redirect.originalFileName = originalFileName; redirect.packageJsonLocations = ((_a3 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a3.length) ? sourceFileOptions.packageJsonLocations : void 0; redirect.packageJsonScope = sourceFileOptions.packageJsonScope; sourceFilesFoundSearchingNodeModules.set(path, currentNodeModulesDepth > 0); return redirect; } function findSourceFile(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId) { var _a3, _b2; (_a3 = tracing) == null ? void 0 : _a3.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 } : { languageVersion, impliedNodeFormat: result, setExternalModuleIndicator: setExternalModuleIndicator2 }; } function findSourceFileWorker(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId) { var _a3, _b2; const path = toPath3(fileName); if (useSourceOfProjectReferenceRedirect) { let source = getSourceOfProjectReferenceRedirect(path); if (!source && host.realpath && options.preserveSymlinks && isDeclarationFileName(fileName) && stringContains(fileName, nodeModulesPathPart)) { const realPath2 = toPath3(host.realpath(fileName)); if (realPath2 !== path) source = getSourceOfProjectReferenceRedirect(realPath2); } if (source) { const file2 = isString(source) ? findSourceFile(source, isDefaultLib, ignoreNoDefaultLib, reason, packageId) : void 0; if (file2) addFileToFilesByName(file2, path, void 0); return file2; } } const originalFileName = fileName; if (filesByName.has(path)) { const file2 = filesByName.get(path); addFileIncludeReason(file2 || void 0, reason); if (file2 && !(options.forceConsistentCasingInFileNames === false)) { const checkedName = file2.fileName; const isRedirect = toPath3(checkedName) !== toPath3(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 (isReferencedFile(reason) && !useSourceOfProjectReferenceRedirect) { const redirectProject = getProjectReferenceRedirectProject(fileName); if (redirectProject) { if (outFile(redirectProject.commandLine.options)) { return void 0; } const redirect = getProjectReferenceOutputName(redirectProject, fileName); fileName = redirect; redirectedPath = toPath3(redirect); } } const sourceFileOptions = getCreateSourceFileOptions(fileName, moduleResolutionCache, host, options); const file = host.getSourceFile(fileName, sourceFileOptions, (hostErrorMessage) => addFilePreprocessingFileExplainingDiagnostic(void 0, reason, Diagnostics.Cannot_read_file_0_Colon_1, [fileName, hostErrorMessage]), shouldCreateNewSourceFile || ((_a3 = oldProgram == null ? void 0 : oldProgram.getSourceFileByPath(toPath3(fileName))) == null ? void 0 : _a3.impliedNodeFormat) !== sourceFileOptions.impliedNodeFormat); if (packageId) { const packageIdKey = packageIdToString(packageId); const fileFromPackageId = packageIdToSourceFile.get(packageIdKey); if (fileFromPackageId) { const dupFile = createRedirectedSourceFile(fileFromPackageId, file, fileName, path, toPath3(fileName), originalFileName, sourceFileOptions); redirectTargetsMap.add(fileFromPackageId.path, fileName); addFileToFilesByName(dupFile, path, redirectedPath); addFileIncludeReason(dupFile, reason); sourceFileToPackageName.set(path, packageIdToPackageName(packageId)); processingOtherFiles.push(dupFile); return dupFile; } else if (file) { packageIdToSourceFile.set(packageIdKey, file); sourceFileToPackageName.set(path, packageIdToPackageName(packageId)); } } addFileToFilesByName(file, path, redirectedPath); if (file) { sourceFilesFoundSearchingNodeModules.set(path, currentNodeModulesDepth > 0); file.fileName = fileName; file.path = path; file.resolvedPath = toPath3(fileName); file.originalFileName = originalFileName; file.packageJsonLocations = ((_b2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _b2.length) ? sourceFileOptions.packageJsonLocations : void 0; file.packageJsonScope = sourceFileOptions.packageJsonScope; addFileIncludeReason(file, reason); if (host.useCaseSensitiveFileNames()) { const pathLowerCase = toFileNameLowerCase(path); 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); } } return file; } function addFileIncludeReason(file, reason) { if (file) fileReasons.add(file.path, reason); } function addFileToFilesByName(file, path, redirectedPath) { if (redirectedPath) { filesByName.set(redirectedPath, file); filesByName.set(path, file || false); } else { filesByName.set(path, file); } } function getProjectReferenceRedirect(fileName) { const referencedProject = getProjectReferenceRedirectProject(fileName); return referencedProject && getProjectReferenceOutputName(referencedProject, fileName); } function getProjectReferenceRedirectProject(fileName) { if (!resolvedProjectReferences || !resolvedProjectReferences.length || isDeclarationFileName(fileName) || fileExtensionIs(fileName, ".json")) { return void 0; } return getResolvedProjectReferenceToRedirect(fileName); } function getProjectReferenceOutputName(referencedProject, fileName) { const out = outFile(referencedProject.commandLine.options); return out ? changeExtension(out, ".d.ts") : getOutputDeclarationFileName(fileName, referencedProject.commandLine, !host.useCaseSensitiveFileNames()); } function getResolvedProjectReferenceToRedirect(fileName) { if (mapFromFileToProjectReferenceRedirects === void 0) { mapFromFileToProjectReferenceRedirects = /* @__PURE__ */ new Map(); forEachResolvedProjectReference2((referencedProject) => { if (toPath3(options.configFilePath) !== referencedProject.sourceFile.path) { referencedProject.commandLine.fileNames.forEach((f) => mapFromFileToProjectReferenceRedirects.set(toPath3(f), referencedProject.sourceFile.path)); } }); } const referencedProjectPath = mapFromFileToProjectReferenceRedirects.get(toPath3(fileName)); return referencedProjectPath && getResolvedProjectReferenceByPath(referencedProjectPath); } function forEachResolvedProjectReference2(cb) { return forEachResolvedProjectReference(resolvedProjectReferences, cb); } function getSourceOfProjectReferenceRedirect(path) { if (!isDeclarationFileName(path)) return void 0; if (mapFromToProjectReferenceRedirectSource === void 0) { mapFromToProjectReferenceRedirectSource = /* @__PURE__ */ new Map(); forEachResolvedProjectReference2((resolvedRef) => { const out = outFile(resolvedRef.commandLine.options); if (out) { const outputDts = changeExtension(out, ".d.ts"); mapFromToProjectReferenceRedirectSource.set(toPath3(outputDts), true); } else { const getCommonSourceDirectory3 = memoize(() => getCommonSourceDirectoryOfConfig(resolvedRef.commandLine, !host.useCaseSensitiveFileNames())); forEach(resolvedRef.commandLine.fileNames, (fileName) => { if (!isDeclarationFileName(fileName) && !fileExtensionIs(fileName, ".json")) { const outputDts = getOutputDeclarationFileName(fileName, resolvedRef.commandLine, !host.useCaseSensitiveFileNames(), getCommonSourceDirectory3); mapFromToProjectReferenceRedirectSource.set(toPath3(outputDts), fileName); } }); } }); } return mapFromToProjectReferenceRedirectSource.get(path); } 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, false, void 0, { kind: 4, file: file.path, index }); }); } function processTypeReferenceDirectives(file) { const typeDirectives = file.typeReferenceDirectives; if (!typeDirectives.length) { file.resolvedTypeReferenceDirectiveNames = void 0; return; } const resolutions = resolveTypeReferenceDirectiveNamesReusingOldState(typeDirectives, file); for (let index = 0; index < typeDirectives.length; index++) { const ref = file.typeReferenceDirectives[index]; const resolvedTypeReferenceDirective = resolutions[index]; const fileName = toFileNameLowerCase(ref.fileName); setResolvedTypeReferenceDirective(file, fileName, resolvedTypeReferenceDirective, getModeForFileReference(ref, file.impliedNodeFormat)); const mode = ref.resolutionMode || file.impliedNodeFormat; if (mode && getEmitModuleResolutionKind(options) !== 3 && getEmitModuleResolutionKind(options) !== 99) { (fileProcessingDiagnostics != null ? fileProcessingDiagnostics : fileProcessingDiagnostics = []).push({ kind: 2, diagnostics: [ createDiagnosticForRange(file, ref, Diagnostics.resolution_mode_assertions_are_only_supported_when_moduleResolution_is_node16_or_nodenext) ] }); } processTypeReferenceDirective(fileName, mode, resolvedTypeReferenceDirective, { kind: 5, file: file.path, index }); } } function processTypeReferenceDirective(typeReferenceDirective, mode, resolution, reason) { var _a3, _b2; (_a3 = tracing) == null ? void 0 : _a3.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) { var _a3; addResolutionDiagnostics(resolution); const previousResolution = (_a3 = resolvedTypeReferenceDirectives.get(typeReferenceDirective, mode)) == null ? void 0 : _a3.resolvedTypeReferenceDirective; if (previousResolution && previousResolution.primary) { return; } let saveResolution = true; const { resolvedTypeReferenceDirective } = resolution; if (resolvedTypeReferenceDirective) { if (resolvedTypeReferenceDirective.isExternalLibraryImport) currentNodeModulesDepth++; if (resolvedTypeReferenceDirective.primary) { processSourceFile(resolvedTypeReferenceDirective.resolvedFileName, false, false, resolvedTypeReferenceDirective.packageId, reason); } else { if (previousResolution) { if (resolvedTypeReferenceDirective.resolvedFileName !== previousResolution.resolvedFileName) { const otherFileText = host.readFile(resolvedTypeReferenceDirective.resolvedFileName); const existingFile = getSourceFile(previousResolution.resolvedFileName); if (otherFileText !== existingFile.text) { addFilePreprocessingFileExplainingDiagnostic(existingFile, reason, Diagnostics.Conflicting_definitions_for_0_found_at_1_and_2_Consider_installing_a_specific_version_of_this_library_to_resolve_the_conflict, [typeReferenceDirective, resolvedTypeReferenceDirective.resolvedFileName, previousResolution.resolvedFileName]); } } saveResolution = false; } else { processSourceFile(resolvedTypeReferenceDirective.resolvedFileName, false, false, resolvedTypeReferenceDirective.packageId, reason); } } if (resolvedTypeReferenceDirective.isExternalLibraryImport) currentNodeModulesDepth--; } else { addFilePreprocessingFileExplainingDiagnostic(void 0, reason, Diagnostics.Cannot_find_type_definition_file_for_0, [typeReferenceDirective]); } if (saveResolution) { resolvedTypeReferenceDirectives.set(typeReferenceDirective, mode, resolution); } } function pathForLibFile(libFileName) { const components = libFileName.split("."); let path = components[1]; let i = 2; while (components[i] && components[i] !== "d") { path += (i === 2 ? "/" : "-") + components[i]; i++; } const resolveFrom = combinePaths(currentDirectory, `__lib_node_modules_lookup_${libFileName}__.ts`); const localOverrideModuleResult = resolveModuleName("@typescript/lib-" + path, resolveFrom, { moduleResolution: 2 }, host, moduleResolutionCache); if (localOverrideModuleResult == null ? void 0 : localOverrideModuleResult.resolvedModule) { return localOverrideModuleResult.resolvedModule.resolvedFileName; } return combinePaths(defaultLibraryPath, libFileName); } function processLibReferenceDirectives(file) { forEach(file.libReferenceDirectives, (libReference, index) => { const libName = toFileNameLowerCase(libReference.fileName); const libFileName = libMap.get(libName); if (libFileName) { processRootFile(pathForLibFile(libFileName), true, true, { kind: 7, file: file.path, index }); } else { const unqualifiedLibName = removeSuffix(removePrefix(libName, "lib."), ".d.ts"); const suggestion = getSpellingSuggestion(unqualifiedLibName, libs, identity); const diagnostic = suggestion ? Diagnostics.Cannot_find_lib_definition_for_0_Did_you_mean_1 : Diagnostics.Cannot_find_lib_definition_for_0; (fileProcessingDiagnostics || (fileProcessingDiagnostics = [])).push({ kind: 0, reason: { kind: 7, file: file.path, index }, diagnostic, args: [libName, suggestion] }); } }); } function getCanonicalFileName(fileName) { return host.getCanonicalFileName(fileName); } function processImportedModules(file) { var _a3; collectExternalModuleReferences(file); if (file.imports.length || file.moduleAugmentations.length) { const moduleNames = getModuleNames(file); const resolutions = resolveModuleNamesReusingOldState(moduleNames, file); Debug.assert(resolutions.length === moduleNames.length); const optionsForFile = (useSourceOfProjectReferenceRedirect ? (_a3 = getRedirectReferenceForResolution(file)) == null ? void 0 : _a3.commandLine.options : void 0) || options; for (let index = 0; index < moduleNames.length; index++) { const resolution = resolutions[index].resolvedModule; const moduleName = moduleNames[index].text; const mode = getModeForUsageLocation(file, moduleNames[index]); setResolvedModule(file, moduleName, resolutions[index], mode); addResolutionDiagnosticsFromResolutionOrCache(file, moduleName, resolutions[index], mode); if (!resolution) { continue; } const isFromNodeModulesSearch = resolution.isExternalLibraryImport; const isJsFile = !resolutionExtensionIsTSOrJson(resolution.extension); const isJsFileFromNodeModules = isFromNodeModulesSearch && isJsFile; 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 & 8388608)); if (elideImport) { modulesWithElidedImports.set(file.path, true); } else if (shouldAddFile) { findSourceFile(resolvedFileName, false, false, { kind: 3, file: file.path, index }, resolution.packageId); } if (isFromNodeModulesSearch) { currentNodeModulesDepth--; } } } else { file.resolvedModules = void 0; } } 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) { addProgramDiagnosticExplainingFile(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 = toPath3(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(void 0, sourceFilePath, 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, void 0); } else { const basePath = getNormalizedAbsolutePath(getDirectoryPath(refPath), host.getCurrentDirectory()); sourceFile = host.getSourceFile(refPath, 100); addFileToFilesByName(sourceFile, sourceFilePath, void 0); if (sourceFile === void 0) { projectReferenceRedirects.set(sourceFilePath, false); return void 0; } commandLine = parseJsonSourceFileConfigFileContent(sourceFile, configParsingHost, basePath, 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.out) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "out", options.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules"); } if (options.outFile) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "outFile", options.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules"); } } 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 = outFile(options); 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(toPath3)); for (const file of files) { if (sourceFileMayBeEmitted(file, program) && !rootPaths.has(file.path)) { addProgramDiagnosticExplainingFile(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(true, key, Diagnostics.Pattern_0_can_have_at_most_one_Asterisk_character, key); } if (isArray(options.paths[key])) { const len = options.paths[key].length; if (len === 0) { createDiagnosticForOptionPaths(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(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.out && options.outFile) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "out", "outFile"); } 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", options.out ? "out" : "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"); } if (options.noImplicitUseStrict && getStrictOptionValue(options, "alwaysStrict")) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "noImplicitUseStrict", "alwaysStrict"); } 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, options.out ? "out" : "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, options.out ? "out" : "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_can_only_be_specified_when_module_code_generation_is_commonjs_amd_es2015_or_esNext, "resolveJsonModule", "module"); } } if (options.outDir || options.rootDir || options.sourceRoot || 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.useDefineForClassFields && languageVersion === 0) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_target_is_ES3, "useDefineForClassFields"); } if (options.checkJs && !getAllowJSCompilerOption(options)) { programDiagnostics.add(createCompilerDiagnostic(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.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)); } } if (options.preserveValueImports && getEmitModuleKind(options) < 5) { createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_module_is_set_to_es2015_or_later, "preserveValueImports"); } 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.isolatedModules) { createRedundantOptionDiagnostic("isolatedModules", "verbatimModuleSyntax"); } if (options.preserveValueImports) { createRedundantOptionDiagnostic("preserveValueImports", "verbatimModuleSyntax"); } if (options.importsNotUsedAsValues) { createRedundantOptionDiagnostic("importsNotUsedAsValues", "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)) { createOptionValueDiagnostic("moduleResolution", Diagnostics.Option_0_can_only_be_used_when_module_is_set_to_es2015_or_later, "bundler"); } 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 = toPath3(emitFileName); if (filesByName.has(emitFilePath)) { let chain; if (!options.configFilePath) { chain = chainDiagnosticMessages(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, 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, removedIn, 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, removedIn, deprecatedIn); } } }); } } function verifyDeprecatedCompilerOptions() { function createDiagnostic(name, value, useInstead, message, arg0, arg1, arg2, arg3) { if (useInstead) { const details = chainDiagnosticMessages(void 0, Diagnostics.Use_0_instead, useInstead); const chain = chainDiagnosticMessages(details, message, arg0, arg1, arg2, arg3); createDiagnosticForOption(!value, name, void 0, chain); } else { createDiagnosticForOption(!value, name, void 0, message, arg0, arg1, arg2, arg3); } } checkDeprecations("5.0", "5.5", 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", void 0, "outFile"); } if (options.importsNotUsedAsValues) { createDeprecatedDiagnostic("importsNotUsedAsValues", void 0, "verbatimModuleSyntax"); } if (options.preserveValueImports) { createDeprecatedDiagnostic("preserveValueImports", void 0, "verbatimModuleSyntax"); } }); } function verifyDeprecatedProjectReference(ref, parentFile, index) { function createDiagnostic(_name, _value, _useInstead, message, arg0, arg1, arg2, arg3) { createDiagnosticForReference(parentFile, index, message, arg0, arg1, arg2, arg3); } checkDeprecations("5.0", "5.5", createDiagnostic, (createDeprecatedDiagnostic) => { if (ref.prepend) { createDeprecatedDiagnostic("prepend"); } }); } function createDiagnosticExplainingFile(file, fileProcessingReason, diagnostic, args) { var _a3; let fileIncludeReasons; let relatedInfo; let locationReason = isReferencedFile(fileProcessingReason) ? fileProcessingReason : void 0; if (file) (_a3 = fileReasons.get(file.path)) == null ? void 0 : _a3.forEach(processReason); if (fileProcessingReason) processReason(fileProcessingReason); if (locationReason && (fileIncludeReasons == null ? void 0 : fileIncludeReasons.length) === 1) fileIncludeReasons = void 0; const location = locationReason && getReferencedFileLocation(getSourceFileByPath, locationReason); const fileIncludeReasonDetails = fileIncludeReasons && chainDiagnosticMessages(fileIncludeReasons, Diagnostics.The_file_is_in_the_program_because_Colon); const redirectInfo = file && explainIfFileIsRedirectAndImpliedFormat(file); const chain = chainDiagnosticMessages(redirectInfo ? fileIncludeReasonDetails ? [fileIncludeReasonDetails, ...redirectInfo] : redirectInfo : fileIncludeReasonDetails, diagnostic, ...args || emptyArray); return location && isReferenceFileLocation(location) ? createFileDiagnosticFromMessageChain(location.file, location.pos, location.end - location.pos, chain, relatedInfo) : createCompilerDiagnosticFromMessageChain(chain, relatedInfo); function processReason(reason) { (fileIncludeReasons || (fileIncludeReasons = [])).push(fileIncludeReasonToDiagnostics(program, reason)); if (!locationReason && isReferencedFile(reason)) { locationReason = reason; } else if (locationReason !== reason) { relatedInfo = append(relatedInfo, fileIncludeReasonToRelatedInformation(reason)); } if (reason === fileProcessingReason) fileProcessingReason = void 0; } } function addFilePreprocessingFileExplainingDiagnostic(file, fileProcessingReason, diagnostic, args) { (fileProcessingDiagnostics || (fileProcessingDiagnostics = [])).push({ kind: 1, file: file && file.path, fileProcessingReason, diagnostic, args }); } function addProgramDiagnosticExplainingFile(file, diagnostic, args) { programDiagnostics.add(createDiagnosticExplainingFile(file, void 0, diagnostic, args)); } function fileIncludeReasonToRelatedInformation(reason) { if (isReferencedFile(reason)) { const referenceLocation = getReferencedFileLocation(getSourceFileByPath, 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 || !isString(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 = firstDefined(getTsConfigPropArray(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 = forEachEntry(targetOptionDeclaration.type, (value, key) => value === getEmitScriptTarget(options) ? key : void 0); 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 (ref.prepend) { const out = outFile(options2); if (out) { if (!host.fileExists(out)) { createDiagnosticForReference(parentFile, index, Diagnostics.Output_file_0_from_project_1_does_not_exist, out, ref.path); } } else { createDiagnosticForReference(parentFile, index, Diagnostics.Cannot_prepend_project_0_because_it_does_not_have_outFile_set, 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(toPath3(buildInfoPath), true); } }); } function createDiagnosticForOptionPathKeyValue(key, valueIndex, message, arg0, arg1, arg2) { let needCompilerDiagnostic = true; const pathsSyntax = getOptionPathsSyntax(); for (const pathProp of pathsSyntax) { if (isObjectLiteralExpression(pathProp.initializer)) { for (const keyProps of getPropertyAssignment(pathProp.initializer, key)) { const initializer = keyProps.initializer; if (isArrayLiteralExpression(initializer) && initializer.elements.length > valueIndex) { programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, initializer.elements[valueIndex], message, arg0, arg1, arg2)); needCompilerDiagnostic = false; } } } } if (needCompilerDiagnostic) { programDiagnostics.add(createCompilerDiagnostic(message, arg0, arg1, arg2)); } } function createDiagnosticForOptionPaths(onKey, key, message, arg0) { let needCompilerDiagnostic = true; const pathsSyntax = getOptionPathsSyntax(); for (const pathProp of pathsSyntax) { if (isObjectLiteralExpression(pathProp.initializer) && createOptionDiagnosticInObjectLiteralSyntax(pathProp.initializer, onKey, key, void 0, message, arg0)) { needCompilerDiagnostic = false; } } if (needCompilerDiagnostic) { programDiagnostics.add(createCompilerDiagnostic(message, arg0)); } } function getOptionsSyntaxByName(name) { const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax(); return compilerOptionsObjectLiteralSyntax && getPropertyAssignment(compilerOptionsObjectLiteralSyntax, name); } function getOptionPathsSyntax() { return getOptionsSyntaxByName("paths") || emptyArray; } function getOptionsSyntaxByValue(name, value) { const syntaxByName = getOptionsSyntaxByName(name); return syntaxByName && firstDefined(syntaxByName, (property) => isStringLiteral(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(true, option1, option2, message, option1, option2, option3); } function createOptionValueDiagnostic(option1, message, arg0, arg1) { createDiagnosticForOption(false, option1, void 0, message, arg0, arg1); } function createDiagnosticForReference(sourceFile, index, message, arg0, arg1, arg2, arg3) { const referencesSyntax = firstDefined(getTsConfigPropArray(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, arg0, arg1, arg2, arg3)); } else { programDiagnostics.add(createCompilerDiagnostic(message, arg0, arg1, arg2, arg3)); } } function createDiagnosticForOption(onKey, option1, option2, message, arg0, arg1, arg2, arg3) { const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax(); const needCompilerDiagnostic = !compilerOptionsObjectLiteralSyntax || !createOptionDiagnosticInObjectLiteralSyntax(compilerOptionsObjectLiteralSyntax, onKey, option1, option2, message, arg0, arg1, arg2, arg3); if (needCompilerDiagnostic) { if ("messageText" in message) { programDiagnostics.add(createCompilerDiagnosticFromMessageChain(message)); } else { programDiagnostics.add(createCompilerDiagnostic(message, arg0, arg1, arg2, arg3)); } } } function getCompilerOptionsObjectLiteralSyntax() { if (_compilerOptionsObjectLiteralSyntax === void 0) { _compilerOptionsObjectLiteralSyntax = false; const jsonObjectLiteral = getTsConfigObjectLiteralExpression(options.configFile); if (jsonObjectLiteral) { for (const prop of getPropertyAssignment(jsonObjectLiteral, "compilerOptions")) { if (isObjectLiteralExpression(prop.initializer)) { _compilerOptionsObjectLiteralSyntax = prop.initializer; break; } } } } return _compilerOptionsObjectLiteralSyntax || void 0; } function createOptionDiagnosticInObjectLiteralSyntax(objectLiteral, onKey, key1, key2, message, arg0, arg1, arg2, arg3) { const props = getPropertyAssignment(objectLiteral, key1, key2); for (const prop of props) { 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, arg0, arg1, arg2, arg3)); } } return !!props.length; } function createRedundantOptionDiagnostic(errorOnOption, redundantWithOption) { const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax(); if (compilerOptionsObjectLiteralSyntax) { createOptionDiagnosticInObjectLiteralSyntax(compilerOptionsObjectLiteralSyntax, true, errorOnOption, void 0, Diagnostics.Option_0_is_redundant_and_cannot_be_specified_with_option_1, errorOnOption, redundantWithOption); } else { createDiagnosticForOptionName(Diagnostics.Option_0_is_redundant_and_cannot_be_specified_with_option_1, errorOnOption, redundantWithOption); } } function blockEmittingOfFile(emitFileName, diag2) { hasEmitBlockingDiagnostics.set(toPath3(emitFileName), true); programDiagnostics.add(diag2); } function isEmittedFile(file) { if (options.noEmit) { return false; } const filePath = toPath3(file); if (getSourceFileByPath(filePath)) { return false; } const out = outFile(options); if (out) { return isSameFile(filePath, out) || isSameFile(filePath, removeFileExtension(out) + ".d.ts"); } 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") || !!getSourceFileByPath(filePathWithoutExtension + ".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 && automaticTypeDirectiveResolutions && !symlinks.hasProcessedResolutions()) { symlinks.setSymlinksFromResolutions(files, automaticTypeDirectiveResolutions); } return symlinks; } } 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: noop, fileExists }; host.compilerHost.fileExists = fileExists; let directoryExists; if (originalDirectoryExists) { directoryExists = host.compilerHost.directoryExists = (path) => { if (originalDirectoryExists.call(host.compilerHost, path)) { handleDirectoryCouldBeSymlink(path); return true; } if (!host.getResolvedProjectReferences()) return false; if (!setOfDeclarationDirectories) { setOfDeclarationDirectories = /* @__PURE__ */ new Set(); host.forEachResolvedProjectReference((ref) => { const out = outFile(ref.commandLine.options); 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(path, false); }; } if (originalGetDirectories) { host.compilerHost.getDirectories = (path) => !host.getResolvedProjectReferences() || originalDirectoryExists && originalDirectoryExists.call(host.compilerHost, path) ? originalGetDirectories.call(host.compilerHost, path) : []; } if (originalRealpath) { host.compilerHost.realpath = (s) => { var _a2; return ((_a2 = host.getSymlinkCache().getSymlinkedFiles()) == null ? void 0 : _a2.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, true); } function fileExistsIfProjectReferenceDts(file) { const source = host.getSourceOfProjectReferenceRedirect(host.toPath(file)); return source !== void 0 ? isString(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 || startsWith(declDirPath, dirPathWithTrailingDirectorySeparator) || startsWith(dirPath, `${declDirPath}/`)); } function handleDirectoryCouldBeSymlink(directory) { var _a2; if (!host.getResolvedProjectReferences() || containsIgnoredPath(directory)) return; if (!originalRealpath || !stringContains(directory, nodeModulesPathPart)) return; const symlinkCache = host.getSymlinkCache(); const directoryPath = ensureTrailingDirectorySeparator(host.toPath(directory)); if ((_a2 = symlinkCache.getSymlinkedDirectories()) == null ? void 0 : _a2.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 _a2; 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 (!stringContains(fileOrDirectoryPath, nodeModulesPathPart)) return false; if (isFile && ((_a2 = symlinkCache.getSymlinkedFiles()) == null ? void 0 : _a2.has(fileOrDirectoryPath))) return true; return firstDefinedIterator(symlinkedDirectories.entries(), ([directoryPath, symlinkedDirectory]) => { if (!symlinkedDirectory || !startsWith(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; } } function handleNoEmitOptions(program, sourceFile, writeFile2, cancellationToken) { const options = program.getCompilerOptions(); if (options.noEmit) { program.getSemanticDiagnostics(sourceFile, cancellationToken); return sourceFile || outFile(options) ? 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(void 0, cancellationToken); } if (!diagnostics.length) return void 0; let emittedFiles; if (!sourceFile && !outFile(options)) { 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(root, extensions, excludes, includes, depth) { Debug.assertIsDefined(directoryStructureHost.readDirectory, ""CompilerHost.readDirectory" must be implemented to correctly process "projectReferences""); return directoryStructureHost.readDirectory(root, extensions, excludes, includes, depth); }, readFile: (f) => directoryStructureHost.readFile(f), useCaseSensitiveFileNames: host.useCaseSensitiveFileNames(), getCurrentDirectory: () => host.getCurrentDirectory(), onUnRecoverableConfigFileDiagnostic: host.onUnRecoverableConfigFileDiagnostic || returnUndefined, trace: host.trace ? (s) => host.trace(s) : void 0 }; } function createPrependNodes(projectReferences, getCommandLine, readFile, host) { if (!projectReferences) return emptyArray; let nodes; for (let i = 0; i < projectReferences.length; i++) { const ref = projectReferences[i]; const resolvedRefOpts = getCommandLine(ref, i); if (ref.prepend && resolvedRefOpts && resolvedRefOpts.options) { const out = outFile(resolvedRefOpts.options); if (!out) continue; const { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath } = getOutputPathsForBundle(resolvedRefOpts.options, true); const node = createInputFilesWithFilePaths(readFile, jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath, host, resolvedRefOpts.options); (nodes || (nodes = [])).push(node); } } return nodes || emptyArray; } 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 === 10) { 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 === 10) { if (index === augIndex) return aug; augIndex++; } } Debug.fail("should never ask for module name at index higher than possible module name"); } var ForegroundColorEscapeSequences, gutterStyleSequence, gutterSeparator, resetEscapeSequence, ellipsis, halfIndent, indent, emptyResolution, moduleResolutionNameAndModeGetter, typeReferenceResolutionNameAndModeGetter, inferredTypesContainingFile, plainJSErrors, emitSkippedWithNoDiagnostics; var init_program = __esm({ "src/compiler/program.ts"() { "use strict"; init_ts2(); init_ts2(); init_ts_performance(); 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 || {}); gutterStyleSequence = "x1B[7m"; gutterSeparator = " "; resetEscapeSequence = "x1B[0m"; ellipsis = "..."; halfIndent = " "; indent = " "; emptyResolution = { resolvedModule: void 0, resolvedTypeReferenceDirective: void 0 }; moduleResolutionNameAndModeGetter = { getName: getModuleResolutionName, getMode: (entry, file) => getModeForUsageLocation(file, entry) }; typeReferenceResolutionNameAndModeGetter = { getName: getTypeReferenceResolutionName, getMode: (entry, file) => getModeForFileReference(entry, file == null ? void 0 : file.impliedNodeFormat) }; inferredTypesContainingFile = "__inferred type names__.ts"; plainJSErrors = /* @__PURE__ */ new Set([ 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.Octal_literals_are_not_allowed_in_strict_mode.code, Diagnostics.with_statements_are_not_allowed_in_strict_mode.code, 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_assertion_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.const_declarations_can_only_be_declared_inside_a_block.code, Diagnostics.const_declarations_must_be_initialized.code, Diagnostics.extends_clause_already_seen.code, Diagnostics.let_declarations_can_only_be_declared_inside_a_block.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 ]); emitSkippedWithNoDiagnostics = { diagnostics: emptyArray, sourceMaps: void 0, emittedFiles: void 0, emitSkipped: true }; } }); var init_builderStatePublic = __esm({ "src/compiler/builderStatePublic.ts"() { "use strict"; } }); 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 BuilderState; var init_builderState = __esm({ "src/compiler/builderState.ts"() { "use strict"; init_ts2(); ((BuilderState2) => { function createManyToManyPathMap() { function create22(forward, reverse, deleted) { const map2 = { getKeys: (v) => reverse.get(v), getValues: (k) => forward.get(k), keys: () => forward.keys(), 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 create22(/* @__PURE__ */ new Map(), /* @__PURE__ */ new Map(), 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 _a2; return (_a2 = getSourceFileOfNode(declaration)) == null ? void 0 : _a2.resolvedPath; }); } function getReferencedFilesFromImportLiteral(checker, importName) { const symbol = checker.getSymbolAtLocation(importName); return symbol && getReferencedFilesFromImportedModuleSymbol(symbol); } function getReferencedFileFromFileName(program, fileName, sourceFileDirectory, getCanonicalFileName) { return toPath(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); } } if (sourceFile.resolvedTypeReferenceDirectiveNames) { sourceFile.resolvedTypeReferenceDirectiveNames.forEach(({ resolvedTypeReferenceDirective }) => { if (!resolvedTypeReferenceDirective) { return; } const fileName = resolvedTypeReferenceDirective.resolvedFileName; const typeFilePath = getReferencedFileFromFileName(program, fileName, sourceFileDirectory, getCanonicalFileName); addReferencedFile(typeFilePath); }); } if (sourceFile.moduleAugmentations.length) { const checker = program.getTypeChecker(); for (const moduleName of sourceFile.moduleAugmentations) { if (!isStringLiteral(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 create2(newProgram, oldState, disableUseFileVersionAsSignature) { var _a2, _b, _c; const fileInfos = /* @__PURE__ */ new Map(); const options = newProgram.getCompilerOptions(); const isOutFile = outFile(options); const referencedMap = options.module !== 0 && !isOutFile ? createManyToManyPathMap() : void 0; const exportedModulesMap = referencedMap ? createManyToManyPathMap() : void 0; 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 ? (_a2 = oldState.oldSignatures) == null ? void 0 : _a2.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); } if (useOldState) { const oldUncommittedExportedModules = (_c = oldState.oldExportedModulesMap) == null ? void 0 : _c.get(sourceFile.resolvedPath); const exportedModules = oldUncommittedExportedModules === void 0 ? oldState.exportedModulesMap.getValues(sourceFile.resolvedPath) : oldUncommittedExportedModules || void 0; if (exportedModules) { exportedModulesMap.set(sourceFile.resolvedPath, exportedModules); } } } fileInfos.set(sourceFile.resolvedPath, { version: version2, signature, affectsGlobalScope: !isOutFile ? isFileAffectingGlobalScope(sourceFile) || void 0 : void 0, impliedFormat: sourceFile.impliedNodeFormat }); } return { fileInfos, referencedMap, exportedModulesMap, useFileVersionAsSignature: !disableUseFileVersionAsSignature && !useOldState }; } BuilderState2.create = create2; function releaseCache2(state) { state.allFilesExcludingDefaultLibraryFile = void 0; state.allFileNames = void 0; } BuilderState2.releaseCache = releaseCache2; function getFilesAffectedBy(state, programOfThisState, path, cancellationToken, host) { var _a2, _b; const result = getFilesAffectedByWithOldState(state, programOfThisState, path, cancellationToken, host); (_a2 = state.oldSignatures) == null ? void 0 : _a2.clear(); (_b = state.oldExportedModulesMap) == null ? void 0 : _b.clear(); return result; } BuilderState2.getFilesAffectedBy = getFilesAffectedBy; function getFilesAffectedByWithOldState(state, programOfThisState, path, cancellationToken, host) { const sourceFile = programOfThisState.getSourceFileByPath(path); 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, path) { state.fileInfos.get(path).signature = signature; (state.hasCalledUpdateShapeSignature || (state.hasCalledUpdateShapeSignature = /* @__PURE__ */ new Set())).add(path); } 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, true, void 0, true); } BuilderState2.computeDtsSignature = computeDtsSignature; function updateShapeSignature(state, programOfThisState, sourceFile, cancellationToken, host, useFileVersionAsSignature = state.useFileVersionAsSignature) { var _a2; if ((_a2 = state.hasCalledUpdateShapeSignature) == null ? void 0 : _a2.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, sourceFiles) => { latestSignature = signature; if (latestSignature !== prevSignature) { updateExportedModules(state, sourceFile, sourceFiles[0].exportedModulesFromDeclarationEmit); } }); } if (latestSignature === void 0) { latestSignature = sourceFile.version; if (state.exportedModulesMap && latestSignature !== prevSignature) { (state.oldExportedModulesMap || (state.oldExportedModulesMap = /* @__PURE__ */ new Map())).set(sourceFile.resolvedPath, state.exportedModulesMap.getValues(sourceFile.resolvedPath) || false); const references = state.referencedMap ? state.referencedMap.getValues(sourceFile.resolvedPath) : void 0; if (references) { state.exportedModulesMap.set(sourceFile.resolvedPath, references); } else { state.exportedModulesMap.deleteKey(sourceFile.resolvedPath); } } } (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 updateExportedModules(state, sourceFile, exportedModulesFromDeclarationEmit) { if (!state.exportedModulesMap) return; (state.oldExportedModulesMap || (state.oldExportedModulesMap = /* @__PURE__ */ new Map())).set(sourceFile.resolvedPath, state.exportedModulesMap.getValues(sourceFile.resolvedPath) || false); const exportedModules = getExportedModules(exportedModulesFromDeclarationEmit); if (exportedModules) { state.exportedModulesMap.set(sourceFile.resolvedPath, exportedModules); } else { state.exportedModulesMap.deleteKey(sourceFile.resolvedPath); } } BuilderState2.updateExportedModules = updateExportedModules; function getExportedModules(exportedModulesFromDeclarationEmit) { let exportedModules; exportedModulesFromDeclarationEmit == null ? void 0 : exportedModulesFromDeclarationEmit.forEach((symbol) => getReferencedFilesFromImportedModuleSymbol(symbol).forEach((path) => (exportedModules != null ? exportedModules : exportedModules = /* @__PURE__ */ new Set()).add(path))); return exportedModules; } BuilderState2.getExportedModules = getExportedModules; function getAllDependencies(state, programOfThisState, sourceFile) { const compilerOptions = programOfThisState.getCompilerOptions(); if (outFile(compilerOptions)) { 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 path = queue.pop(); if (!seenMap.has(path)) { seenMap.add(path); const references = state.referencedMap.getValues(path); if (references) { for (const key of references.keys()) { queue.push(key); } } } } return arrayFrom(mapDefinedIterator(seenMap.keys(), (path) => { var _a2, _b; return (_b = (_a2 = programOfThisState.getSourceFileByPath(path)) == null ? void 0 : _a2.fileName) != null ? _b : path; })); } 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 keys = state.referencedMap.getKeys(referencedFilePath); return keys ? arrayFrom(keys.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 && outFile(compilerOptions)) { 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) || outFile(compilerOptions))) { 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 = {})); } }); 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 && (isNumber(oldOptionsOrEmitKind) ? oldOptionsOrEmitKind : getBuilderFileEmit(oldOptionsOrEmitKind)); const emitKind = isNumber(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 _a2, _b; const state = BuilderState.create(newProgram, oldState, false); state.program = newProgram; const compilerOptions = newProgram.getCompilerOptions(); state.compilerOptions = compilerOptions; const outFilePath = outFile(compilerOptions); if (!outFilePath) { state.semanticDiagnosticsPerFile = /* @__PURE__ */ new Map(); } else if (compilerOptions.composite && (oldState == null ? void 0 : oldState.outSignature) && outFilePath === outFile(oldState == null ? void 0 : oldState.compilerOptions)) { 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) { (_a2 = oldState.changedFilesSet) == null ? void 0 : _a2.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 _a3; let oldInfo; let newReferences; if (!useOldState || !(oldInfo = oldState.fileInfos.get(sourceFilePath)) || oldInfo.version !== info.version || oldInfo.impliedFormat !== info.impliedFormat || !hasSameKeys(newReferences = referencedMap && referencedMap.getValues(sourceFilePath), oldReferencedMap && oldReferencedMap.getValues(sourceFilePath)) || newReferences && forEachKey(newReferences, (path) => !state.fileInfos.has(path) && oldState.fileInfos.has(path))) { addFileToChangeSet(state, sourceFilePath); } else if (canCopySemanticDiagnostics) { const sourceFile = newProgram.getSourceFileByPath(sourceFilePath); 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, newProgram) : diagnostics); if (!state.semanticDiagnosticsFromOldState) { state.semanticDiagnosticsFromOldState = /* @__PURE__ */ new Set(); } state.semanticDiagnosticsFromOldState.add(sourceFilePath); } } if (canCopyEmitSignatures) { const oldEmitSignature = oldState.emitSignatures.get(sourceFilePath); if (oldEmitSignature) { ((_a3 = state.emitSignatures) != null ? _a3 : 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, 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; } } } if (outFilePath && !state.changedFilesSet.size) { if (useOldState) state.bundle = oldState.bundle; if (some(newProgram.getProjectReferences(), (ref) => !!ref.prepend)) state.programEmitPending = getBuilderFileEmit(compilerOptions); } return state; } function addFileToChangeSet(state, path) { state.changedFilesSet.add(path); state.buildInfoEmitPending = true; state.programEmitPending = void 0; } function getEmitSignatureFromOldSignature(options, oldOptions, oldEmitSignature) { return !!options.declarationMap === !!oldOptions.declarationMap ? oldEmitSignature : isString(oldEmitSignature) ? [oldEmitSignature] : oldEmitSignature[0]; } function convertToDiagnostics(diagnostics, newProgram) { if (!diagnostics.length) return emptyArray; let buildInfoDirectory; return diagnostics.map((diagnostic) => { const result = convertToDiagnosticRelatedInformation(diagnostic, newProgram, toPath3); 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, newProgram, toPath3)) : [] : void 0; return result; }); function toPath3(path) { buildInfoDirectory != null ? buildInfoDirectory : buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(getTsBuildInfoEmitOutputFilePath(newProgram.getCompilerOptions()), newProgram.getCurrentDirectory())); return toPath(path, buildInfoDirectory, newProgram.getCanonicalFileName); } } function convertToDiagnosticRelatedInformation(diagnostic, newProgram, toPath3) { const { file } = diagnostic; return { ...diagnostic, file: file ? newProgram.getSourceFileByPath(toPath3(file)) : void 0 }; } function releaseCache(state) { BuilderState.releaseCache(state); state.program = void 0; } function backupBuilderProgramEmitState(state) { const outFilePath = outFile(state.compilerOptions); 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 }; } 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; 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 _a2, _b; 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; (_a2 = state.oldSignatures) == null ? void 0 : _a2.clear(); (_b = state.oldExportedModulesMap) == null ? void 0 : _b.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 (outFile(compilerOptions)) { 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 _a2; if (!((_a2 = state.affectedFilesPendingEmit) == null ? void 0 : _a2.size)) return; if (!emitOnlyDtsFiles) return state.affectedFilesPendingEmit = void 0; state.affectedFilesPendingEmit.forEach((emitKind, path) => { const pending = emitKind & 7; if (!pending) state.affectedFilesPendingEmit.delete(path); else state.affectedFilesPendingEmit.set(path, pending); }); } function getNextAffectedFilePendingEmit(state, emitOnlyDtsFiles) { var _a2; if (!((_a2 = state.affectedFilesPendingEmit) == null ? void 0 : _a2.size)) return void 0; return forEachEntry(state.affectedFilesPendingEmit, (emitKind, path) => { var _a3; const affectedFile = state.program.getSourceFileByPath(path); if (!affectedFile || !sourceFileMayBeEmitted(affectedFile, state.program)) { state.affectedFilesPendingEmit.delete(path); return void 0; } const seenKind = (_a3 = state.seenEmittedFiles) == null ? void 0 : _a3.get(affectedFile.resolvedPath); let pendingKind = getPendingEmitKind(emitKind, seenKind); if (emitOnlyDtsFiles) pendingKind = pendingKind & 24; if (pendingKind) return { affectedFile, emitKind: pendingKind }; }); } 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, path, cancellationToken, host) { removeSemanticDiagnosticsOf(state, path); if (!state.changedFilesSet.has(path)) { const program = Debug.checkDefined(state.program); const sourceFile = program.getSourceFileByPath(path); if (sourceFile) { BuilderState.updateShapeSignature(state, program, sourceFile, cancellationToken, host, true); if (getEmitDeclarations(state.compilerOptions)) { addToAffectedFilesPendingEmit(state, path, state.compilerOptions.declarationMap ? 24 : 8); } } } } function removeSemanticDiagnosticsOf(state, path) { if (!state.semanticDiagnosticsFromOldState) { return true; } state.semanticDiagnosticsFromOldState.delete(path); state.semanticDiagnosticsPerFile.delete(path); return !state.semanticDiagnosticsFromOldState.size; } function isChangedSignature(state, path) { const oldSignature = Debug.checkDefined(state.oldSignatures).get(path) || void 0; const newSignature = Debug.checkDefined(state.fileInfos.get(path)).signature; return newSignature !== oldSignature; } function handleDtsMayChangeOfGlobalScope(state, filePath, cancellationToken, host) { var _a2; if (!((_a2 = state.fileInfos.get(filePath)) == null ? void 0 : _a2.affectsGlobalScope)) return false; BuilderState.getAllFilesExcludingDefaultLibraryFile(state, state.program, void 0).forEach((file) => handleDtsMayChangeOf(state, file.resolvedPath, cancellationToken, host)); removeDiagnosticsOfLibraryFiles(state); return true; } function handleDtsMayChangeOfReferencingExportOfAffectedFile(state, affectedFile, cancellationToken, host) { var _a2; if (!state.exportedModulesMap || !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, cancellationToken, host)) return; handleDtsMayChangeOf(state, currentPath, 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(); (_a2 = state.exportedModulesMap.getKeys(affectedFile.resolvedPath)) == null ? void 0 : _a2.forEach((exportedFromPath) => { if (handleDtsMayChangeOfGlobalScope(state, exportedFromPath, cancellationToken, host)) return true; const references = state.referencedMap.getKeys(exportedFromPath); return references && forEachKey(references, (filePath) => handleDtsMayChangeOfFileAndExportsOfFile(state, filePath, seenFileAndExportsOfFile, cancellationToken, host)); }); } function handleDtsMayChangeOfFileAndExportsOfFile(state, filePath, seenFileAndExportsOfFile, cancellationToken, host) { var _a2, _b; if (!tryAddToSet(seenFileAndExportsOfFile, filePath)) return void 0; if (handleDtsMayChangeOfGlobalScope(state, filePath, cancellationToken, host)) return true; handleDtsMayChangeOf(state, filePath, cancellationToken, host); (_a2 = state.exportedModulesMap.getKeys(filePath)) == null ? void 0 : _a2.forEach((exportedFromPath) => handleDtsMayChangeOfFileAndExportsOfFile(state, exportedFromPath, seenFileAndExportsOfFile, cancellationToken, host)); (_b = state.referencedMap.getKeys(filePath)) == null ? void 0 : _b.forEach((referencingFilePath) => !seenFileAndExportsOfFile.has(referencingFilePath) && handleDtsMayChangeOf(state, referencingFilePath, 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 path = sourceFile.resolvedPath; if (state.semanticDiagnosticsPerFile) { const cachedDiagnostics = state.semanticDiagnosticsPerFile.get(path); if (cachedDiagnostics) { return filterSemanticDiagnostics(cachedDiagnostics, state.compilerOptions); } } const diagnostics = Debug.checkDefined(state.program).getBindAndCheckDiagnostics(sourceFile, cancellationToken); if (state.semanticDiagnosticsPerFile) { state.semanticDiagnosticsPerFile.set(path, diagnostics); } return filterSemanticDiagnostics(diagnostics, state.compilerOptions); } function isProgramBundleEmitBuildInfo(info) { return !!outFile(info.options || {}); } function getBuildInfo2(state, bundle) { var _a2, _b, _c; 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 root = []; if (outFile(state.compilerOptions)) { 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, options: convertToProgramBuildInfoCompilerOptions(state.compilerOptions), outSignature: state.outSignature, latestChangedDtsFile, pendingEmit: !state.programEmitPending ? void 0 : state.programEmitPending === getBuilderFileEmit(state.compilerOptions) ? false : state.programEmitPending }; const { js, dts, commonSourceDirectory, sourceFiles } = bundle; state.bundle = bundle = { commonSourceDirectory, sourceFiles, js: js || (!state.compilerOptions.emitDeclarationOnly ? (_a2 = state.bundle) == null ? void 0 : _a2.js : void 0), dts: dts || (getEmitDeclarations(state.compilerOptions) ? (_b = state.bundle) == null ? void 0 : _b.dts : void 0) }; return createBuildInfo(program2, bundle); } let fileIdsList; let fileNamesToFileIdListId; let emitSignatures; const fileInfos = arrayFrom(state.fileInfos.entries(), ([key, value]) => { var _a3, _b2; const fileId = toFileId(key); tryAddRoot(key, fileId); Debug.assert(fileNames[fileId - 1] === relativeToBuildInfo(key)); const oldSignature = (_a3 = state.oldSignatures) == null ? void 0 : _a3.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 || (emitSignatures = [])).push(emitSignature === void 0 ? fileId : [fileId, !isString(emitSignature) && emitSignature[0] === actualSignature ? emptyArray : emitSignature]); } } } return value.version === actualSignature ? value.affectsGlobalScope || value.impliedFormat ? { version: value.version, signature: void 0, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat } : value.version : actualSignature !== void 0 ? oldSignature === void 0 ? value : { version: value.version, signature: actualSignature, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat } : { version: value.version, signature: false, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat }; }); let referencedMap; if (state.referencedMap) { referencedMap = arrayFrom(state.referencedMap.keys()).sort(compareStringsCaseSensitive).map((key) => [ toFileId(key), toFileIdListId(state.referencedMap.getValues(key)) ]); } let exportedModulesMap; if (state.exportedModulesMap) { exportedModulesMap = mapDefined(arrayFrom(state.exportedModulesMap.keys()).sort(compareStringsCaseSensitive), (key) => { var _a3; const oldValue = (_a3 = state.oldExportedModulesMap) == null ? void 0 : _a3.get(key); if (oldValue === void 0) return [toFileId(key), toFileIdListId(state.exportedModulesMap.getValues(key))]; if (oldValue) return [toFileId(key), toFileIdListId(oldValue)]; return void 0; }); } let semanticDiagnosticsPerFile; if (state.semanticDiagnosticsPerFile) { for (const key of arrayFrom(state.semanticDiagnosticsPerFile.keys()).sort(compareStringsCaseSensitive)) { const value = state.semanticDiagnosticsPerFile.get(key); (semanticDiagnosticsPerFile || (semanticDiagnosticsPerFile = [])).push(value.length ? [ toFileId(key), convertToReusableDiagnostics(value, relativeToBuildInfo) ] : toFileId(key)); } } let affectedFilesPendingEmit; if ((_c = state.affectedFilesPendingEmit) == null ? void 0 : _c.size) { const fullEmitForOptions = getBuilderFileEmit(state.compilerOptions); const seenFiles = /* @__PURE__ */ new Set(); for (const path of arrayFrom(state.affectedFilesPendingEmit.keys()).sort(compareStringsCaseSensitive)) { if (tryAddToSet(seenFiles, path)) { const file = state.program.getSourceFileByPath(path); if (!file || !sourceFileMayBeEmitted(file, state.program)) continue; const fileId = toFileId(path), pendingEmit = state.affectedFilesPendingEmit.get(path); (affectedFilesPendingEmit || (affectedFilesPendingEmit = [])).push(pendingEmit === fullEmitForOptions ? fileId : pendingEmit === 8 ? [fileId] : [fileId, pendingEmit]); } } } let changeFileSet; if (state.changedFilesSet.size) { for (const path of arrayFrom(state.changedFilesSet.keys()).sort(compareStringsCaseSensitive)) { (changeFileSet || (changeFileSet = [])).push(toFileId(path)); } } const program = { fileNames, fileInfos, root, options: convertToProgramBuildInfoCompilerOptions(state.compilerOptions), fileIdsList, referencedMap, exportedModulesMap, semanticDiagnosticsPerFile, affectedFilesPendingEmit, changeFileSet, emitSignatures, latestChangedDtsFile }; return createBuildInfo(program, bundle); function relativeToBuildInfoEnsuringAbsolutePath(path) { return relativeToBuildInfo(getNormalizedAbsolutePath(path, currentDirectory)); } function relativeToBuildInfo(path) { return ensurePathIsNonModuleName(getRelativePathFromDirectory(buildInfoDirectory, path, state.program.getCanonicalFileName)); } function toFileId(path) { let fileId = fileNameToFileId.get(path); if (fileId === void 0) { fileNames.push(relativeToBuildInfo(path)); fileNameToFileId.set(path, 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 || (fileIdsList = [])).push(fileIds); (fileNamesToFileIdListId || (fileNamesToFileIdListId = /* @__PURE__ */ new Map())).set(key, fileIdListId = fileIdsList.length); } return fileIdListId; } function tryAddRoot(path, fileId) { const file = state.program.getSourceFile(path); if (!state.program.getFileIncludeReasons().get(file.path).some((r) => r.kind === 0)) return; if (!root.length) return root.push(fileId); const last2 = root[root.length - 1]; const isLastStartEnd = isArray(last2); if (isLastStartEnd && last2[1] === fileId - 1) return last2[1] = fileId; if (isLastStartEnd || root.length === 1 || last2 !== fileId - 1) return root.push(fileId); const lastButOne = root[root.length - 2]; if (!isNumber(lastButOne) || lastButOne !== last2 - 1) return root.push(fileId); root[root.length - 2] = [lastButOne, fileId]; return root.length = root.length - 1; } 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], relativeToBuildInfoEnsuringAbsolutePath); } } return result; } } function convertToReusableCompilerOptionValue(option, value, relativeToBuildInfo) { if (option) { Debug.assert(option.type !== "listOrElement"); if (option.type === "list") { const values = value; if (option.element.isFilePath && values.length) { return values.map(relativeToBuildInfo); } } else if (option.isFilePath) { return relativeToBuildInfo(value); } } return value; } function convertToReusableDiagnostics(diagnostics, relativeToBuildInfo) { Debug.assert(!!diagnostics.length); return diagnostics.map((diagnostic) => { const result = convertToReusableDiagnosticRelatedInformation(diagnostic, relativeToBuildInfo); 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, relativeToBuildInfo)) : [] : void 0; return result; }); } function convertToReusableDiagnosticRelatedInformation(diagnostic, relativeToBuildInfo) { const { file } = diagnostic; return { ...diagnostic, file: file ? relativeToBuildInfo(file.resolvedPath) : void 0 }; } 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 (isArray(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 _a2, _b; text = getTextHandlingSourceMapForSignature(text, data); let sourceFileDirectory; if ((_a2 = data == null ? void 0 : data.diagnostics) == null ? void 0 : _a2.length) { text += data.diagnostics.map((diagnostic) => `${locationInfo(diagnostic)}${DiagnosticCategory[diagnostic.category]}${diagnostic.code}: ${flattenDiagnosticMessageText22(diagnostic.messageText)}`).join(" "); } return ((_b = host.createHash) != null ? _b : generateDjb2Hash)(text); function flattenDiagnosticMessageText22(diagnostic) { return isString(diagnostic) ? diagnostic : diagnostic === void 0 ? "" : !diagnostic.next ? diagnostic.messageText : diagnostic.messageText + diagnostic.next.map(flattenDiagnosticMessageText22).join(" "); } 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) { var _a2; return ((_a2 = host.createHash) != null ? _a2 : 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 = (bundle) => getBuildInfo2(state, bundle); 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 _a2, _b, _c, _d, _e; let affected = getNextAffectedFile(state, cancellationToken, host); const programEmitKind = getBuilderFileEmit(state.compilerOptions); let emitKind = emitOnlyDtsFiles ? programEmitKind & 24 : programEmitKind; if (!affected) { if (!outFile(state.compilerOptions)) { const pendingAffectedFile = getNextAffectedFilePendingEmit(state, emitOnlyDtsFiles); if (!pendingAffectedFile) { 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 = ((_a2 = state.seenEmittedFiles) == null ? void 0 : _a2.get(affectedSourceFile.resolvedPath)) || 0; ((_b = state.seenEmittedFiles) != null ? _b : state.seenEmittedFiles = /* @__PURE__ */ new Map()).set(affectedSourceFile.resolvedPath, emitKind | existing); const existingPending = ((_c = state.affectedFilesPendingEmit) == null ? void 0 : _c.get(affectedSourceFile.resolvedPath)) || programEmitKind; const pendingKind = getPendingEmitKind(existingPending, emitKind | existing); if (pendingKind) ((_d = state.affectedFilesPendingEmit) != null ? _d : state.affectedFilesPendingEmit = /* @__PURE__ */ new Map()).set(affectedSourceFile.resolvedPath, pendingKind); else (_e = state.affectedFilesPendingEmit) == null ? void 0 : _e.delete(affectedSourceFile.resolvedPath); } 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 _a2, _b, _c, _d, _e, _f, _g; if (isDeclarationFileName(fileName)) { if (!outFile(state.compilerOptions)) { 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 (!((_a2 = data == null ? void 0 : data.diagnostics) == null ? void 0 : _a2.length)) emitSignature = signature; if (signature !== file.version) { if (host.storeFilesChangingSignatureDuringEmit) ((_b = state.filesChangingSignature) != null ? _b : state.filesChangingSignature = /* @__PURE__ */ new Set()).add(file.resolvedPath); if (state.exportedModulesMap) BuilderState.updateExportedModules(state, file, file.exportedModulesFromDeclarationEmit); if (state.affectedFiles) { const existing = (_c = state.oldSignatures) == null ? void 0 : _c.get(file.resolvedPath); if (existing === void 0) ((_d = state.oldSignatures) != null ? _d : state.oldSignatures = /* @__PURE__ */ new Map()).set(file.resolvedPath, info.signature || false); info.signature = signature; } else { info.signature = signature; (_e = state.oldExportedModulesMap) == null ? void 0 : _e.clear(); } } } } if (state.compilerOptions.composite) { const filePath = sourceFiles[0].resolvedPath; emitSignature = handleNewSignature((_f = state.emitSignatures) == null ? void 0 : _f.get(filePath), emitSignature); if (!emitSignature) return; ((_g = state.emitSignatures) != null ? _g : state.emitSignatures = /* @__PURE__ */ new Map()).set(filePath, emitSignature); } } else if (state.compilerOptions.composite) { const newSignature = handleNewSignature(state.outSignature, 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 || isString(oldSignatureFormat) ? oldSignatureFormat : oldSignatureFormat[0]; newSignature != null ? 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(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 (outFile(compilerOptions)) { 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 _a2, _b; const existingKind = ((_a2 = state.affectedFilesPendingEmit) == null ? void 0 : _a2.get(affectedFilePendingEmit)) || 0; ((_b = state.affectedFilesPendingEmit) != null ? _b : state.affectedFilesPendingEmit = /* @__PURE__ */ new Map()).set(affectedFilePendingEmit, existingKind | kind); } function toBuilderStateFileInfoForMultiEmit(fileInfo) { return isString(fileInfo) ? { version: fileInfo, signature: fileInfo, affectsGlobalScope: void 0, impliedFormat: void 0 } : isString(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 isNumber(value) ? fullEmitForOptions : value[1] || 8; } function toProgramEmitPending(value, options) { return !value ? getBuilderFileEmit(options || {}) : value; } function createBuilderProgramUsingProgramBuildInfo(buildInfo, buildInfoPath, host) { var _a2, _b, _c, _d; const program = buildInfo.program; const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory())); const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames()); let state; const filePaths = (_a2 = program.fileNames) == null ? void 0 : _a2.map(toPath3); 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 path = toFilePath(index + 1); fileInfos.set(path, isString(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), bundle: buildInfo.bundle }; } 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) && !outFile(program.options) ? /* @__PURE__ */ new Map() : void 0; program.fileInfos.forEach((fileInfo, index) => { const path = toFilePath(index + 1); const stateFileInfo = toBuilderStateFileInfoForMultiEmit(fileInfo); fileInfos.set(path, stateFileInfo); if (emitSignatures && stateFileInfo.signature) emitSignatures.set(path, stateFileInfo.signature); }); (_d = program.emitSignatures) == null ? void 0 : _d.forEach((value) => { if (isNumber(value)) emitSignatures.delete(toFilePath(value)); else { const key = toFilePath(value[0]); emitSignatures.set(key, !isString(value[1]) && !value[1].length ? [emitSignatures.get(key)] : value[1]); } }); const fullEmitForOptions = program.affectedFilesPendingEmit ? getBuilderFileEmit(program.options || {}) : void 0; state = { fileInfos, compilerOptions: program.options ? convertToOptionsWithAbsolutePaths(program.options, toAbsolutePath) : {}, referencedMap: toManyToManyPathMap(program.referencedMap), exportedModulesMap: toManyToManyPathMap(program.exportedModulesMap), semanticDiagnosticsPerFile: program.semanticDiagnosticsPerFile && arrayToMap(program.semanticDiagnosticsPerFile, (value) => toFilePath(isNumber(value) ? value : value[0]), (value) => isNumber(value) ? emptyArray : value[1]), hasReusableDiagnostic: true, affectedFilesPendingEmit: program.affectedFilesPendingEmit && arrayToMap(program.affectedFilesPendingEmit, (value) => toFilePath(isNumber(value) ? value : value[0]), (value) => toBuilderFileEmit(value, fullEmitForOptions)), changedFilesSet: new Set(map(program.changeFileSet, toFilePath)), latestChangedDtsFile, emitSignatures: (emitSignatures == null ? void 0 : emitSignatures.size) ? emitSignatures : void 0 }; } return { getState: () => state, saveEmitState: noop, restoreEmitState: noop, getProgram: notImplemented, getProgramOrUndefined: returnUndefined, releaseProgram: noop, 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: noop, hasChangedEmitSignature: returnFalse }; function toPath3(path) { return toPath(path, buildInfoDirectory, getCanonicalFileName); } function toAbsolutePath(path) { return getNormalizedAbsolutePath(path, buildInfoDirectory); } function toFilePath(fileId) { return filePaths[fileId - 1]; } function toFilePathsSet(fileIdsListId) { return filePathsSetList[fileIdsListId - 1]; } function toManyToManyPathMap(referenceMap) { if (!referenceMap) { return void 0; } const map2 = BuilderState.createManyToManyPathMap(); referenceMap.forEach(([fileId, fileIdListId]) => map2.set(toFilePath(fileId), toFilePathsSet(fileIdListId))); return map2; } } 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 = []; program.fileInfos.forEach((fileInfo, index) => { const path = toPath(program.fileNames[index], buildInfoDirectory, getCanonicalFileName); const version2 = isString(fileInfo) ? fileInfo : fileInfo.version; fileInfos.set(path, version2); if (rootIndex < program.root.length) { const current = program.root[rootIndex]; const fileId = index + 1; if (isArray(current)) { if (current[0] <= fileId && fileId <= current[1]) { roots.push(path); if (current[1] === fileId) rootIndex++; } } else if (current === fileId) { roots.push(path); rootIndex++; } } }); return { fileInfos, roots }; } function createRedirectedBuilderProgram(getState, configFileParsingDiagnostics) { return { getState: notImplemented, saveEmitState: noop, restoreEmitState: noop, 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: noop }; function getProgram() { return Debug.checkDefined(getState().program); } } var BuilderFileEmit, BuilderProgramKind; var init_builder = __esm({ "src/compiler/builder.ts"() { "use strict"; init_ts2(); init_ts2(); 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 || {}); BuilderProgramKind = /* @__PURE__ */ ((BuilderProgramKind2) => { BuilderProgramKind2[BuilderProgramKind2["SemanticDiagnosticsBuilderProgram"] = 0] = "SemanticDiagnosticsBuilderProgram"; BuilderProgramKind2[BuilderProgramKind2["EmitAndSemanticDiagnosticsBuilderProgram"] = 1] = "EmitAndSemanticDiagnosticsBuilderProgram"; return BuilderProgramKind2; })(BuilderProgramKind || {}); } }); 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); } var init_builderPublic = __esm({ "src/compiler/builderPublic.ts"() { "use strict"; init_ts2(); } }); function removeIgnoredPath(path) { if (endsWith(path, "/node_modules/.staging")) { return removeSuffix(path, "/.staging"); } return some(ignoredPaths, (searchPath) => stringContains(path, searchPath)) ? void 0 : path; } function canWatchDirectoryOrFile(dirPath) { const rootLength = getRootLength(dirPath); if (dirPath.length === rootLength) { return false; } let nextDirectorySeparator = dirPath.indexOf(directorySeparator, rootLength); if (nextDirectorySeparator === -1) { return false; } let pathPartForUserCheck = dirPath.substring(rootLength, nextDirectorySeparator + 1); const isNonDirectorySeparatorRoot = rootLength > 1 || dirPath.charCodeAt(0) !== 47; if (isNonDirectorySeparatorRoot && dirPath.search(/[a-zA-Z]:/) !== 0 && pathPartForUserCheck.search(/[a-zA-Z]$//) === 0) { nextDirectorySeparator = dirPath.indexOf(directorySeparator, nextDirectorySeparator + 1); if (nextDirectorySeparator === -1) { return false; } pathPartForUserCheck = dirPath.substring(rootLength + pathPartForUserCheck.length, nextDirectorySeparator + 1); } if (isNonDirectorySeparatorRoot && pathPartForUserCheck.search(/users//i) !== 0) { return true; } for (let searchIndex = nextDirectorySeparator + 1, searchLevels = 2; searchLevels > 0; searchLevels--) { searchIndex = dirPath.indexOf(directorySeparator, searchIndex) + 1; if (searchIndex === 0) { return false; } } return true; } 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; 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()); const failedLookupDefaultExtensions = [".ts", ".tsx", ".js", ".jsx", ".json"]; const customFailedLookupPaths = /* @__PURE__ */ new Map(); const directoryWatchesOfFailedLookups = /* @__PURE__ */ new Map(); const fileWatchesOfAffectingLocations = /* @__PURE__ */ new Map(); const rootDir = rootDirForResolution && removeTrailingDirectorySeparator(getNormalizedAbsolutePath(rootDirForResolution, getCurrentDirectory())); const rootPath = rootDir && resolutionHost.toPath(rootDir); const rootSplitLength = rootPath !== void 0 ? rootPath.split(directorySeparator).length : 0; const typeRootsWatches = /* @__PURE__ */ new Map(); return { getModuleResolutionCache: () => moduleResolutionCache, startRecordingFilesWithChangedResolutions, finishRecordingFilesWithChangedResolutions, startCachingPerDirectoryResolution, finishCachingPerDirectoryResolution, resolveModuleNameLiterals, resolveTypeReferenceDirectiveReferences, resolveSingleModuleNameWithoutWatching, removeResolutionsFromProjectReferenceRedirects, removeResolutionsOfFile, hasChangedAutomaticTypeDirectiveNames: () => hasChangedAutomaticTypeDirectiveNames, invalidateResolutionOfFile, invalidateResolutionsOfFailedLookupLocations, setFilesWithInvalidatedNonRelativeUnresolvedImports, createHasInvalidatedResolutions, isFileWithInvalidatedNonRelativeUnresolvedImports, updateTypeRootsWatch, closeTypeRootsWatch, clear: clear2 }; function getResolvedModule2(resolution) { return resolution.resolvedModule; } function getResolvedTypeReferenceDirective2(resolution) { return resolution.resolvedTypeReferenceDirective; } function isInDirectoryPath(dir, file) { if (dir === void 0 || file.length <= dir.length) { return false; } return startsWith(file, dir) && file[dir.length] === directorySeparator; } function clear2() { clearMap(directoryWatchesOfFailedLookups, closeFileWatcherOf); clearMap(fileWatchesOfAffectingLocations, closeFileWatcherOf); customFailedLookupPaths.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; moduleResolutionCache.clear(); typeReferenceDirectiveResolutionCache.clear(); moduleResolutionCache.update(resolutionHost.getCompilationSettings()); typeReferenceDirectiveResolutionCache.update(resolutionHost.getCompilationSettings()); impliedFormatPackageJsons.clear(); hasChangedAutomaticTypeDirectiveNames = false; } function startRecordingFilesWithChangedResolutions() { filesWithChangedSetOfUnresolvedImports = []; } function finishRecordingFilesWithChangedResolutions() { const collected = filesWithChangedSetOfUnresolvedImports; filesWithChangedSetOfUnresolvedImports = void 0; return collected; } function isFileWithInvalidatedNonRelativeUnresolvedImports(path) { if (!filesWithInvalidatedNonRelativeUnresolvedImports) { return false; } const value = filesWithInvalidatedNonRelativeUnresolvedImports.get(path); return !!value && !!value.length; } function createHasInvalidatedResolutions(customHasInvalidatedResolutions) { invalidateResolutionsOfFailedLookupLocations(); const collected = filesWithInvalidatedResolutions; filesWithInvalidatedResolutions = void 0; return (path) => customHasInvalidatedResolutions(path) || !!(collected == null ? void 0 : collected.has(path)) || isFileWithInvalidatedNonRelativeUnresolvedImports(path); } function startCachingPerDirectoryResolution() { moduleResolutionCache.clearAllExceptPackageJsonInfoCache(); typeReferenceDirectiveResolutionCache.clearAllExceptPackageJsonInfoCache(); nonRelativeExternalModuleResolutions.forEach(watchFailedLookupLocationOfNonRelativeModuleResolutions); nonRelativeExternalModuleResolutions.clear(); } function finishCachingPerDirectoryResolution(newProgram, oldProgram) { filesWithInvalidatedNonRelativeUnresolvedImports = void 0; nonRelativeExternalModuleResolutions.forEach(watchFailedLookupLocationOfNonRelativeModuleResolutions); nonRelativeExternalModuleResolutions.clear(); if (newProgram !== oldProgram) { newProgram == null ? void 0 : newProgram.getSourceFiles().forEach((newFile) => { var _a2, _b, _c; const expected = isExternalOrCommonJsModule(newFile) ? (_b = (_a2 = newFile.packageJsonLocations) == null ? void 0 : _a2.length) != null ? _b : 0 : 0; const existing = (_c = impliedFormatPackageJsons.get(newFile.path)) != null ? _c : emptyArray; for (let i = existing.length; i < expected; i++) { createFileWatcherOfAffectingLocation(newFile.packageJsonLocations[i], false); } if (existing.length > expected) { for (let i = expected; i < existing.length; i++) { fileWatchesOfAffectingLocations.get(existing[i]).files--; } } if (expected) impliedFormatPackageJsons.set(newFile.path, newFile.packageJsonLocations); else impliedFormatPackageJsons.delete(newFile.path); }); impliedFormatPackageJsons.forEach((existing, path) => { if (!(newProgram == null ? void 0 : newProgram.getSourceFileByPath(path))) { existing.forEach((location) => fileWatchesOfAffectingLocations.get(location).files--); impliedFormatPackageJsons.delete(path); } }); } directoryWatchesOfFailedLookups.forEach((watcher, path) => { if (watcher.refCount === 0) { directoryWatchesOfFailedLookups.delete(path); watcher.watcher.close(); } }); fileWatchesOfAffectingLocations.forEach((watcher, path) => { if (watcher.files === 0 && watcher.resolutions === 0) { fileWatchesOfAffectingLocations.delete(path); watcher.watcher.close(); } }); hasChangedAutomaticTypeDirectiveNames = false; } function resolveModuleName2(moduleName, containingFile, compilerOptions, redirectedReference, mode) { var _a2; const host = ((_a2 = resolutionHost.getCompilerHost) == null ? void 0 : _a2.call(resolutionHost)) || 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 createModuleResolutionLoader2(containingFile, redirectedReference, options) { return { nameAndMode: moduleResolutionNameAndModeGetter, resolve: (moduleName, resoluionMode) => resolveModuleName2(moduleName, containingFile, options, redirectedReference, resoluionMode) }; } function resolveNamesWithLocalCache({ entries, containingFile, containingSourceFile, redirectedReference, options, perFileCache, reusedNames, loader, getResolutionWithResolvedFileName, shouldRetryResolution, logChanges }) { var _a2; const path = resolutionHost.toPath(containingFile); const resolutionsInFile = perFileCache.get(path) || perFileCache.set(path, createModeAwareCache()).get(path); const resolvedModules = []; const hasInvalidatedNonRelativeUnresolvedImport = logChanges && isFileWithInvalidatedNonRelativeUnresolvedImports(path); 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); let resolution = resolutionsInFile.get(name, mode); if (!seenNamesInFile.has(name, mode) && unmatchedRedirects || !resolution || resolution.isInvalidated || 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); watchFailedLookupLocationsOfExternalModuleResolutions(name, resolution, path, getResolutionWithResolvedFileName); if (existingResolution) { stopWatchFailedLookupLocationOfResolution(existingResolution, path, getResolutionWithResolvedFileName); } if (logChanges && filesWithChangedSetOfUnresolvedImports && !resolutionIsEqualTo(existingResolution, resolution)) { filesWithChangedSetOfUnresolvedImports.push(path); logChanges = false; } } else { const host = ((_a2 = resolutionHost.getCompilerHost) == null ? void 0 : _a2.call(resolutionHost)) || 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), true)); if (resolutionsInFile.size() !== seenNamesInFile.size()) { resolutionsInFile.forEach((resolution, name, mode) => { if (!seenNamesInFile.has(name, mode)) { stopWatchFailedLookupLocationOfResolution(resolution, path, 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) { var _a2; return resolveNamesWithLocalCache({ entries: typeDirectiveReferences, containingFile, containingSourceFile, redirectedReference, options, reusedNames, perFileCache: resolvedTypeReferenceDirectives, loader: createTypeReferenceResolutionLoader(containingFile, redirectedReference, options, ((_a2 = resolutionHost.getCompilerHost) == null ? void 0 : _a2.call(resolutionHost)) || resolutionHost, typeReferenceDirectiveResolutionCache), getResolutionWithResolvedFileName: getResolvedTypeReferenceDirective2, shouldRetryResolution: (resolution) => resolution.resolvedTypeReferenceDirective === void 0 }); } function resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames) { return resolveNamesWithLocalCache({ entries: moduleLiterals, containingFile, containingSourceFile, redirectedReference, options, reusedNames, perFileCache: resolvedModuleNames, loader: createModuleResolutionLoader2(containingFile, redirectedReference, options), getResolutionWithResolvedFileName: getResolvedModule2, shouldRetryResolution: (resolution) => !resolution.resolvedModule || !resolutionExtensionIsTSOrJson(resolution.resolvedModule.extension), logChanges: logChangesWhenResolvingModule }); } function resolveSingleModuleNameWithoutWatching(moduleName, containingFile) { const path = resolutionHost.toPath(containingFile); const resolutionsInFile = resolvedModuleNames.get(path); const resolution = resolutionsInFile == null ? void 0 : resolutionsInFile.get(moduleName, void 0); if (resolution && !resolution.isInvalidated) return resolution; return resolveModuleName2(moduleName, containingFile, resolutionHost.getCompilationSettings()); } function isNodeModulesAtTypesDirectory(dirPath) { return endsWith(dirPath, "/node_modules/@types"); } function getDirectoryToWatchFailedLookupLocation(failedLookupLocation, failedLookupLocationPath) { if (isInDirectoryPath(rootPath, failedLookupLocationPath)) { failedLookupLocation = isRootedDiskPath(failedLookupLocation) ? normalizePath(failedLookupLocation) : getNormalizedAbsolutePath(failedLookupLocation, getCurrentDirectory()); const failedLookupPathSplit = failedLookupLocationPath.split(directorySeparator); const failedLookupSplit = failedLookupLocation.split(directorySeparator); Debug.assert(failedLookupSplit.length === failedLookupPathSplit.length, `FailedLookup: ${failedLookupLocation} failedLookupLocationPath: ${failedLookupLocationPath}`); if (failedLookupPathSplit.length > rootSplitLength + 1) { return { dir: failedLookupSplit.slice(0, rootSplitLength + 1).join(directorySeparator), dirPath: failedLookupPathSplit.slice(0, rootSplitLength + 1).join(directorySeparator) }; } else { return { dir: rootDir, dirPath: rootPath, nonRecursive: false }; } } return getDirectoryToWatchFromFailedLookupLocationDirectory(getDirectoryPath(getNormalizedAbsolutePath(failedLookupLocation, getCurrentDirectory())), getDirectoryPath(failedLookupLocationPath)); } function getDirectoryToWatchFromFailedLookupLocationDirectory(dir, dirPath) { while (pathContainsNodeModules(dirPath)) { dir = getDirectoryPath(dir); dirPath = getDirectoryPath(dirPath); } if (isNodeModulesDirectory(dirPath)) { return canWatchDirectoryOrFile(getDirectoryPath(dirPath)) ? { dir, dirPath } : void 0; } let nonRecursive = true; let subDirectoryPath, subDirectory; if (rootPath !== void 0) { while (!isInDirectoryPath(dirPath, rootPath)) { const parentPath = getDirectoryPath(dirPath); if (parentPath === dirPath) { break; } nonRecursive = false; subDirectoryPath = dirPath; subDirectory = dir; dirPath = parentPath; dir = getDirectoryPath(dir); } } return canWatchDirectoryOrFile(dirPath) ? { dir: subDirectory || dir, dirPath: subDirectoryPath || dirPath, nonRecursive } : void 0; } function isPathWithDefaultFailedLookupExtension(path) { return fileExtensionIsOneOf(path, failedLookupDefaultExtensions); } function watchFailedLookupLocationsOfExternalModuleResolutions(name, resolution, filePath, getResolutionWithResolvedFileName) { var _a2, _b; if (resolution.refCount) { resolution.refCount++; Debug.assertIsDefined(resolution.files); } else { resolution.refCount = 1; Debug.assert(!((_a2 = resolution.files) == null ? void 0 : _a2.size)); if (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); } } ((_b = resolution.files) != null ? _b : resolution.files = /* @__PURE__ */ new Set()).add(filePath); } function watchFailedLookupLocationOfResolution(resolution) { Debug.assert(!!resolution.refCount); const { failedLookupLocations, affectingLocations } = resolution; if (!(failedLookupLocations == null ? void 0 : failedLookupLocations.length) && !(affectingLocations == null ? void 0 : affectingLocations.length)) return; if (failedLookupLocations == null ? void 0 : failedLookupLocations.length) resolutionsWithFailedLookups.add(resolution); let setAtRoot = false; if (failedLookupLocations) { for (const failedLookupLocation of failedLookupLocations) { const failedLookupLocationPath = resolutionHost.toPath(failedLookupLocation); const toWatch = getDirectoryToWatchFailedLookupLocation(failedLookupLocation, failedLookupLocationPath); if (toWatch) { const { dir, dirPath, nonRecursive } = toWatch; if (!isPathWithDefaultFailedLookupExtension(failedLookupLocationPath)) { const refCount = customFailedLookupPaths.get(failedLookupLocationPath) || 0; customFailedLookupPaths.set(failedLookupLocationPath, refCount + 1); } if (dirPath === rootPath) { Debug.assert(!nonRecursive); setAtRoot = true; } else { setDirectoryWatcher(dir, dirPath, nonRecursive); } } } if (setAtRoot) { setDirectoryWatcher(rootDir, rootPath, true); } } watchAffectingLocationsOfResolution(resolution, !(failedLookupLocations == null ? void 0 : failedLookupLocations.length)); } 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, true); } } function createFileWatcherOfAffectingLocation(affectingLocation, forResolution) { const fileWatcher = fileWatchesOfAffectingLocations.get(affectingLocation); if (fileWatcher) { if (forResolution) fileWatcher.resolutions++; else fileWatcher.files++; return; } let locationToWatch = affectingLocation; if (resolutionHost.realpath) { locationToWatch = resolutionHost.realpath(affectingLocation); if (affectingLocation !== locationToWatch) { const fileWatcher2 = fileWatchesOfAffectingLocations.get(locationToWatch); if (fileWatcher2) { if (forResolution) fileWatcher2.resolutions++; else fileWatcher2.files++; fileWatcher2.paths.add(affectingLocation); fileWatchesOfAffectingLocations.set(affectingLocation, fileWatcher2); return; } } } const paths = /* @__PURE__ */ new Set(); paths.add(locationToWatch); let actualWatcher = canWatchDirectoryOrFile(resolutionHost.toPath(locationToWatch)) ? resolutionHost.watchAffectingFileLocation(locationToWatch, (fileName, eventKind) => { cachedDirectoryStructureHost == null ? void 0 : cachedDirectoryStructureHost.addOrDeleteFile(fileName, resolutionHost.toPath(locationToWatch), eventKind); const packageJsonMap = moduleResolutionCache.getPackageJsonInfoCache().getInternalMap(); paths.forEach((path) => { if (watcher.resolutions) (affectingPathChecks != null ? affectingPathChecks : affectingPathChecks = /* @__PURE__ */ new Set()).add(path); if (watcher.files) (affectingPathChecksForFile != null ? affectingPathChecksForFile : affectingPathChecksForFile = /* @__PURE__ */ new Set()).add(path); packageJsonMap == null ? void 0 : packageJsonMap.delete(resolutionHost.toPath(path)); }); resolutionHost.scheduleInvalidateResolutionsOfFailedLookupLocations(); }) : noopFileWatcher; const watcher = { watcher: actualWatcher !== noopFileWatcher ? { close: () => { actualWatcher.close(); actualWatcher = noopFileWatcher; } } : actualWatcher, resolutions: forResolution ? 1 : 0, files: forResolution ? 0 : 1, paths }; fileWatchesOfAffectingLocations.set(locationToWatch, watcher); if (affectingLocation !== locationToWatch) { fileWatchesOfAffectingLocations.set(affectingLocation, watcher); paths.add(affectingLocation); } } function watchFailedLookupLocationOfNonRelativeModuleResolutions(resolutions, name) { const program = resolutionHost.getCurrentProgram(); if (!program || !program.getTypeChecker().tryFindAmbientModuleWithoutAugmentations(name)) { resolutions.forEach(watchFailedLookupLocationOfResolution); } else { resolutions.forEach((resolution) => watchAffectingLocationsOfResolution(resolution, true)); } } function setDirectoryWatcher(dir, dirPath, nonRecursive) { const dirWatcher = directoryWatchesOfFailedLookups.get(dirPath); if (dirWatcher) { Debug.assert(!!nonRecursive === !!dirWatcher.nonRecursive); dirWatcher.refCount++; } else { directoryWatchesOfFailedLookups.set(dirPath, { watcher: createDirectoryWatcher(dir, dirPath, nonRecursive), refCount: 1, nonRecursive }); } } function stopWatchFailedLookupLocationOfResolution(resolution, filePath, getResolutionWithResolvedFileName) { 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 } = resolution; if (resolutionsWithFailedLookups.delete(resolution)) { let removeAtRoot = false; for (const failedLookupLocation of failedLookupLocations) { const failedLookupLocationPath = resolutionHost.toPath(failedLookupLocation); const toWatch = getDirectoryToWatchFailedLookupLocation(failedLookupLocation, failedLookupLocationPath); if (toWatch) { const { dirPath } = toWatch; const refCount = customFailedLookupPaths.get(failedLookupLocationPath); if (refCount) { if (refCount === 1) { customFailedLookupPaths.delete(failedLookupLocationPath); } else { Debug.assert(refCount > 1); customFailedLookupPaths.set(failedLookupLocationPath, refCount - 1); } } if (dirPath === rootPath) { removeAtRoot = true; } else { removeDirectoryWatcher(dirPath); } } } if (removeAtRoot) { removeDirectoryWatcher(rootPath); } } 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--; } } } function removeDirectoryWatcher(dirPath) { const dirWatcher = directoryWatchesOfFailedLookups.get(dirPath); dirWatcher.refCount--; } 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); } function removeResolutionsOfFileFromCache(cache, filePath, getResolutionWithResolvedFileName) { const resolutions = cache.get(filePath); if (resolutions) { resolutions.forEach((resolution) => stopWatchFailedLookupLocationOfResolution(resolution, filePath, getResolutionWithResolvedFileName)); cache.delete(filePath); } } function removeResolutionsFromProjectReferenceRedirects(filePath) { if (!fileExtensionIs(filePath, ".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) { removeResolutionsOfFileFromCache(resolvedModuleNames, filePath, getResolvedModule2); removeResolutionsOfFileFromCache(resolvedTypeReferenceDirectives, filePath, getResolvedTypeReferenceDirective2); } 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 != null ? 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 (!isPathWithDefaultFailedLookupExtension(fileOrDirectoryPath) && !customFailedLookupPaths.has(fileOrDirectoryPath)) { return false; } if (isEmittedFileOfProgram(resolutionHost.getCurrentProgram(), fileOrDirectoryPath)) { return false; } (failedLookupChecks || (failedLookupChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath); const packagePath = parseNodeModuleFromPath(fileOrDirectoryPath); if (packagePath) (startsWithPathChecks || (startsWithPathChecks = /* @__PURE__ */ new Set())).add(packagePath); } } resolutionHost.scheduleInvalidateResolutionsOfFailedLookupLocations(); } function invalidateResolutionsOfFailedLookupLocations() { var _a2; let invalidated = false; if (affectingPathChecksForFile) { (_a2 = resolutionHost.getCurrentProgram()) == null ? void 0 : _a2.getSourceFiles().forEach((f) => { if (some(f.packageJsonLocations, (location) => affectingPathChecksForFile.has(location))) { (filesWithInvalidatedResolutions != null ? 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; const packageJsonMap = moduleResolutionCache.getPackageJsonInfoCache().getInternalMap(); if (packageJsonMap && (failedLookupChecks || startsWithPathChecks || isInDirectoryChecks)) { packageJsonMap.forEach((_value, path) => isInvalidatedFailedLookup(path) ? packageJsonMap.delete(path) : void 0); } failedLookupChecks = void 0; startsWithPathChecks = void 0; isInDirectoryChecks = void 0; invalidated = invalidateResolutions(resolutionsWithOnlyAffectingLocations, canInvalidatedFailedLookupResolutionWithAffectingLocation) || invalidated; affectingPathChecks = void 0; return invalidated; } function canInvalidateFailedLookupResolution(resolution) { var _a2; if (canInvalidatedFailedLookupResolutionWithAffectingLocation(resolution)) return true; if (!failedLookupChecks && !startsWithPathChecks && !isInDirectoryChecks) return false; return (_a2 = resolution.failedLookupLocations) == null ? void 0 : _a2.some((location) => isInvalidatedFailedLookup(resolutionHost.toPath(location))); } function isInvalidatedFailedLookup(locationPath) { return (failedLookupChecks == null ? void 0 : failedLookupChecks.has(locationPath)) || firstDefinedIterator((startsWithPathChecks == null ? void 0 : startsWithPathChecks.keys()) || [], (fileOrDirectoryPath) => startsWith(locationPath, fileOrDirectoryPath) ? true : void 0) || firstDefinedIterator((isInDirectoryChecks == null ? void 0 : isInDirectoryChecks.keys()) || [], (fileOrDirectoryPath) => isInDirectoryPath(fileOrDirectoryPath, locationPath) ? true : void 0); } function canInvalidatedFailedLookupResolutionWithAffectingLocation(resolution) { var _a2; return !!affectingPathChecks && ((_a2 = resolution.affectingLocations) == null ? void 0 : _a2.some((location) => affectingPathChecks.has(location))); } function closeTypeRootsWatch() { clearMap(typeRootsWatches, closeFileWatcher); } function getDirectoryToWatchFailedLookupLocationFromTypeRoot(typeRoot, typeRootPath) { if (isInDirectoryPath(rootPath, typeRootPath)) { return rootPath; } const toWatch = getDirectoryToWatchFromFailedLookupLocationDirectory(typeRoot, typeRootPath); return toWatch && directoryWatchesOfFailedLookups.has(toWatch.dirPath) ? toWatch.dirPath : void 0; } function createTypeRootsWatch(typeRootPath, typeRoot) { return resolutionHost.watchTypeRootsDirectory(typeRoot, (fileOrDirectory) => { const fileOrDirectoryPath = resolutionHost.toPath(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } hasChangedAutomaticTypeDirectiveNames = true; resolutionHost.onChangedAutomaticTypeDirectiveNames(); const dirPath = getDirectoryToWatchFailedLookupLocationFromTypeRoot(typeRoot, typeRootPath); if (dirPath) { scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, dirPath === fileOrDirectoryPath); } }, 1); } function updateTypeRootsWatch() { const options = resolutionHost.getCompilationSettings(); if (options.types) { closeTypeRootsWatch(); return; } const typeRoots = getEffectiveTypeRoots(options, { directoryExists: directoryExistsForTypeRootWatch, getCurrentDirectory }); if (typeRoots) { mutateMap(typeRootsWatches, arrayToMap(typeRoots, (tr) => resolutionHost.toPath(tr)), { createNewValue: createTypeRootsWatch, onDeleteValue: closeFileWatcher }); } else { closeTypeRootsWatch(); } } function directoryExistsForTypeRootWatch(nodeTypesDirectory) { const dir = getDirectoryPath(getDirectoryPath(nodeTypesDirectory)); const dirPath = resolutionHost.toPath(dir); return dirPath === rootPath || canWatchDirectoryOrFile(dirPath); } } function resolutionIsSymlink(resolution) { var _a2, _b; return !!(((_a2 = resolution.resolvedModule) == null ? void 0 : _a2.originalPath) || ((_b = resolution.resolvedTypeReferenceDirective) == null ? void 0 : _b.originalPath)); } var init_resolutionCache = __esm({ "src/compiler/resolutionCache.ts"() { "use strict"; init_ts2(); init_ts2(); } }); 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; } function getPlainDiagnosticFollowingNewLines(diagnostic, newLine) { return contains(screenStartingMessageCodes, diagnostic.code) ? newLine + newLine : newLine; } function getLocaleTimeString(system) { return !system.now ? (/* @__PURE__ */ new Date()).toLocaleTimeString() : 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")}] `; output += `${flattenDiagnosticMessageText2(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 += `${flattenDiagnosticMessageText2(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); } function getFilesInErrorForSummary(diagnostics) { const filesInError = filter(diagnostics, (diagnostic) => diagnostic.category === 1).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(error, cwd) { const line = formatColorAndReset(":" + error.line, "x1B[90m"); if (pathIsAbsolute(error.fileName) && pathIsAbsolute(cwd)) { return getRelativePathFromDirectory(cwd, error.fileName, false) + line; } return error.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()); const d = errorCount === 1 ? createCompilerDiagnostic(filesInError[0] !== void 0 ? Diagnostics.Found_1_error_in_1 : Diagnostics.Found_1_error, errorCount, firstFileReference) : createCompilerDiagnostic(distinctFileNamesWithLines.length === 0 ? Diagnostics.Found_0_errors : distinctFileNamesWithLines.length === 1 ? Diagnostics.Found_0_errors_in_the_same_file_starting_at_Colon_1 : Diagnostics.Found_0_errors_in_1_files, errorCount, distinctFileNamesWithLines.length === 1 ? firstFileReference : distinctFileNamesWithLines.length); const suffix = distinctFileNamesWithLines.length > 1 ? createTabularErrorsDisplay(nonNilFiles, host) : ""; return `${newLine}${flattenDiagnosticMessageText2(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 + " "; 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 _a2, _b; const reasons = program.getFileIncludeReasons(); const relativeFileName = (fileName) => convertToRelativePath(fileName, program.getCurrentDirectory(), program.getCanonicalFileName); for (const file of program.getSourceFiles()) { write(`${toFileName(file, relativeFileName)}`); (_a2 = reasons.get(file.path)) == null ? void 0 : _a2.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 _a2; let result; if (file.path !== file.resolvedPath) { (result != null ? result : result = []).push(chainDiagnosticMessages(void 0, Diagnostics.File_is_output_of_project_reference_source_0, toFileName(file.originalFileName, fileNameConvertor))); } if (file.redirectInfo) { (result != null ? result : result = []).push(chainDiagnosticMessages(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 != null ? result : result = []).push(chainDiagnosticMessages(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 != null ? result : result = []).push(chainDiagnosticMessages(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 ((_a2 = file.packageJsonLocations) == null ? void 0 : _a2.length) { (result != null ? result : result = []).push(chainDiagnosticMessages(void 0, Diagnostics.File_is_CommonJS_module_because_package_json_was_not_found)); } break; } } return result; } function getMatchedFileSpec(program, fileName) { var _a2; const configFile = program.getCompilerOptions().configFile; if (!((_a2 = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _a2.validatedFilesSpec)) return void 0; const filePath = program.getCanonicalFileName(fileName); const basePath = getDirectoryPath(getNormalizedAbsolutePath(configFile.fileName, program.getCurrentDirectory())); return find(configFile.configFileSpecs.validatedFilesSpec, (fileSpec) => program.getCanonicalFileName(getNormalizedAbsolutePath(fileSpec, basePath)) === filePath); } function getMatchedIncludeSpec(program, fileName) { var _a2, _b; const configFile = program.getCompilerOptions().configFile; if (!((_a2 = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _a2.validatedIncludeSpecs)) return void 0; if (configFile.configFileSpecs.isDefaultIncludeSpec) return true; const isJsonFile = fileExtensionIs(fileName, ".json"); const basePath = getDirectoryPath(getNormalizedAbsolutePath(configFile.fileName, program.getCurrentDirectory())); const useCaseSensitiveFileNames = program.useCaseSensitiveFileNames(); return find((_b = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _b.validatedIncludeSpecs, (includeSpec) => { if (isJsonFile && !endsWith(includeSpec, ".json")) return false; const pattern = getPatternFromSpec(includeSpec, basePath, "files"); return !!pattern && getRegexFromPattern(`(${pattern})$`, useCaseSensitiveFileNames).test(fileName); }); } function fileIncludeReasonToDiagnostics(program, reason, fileNameConvertor) { var _a2, _b; const options = program.getCompilerOptions(); if (isReferencedFile(reason)) { const referenceLocation = getReferencedFileLocation((path) => program.getSourceFileByPath(path), 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(void 0, message, referenceText, toFileName(referenceLocation.file, fileNameConvertor), referenceLocation.packageId && packageIdToString(referenceLocation.packageId)); } switch (reason.kind) { case 0: if (!((_a2 = options.configFile) == null ? void 0 : _a2.configFileSpecs)) return chainDiagnosticMessages(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(void 0, Diagnostics.Part_of_files_list_in_tsconfig_json); const matchedByInclude = getMatchedIncludeSpec(program, fileName); return isString(matchedByInclude) ? chainDiagnosticMessages(void 0, Diagnostics.Matched_by_include_pattern_0_in_1, matchedByInclude, toFileName(options.configFile, fileNameConvertor)) : chainDiagnosticMessages(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(void 0, outFile(options) ? 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: return chainDiagnosticMessages(void 0, options.types ? reason.packageId ? Diagnostics.Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1 : Diagnostics.Entry_point_of_type_library_0_specified_in_compilerOptions : reason.packageId ? Diagnostics.Entry_point_for_implicit_type_library_0_with_packageId_1 : Diagnostics.Entry_point_for_implicit_type_library_0, reason.typeReference, reason.packageId && packageIdToString(reason.packageId)); case 6: if (reason.index !== void 0) return chainDiagnosticMessages(void 0, Diagnostics.Library_0_specified_in_compilerOptions, options.lib[reason.index]); const target = forEachEntry(targetOptionDeclaration.type, (value, key) => value === getEmitScriptTarget(options) ? key : void 0); return chainDiagnosticMessages(void 0, target ? Diagnostics.Default_library_for_target_0 : Diagnostics.Default_library, target); default: Debug.assertNever(reason); } } function toFileName(file, fileNameConvertor) { const fileName = isString(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(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(void 0, cancellationToken)); } } } const emitResult = isListFilesOnly ? { emitSkipped: true, diagnostics: emptyArray } : program.emit(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; } 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) || noop, clearTimeout: maybeBind(system, system.clearTimeout) || noop }; } function createWatchFactory(host, options) { const watchLogLevel = host.trace ? options.extendedDiagnostics ? 2 : options.diagnostics ? 1 : 0 : 0; const writeLog = watchLogLevel !== 0 ? (s) => host.trace(s) : noop; const result = getWatchFactory(host, watchLogLevel, writeLog); result.writeLog = writeLog; return result; } function createCompilerHostFromProgramHost(host, getCompilerOptions, directoryStructureHost = host) { const useCaseSensitiveFileNames = host.useCaseSensitiveFileNames(); const compilerHost = { getSourceFile: createGetSourceFile((fileName, encoding) => !encoding ? compilerHost.readFile(fileName) : host.readFile(fileName, encoding), getCompilerOptions, void 0), getDefaultLibLocation: maybeBind(host, host.getDefaultLibLocation), getDefaultLibFileName: (options) => host.getDefaultLibFileName(options), writeFile: createWriteFileMeasuringIO((path, data, writeByteOrderMark) => host.writeFile(path, data, writeByteOrderMark), (path) => host.createDirectory(path), (path) => host.directoryExists(path)), getCurrentDirectory: memoize(() => host.getCurrentDirectory()), useCaseSensitiveFileNames: () => useCaseSensitiveFileNames, getCanonicalFileName: createGetCanonicalFileName(useCaseSensitiveFileNames), 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), storeFilesChangingSignatureDuringEmit: host.storeFilesChangingSignatureDuringEmit }; 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: (path) => system.fileExists(path), readFile: (path, encoding) => system.readFile(path, encoding), directoryExists: (path) => system.directoryExists(path), getDirectories: (path) => system.getDirectories(path), readDirectory: (path, extensions, exclude, include, depth) => system.readDirectory(path, extensions, exclude, include, depth), realpath: maybeBind(system, system.realpath), getEnvironmentVariable: maybeBind(system, system.getEnvironmentVariable), trace: (s) => system.write(s + system.newLine), createDirectory: (path) => system.createDirectory(path), writeFile: (path, data, writeByteOrderMark) => system.writeFile(path, data, writeByteOrderMark), createHash: maybeBind(system, system.createHash), createProgram: createProgram2 || createEmitAndSemanticDiagnosticsBuilderProgram, storeFilesChangingSignatureDuringEmit: system.storeFilesChangingSignatureDuringEmit, 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); } 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, options, watchOptions, projectReferences, system, createProgram: createProgram2, reportDiagnostic, reportWatchStatus: reportWatchStatus2 }) { const host = createWatchCompilerHost(system, createProgram2, reportDiagnostic || createDiagnosticReporter(system), reportWatchStatus2); host.rootFiles = rootFiles; 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; } var sysFormatDiagnosticsHost, screenStartingMessageCodes, noopFileWatcher, returnNoopFileWatcher, WatchType; var init_watch = __esm({ "src/compiler/watch.ts"() { "use strict"; init_ts2(); sysFormatDiagnosticsHost = sys ? { getCurrentDirectory: () => sys.getCurrentDirectory(), getNewLine: () => sys.newLine, getCanonicalFileName: createGetCanonicalFileName(sys.useCaseSensitiveFileNames) } : void 0; screenStartingMessageCodes = [ Diagnostics.Starting_compilation_in_watch_mode.code, Diagnostics.File_change_detected_Starting_incremental_compilation.code ]; noopFileWatcher = { close: noop }; returnNoopFileWatcher = () => noopFileWatcher; 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" }; } }); 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, void 0, system); host.createHash = maybeBind(system, system.createHash); host.storeFilesChangingSignatureDuringEmit = system.storeFilesChangingSignatureDuringEmit; setGetSourceFileAsHashVersioned(host); changeCompilerHostLikeToUseCache(host, (fileName) => toPath(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 (isArray(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 reloadLevel; 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 useCaseSensitiveFileNames = 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, useCaseSensitiveFileNames); 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(useCaseSensitiveFileNames); writeLog(`Current directory: ${currentDirectory} CaseSensitiveFileNames: ${useCaseSensitiveFileNames}`); 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, toPath3(fileName), ...args); compilerHost.getSourceFileByPath = getVersionedSourceFileByPath; compilerHost.getNewLine = () => newLine; compilerHost.fileExists = fileExists; compilerHost.onReleaseOldSourceFile = onReleaseOldSourceFile; compilerHost.onReleaseParsedCommandLine = onReleaseParsedCommandLine; compilerHost.toPath = toPath3; 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, 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.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; builderProgram = readBuilderProgram(compilerOptions, compilerHost); synchronizeProgram(); watchConfigFileWildCardDirectories(); if (configFileName) updateExtendedConfigFilesWatches(toPath3(configFileName), compilerOptions, watchOptions, WatchType.ExtendedConfigFile); return configFileName ? { getCurrentProgram: getCurrentBuilderProgram, getProgram: updateProgram, close } : { getCurrentProgram: getCurrentBuilderProgram, getProgram: updateProgram, updateRootFileNames, close }; 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, (config) => { var _a2; (_a2 = config.watcher) == null ? void 0 : _a2.close(); config.watcher = void 0; if (config.watchedDirectories) clearMap(config.watchedDirectories, closeFileWatcherOf); config.watchedDirectories = void 0; }); parsedConfigs = void 0; } } 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.clear(); } } const hasInvalidatedResolutions = resolutionCache.createHasInvalidatedResolutions(customHasInvalidatedResolutions); const { originalReadFile, originalFileExists, originalDirectoryExists, originalCreateDirectory, originalWriteFile, readFileWithCache } = changeCompilerHostLikeToUseCache(compilerHost, toPath3); if (isProgramUptoDate(getCurrentProgram(), rootFileNames, compilerOptions, (path) => getSourceVersion(path, readFileWithCache), (fileName) => compilerHost.fileExists(fileName), hasInvalidatedResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences)) { if (hasChangedConfigFileParsingErrors) { if (reportFileChangeDetectedOnCreateProgram) { reportWatchDiagnostic(Diagnostics.File_change_detected_Starting_incremental_compilation); } builderProgram = createProgram2(void 0, void 0, compilerHost, builderProgram, configFileParsingDiagnostics, projectReferences); hasChangedConfigFileParsingErrors = false; } } else { if (reportFileChangeDetectedOnCreateProgram) { reportWatchDiagnostic(Diagnostics.File_change_detected_Starting_incremental_compilation); } createNewProgram(hasInvalidatedResolutions); } 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) { 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.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 toPath3(fileName) { return toPath(fileName, currentDirectory, getCanonicalFileName); } function isFileMissingOnHost(hostSourceFile) { return typeof hostSourceFile === "boolean"; } function isFilePresenceUnknownOnHost(hostSourceFile) { return typeof hostSourceFile.version === "boolean"; } function fileExists(fileName) { const path = toPath3(fileName); if (isFileMissingOnHost(sourceFilesCache.get(path))) { return false; } return directoryStructureHost.fileExists(fileName); } function getVersionedSourceFileByPath(fileName, path, languageVersionOrOptions, onError, shouldCreateNewSourceFile) { const hostSourceFile = sourceFilesCache.get(path); if (isFileMissingOnHost(hostSourceFile)) { return void 0; } if (hostSourceFile === void 0 || shouldCreateNewSourceFile || isFilePresenceUnknownOnHost(hostSourceFile)) { const sourceFile = getNewSourceFile(fileName, languageVersionOrOptions, onError); if (hostSourceFile) { if (sourceFile) { hostSourceFile.sourceFile = sourceFile; hostSourceFile.version = sourceFile.version; if (!hostSourceFile.fileWatcher) { hostSourceFile.fileWatcher = watchFilePath(path, fileName, onSourceFileChange, 250, watchOptions, WatchType.SourceFile); } } else { if (hostSourceFile.fileWatcher) { hostSourceFile.fileWatcher.close(); } sourceFilesCache.set(path, false); } } else { if (sourceFile) { const fileWatcher = watchFilePath(path, fileName, onSourceFileChange, 250, watchOptions, WatchType.SourceFile); sourceFilesCache.set(path, { sourceFile, version: sourceFile.version, fileWatcher }); } else { sourceFilesCache.set(path, false); } } return sourceFile; } return hostSourceFile.sourceFile; } function nextSourceFileVersion(path) { const hostSourceFile = sourceFilesCache.get(path); if (hostSourceFile !== void 0) { if (isFileMissingOnHost(hostSourceFile)) { sourceFilesCache.set(path, { version: false }); } else { hostSourceFile.version = false; } } } function getSourceVersion(path, readFileWithCache) { const hostSourceFile = sourceFilesCache.get(path); if (!hostSourceFile) return void 0; if (hostSourceFile.version) return hostSourceFile.version; const text = readFileWithCache(path); 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); } 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); } function scheduleProgramReload() { Debug.assert(!!configFileName); reloadLevel = 2; scheduleProgramUpdate(); } function updateProgramWithWatchStatus() { timerToUpdateProgram = void 0; reportFileChangeDetectedOnCreateProgram = true; updateProgram(); } function updateProgram() { switch (reloadLevel) { case 1: perfLogger.logStartUpdateProgram("PartialConfigReload"); reloadFileNamesFromConfigFile(); break; case 2: perfLogger.logStartUpdateProgram("FullConfigReload"); reloadConfigFile(); break; default: perfLogger.logStartUpdateProgram("SynchronizeProgram"); synchronizeProgram(); break; } perfLogger.logStopUpdateProgram("Done"); return getCurrentBuilderProgram(); } function reloadFileNamesFromConfigFile() { writeLog("Reloading new file names and options"); Debug.assert(compilerOptions); Debug.assert(configFileName); reloadLevel = 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}`); reloadLevel = 0; if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.clearCache(); } parseConfigFile2(); hasChangedCompilerOptions = true; synchronizeProgram(); watchConfigFileWildCardDirectories(); updateExtendedConfigFilesWatches(toPath3(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 = toPath3(configFileName2); let config = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath); if (config) { if (!config.reloadLevel) return config.parsedCommandLine; if (config.parsedCommandLine && config.reloadLevel === 1 && !host.getParsedCommandLine) { writeLog("Reloading new file names and options"); Debug.assert(compilerOptions); const fileNames = getFileNamesFromConfigSpecs(config.parsedCommandLine.options.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName2), currentDirectory), compilerOptions, parseConfigFileHost); config.parsedCommandLine = { ...config.parsedCommandLine, fileNames }; config.reloadLevel = void 0; return config.parsedCommandLine; } } writeLog(`Loading config file: ${configFileName2}`); const parsedCommandLine = host.getParsedCommandLine ? host.getParsedCommandLine(configFileName2) : getParsedCommandLineFromConfigFileHost(configFileName2); if (config) { config.parsedCommandLine = parsedCommandLine; config.reloadLevel = void 0; } else { (parsedConfigs || (parsedConfigs = /* @__PURE__ */ new Map())).set(configPath, config = { parsedCommandLine }); } watchReferencedProject(configFileName2, configPath, config); return parsedCommandLine; } function getParsedCommandLineFromConfigFileHost(configFileName2) { const onUnRecoverableConfigFileDiagnostic = parseConfigFileHost.onUnRecoverableConfigFileDiagnostic; parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = noop; const parsedCommandLine = getParsedCommandLineOfConfigFile(configFileName2, void 0, parseConfigFileHost, extendedConfigCache || (extendedConfigCache = /* @__PURE__ */ new Map()), watchOptionsToExtend); parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = onUnRecoverableConfigFileDiagnostic; return parsedCommandLine; } function onReleaseParsedCommandLine(fileName) { var _a2; const path = toPath3(fileName); const config = parsedConfigs == null ? void 0 : parsedConfigs.get(path); if (!config) return; parsedConfigs.delete(path); if (config.watchedDirectories) clearMap(config.watchedDirectories, closeFileWatcherOf); (_a2 = config.watcher) == null ? void 0 : _a2.close(); clearSharedExtendedConfigFileWatcher(path, sharedExtendedConfigFileWatchers); } function watchFilePath(path, file, callback, pollingInterval, options, watchType) { return watchFile2(file, (fileName, eventKind) => callback(fileName, eventKind, path), pollingInterval, options, watchType); } function onSourceFileChange(fileName, eventKind, path) { updateCachedSystemWithFile(fileName, path, eventKind); if (eventKind === 2 && sourceFilesCache.has(path)) { resolutionCache.invalidateResolutionOfFile(path); } nextSourceFileVersion(path); scheduleProgramUpdate(); } function updateCachedSystemWithFile(fileName, path, eventKind) { if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFile(fileName, path, eventKind); } } function watchMissingFilePath(missingFilePath) { return (parsedConfigs == null ? void 0 : parsedConfigs.has(missingFilePath)) ? noopFileWatcher : watchFilePath(missingFilePath, missingFilePath, 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() { if (wildcardDirectories) { updateWatchingWildcardDirectories(watchedWildcardDirectories || (watchedWildcardDirectories = /* @__PURE__ */ new Map()), new Map(Object.entries(wildcardDirectories)), watchWildcardDirectory); } else if (watchedWildcardDirectories) { clearMap(watchedWildcardDirectories, closeFileWatcherOf); } } function watchWildcardDirectory(directory, flags) { return watchDirectory(directory, (fileOrDirectory) => { Debug.assert(configFileName); Debug.assert(compilerOptions); const fileOrDirectoryPath = toPath3(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } nextSourceFileVersion(fileOrDirectoryPath); if (isIgnoredFileFromWildCardWatching({ watchedDirPath: toPath3(directory), fileOrDirectory, fileOrDirectoryPath, configFileName, extraFileExtensions, options: compilerOptions, program: getCurrentBuilderProgram() || rootFileNames, currentDirectory, useCaseSensitiveFileNames, writeLog, toPath: toPath3 })) return; if (reloadLevel !== 2) { reloadLevel = 1; scheduleProgramUpdate(); } }, flags, watchOptions, WatchType.WildcardDirectory); } function updateExtendedConfigFilesWatches(forProjectPath, options, watchOptions2, watchType) { Debug.assert(configFileName); updateSharedExtendedConfigFileWatcher(forProjectPath, options, sharedExtendedConfigFileWatchers || (sharedExtendedConfigFileWatchers = /* @__PURE__ */ new Map()), (extendedConfigFileName, extendedConfigFilePath) => watchFile2(extendedConfigFileName, (_fileName, eventKind) => { var _a2; updateCachedSystemWithFile(extendedConfigFileName, extendedConfigFilePath, eventKind); if (extendedConfigCache) cleanExtendedConfigCache(extendedConfigCache, extendedConfigFilePath, toPath3); const projects = (_a2 = sharedExtendedConfigFileWatchers.get(extendedConfigFilePath)) == null ? void 0 : _a2.projects; if (!(projects == null ? void 0 : projects.size)) return; projects.forEach((projectPath) => { if (toPath3(configFileName) === projectPath) { reloadLevel = 2; } else { const config = parsedConfigs == null ? void 0 : parsedConfigs.get(projectPath); if (config) config.reloadLevel = 2; resolutionCache.removeResolutionsFromProjectReferenceRedirects(projectPath); } scheduleProgramUpdate(); }); }, 2e3, watchOptions2, watchType), toPath3); } function watchReferencedProject(configFileName2, configPath, commandLine) { var _a2, _b, _c, _d, _e; commandLine.watcher || (commandLine.watcher = watchFile2(configFileName2, (_fileName, eventKind) => { updateCachedSystemWithFile(configFileName2, configPath, eventKind); const config = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath); if (config) config.reloadLevel = 2; resolutionCache.removeResolutionsFromProjectReferenceRedirects(configPath); scheduleProgramUpdate(); }, 2e3, ((_a2 = commandLine.parsedCommandLine) == null ? void 0 : _a2.watchOptions) || watchOptions, WatchType.ConfigFileOfReferencedProject)); if ((_b = commandLine.parsedCommandLine) == null ? void 0 : _b.wildcardDirectories) { updateWatchingWildcardDirectories(commandLine.watchedDirectories || (commandLine.watchedDirectories = /* @__PURE__ */ new Map()), new Map(Object.entries((_c = commandLine.parsedCommandLine) == null ? void 0 : _c.wildcardDirectories)), (directory, flags) => { var _a3; return watchDirectory(directory, (fileOrDirectory) => { const fileOrDirectoryPath = toPath3(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } nextSourceFileVersion(fileOrDirectoryPath); const config = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath); if (!(config == null ? void 0 : config.parsedCommandLine)) return; if (isIgnoredFileFromWildCardWatching({ watchedDirPath: toPath3(directory), fileOrDirectory, fileOrDirectoryPath, configFileName: configFileName2, options: config.parsedCommandLine.options, program: config.parsedCommandLine.fileNames, currentDirectory, useCaseSensitiveFileNames, writeLog, toPath: toPath3 })) return; if (config.reloadLevel !== 2) { config.reloadLevel = 1; scheduleProgramUpdate(); } }, flags, ((_a3 = commandLine.parsedCommandLine) == null ? void 0 : _a3.watchOptions) || watchOptions, WatchType.WildcardDirectoryOfReferencedProject); }); } else if (commandLine.watchedDirectories) { clearMap(commandLine.watchedDirectories, closeFileWatcherOf); commandLine.watchedDirectories = void 0; } updateExtendedConfigFilesWatches(configPath, (_d = commandLine.parsedCommandLine) == null ? void 0 : _d.options, ((_e = commandLine.parsedCommandLine) == null ? void 0 : _e.watchOptions) || watchOptions, WatchType.ExtendedConfigOfReferencedProject); } } var init_watchPublic = __esm({ "src/compiler/watchPublic.ts"() { "use strict"; init_ts2(); init_ts2(); } }); function resolveConfigFileProjectName(project) { if (fileExtensionIs(project, ".json")) { return project; } return combinePaths(project, "tsconfig.json"); } var UpToDateStatusType; var init_tsbuild = __esm({ "src/compiler/tsbuild.ts"() { "use strict"; init_ts2(); UpToDateStatusType = /* @__PURE__ */ ((UpToDateStatusType2) => { UpToDateStatusType2[UpToDateStatusType2["Unbuildable"] = 0] = "Unbuildable"; UpToDateStatusType2[UpToDateStatusType2["UpToDate"] = 1] = "UpToDate"; UpToDateStatusType2[UpToDateStatusType2["UpToDateWithUpstreamTypes"] = 2] = "UpToDateWithUpstreamTypes"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithPrepend"] = 3] = "OutOfDateWithPrepend"; UpToDateStatusType2[UpToDateStatusType2["OutputMissing"] = 4] = "OutputMissing"; UpToDateStatusType2[UpToDateStatusType2["ErrorReadingFile"] = 5] = "ErrorReadingFile"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithSelf"] = 6] = "OutOfDateWithSelf"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithUpstream"] = 7] = "OutOfDateWithUpstream"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateBuildInfo"] = 8] = "OutOfDateBuildInfo"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateOptions"] = 9] = "OutOfDateOptions"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateRoots"] = 10] = "OutOfDateRoots"; UpToDateStatusType2[UpToDateStatusType2["UpstreamOutOfDate"] = 11] = "UpstreamOutOfDate"; UpToDateStatusType2[UpToDateStatusType2["UpstreamBlocked"] = 12] = "UpstreamBlocked"; UpToDateStatusType2[UpToDateStatusType2["ComputingUpstream"] = 13] = "ComputingUpstream"; UpToDateStatusType2[UpToDateStatusType2["TsVersionOutputOfDate"] = 14] = "TsVersionOutputOfDate"; UpToDateStatusType2[UpToDateStatusType2["UpToDateWithInputFileText"] = 15] = "UpToDateWithInputFileText"; UpToDateStatusType2[UpToDateStatusType2["ContainerOnly"] = 16] = "ContainerOnly"; UpToDateStatusType2[UpToDateStatusType2["ForceBuild"] = 17] = "ForceBuild"; return UpToDateStatusType2; })(UpToDateStatusType || {}); } }); 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")}] ` : `${getLocaleTimeString(system)} - `; output += `${flattenDiagnosticMessageText2(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 ? (path) => system.getModifiedTime(path) : returnUndefined; host.setModifiedTime = system.setModifiedTime ? (path, date) => system.setModifiedTime(path, date) : noop; host.deleteFile = system.deleteFile ? (path) => system.deleteFile(path) : noop; 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, defaultOptions) { return createSolutionBuilderWorker(false, host, rootNames, defaultOptions); } function createSolutionBuilderWithWatch(host, rootNames, defaultOptions, baseWatchOptions) { return createSolutionBuilderWorker(true, host, rootNames, defaultOptions, 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.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, void 0, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache()); compilerHost.resolveTypeReferenceDirectiveReferences = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile, host, typeReferenceDirectiveResolutionCache, createTypeReferenceResolutionLoader); } compilerHost.getBuildInfo = (fileName, configFilePath) => getBuildInfo3(state, fileName, toResolvedConfigFilePath(state, configFilePath), void 0); const { watchFile: watchFile2, watchDirectory, writeLog } = createWatchFactory(hostWithWatch, options); const state = { host, hostWithWatch, parseConfigFileHost: parseConfigHostFromCompilerHostLike(host), write: maybeBind(host, host.trace), 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, buildOrder: void 0, readFileWithCache: (f) => host.readFile(f), projectCompilerOptions: baseCompilerOptions, cache: void 0, allProjectBuildPending: true, needsSummary: true, watchAllProjectsPending: watch, 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 toPath2(state, fileName) { return toPath(fileName, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName); } function toResolvedConfigFilePath(state, fileName) { const { resolvedConfigFilePaths } = state; const path = resolvedConfigFilePaths.get(fileName); if (path !== void 0) return path; const resolvedPath = toPath2(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 = noop; } 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 root of roots) { visit(root); } 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(" "))); } 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 Map(getBuildOrderFromAnyBuildOrder(buildOrder).map((resolved) => [toResolvedConfigFilePath(state, resolved), true])); const noopOnDelete = { onDeleteValue: noop }; 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); 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) => toPath2(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 } = 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(); state.cache = void 0; } function clearProjectStatus(state, resolved) { state.projectStatus.delete(resolved); state.diagnostics.delete(resolved); } function addProjToQueue({ projectPendingBuild }, proj, reloadLevel) { const value = projectPendingBuild.get(proj); if (value === void 0) { projectPendingBuild.set(proj, reloadLevel); } else if (value < reloadLevel) { projectPendingBuild.set(proj, reloadLevel); } } 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)); if (cancellationToken) { cancellationToken.throwIfCancellationRequested(); } } function doneInvalidatedProject(state, projectPath) { state.projectPendingBuild.delete(projectPath); return state.diagnostics.has(projectPath) ? 1 : 0; } function createUpdateOutputFileStampsProject(state, project, projectPath, config, buildOrder) { let updateOutputFileStampsPending = true; return { kind: 2, project, projectPath, buildOrder, getCompilerOptions: () => config.options, getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(), updateOutputFileStatmps: () => { updateOutputTimestamps(state, config, projectPath); updateOutputFileStampsPending = false; }, done: () => { if (updateOutputFileStampsPending) { updateOutputTimestamps(state, config, projectPath); } mark("SolutionBuilder::Timestamps only updates"); return doneInvalidatedProject(state, projectPath); } }; } function createBuildOrUpdateInvalidedProject(kind, state, project, projectPath, projectIndex, config, buildOrder) { let step = kind === 0 ? 0 : 4; let program; let buildResult; let invalidatedProjectOfBundle; return kind === 0 ? { kind, project, projectPath, buildOrder, getCompilerOptions: () => config.options, getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(), getBuilderProgram: () => withProgramOrUndefined(identity), 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 _a2, _b; return program2.emit(targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers || ((_b = (_a2 = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a2, project))); }); } executeSteps(2, cancellationToken); if (step === 5) { return emitBuildInfo(writeFile2, cancellationToken); } if (step !== 3) return void 0; return emit(writeFile2, cancellationToken, customTransformers); }, done } : { kind, project, projectPath, buildOrder, getCompilerOptions: () => config.options, getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(), emit: (writeFile2, customTransformers) => { if (step !== 4) return invalidatedProjectOfBundle; return emitBundle(writeFile2, customTransformers); }, done }; function done(cancellationToken, writeFile2, customTransformers) { executeSteps(8, cancellationToken, writeFile2, customTransformers); if (kind === 0) mark("SolutionBuilder::Projects built"); else mark("SolutionBuilder::Bundles updated"); return doneInvalidatedProject(state, projectPath); } function withProgramOrUndefined(action) { executeSteps(0); return program && action(program); } function withProgramOrEmptyArray(action) { return withProgramOrUndefined(action) || emptyArray; } function createProgram2() { var _a2, _b; Debug.assert(program === void 0); if (state.options.dry) { reportStatus(state, Diagnostics.A_non_dry_build_would_build_project_0, project); buildResult = 1; step = 7; return; } if (state.options.verbose) reportStatus(state, Diagnostics.Building_project_0, project); if (config.fileNames.length === 0) { reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config)); buildResult = 0; step = 7; return; } const { host, compilerHost } = state; state.projectCompilerOptions = config.options; (_a2 = state.moduleResolutionCache) == null ? void 0 : _a2.update(config.options); (_b = state.typeReferenceDirectiveResolutionCache) == null ? void 0 : _b.update(config.options); program = host.createProgram(config.fileNames, config.options, compilerHost, getOldProgram(state, projectPath, config), getConfigFileParsingDiagnostics(config), config.projectReferences); if (state.watch) { state.lastCachedPackageJsonLookups.set(projectPath, state.moduleResolutionCache && map(state.moduleResolutionCache.getPackageJsonInfoCache().entries(), ([path, data]) => [state.host.realpath && data ? toPath2(state, state.host.realpath(path)) : path, data])); state.builderPrograms.set(projectPath, program); } step++; } function handleDiagnostics(diagnostics, errorFlags, errorType) { if (diagnostics.length) { ({ buildResult, step } = buildErrors(state, projectPath, program, config, diagnostics, errorFlags, errorType)); } else { step++; } } function getSyntaxDiagnostics(cancellationToken) { Debug.assertIsDefined(program); handleDiagnostics([ ...program.getConfigFileParsingDiagnostics(), ...program.getOptionsDiagnostics(cancellationToken), ...program.getGlobalDiagnostics(cancellationToken), ...program.getSyntacticDiagnostics(void 0, cancellationToken) ], 8, "Syntactic"); } function getSemanticDiagnostics(cancellationToken) { handleDiagnostics(Debug.checkDefined(program).getSemanticDiagnostics(void 0, cancellationToken), 16, "Semantic"); } function emit(writeFileCallback, cancellationToken, customTransformers) { var _a2, _b, _c; Debug.assertIsDefined(program); Debug.assert(step === 3); const saved = program.saveEmitState(); let declDiagnostics; const reportDeclarationDiagnostics = (d) => (declDiagnostics || (declDiagnostics = [])).push(d); const outputFiles = []; const { emitResult } = emitFilesAndReportErrors(program, reportDeclarationDiagnostics, void 0, void 0, (name, text, writeByteOrderMark, _onError, _sourceFiles, data) => outputFiles.push({ name, text, writeByteOrderMark, data }), cancellationToken, false, customTransformers || ((_b = (_a2 = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a2, project))); if (declDiagnostics) { program.restoreEmitState(saved); ({ buildResult, step } = buildErrors(state, projectPath, program, config, 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 path = toPath2(state, name); emittedOutputs.set(toPath2(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(path, now || (now = getCurrentTime(state.host))); } }); finishEmit(emitterDiagnostics, emittedOutputs, outputFiles.length ? outputFiles[0].name : getFirstProjectOutput(config, !host.useCaseSensitiveFileNames()), resultFlags); return emitResult; } function emitBuildInfo(writeFileCallback, cancellationToken) { Debug.assertIsDefined(program); Debug.assert(step === 5); 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); 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, config, name)); } afterProgramDone(state, program, config); step = 7; return emitResult; } function finishEmit(emitterDiagnostics, emittedOutputs, oldestOutputFileName, resultFlags) { const emitDiagnostics = emitterDiagnostics.getDiagnostics(); if (emitDiagnostics.length) { ({ buildResult, step } = buildErrors(state, projectPath, program, config, emitDiagnostics, 64, "Emit")); return emitDiagnostics; } if (state.write) { emittedOutputs.forEach((name) => listEmittedFile(state, config, name)); } updateOutputTimestampsWorker(state, config, projectPath, Diagnostics.Updating_unchanged_output_timestamps_of_project_0, emittedOutputs); state.diagnostics.delete(projectPath); state.projectStatus.set(projectPath, { type: 1, oldestOutputFileName }); afterProgramDone(state, program, config); step = 7; buildResult = resultFlags; return emitDiagnostics; } function emitBundle(writeFileCallback, customTransformers) { var _a2, _b, _c, _d; Debug.assert(kind === 1); if (state.options.dry) { reportStatus(state, Diagnostics.A_non_dry_build_would_update_output_of_project_0, project); buildResult = 1; step = 7; return void 0; } if (state.options.verbose) reportStatus(state, Diagnostics.Updating_output_of_project_0, project); const { compilerHost } = state; state.projectCompilerOptions = config.options; (_b = (_a2 = state.host).beforeEmitBundle) == null ? void 0 : _b.call(_a2, config); const outputFiles = emitUsingBuildInfo(config, compilerHost, (ref) => { const refName = resolveProjectName(state, ref.path); return parseConfigFile(state, refName, toResolvedConfigFilePath(state, refName)); }, customTransformers || ((_d = (_c = state.host).getCustomTransformers) == null ? void 0 : _d.call(_c, project))); if (isString(outputFiles)) { reportStatus(state, Diagnostics.Cannot_update_output_of_project_0_because_there_was_error_reading_file_1, project, relName(state, outputFiles)); step = 6; return invalidatedProjectOfBundle = createBuildOrUpdateInvalidedProject(0, state, project, projectPath, projectIndex, config, buildOrder); } Debug.assert(!!outputFiles.length); const emitterDiagnostics = createDiagnosticCollection(); const emittedOutputs = /* @__PURE__ */ new Map(); let resultFlags = 2; const existingBuildInfo = state.buildInfoCache.get(projectPath).buildInfo || void 0; outputFiles.forEach(({ name, text, writeByteOrderMark, data }) => { var _a3, _b2; emittedOutputs.set(toPath2(state, name), name); if (data == null ? void 0 : data.buildInfo) { if (((_a3 = data.buildInfo.program) == null ? void 0 : _a3.outSignature) !== ((_b2 = existingBuildInfo == null ? void 0 : existingBuildInfo.program) == null ? void 0 : _b2.outSignature)) { resultFlags &= ~2; } setBuildInfo(state, data.buildInfo, projectPath, config.options, resultFlags); } writeFile(writeFileCallback ? { writeFile: writeFileCallback } : compilerHost, emitterDiagnostics, name, text, writeByteOrderMark); }); const emitDiagnostics = finishEmit(emitterDiagnostics, emittedOutputs, outputFiles[0].name, resultFlags); return { emitSkipped: false, diagnostics: emitDiagnostics }; } function executeSteps(till, cancellationToken, writeFile2, customTransformers) { while (step <= till && step < 8) { 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 5: emitBuildInfo(writeFile2, cancellationToken); break; case 4: emitBundle(writeFile2, customTransformers); break; case 6: Debug.checkDefined(invalidatedProjectOfBundle).done(cancellationToken, writeFile2, customTransformers); step = 8; break; case 7: queueReferencingProjects(state, project, projectPath, projectIndex, config, buildOrder, Debug.checkDefined(buildResult)); step++; break; case 8: default: assertType(step); } Debug.assert(step > currentStep); } } } function needsBuild({ options }, status, config) { if (status.type !== 3 || options.force) return true; return config.fileNames.length === 0 || !!getConfigFileParsingDiagnostics(config).length || !isIncrementalCompilation(config.options); } 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 reloadLevel = state.projectPendingBuild.get(projectPath); if (reloadLevel === void 0) continue; if (reportQueue) { reportQueue = false; reportBuildQueue(state, buildOrder); } const config = parseConfigFile(state, project, projectPath); if (!config) { reportParseConfigFileDiagnostic(state, projectPath); projectPendingBuild.delete(projectPath); continue; } if (reloadLevel === 2) { watchConfigFile(state, project, projectPath, config); watchExtendedConfigFiles(state, projectPath, config); watchWildCardDirectories(state, project, projectPath, config); watchInputFiles(state, project, projectPath, config); watchPackageJsonFiles(state, project, projectPath, config); } else if (reloadLevel === 1) { config.fileNames = getFileNamesFromConfigSpecs(config.options.configFile.configFileSpecs, getDirectoryPath(project), config.options, state.parseConfigFileHost); updateErrorForNoInputFiles(config.fileNames, project, config.options.configFile.configFileSpecs, config.errors, canJsonReportNoInputFiles(config.raw)); watchInputFiles(state, project, projectPath, config); watchPackageJsonFiles(state, project, projectPath, config); } const status = getUpToDateStatus(state, config, projectPath); if (!options.force) { if (status.type === 1) { verboseReportProjectStatus(state, project, status); reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config)); projectPendingBuild.delete(projectPath); if (options.dry) { reportStatus(state, Diagnostics.Project_0_is_up_to_date, project); } continue; } if (status.type === 2 || status.type === 15) { reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config)); return { kind: 2, status, project, projectPath, projectIndex, config }; } } if (status.type === 12) { verboseReportProjectStatus(state, project, status); reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config)); 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 === 16) { verboseReportProjectStatus(state, project, status); reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config)); projectPendingBuild.delete(projectPath); continue; } return { kind: needsBuild(state, status, config) ? 0 : 1, status, project, projectPath, projectIndex, config }; } return void 0; } function createInvalidatedProjectWithInfo(state, info, buildOrder) { verboseReportProjectStatus(state, info.project, info.status); return info.kind !== 2 ? createBuildOrUpdateInvalidedProject(info.kind, 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, config) { if (program) { if (state.write) listFiles(program, state.write); if (state.host.afterProgramEmitAndDiagnostics) { state.host.afterProgramEmitAndDiagnostics(program); } program.releaseProgram(); } else if (state.host.afterEmitBundle) { state.host.afterEmitBundle(config); } state.projectCompilerOptions = state.baseCompilerOptions; } function buildErrors(state, resolvedPath, program, config, diagnostics, buildResult, errorType) { const canEmitBuildInfo = program && !outFile(program.getCompilerOptions()); reportAndStoreErrors(state, resolvedPath, diagnostics); state.projectStatus.set(resolvedPath, { type: 0, reason: `${errorType} errors` }); if (canEmitBuildInfo) return { buildResult, step: 5 }; afterProgramDone(state, program, config); return { buildResult, step: 7 }; } function isFileWatcherWithModifiedTime(value) { return !!value.watcher; } function getModifiedTime2(state, fileName) { const path = toPath2(state, fileName); const existing = state.filesWatched.get(path); 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(path, result); } return result; } function watchFile(state, file, callback, pollingInterval, options, watchType, project) { const path = toPath2(state, file); const existing = state.filesWatched.get(path); if (existing && isFileWatcherWithModifiedTime(existing)) { existing.callbacks.push(callback); } else { const watcher = state.watchFile(file, (fileName, eventKind, modifiedTime) => { const existing2 = Debug.checkDefined(state.filesWatched.get(path)); Debug.assert(isFileWatcherWithModifiedTime(existing2)); existing2.modifiedTime = modifiedTime; existing2.callbacks.forEach((cb) => cb(fileName, eventKind, modifiedTime)); }, pollingInterval, options, watchType, project); state.filesWatched.set(path, { callbacks: [callback], watcher, modifiedTime: existing }); } return { close: () => { const existing2 = Debug.checkDefined(state.filesWatched.get(path)); Debug.assert(isFileWatcherWithModifiedTime(existing2)); if (existing2.callbacks.length === 1) { state.filesWatched.delete(path); 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: toPath2(state, buildInfoPath), buildInfo, modifiedTime, latestChangedDtsTime: resultFlags & 2 ? void 0 : modifiedTime }); } } function getBuildInfoCacheEntry(state, buildInfoPath, resolvedConfigPath) { const path = toPath2(state, buildInfoPath); const existing = state.buildInfoCache.get(resolvedConfigPath); return (existing == null ? void 0 : existing.path) === path ? existing : void 0; } function getBuildInfo3(state, buildInfoPath, resolvedConfigPath, modifiedTime) { const path = toPath2(state, buildInfoPath); const existing = state.buildInfoCache.get(resolvedConfigPath); if (existing !== void 0 && existing.path === path) { return existing.buildInfo || void 0; } const value = state.readFileWithCache(buildInfoPath); const buildInfo = value ? getBuildInfo(buildInfoPath, value) : void 0; state.buildInfoCache.set(resolvedConfigPath, { path, buildInfo: buildInfo || false, modifiedTime: modifiedTime || missingFileModifiedTime }); return buildInfo; } function checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName) { const tsconfigTime = getModifiedTime2(state, configFile); if (oldestOutputFileTime < tsconfigTime) { return { type: 6, outOfDateOutputFileName: oldestOutputFileName, newerInputFileName: configFile }; } } function getUpToDateStatusWorker(state, project, resolvedPath) { var _a2, _b; if (!project.fileNames.length && !canJsonReportNoInputFiles(project.raw)) { return { type: 16 }; } let referenceStatuses; const force = !!state.options.force; if (project.projectReferences) { state.projectStatus.set(resolvedPath, { type: 13 }); 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 === 13 || refStatus.type === 16) { continue; } if (refStatus.type === 0 || refStatus.type === 12) { return { type: 12, upstreamProjectName: ref.path, upstreamProjectBlocked: refStatus.type === 12 }; } if (refStatus.type !== 1) { return { type: 11, upstreamProjectName: ref.path }; } if (!force) (referenceStatuses || (referenceStatuses = [])).push({ ref, refStatus, resolvedRefPath, resolvedConfig }); } } if (force) return { type: 17 }; 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: toPath2(state, buildInfoPath), buildInfo: false, modifiedTime: buildInfoTime }); } return { type: 4, missingOutputFileName: buildInfoPath }; } const buildInfo = getBuildInfo3(state, buildInfoPath, resolvedPath, buildInfoTime); if (!buildInfo) { return { type: 5, fileName: buildInfoPath }; } if ((buildInfo.bundle || buildInfo.program) && buildInfo.version !== version) { return { type: 14, version: buildInfo.version }; } if (buildInfo.program) { if (((_a2 = buildInfo.program.changeFileSet) == null ? void 0 : _a2.length) || (!project.options.noEmit ? (_b = buildInfo.program.affectedFilesPendingEmit) == null ? void 0 : _b.length : some(buildInfo.program.semanticDiagnosticsPerFile, isArray))) { return { type: 8, buildInfoFile: buildInfoPath }; } if (!project.options.noEmit && getPendingEmitKind(project.options, buildInfo.program.options || {})) { return { type: 9, 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` }; } if (buildInfoTime && buildInfoTime < inputTime) { let version2; let currentVersion; if (buildInfoProgram) { if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(buildInfoProgram, buildInfoPath, host); version2 = buildInfoVersionMap.fileInfos.get(toPath2(state, inputFile)); const text = version2 ? state.readFileWithCache(inputFile) : void 0; currentVersion = text !== void 0 ? getSourceFileVersionAsHashFromText(host, text) : void 0; if (version2 && version2 === currentVersion) pseudoInputUpToDate = true; } if (!version2 || version2 !== currentVersion) { return { type: 6, outOfDateOutputFileName: buildInfoPath, newerInputFileName: inputFile }; } } if (inputTime > newestInputFileTime) { newestInputFileName = inputFile; newestInputFileTime = inputTime; } if (buildInfoProgram) seenRoots.add(toPath2(state, inputFile)); } if (buildInfoProgram) { if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(buildInfoProgram, buildInfoPath, host); for (const existingRoot of buildInfoVersionMap.roots) { if (!seenRoots.has(existingRoot)) { return { type: 10, buildInfoFile: buildInfoPath, inputFile: existingRoot }; } } } if (!buildInfoPath) { const outputs = getAllProjectOutputs(project, !host.useCaseSensitiveFileNames()); const outputTimeStampMap = getOutputTimeStampMap(state, resolvedPath); for (const output of outputs) { const path = toPath2(state, output); let outputTime = outputTimeStampMap == null ? void 0 : outputTimeStampMap.get(path); if (!outputTime) { outputTime = getModifiedTime(state.host, output); outputTimeStampMap == null ? void 0 : outputTimeStampMap.set(path, outputTime); } if (outputTime === missingFileModifiedTime) { return { type: 4, missingOutputFileName: output }; } if (outputTime < newestInputFileTime) { return { type: 6, outOfDateOutputFileName: output, newerInputFileName: newestInputFileName }; } if (outputTime < oldestOutputFileTime) { oldestOutputFileTime = outputTime; oldestOutputFileName = output; } } } const buildInfoCacheEntry = state.buildInfoCache.get(resolvedPath); let pseudoUpToDate = false; let usesPrepend = false; let upstreamChangedProject; if (referenceStatuses) { for (const { ref, refStatus, resolvedConfig, resolvedRefPath } of referenceStatuses) { usesPrepend = usesPrepend || !!ref.prepend; if (refStatus.newestInputFileTime && refStatus.newestInputFileTime <= oldestOutputFileTime) { continue; } if (buildInfoCacheEntry && hasSameBuildInfo(state, buildInfoCacheEntry, resolvedRefPath)) { return { type: 7, outOfDateOutputFileName: buildInfoPath, newerProjectName: ref.path }; } const newestDeclarationFileContentChangedTime = getLatestChangedDtsTime(state, resolvedConfig.options, resolvedRefPath); if (newestDeclarationFileContentChangedTime && newestDeclarationFileContentChangedTime <= oldestOutputFileTime) { pseudoUpToDate = true; upstreamChangedProject = ref.path; continue; } Debug.assert(oldestOutputFileName !== void 0, "Should have an oldest output filename here"); return { type: 7, 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 dependentPackageFileStatus = forEach(state.lastCachedPackageJsonLookups.get(resolvedPath) || emptyArray, ([path]) => checkConfigFileUpToDateStatus(state, path, oldestOutputFileTime, oldestOutputFileName)); if (dependentPackageFileStatus) return dependentPackageFileStatus; if (usesPrepend && pseudoUpToDate) { return { type: 3, outOfDateOutputFileName: oldestOutputFileName, newerProjectName: upstreamChangedProject }; } return { type: pseudoUpToDate ? 2 : pseudoInputUpToDate ? 15 : 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(toPath2(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 path = toPath2(state, file); if (skipOutputs == null ? void 0 : skipOutputs.has(path)) continue; if (reportVerbose) { reportVerbose = false; reportStatus(state, verboseMessage, proj.options.configFilePath); } host.setModifiedTime(file, now || (now = getCurrentTime(state.host))); if (outputTimeStampMap) { outputTimeStampMap.set(path, now); modifiedOutputs.add(path); } } } 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, config, buildOrder, buildResult) { if (buildResult & 124) return; if (!config.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) { if (ref.prepend) { state.projectStatus.set(nextProjectPath, { type: 3, outOfDateOutputFileName: status.oldestOutputFileName, newerProjectName: project }); } else { status.type = 2; } break; } case 15: case 2: case 3: if (!(buildResult & 2)) { state.projectStatus.set(nextProjectPath, { type: 7, outOfDateOutputFileName: status.type === 3 ? status.outOfDateOutputFileName : status.oldestOutputFileName, newerProjectName: project }); } break; case 12: if (toResolvedConfigFilePath(state, resolveProjectName(state, status.upstreamProjectName)) === projectPath) { clearProjectStatus(state, nextProjectPath); } break; } } addProjToQueue(state, nextProjectPath, 0); 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) => toPath2(state, f))); for (const output of outputs) { if (inputFileNames.has(toPath2(state, output))) continue; if (host.fileExists(output)) { if (filesToDelete) { filesToDelete.push(output); } else { host.deleteFile(output); invalidateProject(state, resolvedPath, 0); } } } } if (filesToDelete) { reportStatus(state, Diagnostics.A_non_dry_build_would_delete_the_following_files_Colon_0, filesToDelete.map((f) => ` * ${f}`).join("")); } return 0; } function invalidateProject(state, resolved, reloadLevel) { if (state.host.getParsedCommandLine && reloadLevel === 1) { reloadLevel = 2; } if (reloadLevel === 2) { state.configFileCache.delete(resolved); state.buildOrder = void 0; } state.needsSummary = true; clearProjectStatus(state, resolved); addProjToQueue(state, resolved, reloadLevel); enableCache(state); } function invalidateProjectAndScheduleBuilds(state, resolvedPath, reloadLevel) { state.reportFileChangeDetected = true; invalidateProject(state, resolvedPath, reloadLevel); scheduleBuildInvalidatedProject(state, 250, 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, state, changeDetected); } function buildNextInvalidatedProject(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, false); if (invalidatedProject) { invalidatedProject.done(); projectsBuilt++; while (state.projectPendingBuild.size) { if (state.timerToBuildInvalidatedProject) return; const info = getNextInvalidatedProjectCreateInfo(state, buildOrder, false); if (!info) break; if (info.kind !== 2 && (changeDetected || projectsBuilt === 5)) { scheduleBuildInvalidatedProject(state, 100, false); return; } const project = createInvalidatedProjectWithInfo(state, info, buildOrder); project.done(); if (info.kind !== 2) 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), 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 _a2; return (_a2 = state.allWatchedExtendedConfigFiles.get(extendedConfigFilePath)) == null ? void 0 : _a2.projects.forEach((projectConfigFilePath) => invalidateProjectAndScheduleBuilds(state, projectConfigFilePath, 2)); }, 2e3, parsed == null ? void 0 : parsed.watchOptions, WatchType.ExtendedConfigFile), (fileName) => toPath2(state, fileName)); } function watchWildCardDirectories(state, resolved, resolvedPath, parsed) { if (!state.watch) return; updateWatchingWildcardDirectories(getOrCreateValueMapFromConfigFileMap(state.allWatchedWildcardDirectories, resolvedPath), new Map(Object.entries(parsed.wildcardDirectories)), (dir, flags) => state.watchDirectory(dir, (fileOrDirectory) => { var _a2; if (isIgnoredFileFromWildCardWatching({ watchedDirPath: toPath2(state, dir), fileOrDirectory, fileOrDirectoryPath: toPath2(state, fileOrDirectory), configFileName: resolved, currentDirectory: state.compilerHost.getCurrentDirectory(), options: parsed.options, program: state.builderPrograms.get(resolvedPath) || ((_a2 = getCachedParsedConfigFile(state, resolvedPath)) == null ? void 0 : _a2.fileNames), useCaseSensitiveFileNames: state.parseConfigFileHost.useCaseSensitiveFileNames, writeLog: (s) => state.writeLog(s), toPath: (fileName) => toPath2(state, fileName) })) return; invalidateProjectAndScheduleBuilds(state, resolvedPath, 1); }, 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), arrayToMap(parsed.fileNames, (fileName) => toPath2(state, fileName)), { createNewValue: (_path, input) => watchFile(state, input, () => invalidateProjectAndScheduleBuilds(state, resolvedPath, 0), 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), new Map(state.lastCachedPackageJsonLookups.get(resolvedPath)), { createNewValue: (path, _input) => watchFile(state, path, () => invalidateProjectAndScheduleBuilds(state, resolvedPath, 0), 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, true), cleanReferences: (project) => clean(state, project, true), getNextInvalidatedProject: (cancellationToken) => { setupInitialBuild(state, cancellationToken); return getNextInvalidatedProject(state, getBuildOrder(state), 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, reloadLevel) => invalidateProject(state, configFilePath, reloadLevel || 0), close: () => stopWatching(state) }; } function relName(state, path) { return convertToRelativePath(path, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName); } function reportStatus(state, message, ...args) { state.host.reportSolutionBuilderStatus(createCompilerDiagnostic(message, ...args)); } function reportWatchStatus(state, message, ...args) { var _a2, _b; (_b = (_a2 = state.hostWithWatch).onWatchStatusChange) == null ? void 0 : _b.call(_a2, 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) => " * " + relName(state, s)).join("")); } } function reportUpToDateStatus(state, configFileName, status) { switch (status.type) { 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.newerInputFileName)); case 7: 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 4: 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 5: 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 8: 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 9: 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 10: 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 3: return reportStatus(state, Diagnostics.Project_0_is_out_of_date_because_output_of_its_dependency_1_has_changed, relName(state, configFileName), relName(state, status.newerProjectName)); case 2: return reportStatus(state, Diagnostics.Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies, relName(state, configFileName)); case 15: 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 11: 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 12: 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 14: 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 17: return reportStatus(state, Diagnostics.Project_0_is_being_forcibly_rebuilt, relName(state, configFileName)); case 16: case 13: break; default: assertType(status); } } function verboseReportProjectStatus(state, configFileName, status) { if (state.options.verbose) { reportUpToDateStatus(state, configFileName, status); } } var minimumDate, maximumDate, InvalidatedProjectKind; var init_tsbuildPublic = __esm({ "src/compiler/tsbuildPublic.ts"() { "use strict"; init_ts2(); init_ts2(); init_ts_performance(); minimumDate = /* @__PURE__ */ new Date(-864e13); maximumDate = /* @__PURE__ */ new Date(864e13); InvalidatedProjectKind = /* @__PURE__ */ ((InvalidatedProjectKind2) => { InvalidatedProjectKind2[InvalidatedProjectKind2["Build"] = 0] = "Build"; InvalidatedProjectKind2[InvalidatedProjectKind2["UpdateBundle"] = 1] = "UpdateBundle"; InvalidatedProjectKind2[InvalidatedProjectKind2["UpdateOutputFileStamps"] = 2] = "UpdateOutputFileStamps"; return InvalidatedProjectKind2; })(InvalidatedProjectKind || {}); } }); var init_ts2 = __esm({ "src/compiler/_namespaces/ts.ts"() { "use strict"; init_corePublic(); init_core(); init_debug(); init_semver(); init_performanceCore(); init_perfLogger(); init_tracing(); init_types(); init_sys(); init_path(); init_diagnosticInformationMap_generated(); init_scanner(); init_utilitiesPublic(); init_utilities(); init_baseNodeFactory(); init_parenthesizerRules(); init_nodeConverters(); init_nodeFactory(); init_emitNode(); init_emitHelpers(); init_nodeTests(); init_utilities2(); init_utilitiesPublic2(); init_parser(); init_commandLineParser(); init_moduleNameResolver(); init_binder(); init_symbolWalker(); init_checker(); init_visitorPublic(); init_sourcemap(); init_utilities3(); init_destructuring(); init_taggedTemplate(); init_ts(); init_classFields(); init_typeSerializer(); init_legacyDecorators(); init_esDecorators(); init_es2017(); init_es2018(); init_es2019(); init_es2020(); init_es2021(); init_esnext(); init_jsx(); init_es2016(); init_es2015(); init_es5(); init_generators(); init_module(); init_system(); init_esnextAnd2015(); init_node(); init_diagnostics(); init_declarations(); init_transformer(); init_emitter(); init_watchUtilities(); init_program(); init_builderStatePublic(); init_builderState(); init_builder(); init_builderPublic(); init_resolutionCache(); init_watch(); init_watchPublic(); init_tsbuild(); init_tsbuildPublic(); init_ts_moduleSpecifiers(); init_ts_performance(); } }); function isTypingUpToDate(cachedTyping, availableTypingVersions) { const availableVersion = new Version(getProperty(availableTypingVersions, `ts${versionMajorMinor}`) || getProperty(availableTypingVersions, "latest")); return availableVersion.compareTo(cachedTyping.version) <= 0; } function nonRelativeModuleNameForTypingCache(moduleName) { return nodeCoreModules.has(moduleName) ? "node" : moduleName; } function loadSafeList(host, safeListPath) { const result = readConfigFile(safeListPath, (path) => host.readFile(path)); return new Map(Object.entries(result.config)); } function loadTypesMap(host, typesMapPath) { var _a2; const result = readConfigFile(typesMapPath, (path) => host.readFile(path)); if ((_a2 = result.config) == null ? void 0 : _a2.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 path = normalizePath(fileName); if (hasJSFileExtension(path)) { return path; } }); 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 module2 = deduplicate(unresolvedImports.map(nonRelativeModuleNameForTypingCache), equateStringsCaseSensitive, compareStringsCaseSensitive); addInferredTypings(module2, "Inferred typings from unresolved imports"); } packageNameToTypingLocation.forEach((typing, name) => { const registryEntry = typesRegistry.get(name); if (inferredTypings.has(name) && inferredTypings.get(name) === void 0 && registryEntry !== void 0 && isTypingUpToDate(typing, registryEntry)) { inferredTypings.set(name, typing.typingLocation); } }); for (const excludeTypingName of exclude) { const didDelete = inferredTypings.delete(excludeTypingName); if (didDelete && log) log(`Typing for ${excludeTypingName} is in exclude list, will be ignored.`); } const newTypingNames = []; const cachedTypingPaths = []; inferredTypings.forEach((inferred, typing) => { if (inferred !== void 0) { cachedTypingPaths.push(inferred); } else { newTypingNames.push(typing); } }); const result = { cachedTypingPaths, newTypingNames, filesToWatch }; if (log) log(`Result: ${JSON.stringify(result)}`); return result; function addInferredTyping(typingName) { if (!inferredTypings.has(typingName)) { inferredTypings.set(typingName, void 0); } } 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, (path) => host.readFile(path)).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"], void 0, void 0, 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 || !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, (path) => host.readFile(path)); 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")); if (hasJsxFile) { if (log) log(`Inferred "react" typings due to presence of ".jsx" extension`); addInferredTyping("react"); } } } function validatePackageName(packageName) { return validatePackageNameWorker(packageName, 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], false); if (scopeResult !== 0) { return { name: matches[1], isScopeName: true, result: scopeResult }; } const packageResult = validatePackageNameWorker(matches[2], 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, 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: throw Debug.assertNever(result); } } var unprefixedNodeCoreModuleList, prefixedNodeCoreModuleList, nodeCoreModuleList, nodeCoreModules, NameValidationResult, maxPackageNameLength; var init_jsTyping = __esm({ "src/jsTyping/jsTyping.ts"() { "use strict"; init_ts3(); 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" ]; prefixedNodeCoreModuleList = unprefixedNodeCoreModuleList.map((name) => `node:${name}`); nodeCoreModuleList = [...unprefixedNodeCoreModuleList, ...prefixedNodeCoreModuleList]; nodeCoreModules = new Set(nodeCoreModuleList); 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 || {}); maxPackageNameLength = 214; } }); 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 init_ts_JsTyping = __esm({ "src/jsTyping/_namespaces/ts.JsTyping.ts"() { "use strict"; init_jsTyping(); } }); function hasArgument(argumentName) { return sys.args.indexOf(argumentName) >= 0; } 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 `${padLeft(d.getHours().toString(), 2, "0")}:${padLeft(d.getMinutes().toString(), 2, "0")}:${padLeft(d.getSeconds().toString(), 2, "0")}.${padLeft(d.getMilliseconds().toString(), 3, "0")}`; } var ActionSet, ActionInvalidate, ActionPackageInstalled, EventTypesRegistry, EventBeginInstallTypes, EventEndInstallTypes, EventInitializationFailed, Arguments; var init_shared = __esm({ "src/jsTyping/shared.ts"() { "use strict"; init_ts3(); ActionSet = "action::set"; ActionInvalidate = "action::invalidate"; ActionPackageInstalled = "action::packageInstalled"; EventTypesRegistry = "event::typesRegistry"; EventBeginInstallTypes = "event::beginInstallTypes"; EventEndInstallTypes = "event::endInstallTypes"; EventInitializationFailed = "event::initializationFailed"; ((Arguments2) => { Arguments2.GlobalCacheLocation = "--globalTypingsCacheLocation"; Arguments2.LogFile = "--logFile"; Arguments2.EnableTelemetry = "--enableTelemetry"; Arguments2.TypingSafeListLocation = "--typingSafeListLocation"; Arguments2.TypesMapLocation = "--typesMapLocation"; Arguments2.NpmLocation = "--npmLocation"; Arguments2.ValidateDefaultNpmLocation = "--validateDefaultNpmLocation"; })(Arguments || (Arguments = {})); } }); var init_types2 = __esm({ "src/jsTyping/types.ts"() { "use strict"; } }); var ts_server_exports = {}; __export2(ts_server_exports, { ActionInvalidate: () => ActionInvalidate, ActionPackageInstalled: () => ActionPackageInstalled, ActionSet: () => ActionSet, Arguments: () => Arguments, EventBeginInstallTypes: () => EventBeginInstallTypes, EventEndInstallTypes: () => EventEndInstallTypes, EventInitializationFailed: () => EventInitializationFailed, EventTypesRegistry: () => EventTypesRegistry, findArgument: () => findArgument, hasArgument: () => hasArgument, nowString: () => nowString }); var init_ts_server = __esm({ "src/jsTyping/_namespaces/ts.server.ts"() { "use strict"; init_shared(); init_types2(); } }); var init_ts3 = __esm({ "src/jsTyping/_namespaces/ts.ts"() { "use strict"; init_ts2(); init_ts_JsTyping(); init_ts_server(); } }); function getDefaultFormatCodeSettings(newLineCharacter) { return { indentSize: 4, tabSize: 4, newLineCharacter: newLineCharacter || " ", 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 }; } var ScriptSnapshot, PackageJsonDependencyGroup, PackageJsonAutoImportPreference, LanguageServiceMode, emptyOptions, SemanticClassificationFormat, OrganizeImportsMode, CompletionTriggerKind, InlayHintKind, HighlightSpanKind, IndentStyle2, SemicolonPreference, testFormatSettings, SymbolDisplayPartKind, CompletionInfoFlags, OutliningSpanKind, OutputFileType, EndOfLineState2, TokenClass2, ScriptElementKind, ScriptElementKindModifier, ClassificationTypeNames, ClassificationType; var init_types3 = __esm({ "src/services/types.ts"() { "use strict"; ((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 = {})); 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 || {}); PackageJsonAutoImportPreference = /* @__PURE__ */ ((PackageJsonAutoImportPreference2) => { PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["Off"] = 0] = "Off"; PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["On"] = 1] = "On"; PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["Auto"] = 2] = "Auto"; return PackageJsonAutoImportPreference2; })(PackageJsonAutoImportPreference || {}); LanguageServiceMode = /* @__PURE__ */ ((LanguageServiceMode2) => { LanguageServiceMode2[LanguageServiceMode2["Semantic"] = 0] = "Semantic"; LanguageServiceMode2[LanguageServiceMode2["PartialSemantic"] = 1] = "PartialSemantic"; LanguageServiceMode2[LanguageServiceMode2["Syntactic"] = 2] = "Syntactic"; return LanguageServiceMode2; })(LanguageServiceMode || {}); emptyOptions = {}; SemanticClassificationFormat = /* @__PURE__ */ ((SemanticClassificationFormat3) => { SemanticClassificationFormat3["Original"] = "original"; SemanticClassificationFormat3["TwentyTwenty"] = "2020"; return SemanticClassificationFormat3; })(SemanticClassificationFormat || {}); OrganizeImportsMode = /* @__PURE__ */ ((OrganizeImportsMode2) => { OrganizeImportsMode2["All"] = "All"; OrganizeImportsMode2["SortAndCombine"] = "SortAndCombine"; OrganizeImportsMode2["RemoveUnused"] = "RemoveUnused"; return OrganizeImportsMode2; })(OrganizeImportsMode || {}); CompletionTriggerKind = /* @__PURE__ */ ((CompletionTriggerKind2) => { CompletionTriggerKind2[CompletionTriggerKind2["Invoked"] = 1] = "Invoked"; CompletionTriggerKind2[CompletionTriggerKind2["TriggerCharacter"] = 2] = "TriggerCharacter"; CompletionTriggerKind2[CompletionTriggerKind2["TriggerForIncompleteCompletions"] = 3] = "TriggerForIncompleteCompletions"; return CompletionTriggerKind2; })(CompletionTriggerKind || {}); InlayHintKind = /* @__PURE__ */ ((InlayHintKind2) => { InlayHintKind2["Type"] = "Type"; InlayHintKind2["Parameter"] = "Parameter"; InlayHintKind2["Enum"] = "Enum"; return InlayHintKind2; })(InlayHintKind || {}); HighlightSpanKind = /* @__PURE__ */ ((HighlightSpanKind2) => { HighlightSpanKind2["none"] = "none"; HighlightSpanKind2["definition"] = "definition"; HighlightSpanKind2["reference"] = "reference"; HighlightSpanKind2["writtenReference"] = "writtenReference"; return HighlightSpanKind2; })(HighlightSpanKind || {}); IndentStyle2 = /* @__PURE__ */ ((IndentStyle22) => { IndentStyle22[IndentStyle22["None"] = 0] = "None"; IndentStyle22[IndentStyle22["Block"] = 1] = "Block"; IndentStyle22[IndentStyle22["Smart"] = 2] = "Smart"; return IndentStyle22; })(IndentStyle2 || {}); SemicolonPreference = /* @__PURE__ */ ((SemicolonPreference2) => { SemicolonPreference2["Ignore"] = "ignore"; SemicolonPreference2["Insert"] = "insert"; SemicolonPreference2["Remove"] = "remove"; return SemicolonPreference2; })(SemicolonPreference || {}); testFormatSettings = getDefaultFormatCodeSettings(" "); 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 || {}); 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 || {}); OutliningSpanKind = /* @__PURE__ */ ((OutliningSpanKind2) => { OutliningSpanKind2["Comment"] = "comment"; OutliningSpanKind2["Region"] = "region"; OutliningSpanKind2["Code"] = "code"; OutliningSpanKind2["Imports"] = "imports"; return OutliningSpanKind2; })(OutliningSpanKind || {}); OutputFileType = /* @__PURE__ */ ((OutputFileType2) => { OutputFileType2[OutputFileType2["JavaScript"] = 0] = "JavaScript"; OutputFileType2[OutputFileType2["SourceMap"] = 1] = "SourceMap"; OutputFileType2[OutputFileType2["Declaration"] = 2] = "Declaration"; return OutputFileType2; })(OutputFileType || {}); EndOfLineState2 = /* @__PURE__ */ ((EndOfLineState3) => { EndOfLineState3[EndOfLineState3["None"] = 0] = "None"; EndOfLineState3[EndOfLineState3["InMultiLineCommentTrivia"] = 1] = "InMultiLineCommentTrivia"; EndOfLineState3[EndOfLineState3["InSingleQuoteStringLiteral"] = 2] = "InSingleQuoteStringLiteral"; EndOfLineState3[EndOfLineState3["InDoubleQuoteStringLiteral"] = 3] = "InDoubleQuoteStringLiteral"; EndOfLineState3[EndOfLineState3["InTemplateHeadOrNoSubstitutionTemplate"] = 4] = "InTemplateHeadOrNoSubstitutionTemplate"; EndOfLineState3[EndOfLineState3["InTemplateMiddleOrTail"] = 5] = "InTemplateMiddleOrTail"; EndOfLineState3[EndOfLineState3["InTemplateSubstitutionPosition"] = 6] = "InTemplateSubstitutionPosition"; return EndOfLineState3; })(EndOfLineState2 || {}); TokenClass2 = /* @__PURE__ */ ((TokenClass22) => { TokenClass22[TokenClass22["Punctuation"] = 0] = "Punctuation"; TokenClass22[TokenClass22["Keyword"] = 1] = "Keyword"; TokenClass22[TokenClass22["Operator"] = 2] = "Operator"; TokenClass22[TokenClass22["Comment"] = 3] = "Comment"; TokenClass22[TokenClass22["Whitespace"] = 4] = "Whitespace"; TokenClass22[TokenClass22["Identifier"] = 5] = "Identifier"; TokenClass22[TokenClass22["NumberLiteral"] = 6] = "NumberLiteral"; TokenClass22[TokenClass22["BigIntLiteral"] = 7] = "BigIntLiteral"; TokenClass22[TokenClass22["StringLiteral"] = 8] = "StringLiteral"; TokenClass22[TokenClass22["RegExpLiteral"] = 9] = "RegExpLiteral"; return TokenClass22; })(TokenClass2 || {}); 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["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 || {}); 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 || {}); 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 || {}); 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 || {}); } }); function getMeaningFromDeclaration(node) { switch (node.kind) { case 257: return isInJSFile(node) && getJSDocEnumTag(node) ? 7 : 1; case 166: case 205: case 169: case 168: case 299: case 300: case 171: case 170: case 173: case 174: case 175: case 259: case 215: case 216: case 295: case 288: return 1; case 165: case 261: case 262: case 184: return 2; case 349: return node.name === void 0 ? 1 | 2 : 2; case 302: case 260: return 1 | 2; case 264: if (isAmbientModule(node)) { return 4 | 1; } else if (getModuleInstanceState(node) === 1) { return 4 | 1; } else { return 4; } case 263: case 272: case 273: case 268: case 269: case 274: case 275: return 7; case 308: return 4 | 1; } return 7; } function getMeaningFromLocation(node) { node = getAdjustedReferenceLocation(node); const parent2 = node.parent; if (node.kind === 308) { 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 === 163 ? node : isQualifiedName(node.parent) && node.parent.right === node ? node.parent : void 0; return name && name.parent.kind === 268 ? 7 : 4; } function isInRightSideOfInternalImportEqualsDeclaration(node) { while (node.parent.kind === 163) { node = node.parent; } return isInternalModuleImportEqualsDeclaration(node.parent) && node.parent.moduleReference === node; } function isNamespaceReference(node) { return isQualifiedNameNamespaceReference(node) || isPropertyAccessNamespaceReference(node); } function isQualifiedNameNamespaceReference(node) { let root = node; let isLastClause = true; if (root.parent.kind === 163) { while (root.parent && root.parent.kind === 163) { root = root.parent; } isLastClause = root.right === node; } return root.parent.kind === 180 && !isLastClause; } function isPropertyAccessNamespaceReference(node) { let root = node; let isLastClause = true; if (root.parent.kind === 208) { while (root.parent && root.parent.kind === 208) { root = root.parent; } isLastClause = root.name === node; } if (!isLastClause && root.parent.kind === 230 && root.parent.parent.kind === 294) { const decl = root.parent.parent.parent; return decl.kind === 260 && root.parent.parent.token === 117 || decl.kind === 261 && root.parent.parent.token === 94; } return false; } function isTypeReference(node) { if (isRightSideOfQualifiedNameOrPropertyAccess(node)) { node = node.parent; } switch (node.kind) { case 108: return !isExpressionNode(node); case 194: return true; } switch (node.parent.kind) { case 180: return true; case 202: return !node.parent.isTypeOf; case 230: return isPartOfTypeNode(node.parent); } return false; } function isCallExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isCallExpression, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions); } function isNewExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isNewExpression, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions); } function isCallOrNewExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isCallOrNewExpression, 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 === 253 && 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 _a2; return isIdentifier(node) && ((_a2 = tryCast(node.parent, isBreakOrContinueStatement)) == null ? void 0 : _a2.label) === node; } function isLabelOfLabeledStatement(node) { var _a2; return isIdentifier(node) && ((_a2 = tryCast(node.parent, isLabeledStatement)) == null ? void 0 : _a2.label) === node; } function isLabelName(node) { return isLabelOfLabeledStatement(node) || isJumpStatementTarget(node); } function isTagName(node) { var _a2; return ((_a2 = tryCast(node.parent, isJSDocTag)) == null ? void 0 : _a2.tagName) === node; } function isRightSideOfQualifiedName(node) { var _a2; return ((_a2 = tryCast(node.parent, isQualifiedName)) == null ? void 0 : _a2.right) === node; } function isRightSideOfPropertyAccess(node) { var _a2; return ((_a2 = tryCast(node.parent, isPropertyAccessExpression)) == null ? void 0 : _a2.name) === node; } function isArgumentExpressionOfElementAccess(node) { var _a2; return ((_a2 = tryCast(node.parent, isElementAccessExpression)) == null ? void 0 : _a2.argumentExpression) === node; } function isNameOfModuleDeclaration(node) { var _a2; return ((_a2 = tryCast(node.parent, isModuleDeclaration)) == null ? void 0 : _a2.name) === node; } function isNameOfFunctionDeclaration(node) { var _a2; return isIdentifier(node) && ((_a2 = tryCast(node.parent, isFunctionLike)) == null ? void 0 : _a2.name) === node; } function isLiteralNameOfPropertyDeclarationOrIndexAccess(node) { switch (node.parent.kind) { case 169: case 168: case 299: case 302: case 171: case 170: case 174: case 175: case 264: return getNameOfDeclaration(node.parent) === node; case 209: return node.parent.argumentExpression === node; case 164: return true; case 198: return node.parent.parent.kind === 196; 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 308: case 171: case 170: case 259: case 215: case 174: case 175: case 260: case 261: case 263: case 264: return node; } } } function getNodeKind(node) { switch (node.kind) { case 308: return isExternalModule(node) ? "module" : "script"; case 264: return "module"; case 260: case 228: return "class"; case 261: return "interface"; case 262: case 341: case 349: return "type"; case 263: return "enum"; case 257: return getKindOfVariableDeclaration(node); case 205: return getKindOfVariableDeclaration(getRootDeclaration(node)); case 216: case 259: case 215: return "function"; case 174: return "getter"; case 175: return "setter"; case 171: case 170: return "method"; case 299: const { initializer } = node; return isFunctionLike(initializer) ? "method" : "property"; case 169: case 168: case 300: case 301: return "property"; case 178: return "index"; case 177: return "construct"; case 176: return "call"; case 173: case 172: return "constructor"; case 165: return "type parameter"; case 302: return "enum member"; case 166: return hasSyntacticModifier(node, 16476) ? "property" : "parameter"; case 268: case 273: case 278: case 271: case 277: return "alias"; case 223: 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 79: return isImportClause(node.parent) ? "alias" : ""; case 274: 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 108: return true; case 79: return identifierIsThisKeyword(node) && node.parent.kind === 166; default: return false; } } function getLineStartPositionForPosition(position, sourceFile) { const lineStarts = getLineStarts(sourceFile); const line = sourceFile.getLineAndCharacterOfPosition(position).line; return lineStarts[line]; } function rangeContainsRange(r1, r2) { return startEndContainsRange(r1.pos, r1.end, r2); } function rangeContainsRangeExclusive(r1, r2) { return rangeContainsPositionExclusive(r1, r2.pos) && rangeContainsPositionExclusive(r1, r2.end); } function rangeContainsPosition(r, pos) { return r.pos <= pos && pos <= r.end; } function rangeContainsPositionExclusive(r, pos) { return r.pos < pos && pos < r.end; } function startEndContainsRange(start, end, range) { return start <= range.pos && end >= 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 260: case 261: case 263: case 207: case 203: case 184: case 238: case 265: case 266: case 272: case 276: return nodeEndsWith(n, 19, sourceFile); case 295: return isCompletedNode(n.block, sourceFile); case 211: if (!n.arguments) { return true; } case 210: case 214: case 193: return nodeEndsWith(n, 21, sourceFile); case 181: case 182: return isCompletedNode(n.type, sourceFile); case 173: case 174: case 175: case 259: case 215: case 171: case 170: case 177: case 176: case 216: if (n.body) { return isCompletedNode(n.body, sourceFile); } if (n.type) { return isCompletedNode(n.type, sourceFile); } return hasChildOfKind(n, 21, sourceFile); case 264: return !!n.body && isCompletedNode(n.body, sourceFile); case 242: if (n.elseStatement) { return isCompletedNode(n.elseStatement, sourceFile); } return isCompletedNode(n.thenStatement, sourceFile); case 241: return isCompletedNode(n.expression, sourceFile) || hasChildOfKind(n, 26, sourceFile); case 206: case 204: case 209: case 164: case 186: return nodeEndsWith(n, 23, sourceFile); case 178: if (n.type) { return isCompletedNode(n.type, sourceFile); } return hasChildOfKind(n, 23, sourceFile); case 292: case 293: return false; case 245: case 246: case 247: case 244: return isCompletedNode(n.statement, sourceFile); case 243: return hasChildOfKind(n, 115, sourceFile) ? nodeEndsWith(n, 21, sourceFile) : isCompletedNode(n.statement, sourceFile); case 183: return isCompletedNode(n.exprName, sourceFile); case 218: case 217: case 219: case 226: case 227: const unaryWordExpression = n; return isCompletedNode(unaryWordExpression.expression, sourceFile); case 212: return isCompletedNode(n.template, sourceFile); case 225: const lastSpan = lastOrUndefined(n.templateSpans); return isCompletedNode(lastSpan, sourceFile); case 236: return nodeIsPresent(n.literal); case 275: case 269: return nodeIsPresent(n.moduleSpecifier); case 221: return isCompletedNode(n.operand, sourceFile); case 223: return isCompletedNode(n.right, sourceFile); case 224: 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 === 26 && 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 === 88; } function isClassKeyword(node) { return node.kind === 84; } function isFunctionKeyword(node) { return node.kind === 98; } 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 & (8388608 & ~262144)) 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 260: case 228: return getAdjustedLocationForClass(node); case 259: case 215: return getAdjustedLocationForFunction(node); case 173: 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 !== 88) ? canHaveModifiers(parent2) && contains(parent2.modifiers, node) : node.kind === 84 ? isClassDeclaration(parent2) || isClassExpression(node) : node.kind === 98 ? isFunctionDeclaration(parent2) || isFunctionExpression(node) : node.kind === 118 ? isInterfaceDeclaration(parent2) : node.kind === 92 ? isEnumDeclaration(parent2) : node.kind === 154 ? isTypeAliasDeclaration(parent2) : node.kind === 143 || node.kind === 142 ? isModuleDeclaration(parent2) : node.kind === 100 ? isImportEqualsDeclaration(parent2) : node.kind === 137 ? isGetAccessorDeclaration(parent2) : node.kind === 151 && isSetAccessorDeclaration(parent2)) { const location = getAdjustedLocationForDeclaration(parent2, forRename); if (location) { return location; } } if ((node.kind === 113 || node.kind === 85 || node.kind === 119) && isVariableDeclarationList(parent2) && parent2.declarations.length === 1) { const decl = parent2.declarations[0]; if (isIdentifier(decl.name)) { return decl.name; } } if (node.kind === 154) { 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 === 128) { 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 === 100 && isImportDeclaration(parent2)) { const location = getAdjustedLocationForImportDeclaration(parent2, forRename); if (location) { return location; } } if (node.kind === 93) { if (isExportDeclaration(parent2)) { const location = getAdjustedLocationForExportDeclaration(parent2, forRename); if (location) { return location; } } if (isExportAssignment(parent2)) { return skipOuterExpressions(parent2.expression); } } if (node.kind === 147 && isExternalModuleReference(parent2)) { return parent2.expression; } if (node.kind === 158 && (isImportDeclaration(parent2) || isExportDeclaration(parent2)) && parent2.moduleSpecifier) { return parent2.moduleSpecifier; } if ((node.kind === 94 || node.kind === 117) && isHeritageClause(parent2) && parent2.token === node.kind) { const location = getAdjustedLocationForHeritageClause(parent2); if (location) { return location; } } if (node.kind === 94) { 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 === 138 && isInferTypeNode(parent2)) { return parent2.typeParameter.name; } if (node.kind === 101 && isTypeParameterDeclaration(parent2) && isMappedTypeNode(parent2.parent)) { return parent2.name; } if (node.kind === 141 && isTypeOperatorNode(parent2) && parent2.operator === 141 && isTypeReferenceNode(parent2.type)) { return parent2.type.typeName; } if (node.kind === 146 && isTypeOperatorNode(parent2) && parent2.operator === 146 && isArrayTypeNode(parent2.type) && isTypeReferenceNode(parent2.type.elementType)) { return parent2.type.elementType.typeName; } if (!forRename) { if (node.kind === 103 && isNewExpression(parent2) || node.kind === 114 && isVoidExpression(parent2) || node.kind === 112 && isTypeOfExpression(parent2) || node.kind === 133 && isAwaitExpression(parent2) || node.kind === 125 && isYieldExpression(parent2) || node.kind === 89 && isDeleteExpression(parent2)) { if (parent2.expression) { return skipOuterExpressions(parent2.expression); } } if ((node.kind === 101 || node.kind === 102) && isBinaryExpression(parent2) && parent2.operatorToken === node) { return skipOuterExpressions(parent2.right); } if (node.kind === 128 && isAsExpression(parent2) && isTypeReferenceNode(parent2.type)) { return parent2.type.typeName; } if (node.kind === 101 && isForInStatement(parent2) || node.kind === 162 && isForOfStatement(parent2)) { return skipOuterExpressions(parent2.expression); } } return node; } function getAdjustedReferenceLocation(node) { return getAdjustedLocation(node, false); } function getAdjustedRenameLocation(node) { return getAdjustedLocation(node, true); } function getTouchingPropertyName(sourceFile, position) { return getTouchingToken(sourceFile, position, (n) => isPropertyNameLiteral(n) || isKeyword(n.kind) || isPrivateIdentifier(n)); } function getTouchingToken(sourceFile, position, includePrecedingTokenAtEndPosition) { return getTokenAtPositionWorker(sourceFile, position, false, includePrecedingTokenAtEndPosition, false); } function getTokenAtPosition(sourceFile, position) { return getTokenAtPositionWorker(sourceFile, position, true, void 0, 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, 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 != null ? end : end = node.getEnd(); if (end < position) { return false; } start != null ? start : start = allowPositionInLeadingTrivia ? node.getFullStart() : node.getStart(sourceFile, 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 = child.pos <= previousToken.pos && child.end > previousToken.end || 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, !excludeJsdoc); const lookInPreviousChild = start >= position || !nodeHasTokens(child, sourceFile) || isWhiteSpaceOnlyJsxText(child); if (lookInPreviousChild) { const candidate2 = findRightmostChildNodeWithTokens(children, i, sourceFile, n.kind); return candidate2 && findRightmostToken(candidate2, sourceFile); } else { return find2(child); } } } Debug.assert(startNode2 !== void 0 || n.kind === 308 || n.kind === 1 || isJSDocCommentContainingNode(n)); const candidate = findRightmostChildNodeWithTokens(children, 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, 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 === 11 || parentKind === 282)) { 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 === 11) { return true; } if (token.kind === 29 && token.parent.kind === 11) { return true; } if (token.kind === 29 && token.parent.kind === 291) { return true; } if (token && token.kind === 19 && token.parent.kind === 291) { return true; } if (token.kind === 29 && token.parent.kind === 284) { 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 === 18 && isJsxExpression(token.parent) && isJsxElement(token.parent.parent)) { return true; } if (token.kind === 29 && isJsxOpeningLikeElement(token.parent) && isJsxElement(token.parent.parent)) { return true; } return false; } function isInsideJsxElement(sourceFile, position) { function isInsideJsxElementTraversal(node) { while (node) { if (node.kind >= 282 && node.kind <= 291 || node.kind === 11 || node.kind === 29 || node.kind === 31 || node.kind === 79 || node.kind === 19 || node.kind === 18 || node.kind === 43) { node = node.parent; } else if (node.kind === 281) { 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), true); } const signatures = isNewExpression(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 29: token = findPrecedingToken(token.getFullStart(), sourceFile); if (token && token.kind === 28) { 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 49: remainingLessThanTokens = 3; break; case 48: remainingLessThanTokens = 2; break; case 31: remainingLessThanTokens++; break; case 19: token = findPrecedingMatchingToken(token, 18, sourceFile); if (!token) return void 0; break; case 21: token = findPrecedingMatchingToken(token, 20, sourceFile); if (!token) return void 0; break; case 23: token = findPrecedingMatchingToken(token, 22, sourceFile); if (!token) return void 0; break; case 27: nTypeArguments++; break; case 38: case 79: case 10: case 8: case 9: case 110: case 95: case 112: case 94: case 141: case 24: case 51: case 57: case 58: 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, 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 & 8) result.push("private"); if (flags & 16) result.push("protected"); if (flags & 4) result.push("public"); if (flags & 32 || isClassStaticBlockDeclaration(node)) result.push("static"); if (flags & 256) result.push("abstract"); if (flags & 1) result.push("export"); if (flags & 8192) result.push("deprecated"); if (node.flags & 16777216) result.push("declare"); if (node.kind === 274) result.push("export"); return result.length > 0 ? result.join(",") : ""; } function getTypeArgumentOrTypeParameterList(node) { if (node.kind === 180 || node.kind === 210) { return node.typeArguments; } if (isFunctionLike(node) || node.kind === 260 || node.kind === 261) { return node.typeParameters; } return void 0; } function isComment(kind) { return kind === 2 || kind === 3; } function isStringOrRegularExpressionOrTemplateLiteral(kind) { if (kind === 10 || kind === 13 || isTemplateLiteralKind(kind)) { return true; } return false; } function isStringAndEmptyAnonymousObjectIntersection(type) { if (!type.isIntersection()) { return false; } const { types, checker } = type; return types.length === 2 && types[0].flags & 4 && checker.isEmptyAnonymousObjectType(types[1]); } function isPunctuation(kind) { return 18 <= kind && kind <= 78; } 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 123: case 121: case 122: return true; } return false; } function cloneCompilerOptions(options) { const result = clone(options); setConfigFileInOptions(result, options && options.configFile); return result; } function isArrayLiteralOrObjectLiteralDestructuringPattern(node) { if (node.kind === 206 || node.kind === 207) { if (node.parent.kind === 223 && node.parent.left === node && node.parent.operatorToken.kind === 63) { return true; } if (node.parent.kind === 247 && node.parent.initializer === node) { return true; } if (isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent.kind === 299 ? node.parent.parent : node.parent)) { return true; } } return false; } function isInReferenceComment(sourceFile, position) { return isInReferenceCommentWorker(sourceFile, position, true); } function isInNonReferenceComment(sourceFile, position) { return isInReferenceCommentWorker(sourceFile, position, false); } function isInReferenceCommentWorker(sourceFile, position, shouldBeReference) { const range = isInComment(sourceFile, position, void 0); return !!range && shouldBeReference === tripleSlashDirectivePrefixRegex.test(sourceFile.text.substring(range.pos, range.end)); } function getReplacementSpanForContextToken(contextToken) { if (!contextToken) return void 0; switch (contextToken.kind) { case 10: case 14: return createTextSpanFromStringLiteralLikeContent(contextToken); default: return createTextSpanFromNode(contextToken); } } function createTextSpanFromNode(node, sourceFile, endNode2) { return createTextSpanFromBounds(node.getStart(sourceFile), (endNode2 || node).getEnd()); } function createTextSpanFromStringLiteralLikeContent(node) { if (node.isUnterminated) return void 0; return createTextSpanFromBounds(node.getStart() + 1, node.getEnd() - 1); } 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 }; } function isTypeKeyword(kind) { return contains(typeKeywords, kind); } function isTypeKeywordToken(node) { return node.kind === 154; } function isTypeKeywordTokenOrIdentifier(node) { return isTypeKeywordToken(node) || isIdentifier(node) && node.text === "type"; } function isExternalModuleSymbol(moduleSymbol) { return !!(moduleSymbol.flags & 1536) && moduleSymbol.name.charCodeAt(0) === 34; } 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 === 164 ? 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 _a2; return (_a2 = program.getModuleResolutionCache()) == null ? void 0 : _a2.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() }; } function getModuleSpecifierResolverHost(program, host) { return { ...createModuleSpecifierResolutionHost(program, host), getCommonSourceDirectory: () => program.getCommonSourceDirectory() }; } function moduleResolutionUsesNodeModules(moduleResolution) { return moduleResolution === 2 || moduleResolution >= 3 && moduleResolution <= 99 || moduleResolution === 100; } function makeImportIfNecessary(defaultImport, namedImports, moduleSpecifier, quotePreference) { return defaultImport || namedImports && namedImports.length ? makeImport(defaultImport, namedImports, moduleSpecifier, quotePreference) : void 0; } function makeImport(defaultImport, namedImports, moduleSpecifier, quotePreference, isTypeOnly) { return factory.createImportDeclaration(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, void 0); } function makeStringLiteral(text, quotePreference) { return factory.createStringLiteral(text, quotePreference === 0); } 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 = sourceFile.imports && find(sourceFile.imports, (n) => isStringLiteral(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 === 79 ? name.escapedText : void 0; }); } function isModuleSpecifierLike(node) { return isStringLiteralLike(node) && (isExternalModuleReference(node.parent) || isImportDeclaration(node.parent) || isRequireCall(node.parent, 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) { const decl = isArray(imports) ? imports[0] : imports; const importKindPredicate = decl.kind === 240 ? isRequireVariableStatement : isAnyImportSyntax; const existingImportStatements = filter(sourceFile.statements, importKindPredicate); let sortKind = isArray(imports) ? ts_OrganizeImports_exports.detectImportDeclarationSorting(imports, preferences) : 3; const comparer = ts_OrganizeImports_exports.getOrganizeImportsComparer(preferences, sortKind === 2); const sortedNewImports = isArray(imports) ? stableSort(imports, (a, b) => ts_OrganizeImports_exports.compareImportsOrRequireStatements(a, b, comparer)) : [imports]; if (!existingImportStatements.length) { changes.insertNodesAtTopOfFile(sourceFile, sortedNewImports, blankLineBetween); } else if (existingImportStatements && (sortKind = ts_OrganizeImports_exports.detectImportDeclarationSorting(existingImportStatements, preferences))) { const comparer2 = ts_OrganizeImports_exports.getOrganizeImportsComparer(preferences, sortKind === 2); for (const newImport of sortedNewImports) { const insertionIndex = ts_OrganizeImports_exports.getImportDeclarationInsertionIndex(existingImportStatements, newImport, comparer2); if (insertionIndex === 0) { const options = existingImportStatements[0] === sourceFile.statements[0] ? { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude } : {}; changes.insertNodeBefore(sourceFile, existingImportStatements[0], newImport, 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) { return a.fileName === b.fileName && textSpansEqual(a.textSpan, b.textSpan); } 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"); } function getDisplayPartWriter() { const absoluteMaximumLength = defaultMaximumTruncationLength * 10; let displayParts; let lineStart; let indent2; let length2; resetWriter(); const unknownWrite = (text) => writeKind(text, 17); 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)); } displayParts.push(displayPart("...", 15)); } return displayParts; }, writeKeyword: (text) => writeKind(text, 5), writeOperator: (text) => writeKind(text, 12), writePunctuation: (text) => writeKind(text, 15), writeTrailingSemicolon: (text) => writeKind(text, 15), writeSpace: (text) => writeKind(text, 16), writeStringLiteral: (text) => writeKind(text, 8), writeParameter: (text) => writeKind(text, 13), writeProperty: (text) => writeKind(text, 14), writeLiteral: (text) => writeKind(text, 8), writeSymbol, writeLine, write: unknownWrite, writeComment: unknownWrite, getText: () => "", getTextPos: () => 0, getColumn: () => 0, getLine: () => 0, isAtStartOfLine: () => false, hasTrailingWhitespace: () => false, hasTrailingComment: () => false, rawWrite: notImplemented, getIndent: () => indent2, increaseIndent: () => { indent2++; }, decreaseIndent: () => { indent2--; }, clear: resetWriter }; function writeIndent() { if (length2 > absoluteMaximumLength) return; if (lineStart) { const indentString = getIndentString(indent2); if (indentString) { length2 += indentString.length; displayParts.push(displayPart(indentString, 16)); } 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; indent2 = 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); } function keywordPart(kind) { return displayPart(tokenToString(kind), 5); } function punctuationPart(kind) { return displayPart(tokenToString(kind), 15); } function operatorPart(kind) { return displayPart(tokenToString(kind), 12); } function parameterNamePart(text) { return displayPart(text, 13); } function propertyNamePart(text) { return displayPart(text, 14); } function textOrKeywordPart(text) { const kind = stringToToken(text); return kind === void 0 ? textPart(text) : keywordPart(kind); } function textPart(text) { return displayPart(text, 17); } function typeAliasNamePart(text) { return displayPart(text, 0); } function typeParameterNamePart(text) { return displayPart(text, 18); } function linkTextPart(text) { return displayPart(text, 24); } function linkNamePart(text, target) { return { text, kind: SymbolDisplayPartKind[23], target: { fileName: getSourceFileOfNode(target).fileName, textSpan: createTextSpanFromNode(target) } }; } function linkPart(text) { return displayPart(text, 22); } function buildLinkParts(link, checker) { var _a2; 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 suffix = findLinkNameEnd(link.text); const name = getTextOfNode(link.name) + link.text.slice(0, suffix); const text = skipSeparatorFromLinkText(link.text.slice(suffix)); const decl = (symbol == null ? void 0 : symbol.valueDeclaration) || ((_a2 = symbol == null ? void 0 : symbol.declarations) == null ? void 0 : _a2[0]); if (decl) { parts.push(linkNamePart(name, decl)); if (text) parts.push(linkTextPart(text)); } else { parts.push(linkTextPart(name + (suffix ? "" : " ") + 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; } function getNewLineOrDefaultFromHost(host, formatSettings) { var _a2; return (formatSettings == null ? void 0 : formatSettings.newLineCharacter) || ((_a2 = host.getNewLine) == null ? void 0 : _a2.call(host)) || lineFeed2; } function lineBreakPart() { return displayPart(" ", 6); } 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, 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 clone2; } 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, true, replaceNode) : getSynthesizedDeepClone; const nodesClone = replaceNode ? (ns) => ns && getSynthesizedDeepClonesWithReplacements(ns, true, replaceNode) : (ns) => ns && getSynthesizedDeepClones(ns); const visited = visitEachChild(node, nodeClone, nullTransformationContext, nodesClone, nodeClone); if (visited === node) { const clone2 = isStringLiteral(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) { return nodes && factory.createNodeArray(nodes.map((n) => getSynthesizedDeepClone(n, includeTrivia)), nodes.hasTrailingComma); } 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, escapeString(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 (startsWith(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 needsParentheses(expression) { return isBinaryExpression(expression) && expression.operatorToken.kind === 27 || isObjectLiteralExpression(expression) || isAsExpression(expression) && isObjectLiteralExpression(expression.expression); } function getContextualTypeFromParent(node, checker, contextFlags) { const parent2 = walkUpParenthesizedExpressions(node.parent); switch (parent2.kind) { case 211: return checker.getContextualType(parent2, contextFlags); case 223: { const { left, operatorToken, right } = parent2; return isEqualityOperatorKind(operatorToken.kind) ? checker.getTypeAtLocation(node === right ? left : right) : checker.getContextualType(node, contextFlags); } case 292: 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 36: case 34: case 37: case 35: return true; default: return false; } } function isStringLiteralOrTemplate(node) { switch (node.kind) { case 10: case 14: case 225: case 212: return true; default: return false; } } function hasIndexSignature(type) { return !!type.getStringIndexType() || !!type.getNumberIndexType(); } function getSwitchedType(caseClause, checker) { return checker.getTypeAtLocation(caseClause.parent.parent.expression); } 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, 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 === 176 || kind === 177 || kind === 178 || kind === 168 || kind === 170; } function syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI(kind) { return kind === 259 || kind === 173 || kind === 171 || kind === 174 || kind === 175; } function syntaxRequiresTrailingModuleBlockOrSemicolonOrASI(kind) { return kind === 264; } function syntaxRequiresTrailingSemicolonOrASI(kind) { return kind === 240 || kind === 241 || kind === 243 || kind === 248 || kind === 249 || kind === 250 || kind === 254 || kind === 256 || kind === 169 || kind === 262 || kind === 269 || kind === 268 || kind === 275 || kind === 267 || kind === 274; } function nodeIsASICandidate(node, sourceFile) { const lastToken = node.getLastToken(sourceFile); if (lastToken && lastToken.kind === 26) { return false; } if (syntaxRequiresTrailingCommaOrSemicolonOrASI(node.kind)) { if (lastToken && lastToken.kind === 27) { 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 === 243) { return true; } const topNode = findAncestor(node, (ancestor) => !ancestor.parent); const nextToken = findNextToken(node, topNode, sourceFile); if (!nextToken || nextToken.kind === 19) { 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) === 26) { withSemicolon++; } else { withoutSemicolon++; } } else if (syntaxRequiresTrailingCommaOrSemicolonOrASI(node.kind)) { const lastToken = node.getLastToken(sourceFile); if ((lastToken == null ? void 0 : lastToken.kind) === 26) { withSemicolon++; } else if (lastToken && lastToken.kind !== 27) { 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, path, extensions, exclude, include) { return tryIOAndConsumeErrors(host, host.readDirectory, path, extensions, exclude, include) || emptyArray; } function tryFileExists(host, path) { return tryIOAndConsumeErrors(host, host.fileExists, path); } function tryDirectoryExists(host, path) { return tryAndIgnoreErrors(() => directoryProbablyExists(path, host)) || false; } function tryAndIgnoreErrors(cb) { try { return cb(); } catch (e) { 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 (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 (!stringContains(importedFileName, "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 (startsWith(components[0], "@")) { return `${components[0]}/${components[1]}`; } return components[0]; } } function tryParseJson(text) { try { return JSON.parse(text); } catch (e) { return void 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, identity, 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 _a2; let index = binarySearchKey(sortedFileDiagnostics, span.start, (diag2) => diag2.start, compareValues); if (index < 0) { index = ~index; } while (((_a2 = sortedFileDiagnostics[index - 1]) == null ? void 0 : _a2.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 = identity) { return valueOrArray ? isArray(valueOrArray) ? resultSelector(map(valueOrArray, f)) : f(valueOrArray, 0) : void 0; } function firstOrOnly(valueOrArray) { return isArray(valueOrArray) ? first(valueOrArray) : valueOrArray; } function getNamesForExportedSymbol(symbol, scriptTarget) { if (needsNameFromDeclaration(symbol)) { const fromDeclaration = getDefaultLikeExportNameFromDeclaration(symbol); if (fromDeclaration) return fromDeclaration; const fileNameCase = ts_codefix_exports.moduleSymbolToValidIdentifier(getSymbolParentOrFail(symbol), scriptTarget, false); const capitalized = ts_codefix_exports.moduleSymbolToValidIdentifier(getSymbolParentOrFail(symbol), scriptTarget, true); if (fileNameCase === capitalized) return fileNameCase; return [fileNameCase, capitalized]; } return symbol.name; } function getNameForExportedSymbol(symbol, scriptTarget, preferCapitalized) { if (needsNameFromDeclaration(symbol)) { return getDefaultLikeExportNameFromDeclaration(symbol) || ts_codefix_exports.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 _a2, _b; return isExportAssignment(d) ? (_a2 = tryCast(skipOuterExpressions(d.expression), isIdentifier)) == null ? void 0 : _a2.text : (_b = tryCast(getNameOfDeclaration(d), isIdentifier)) == null ? void 0 : _b.text; }); } function getSymbolParentOrFail(symbol) { var _a2; return Debug.checkDefined(symbol.parent, `Symbol parent was undefined. Flags: ${Debug.formatSymbolFlags(symbol.flags)}. Declarations: ${(_a2 = symbol.declarations) == null ? void 0 : _a2.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 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) & 8192); } function shouldUseUriStyleNodeCoreModules(file, program) { const decisionFromFile = firstDefined(file.imports, (node) => { if (ts_JsTyping_exports.nodeCoreModules.has(node.text)) { return startsWith(node.text, "node:"); } }); return decisionFromFile != null ? decisionFromFile : program.usesUriStyleNodeCoreModules; } function getNewLineKind(newLineCharacter) { return newLineCharacter === " " ? 1 : 0; } function diagnosticToString(diag2) { return isArray(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" }; } 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 14: case 10: existingStrings.add(expression.text); break; case 8: existingNumbers.add(parseInt(expression.text)); break; case 9: 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 }; function addValue(value) { switch (typeof value) { case "string": existingStrings.add(value); break; case "number": existingNumbers.add(value); } } function hasValue(value) { switch (typeof value) { case "string": return existingStrings.has(value); case "number": return existingNumbers.has(value); case "object": return existingBigInts.has(pseudoBigIntToString(value)); } } } var scanner, SemanticMeaning, tripleSlashDirectivePrefixRegex, typeKeywords, QuotePreference, displayPartWriter, lineFeed2, ANONYMOUS, syntaxMayBeASICandidate; var init_utilities4 = __esm({ "src/services/utilities.ts"() { "use strict"; init_ts4(); scanner = createScanner(99, true); SemanticMeaning = /* @__PURE__ */ ((SemanticMeaning3) => { SemanticMeaning3[SemanticMeaning3["None"] = 0] = "None"; SemanticMeaning3[SemanticMeaning3["Value"] = 1] = "Value"; SemanticMeaning3[SemanticMeaning3["Type"] = 2] = "Type"; SemanticMeaning3[SemanticMeaning3["Namespace"] = 4] = "Namespace"; SemanticMeaning3[SemanticMeaning3["All"] = 7] = "All"; return SemanticMeaning3; })(SemanticMeaning || {}); tripleSlashDirectivePrefixRegex = /^///s* { QuotePreference5[QuotePreference5["Single"] = 0] = "Single"; QuotePreference5[QuotePreference5["Double"] = 1] = "Double"; return QuotePreference5; })(QuotePreference || {}); displayPartWriter = getDisplayPartWriter(); lineFeed2 = " "; ANONYMOUS = "anonymous function"; syntaxMayBeASICandidate = or(syntaxRequiresTrailingCommaOrSemicolonOrASI, syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI, syntaxRequiresTrailingModuleBlockOrSemicolonOrASI, syntaxRequiresTrailingSemicolonOrASI); } }); 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 (startsWith(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, 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 || typeAcquisitionEnabled && consumesNodeCoreModules(oldSourceFile) !== consumesNodeCoreModules(newSourceFile) || !arrayIsEqualTo(oldSourceFile.moduleAugmentations, newSourceFile.moduleAugmentations) || !ambientModuleDeclarationsAreEqual(oldSourceFile, newSourceFile)) { cache.clear(); return true; } usableByFileName = newSourceFile.path; return false; } }; if (Debug.isDebugging) { Object.defineProperty(cache, "__cache", { get: () => 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}|${getSymbolId(skipAlias(symbol, checker))}|${moduleKey}`; } function parseKey(key2) { const symbolName2 = key2.substring(0, key2.indexOf("|")); const moduleKey = key2.substring(key2.lastIndexOf("|") + 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 && startsWith(info.moduleFileName, typingsCacheLocation)) return true; const packageDeepestNodeModulesPath = packages.get(packageName); return !packageDeepestNodeModulesPath || startsWith(info.moduleFileName, packageDeepestNodeModulesPath); } } function isImportableFile(program, from, to, preferences, packageJsonFilter, moduleSpecifierResolutionHost, moduleSpecifierCache) { var _a2; 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 = (_a2 = moduleSpecifierResolutionHost.getGlobalTypingsCacheLocation) == null ? void 0 : _a2.call(moduleSpecifierResolutionHost); const hasImportablePath = !!ts_moduleSpecifiers_exports.forEachFileNameOfModule(from.fileName, to.fileName, moduleSpecifierResolutionHost, false, (toPath3) => { const toFile = program.getSourceFile(toPath3); return (toFile === to || !toFile) && isImportablePath(from.fileName, toPath3, 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, toPath3, getCanonicalFileName, globalCachePath) { const toNodeModules = forEachAncestorDirectory(toPath3, (ancestor) => getBaseFileName(ancestor) === "node_modules" ? ancestor : void 0); const toNodeModulesParent = toNodeModules && getDirectoryPath(getCanonicalFileName(toNodeModules)); return toNodeModulesParent === void 0 || startsWith(getCanonicalFileName(fromPath), toNodeModulesParent) || !!globalCachePath && startsWith(getCanonicalFileName(globalCachePath), toNodeModulesParent); } function forEachExternalModuleToImportFrom(program, host, preferences, useAutoImportProvider, cb) { var _a2, _b; const useCaseSensitiveFileNames = hostUsesCaseSensitiveFileNames(host); const excludePatterns = preferences.autoImportFileExcludePatterns && mapDefined(preferences.autoImportFileExcludePatterns, (spec) => { const pattern = getPatternFromSpec(spec, "", "exclude"); return pattern ? getRegexFromPattern(pattern, useCaseSensitiveFileNames) : void 0; }); forEachExternalModule(program.getTypeChecker(), program.getSourceFiles(), excludePatterns, (module2, file) => cb(module2, file, program, false)); const autoImportProvider = useAutoImportProvider && ((_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host)); if (autoImportProvider) { const start = timestamp(); const checker = program.getTypeChecker(); forEachExternalModule(autoImportProvider.getTypeChecker(), autoImportProvider.getSourceFiles(), excludePatterns, (module2, file) => { if (file && !program.getSourceFile(file.fileName) || !file && !checker.resolveName(module2.name, void 0, 1536, false)) { cb(module2, file, autoImportProvider, true); } }); (_b = host.log) == null ? void 0 : _b.call(host, `forEachExternalModuleToImportFrom autoImportProvider: ${timestamp() - start}`); } } function forEachExternalModule(checker, allSourceFiles, excludePatterns, cb) { var _a2; const isExcluded = excludePatterns && ((fileName) => excludePatterns.some((p) => p.test(fileName))); for (const ambient of checker.getAmbientModules()) { if (!stringContains(ambient.name, "*") && !(excludePatterns && ((_a2 = ambient.declarations) == null ? void 0 : _a2.every((d) => isExcluded(d.getSourceFile().fileName))))) { cb(ambient, void 0); } } for (const sourceFile of allSourceFiles) { if (isExternalOrCommonJsModule(sourceFile) && !(isExcluded == null ? void 0 : isExcluded(sourceFile.fileName))) { cb(checker.getMergedSymbol(sourceFile.symbol), sourceFile); } } } function getExportInfoMap(importingFile, host, program, preferences, cancellationToken) { var _a2, _b, _c, _d, _e; const start = timestamp(); (_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host); const cache = ((_b = host.getCachedExportInfoMap) == null ? void 0 : _b.call(host)) || createCacheableExportInfoMap({ getCurrentProgram: () => program, getPackageJsonAutoImportProvider: () => { var _a3; return (_a3 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a3.call(host); }, getGlobalTypingsCacheLocation: () => { var _a3; return (_a3 = host.getGlobalTypingsCacheLocation) == null ? void 0 : _a3.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"); const compilerOptions = program.getCompilerOptions(); let moduleCount = 0; try { forEachExternalModuleToImportFrom(program, host, preferences, 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, compilerOptions); 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, compilerOptions) { const exported = getDefaultLikeExportWorker(moduleSymbol, checker); if (!exported) return void 0; const { symbol, exportKind } = exported; const info = getDefaultExportInfoWorker(symbol, checker, compilerOptions); return info && { symbol, exportKind, ...info }; } function isImportableSymbol(symbol, checker) { return !checker.isUndefinedSymbol(symbol) && !checker.isUnknownSymbol(symbol) && !isKnownSymbol(symbol) && !isPrivateIdentifierSymbol(symbol); } function getDefaultLikeExportWorker(moduleSymbol, checker) { const exportEquals = checker.resolveExternalModuleSymbol(moduleSymbol); if (exportEquals !== moduleSymbol) return { symbol: exportEquals, exportKind: 2 }; const defaultExport = checker.tryGetMemberInModuleExports("default", moduleSymbol); if (defaultExport) return { symbol: defaultExport, exportKind: 1 }; } function getDefaultExportInfoWorker(defaultExport, checker, compilerOptions) { const localSymbol = getLocalSymbolForExportDefault(defaultExport); if (localSymbol) return { resolvedSymbol: localSymbol, name: localSymbol.name }; const name = getNameForExportDefault(defaultExport); if (name !== void 0) return { resolvedSymbol: defaultExport, name }; if (defaultExport.flags & 2097152) { const aliased = checker.getImmediateAliasedSymbol(defaultExport); if (aliased && aliased.parent) { return getDefaultExportInfoWorker(aliased, checker, compilerOptions); } } if (defaultExport.escapedName !== "default" && defaultExport.escapedName !== "export=") { return { resolvedSymbol: defaultExport, name: defaultExport.getName() }; } return { resolvedSymbol: defaultExport, name: getNameForExportedSymbol(defaultExport, compilerOptions.target) }; } function getNameForExportDefault(symbol) { return symbol.declarations && firstDefined(symbol.declarations, (declaration) => { var _a2; if (isExportAssignment(declaration)) { return (_a2 = tryCast(skipOuterExpressions(declaration.expression), isIdentifier)) == null ? void 0 : _a2.text; } else if (isExportSpecifier(declaration)) { Debug.assert(declaration.name.text === "default", "Expected the specifier to be a default export"); return declaration.propertyName && declaration.propertyName.text; } }); } var ImportKind, ExportKind; var init_exportInfoMap = __esm({ "src/services/exportInfoMap.ts"() { "use strict"; init_ts4(); 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 || {}); 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 createClassifier2() { const scanner2 = createScanner(99, 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(15); } scanner2.setText(text); let endOfLineState = 0; const spans = []; let angleBracketStack = 0; do { token = scanner2.scan(); if (!isTrivia(token)) { handleToken(); lastNonTriviaToken = token; } const end = scanner2.getTextPos(); pushEncodedClassification(scanner2.getTokenPos(), 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 43: case 68: if (!noRegexTable[lastNonTriviaToken] && scanner2.reScanSlashToken() === 13) { token = 13; } break; case 29: if (lastNonTriviaToken === 79) { angleBracketStack++; } break; case 31: if (angleBracketStack > 0) { angleBracketStack--; } break; case 131: case 152: case 148: case 134: case 153: if (angleBracketStack > 0 && !syntacticClassifierAbsent) { token = 79; } break; case 15: templateStack.push(token); break; case 18: if (templateStack.length > 0) { templateStack.push(token); } break; case 19: if (templateStack.length > 0) { const lastTemplateStackToken = lastOrUndefined(templateStack); if (lastTemplateStackToken === 15) { token = scanner2.reScanTemplateToken(false); if (token === 17) { templateStack.pop(); } else { Debug.assertEqual(token, 16, "Should have been a template middle."); } } else { Debug.assertEqual(lastTemplateStackToken, 18, "Should have been an open brace"); templateStack.pop(); } } break; default: if (!isKeyword(token)) { break; } if (lastNonTriviaToken === 24) { token = 79; } else if (isKeyword(lastNonTriviaToken) && isKeyword(token) && !canFollow(lastNonTriviaToken, token)) { token = 79; } } } return { endOfLineState, spans }; } return { getClassificationsForLine, getEncodedLexicalClassifications }; } function getNewEndOfLineState(scanner2, token, lastOnTemplateStack) { switch (token) { case 10: { 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 17: return 5; case 14: return 4; default: return Debug.fail("Only "NoSubstitutionTemplateLiteral"s and "TemplateTail"s can be unterminated; got SyntaxKind #" + token); } } return lastOnTemplateStack === 15 ? 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 }); } } entries.push({ length: length2, classification: convertClassification(type) }); lastEnd = start + length2; } const whitespaceLength = text.length - lastEnd; if (whitespaceLength > 0) { entries.push({ length: whitespaceLength, classification: 4 }); } 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 137: case 151: case 135: case 124: case 127: return true; default: return false; } } function getPrefixFromLexState(lexState) { switch (lexState) { case 3: return { prefix: ""\ " }; case 2: return { prefix: ""\ " }; case 1: return { prefix: "/* " }; case 4: return { prefix: "` " }; case 5: return { prefix: "} ", pushTemplate: true }; case 6: return { prefix: "", pushTemplate: true }; case 0: return { prefix: "" }; default: return Debug.assertNever(lexState); } } function isBinaryExpressionOperatorToken(token) { switch (token) { case 41: case 43: case 44: case 39: case 40: case 47: case 48: case 49: case 29: case 31: case 32: case 33: case 102: case 101: case 128: case 150: case 34: case 35: case 36: case 37: case 50: case 52: case 51: case 55: case 56: case 74: case 73: case 78: case 70: case 71: case 72: case 64: case 65: case 66: case 68: case 69: case 63: case 27: case 60: case 75: case 76: case 77: return true; default: return false; } } function isPrefixUnaryExpressionOperatorToken(token) { switch (token) { case 39: case 40: case 54: case 53: case 45: case 46: return true; default: return false; } } function classFromKind(token) { if (isKeyword(token)) { return 3; } else if (isBinaryExpressionOperatorToken(token) || isPrefixUnaryExpressionOperatorToken(token)) { return 5; } else if (token >= 18 && token <= 78) { return 10; } switch (token) { case 8: return 4; case 9: return 25; case 10: return 6; case 13: return 7; case 7: case 3: case 2: return 1; case 5: case 4: return 8; case 79: 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 264: case 260: case 261: case 259: case 228: case 215: case 216: 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 }; 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); } 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, false, sourceFile.languageVariant, sourceFile.text); const mergeConflictScanner = createScanner(99, false, sourceFile.languageVariant, sourceFile.text); const result = []; processElement(sourceFile); return { spans: result, endOfLineState: 0 }; function pushClassification(start, length2, type) { result.push(start); result.push(length2); result.push(type); } function classifyLeadingTriviaAndGetTokenStart(token) { triviaScanner.setTextPos(token.pos); while (true) { const start = triviaScanner.getTextPos(); if (!couldStartTrivia(sourceFile.text, start)) { return start; } const kind = triviaScanner.scan(); const end = triviaScanner.getTextPos(); 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.setTextPos(end); continue; case 7: const text = sourceFile.text; const ch = text.charCodeAt(start); if (ch === 60 || ch === 62) { pushClassification(start, width, 1); continue; } Debug.assert(ch === 124 || ch === 61); 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); } function classifyJSDocComment(docComment) { var _a2, _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); pushClassification(tag.tagName.pos, tag.tagName.end - tag.tagName.pos, 18); pos = tag.tagName.end; let commentStart = tag.tagName.end; switch (tag.kind) { case 344: const param = tag; processJSDocParameterTag(param); commentStart = param.isNameFirst && ((_a2 = param.typeExpression) == null ? void 0 : _a2.end) || param.name.end; break; case 351: const prop = tag; commentStart = prop.isNameFirst && ((_b = prop.typeExpression) == null ? void 0 : _b.end) || prop.name.end; break; case 348: processJSDocTemplateTag(tag); pos = tag.end; commentStart = tag.typeParameters.end; break; case 349: const type = tag; commentStart = ((_c = type.typeExpression) == null ? void 0 : _c.kind) === 312 && ((_d = type.fullName) == null ? void 0 : _d.end) || ((_e = type.typeExpression) == null ? void 0 : _e.end) || commentStart; break; case 341: commentStart = tag.typeExpression.end; break; case 347: processElement(tag.typeExpression); pos = tag.end; commentStart = tag.typeExpression.end; break; case 346: case 343: commentStart = tag.typeExpression.end; break; case 345: processElement(tag.typeExpression); pos = tag.end; commentStart = ((_f = tag.typeExpression) == null ? void 0 : _f.end) || commentStart; break; case 350: commentStart = ((_g = tag.name) == null ? void 0 : _g.end) || commentStart; break; case 331: case 332: commentStart = tag.class.end; break; case 352: 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); 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); 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); pos += match[2].length; pushClassification(pos, match[3].length, 21); 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); attrPos += attrMatch[2].length; if (attrMatch[3].length) { pushCommentRange(attrPos, attrMatch[3].length); attrPos += attrMatch[3].length; } pushClassification(attrPos, attrMatch[4].length, 5); attrPos += attrMatch[4].length; if (attrMatch[5].length) { pushCommentRange(attrPos, attrMatch[5].length); attrPos += attrMatch[5].length; } pushClassification(attrPos, attrMatch[6].length, 24); attrPos += attrMatch[6].length; } pos += match[4].length; if (pos > attrPos) { pushCommentRange(attrPos, pos - attrPos); } if (match[5]) { pushClassification(pos, match[5].length, 10); 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); mergeConflictScanner.setTextPos(i); while (mergeConflictScanner.getTextPos() < end) { classifyDisabledCodeToken(); } } function classifyDisabledCodeToken() { const start = mergeConflictScanner.getTextPos(); const tokenKind = mergeConflictScanner.scan(); const end = mergeConflictScanner.getTextPos(); 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 !== 11 && classifiedElementName === void 0) { return false; } const tokenStart = node.kind === 11 ? 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 283: if (token.parent.tagName === token) { return 19; } break; case 284: if (token.parent.tagName === token) { return 20; } break; case 282: if (token.parent.tagName === token) { return 21; } break; case 288: if (token.parent.name === token) { return 22; } break; } return void 0; } function classifyTokenType(tokenKind, token) { if (isKeyword(tokenKind)) { return 3; } if (tokenKind === 29 || tokenKind === 31) { if (token && getTypeArgumentOrTypeParameterList(token.parent)) { return 10; } } if (isPunctuation(tokenKind)) { if (token) { const parent2 = token.parent; if (tokenKind === 63) { if (parent2.kind === 257 || parent2.kind === 169 || parent2.kind === 166 || parent2.kind === 288) { return 5; } } if (parent2.kind === 223 || parent2.kind === 221 || parent2.kind === 222 || parent2.kind === 224) { return 5; } } return 10; } else if (tokenKind === 8) { return 4; } else if (tokenKind === 9) { return 25; } else if (tokenKind === 10) { return token && token.parent.kind === 288 ? 24 : 6; } else if (tokenKind === 13) { return 6; } else if (isTemplateLiteralKind(tokenKind)) { return 6; } else if (tokenKind === 11) { return 23; } else if (tokenKind === 79) { if (token) { switch (token.parent.kind) { case 260: if (token.parent.name === token) { return 11; } return; case 165: if (token.parent.name === token) { return 15; } return; case 261: if (token.parent.name === token) { return 13; } return; case 263: if (token.parent.name === token) { return 12; } return; case 264: if (token.parent.name === token) { return 14; } return; case 166: 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 noRegexTable; var init_classifier = __esm({ "src/services/classifier.ts"() { "use strict"; init_ts4(); noRegexTable = arrayToNumericMap([ 79, 10, 8, 9, 13, 108, 45, 46, 21, 23, 19, 110, 95 ], (token) => token, () => true); } }); var DocumentHighlights; var init_documentHighlights = __esm({ "src/services/documentHighlights.ts"() { "use strict"; init_ts4(); ((DocumentHighlights2) => { 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); } DocumentHighlights2.getDocumentHighlights = getDocumentHighlights; function getHighlightSpanForNode(node, sourceFile) { return { fileName: sourceFile.fileName, textSpan: createTextSpanFromNode(node, sourceFile), kind: "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, 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(toPath(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 99: case 91: return isIfStatement(node.parent) ? getIfElseOccurrences(node.parent, sourceFile) : void 0; case 105: return useParent(node.parent, isReturnStatement, getReturnOccurrences); case 109: return useParent(node.parent, isThrowStatement, getThrowOccurrences); case 111: case 83: case 96: const tryStatement = node.kind === 83 ? node.parent.parent : node.parent; return useParent(tryStatement, isTryStatement, getTryCatchFinallyOccurrences); case 107: return useParent(node.parent, isSwitchStatement, getSwitchCaseDefaultOccurrences); case 82: case 88: { if (isDefaultClause(node.parent) || isCaseClause(node.parent)) { return useParent(node.parent.parent.parent, isSwitchStatement, getSwitchCaseDefaultOccurrences); } return void 0; } case 81: case 86: return useParent(node.parent, isBreakOrContinueStatement, getBreakOrContinueStatementOccurrences); case 97: case 115: case 90: return useParent(node.parent, (n) => isIterationStatement(n, true), getLoopBreakContinueOccurrences); case 135: return getFromAllDeclarations(isConstructorDeclaration, [135]); case 137: case 151: return getFromAllDeclarations(isAccessor, [137, 151]); case 133: return useParent(node.parent, isAwaitExpression, getAsyncAndAwaitOccurrences); case 132: return highlightSpans(getAsyncAndAwaitOccurrences(node)); case 125: return highlightSpans(getYieldOccurrences(node)); case 101: 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 _a2; return mapDefined((_a2 = tryCast(decl, canHaveSymbol)) == null ? void 0 : _a2.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 === 308) { 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 252: if (statement.kind === 248) { return false; } case 245: case 246: case 247: case 244: case 243: 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 265: case 308: case 238: case 292: case 293: if (modifierFlag & 256 && isClassDeclaration(declaration)) { return [...declaration.members, declaration]; } else { return container.statements; } case 173: case 171: case 259: return [...container.parameters, ...isClassLike(container.parent) ? container.parent.members : []]; case 260: case 228: case 261: case 184: const nodes = container.members; if (modifierFlag & (28 | 64)) { const constructor = find(container.members, isConstructorDeclaration); if (constructor) { return [...nodes, ...constructor.parameters]; } } else if (modifierFlag & 256) { return [...nodes, container]; } return nodes; case 207: 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(), 97, 115, 90)) { if (loopNode.kind === 243) { const loopTokens = loopNode.getChildren(); for (let i = loopTokens.length - 1; i >= 0; i--) { if (pushKeywordIf(keywords, loopTokens[i], 115)) { break; } } } } forEach(aggregateAllBreakAndContinueStatements(loopNode.statement), (statement) => { if (ownsBreakOrContinueStatement(loopNode, statement)) { pushKeywordIf(keywords, statement.getFirstToken(), 81, 86); } }); return keywords; } function getBreakOrContinueStatementOccurrences(breakOrContinueStatement) { const owner = getBreakOrContinueOwner(breakOrContinueStatement); if (owner) { switch (owner.kind) { case 245: case 246: case 247: case 243: case 244: return getLoopBreakContinueOccurrences(owner); case 252: return getSwitchCaseDefaultOccurrences(owner); } } return void 0; } function getSwitchCaseDefaultOccurrences(switchStatement) { const keywords = []; pushKeywordIf(keywords, switchStatement.getFirstToken(), 107); forEach(switchStatement.caseBlock.clauses, (clause) => { pushKeywordIf(keywords, clause.getFirstToken(), 82, 88); forEach(aggregateAllBreakAndContinueStatements(clause), (statement) => { if (ownsBreakOrContinueStatement(switchStatement, statement)) { pushKeywordIf(keywords, statement.getFirstToken(), 81); } }); }); return keywords; } function getTryCatchFinallyOccurrences(tryStatement, sourceFile) { const keywords = []; pushKeywordIf(keywords, tryStatement.getFirstToken(), 111); if (tryStatement.catchClause) { pushKeywordIf(keywords, tryStatement.catchClause.getFirstToken(), 83); } if (tryStatement.finallyBlock) { const finallyKeyword = findChildOfKind(tryStatement, 96, sourceFile); pushKeywordIf(keywords, finallyKeyword, 96); } 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, 109, sourceFile)); }); if (isFunctionBlock(owner)) { forEachReturnStatement(owner, (returnStatement) => { keywords.push(findChildOfKind(returnStatement, 105, 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, 105, sourceFile)); }); forEach(aggregateOwnedThrowStatements(func.body), (throwStatement) => { keywords.push(findChildOfKind(throwStatement, 109, 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, 132); }); } forEachChild(func, (child) => { traverseWithoutCrossingFunction(child, (node2) => { if (isAwaitExpression(node2)) { pushKeywordIf(keywords, node2.getFirstToken(), 133); } }); }); 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(), 125); } }); }); 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 === 91 && 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" }); 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], 99); for (let i = children.length - 1; i >= 0; i--) { if (pushKeywordIf(keywords, children[i], 91)) { 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(useCaseSensitiveFileNames, currentDirectory) { return createDocumentRegistryInternal(useCaseSensitiveFileNames, currentDirectory); } function createDocumentRegistryInternal(useCaseSensitiveFileNames, currentDirectory = "", externalCache) { const buckets = /* @__PURE__ */ new Map(); const getCanonicalFileName = createGetCanonicalFileName(!!useCaseSensitiveFileNames); 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 path = toPath(fileName, currentDirectory, getCanonicalFileName); const key = getKeyForCompilationSettings(getCompilationSettings(compilationSettings)); return acquireDocumentWithKey(fileName, path, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions); } function acquireDocumentWithKey(fileName, path, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { return acquireOrUpdateDocument(fileName, path, compilationSettings, key, scriptSnapshot, version2, true, scriptKind, languageVersionOrOptions); } function updateDocument(fileName, compilationSettings, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { const path = toPath(fileName, currentDirectory, getCanonicalFileName); const key = getKeyForCompilationSettings(getCompilationSettings(compilationSettings)); return updateDocumentWithKey(fileName, path, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions); } function updateDocumentWithKey(fileName, path, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { return acquireOrUpdateDocument(fileName, path, getCompilationSettings(compilationSettings), key, scriptSnapshot, version2, 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, path, compilationSettingsOrHost, key, scriptSnapshot, version2, acquiring, scriptKind, languageVersionOrOptions) { var _a2, _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(path, (_d = (_c = (_b = (_a2 = host.getCompilerHost) == null ? void 0 : _a2.call(host)) == null ? void 0 : _b.getModuleResolutionCache) == null ? void 0 : _c.call(_b)) == null ? void 0 : _d.getPackageJsonInfoCache(), host, compilationSettings), setExternalModuleIndicator: getSetExternalModuleIndicator(compilationSettings) }; sourceFileOptions.languageVersion = scriptTarget; 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(path) && forEachEntry(buckets, (bucket2, bucketKey) => bucketKey !== keyWithMode && bucket2.has(path) && bucketKey); if (otherBucketKey) { tracing.instant(tracing.Phase.Session, "documentRegistryBucketOverlap", { path, key1: otherBucketKey, key2: keyWithMode }); } } const bucketEntry = bucket.get(path); let entry = bucketEntry && getDocumentRegistryEntry(bucketEntry, scriptKind); if (!entry && externalCache) { const sourceFile = externalCache.getDocument(keyWithMode, path); if (sourceFile) { Debug.assert(acquiring); entry = { sourceFile, languageServiceRefCount: 0 }; setBucketEntry(); } } if (!entry) { const sourceFile = createLanguageServiceSourceFile(fileName, scriptSnapshot, sourceFileOptions, version2, false, scriptKind); if (externalCache) { externalCache.setDocument(keyWithMode, path, 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, path, entry.sourceFile); } } if (acquiring) { entry.languageServiceRefCount++; } } Debug.assert(entry.languageServiceRefCount !== 0); return entry.sourceFile; function setBucketEntry() { if (!bucketEntry) { bucket.set(path, entry); } else if (isDocumentRegistryEntry(bucketEntry)) { const scriptKindMap = /* @__PURE__ */ new Map(); scriptKindMap.set(bucketEntry.sourceFile.scriptKind, bucketEntry); scriptKindMap.set(scriptKind, entry); bucket.set(path, scriptKindMap); } else { bucketEntry.set(scriptKind, entry); } } } function releaseDocument(fileName, compilationSettings, scriptKind, impliedNodeFormat) { const path = toPath(fileName, currentDirectory, getCanonicalFileName); const key = getKeyForCompilationSettings(compilationSettings); return releaseDocumentWithKey(path, key, scriptKind, impliedNodeFormat); } function releaseDocumentWithKey(path, key, scriptKind, impliedNodeFormat) { const bucket = Debug.checkDefined(buckets.get(getDocumentRegistryBucketKeyWithMode(key, impliedNodeFormat))); const bucketEntry = bucket.get(path); const entry = getDocumentRegistryEntry(bucketEntry, scriptKind); entry.languageServiceRefCount--; Debug.assert(entry.languageServiceRefCount >= 0); if (entry.languageServiceRefCount === 0) { if (isDocumentRegistryEntry(bucketEntry)) { bucket.delete(path); } else { bucketEntry.delete(scriptKind); if (bucketEntry.size === 1) { bucket.set(path, firstDefinedIterator(bucketEntry.values(), identity)); } } } } function getLanguageServiceRefCounts(path, scriptKind) { return arrayFrom(buckets.entries(), ([key, bucket]) => { const bucketEntry = bucket.get(path); const entry = bucketEntry && getDocumentRegistryEntry(bucketEntry, scriptKind); return [key, entry && entry.languageServiceRefCount]; }); } return { acquireDocument, acquireDocumentWithKey, updateDocument, updateDocumentWithKey, releaseDocument, releaseDocumentWithKey, getLanguageServiceRefCounts, reportStats, getKeyForCompilationSettings }; } function getKeyForCompilationSettings(settings) { return getKeyForCompilerOptions(settings, sourceFileAffectingCompilerOptions); } function getDocumentRegistryBucketKeyWithMode(key, mode) { return mode ? `${key}|${mode}` : key; } var init_documentRegistry = __esm({ "src/services/documentRegistry.ts"() { "use strict"; init_ts4(); } }); function getEditsForFileRename(program, oldFileOrDirPath, newFileOrDirPath, host, formatContext, preferences, sourceMapper) { const useCaseSensitiveFileNames = hostUsesCaseSensitiveFileNames(host); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames); 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(), useCaseSensitiveFileNames); updateImports(program, changeTracker, oldToNew, newToOld, host, getCanonicalFileName); }); } function getPathUpdater(oldFileOrDirPath, newFileOrDirPath, getCanonicalFileName, sourceMapper) { const canonicalOldPath = getCanonicalFileName(oldFileOrDirPath); return (path) => { const originalPath = sourceMapper && sourceMapper.tryGetSourcePosition({ fileName: path, pos: 0 }); const updatedPath = getUpdatedPath(originalPath ? originalPath.fileName : path); return originalPath ? updatedPath === void 0 ? void 0 : makeCorrespondingRelativeChange(originalPath.fileName, updatedPath, path, 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, useCaseSensitiveFileNames) { 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) => isStringLiteral(e) ? e.text : void 0); if (includes.length === 0) return; const matchers = getFileMatcherPatterns(configDir, [], includes, useCaseSensitiveFileNames, currentDirectory); if (getRegexFromPattern(Debug.checkDefined(matchers.includeFilePattern), useCaseSensitiveFileNames).test(oldFileOrDirPath) && !getRegexFromPattern(Debug.checkDefined(matchers.includeFilePattern), useCaseSensitiveFileNames).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 (!isStringLiteral(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(path) { return getRelativePathFromDirectory(configDir, path, !useCaseSensitiveFileNames); } } 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 != null ? 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, getCanonicalFileName(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) { var _a2; 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 = getModeForUsageLocation(importingSourceFile, importLiteral); const resolved = host.resolveModuleNameLiterals || !host.resolveModuleNames ? (_a2 = importingSourceFile.resolvedModules) == null ? void 0 : _a2.get(importLiteral.text, mode) : 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, updateImport2) { 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 = updateImport2(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) && isStringLiteral(property.name)) { cb(property, property.name.text); } } } var init_getEditsForFileRename = __esm({ "src/services/getEditsForFileRename.ts"() { "use strict"; init_ts4(); } }); 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.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, startsWith(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, true)) { return createPatternMatch(2, partStartsWith(candidate, span, chunk.text, false)); } } if (chunk.text.length < candidate.length && isUpperCaseLetter(candidate.charCodeAt(index))) { return createPatternMatch(2, false); } } else { if (candidate.indexOf(chunk.text) > 0) { return createPatternMatch(2, true); } if (chunk.characterSpans.length > 0) { const candidateParts = getWordSpans(candidate, stringToWordSpans); const isCaseSensitive = tryCamelCaseMatch(candidate, candidateParts, chunk, false) ? true : tryCamelCaseMatch(candidate, candidateParts, chunk, 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)) { 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)) { 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)) { 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, false); } function breakIntoWordSpans(identifier) { return breakIntoSpans(identifier, 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)); } var PatternMatchKind; var init_patternMatcher = __esm({ "src/services/patternMatcher.ts"() { "use strict"; init_ts4(); 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 preProcessFile(sourceText, readImportFiles = true, detectJavaScriptImports = false) { const pragmaContext = { languageVersion: 1, 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 === 18) { braceNesting++; } else if (currentToken === 19) { braceNesting--; } return currentToken; } function getFileReference() { const fileName = scanner.getTokenValue(); const pos = scanner.getTokenPos(); 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 === 136) { token = nextToken(); if (token === 142) { token = nextToken(); if (token === 10) { recordAmbientExternalModule(); } } return true; } return false; } function tryConsumeImport() { if (lastToken === 24) { return false; } let token = scanner.getToken(); if (token === 100) { token = nextToken(); if (token === 20) { token = nextToken(); if (token === 10 || token === 14) { recordModuleName(); return true; } } else if (token === 10) { recordModuleName(); return true; } else { if (token === 154) { const skipTypeKeyword = scanner.lookAhead(() => { const token2 = scanner.scan(); return token2 !== 158 && (token2 === 41 || token2 === 18 || token2 === 79 || isKeyword(token2)); }); if (skipTypeKeyword) { token = nextToken(); } } if (token === 79 || isKeyword(token)) { token = nextToken(); if (token === 158) { token = nextToken(); if (token === 10) { recordModuleName(); return true; } } else if (token === 63) { if (tryConsumeRequireCall(true)) { return true; } } else if (token === 27) { token = nextToken(); } else { return true; } } if (token === 18) { token = nextToken(); while (token !== 19 && token !== 1) { token = nextToken(); } if (token === 19) { token = nextToken(); if (token === 158) { token = nextToken(); if (token === 10) { recordModuleName(); } } } } else if (token === 41) { token = nextToken(); if (token === 128) { token = nextToken(); if (token === 79 || isKeyword(token)) { token = nextToken(); if (token === 158) { token = nextToken(); if (token === 10) { recordModuleName(); } } } } } } return true; } return false; } function tryConsumeExport() { let token = scanner.getToken(); if (token === 93) { markAsExternalModuleIfTopLevel(); token = nextToken(); if (token === 154) { const skipTypeKeyword = scanner.lookAhead(() => { const token2 = scanner.scan(); return token2 === 41 || token2 === 18; }); if (skipTypeKeyword) { token = nextToken(); } } if (token === 18) { token = nextToken(); while (token !== 19 && token !== 1) { token = nextToken(); } if (token === 19) { token = nextToken(); if (token === 158) { token = nextToken(); if (token === 10) { recordModuleName(); } } } } else if (token === 41) { token = nextToken(); if (token === 158) { token = nextToken(); if (token === 10) { recordModuleName(); } } } else if (token === 100) { token = nextToken(); if (token === 154) { const skipTypeKeyword = scanner.lookAhead(() => { const token2 = scanner.scan(); return token2 === 79 || isKeyword(token2); }); if (skipTypeKeyword) { token = nextToken(); } } if (token === 79 || isKeyword(token)) { token = nextToken(); if (token === 63) { if (tryConsumeRequireCall(true)) { return true; } } } } return true; } return false; } function tryConsumeRequireCall(skipCurrentToken, allowTemplateLiterals = false) { let token = skipCurrentToken ? nextToken() : scanner.getToken(); if (token === 147) { token = nextToken(); if (token === 20) { token = nextToken(); if (token === 10 || allowTemplateLiterals && token === 14) { recordModuleName(); } } return true; } return false; } function tryConsumeDefine() { let token = scanner.getToken(); if (token === 79 && scanner.getTokenValue() === "define") { token = nextToken(); if (token !== 20) { return true; } token = nextToken(); if (token === 10 || token === 14) { token = nextToken(); if (token === 27) { token = nextToken(); } else { return true; } } if (token !== 22) { return true; } token = nextToken(); while (token !== 23 && token !== 1) { if (token === 10 || token === 14) { recordModuleName(); } token = nextToken(); } return true; } return false; } function processImports() { scanner.setText(sourceText); nextToken(); while (true) { if (scanner.getToken() === 1) { break; } if (scanner.getToken() === 15) { const stack = [scanner.getToken()]; loop: while (length(stack)) { const token = scanner.scan(); switch (token) { case 1: break loop; case 100: tryConsumeImport(); break; case 15: stack.push(token); break; case 18: if (length(stack)) { stack.push(token); } break; case 19: if (length(stack)) { if (lastOrUndefined(stack) === 15) { if (scanner.reScanTemplateToken(false) === 17) { stack.pop(); } } else { stack.pop(); } } break; } } nextToken(); } if (tryConsumeDeclare() || tryConsumeImport() || tryConsumeExport() || detectJavaScriptImports && (tryConsumeRequireCall(false, true) || tryConsumeDefine())) { continue; } else { nextToken(); } } scanner.setText(void 0); } if (readImportFiles) { processImports(); } processCommentPragmas(pragmaContext, sourceText); processPragmasIntoFields(pragmaContext, noop); 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 init_preProcess = __esm({ "src/services/preProcess.ts"() { "use strict"; init_ts4(); } }); 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 }; function toPath3(fileName) { return toPath(fileName, currentDirectory, getCanonicalFileName); } function getDocumentPositionMapper2(generatedFileName, sourceFileName) { const path = toPath3(generatedFileName); const value = documentPositionMappers.get(path); 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(path, 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 = outFile(options); 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 path = toPath3(fileName); const file = program.getSourceFileByPath(path); return file && file.resolvedPath === path ? file : void 0; } function getOrCreateSourceFileLike(fileName) { const path = toPath3(fileName); const fileFromCache = sourceFileLike.get(path); if (fileFromCache !== void 0) return fileFromCache ? fileFromCache : void 0; if (!host.readFile || host.fileExists && !host.fileExists(path)) { sourceFileLike.set(path, false); return void 0; } const text = host.readFile(path); const file = text ? createSourceFileLike(text) : false; sourceFileLike.set(path, 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 (isString(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(isString)) return void 0; return createDocumentPositionMapper(host, map2, mapFileName); } function createSourceFileLike(text, lineMap) { return { text, lineMap, getLineAndCharacterOfPosition(pos) { return computeLineAndCharacterOfPosition(getLineStarts(this), pos); } }; } var base64UrlRegExp; var init_sourcemaps = __esm({ "src/services/sourcemaps.ts"() { "use strict"; init_ts4(); init_ts4(); base64UrlRegExp = /^data:(?:application/json(?:;charset=[uU][tT][fF]-8);base64,([A-Za-z0-9+/=]+)$)?/; } }); function computeSuggestionDiagnostics(sourceFile, program, cancellationToken) { program.getSemanticDiagnostics(sourceFile, cancellationToken); const diags = []; const checker = program.getTypeChecker(); const isCommonJSFile = sourceFile.impliedNodeFormat === 1 || fileExtensionIsOneOf(sourceFile.fileName, [".cts", ".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 module2 = getResolvedModule(sourceFile, moduleSpecifier.text, getModeForUsageLocation(sourceFile, moduleSpecifier)); const resolvedFile = module2 && program.getSourceFile(module2.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, true)) { diags.push(createDiagnosticForNode(init, Diagnostics.require_call_may_be_converted_to_an_import)); } } 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 240: return statement.declarationList.declarations.some((decl) => !!decl.initializer && isRequireCall(propertyAccessLeftHandSide(decl.initializer), true)); case 241: { const { expression } = statement; if (!isBinaryExpression(expression)) return isRequireCall(expression, 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 269: const { importClause, moduleSpecifier } = node; return importClause && !importClause.name && importClause.namedBindings && importClause.namedBindings.kind === 271 && isStringLiteral(moduleSpecifier) ? importClause.namedBindings.name : void 0; case 268: 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 (isCallExpression(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 isCallExpression(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 === 104 || isIdentifier(arg) && arg.text === "undefined"; }); } function isFixablePromiseArgument(arg, checker) { switch (arg.kind) { case 259: case 215: const functionFlags = getFunctionFlags(arg); if (functionFlags & 1) { return false; } case 216: visitedNestedConvertibleFunctions.set(getKeyFromNode(arg), true); case 104: return true; case 79: case 208: { 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 _a2, _b, _c, _d; if (isFunctionExpression(node)) { if (isVariableDeclaration(node.parent) && ((_a2 = node.symbol.members) == null ? void 0 : _a2.size)) { return true; } const symbol = checker.getSymbolOfExpando(node, 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 259: case 171: case 215: case 216: return true; default: return false; } } var visitedNestedConvertibleFunctions; var init_suggestionDiagnostics = __esm({ "src/services/suggestionDiagnostics.ts"() { "use strict"; init_ts4(); visitedNestedConvertibleFunctions = /* @__PURE__ */ new Map(); } }); function transpileModule(input, transpileOptions) { const diagnostics = []; const options = transpileOptions.compilerOptions ? fixupCompilerOptions(transpileOptions.compilerOptions, diagnostics) : {}; const defaultOptions = getDefaultCompilerOptions2(); for (const key in defaultOptions) { if (hasProperty(defaultOptions, key) && options[key] === void 0) { options[key] = defaultOptions[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; const newLine = getNewLineCharacter(options); const compilerHost = { getSourceFile: (fileName) => fileName === normalizePath(inputFileName) ? sourceFile : 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: () => "lib.d.ts", useCaseSensitiveFileNames: () => false, getCanonicalFileName: (fileName) => fileName, getCurrentDirectory: () => "", getNewLine: () => newLine, fileExists: (fileName) => fileName === inputFileName, 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(toPath(inputFileName, "", compilerHost.getCanonicalFileName), void 0, compilerHost, options), setExternalModuleIndicator: getSetExternalModuleIndicator(options) }); if (transpileOptions.moduleName) { sourceFile.moduleName = transpileOptions.moduleName; } if (transpileOptions.renamedDependencies) { sourceFile.renamedDependencies = new Map(Object.entries(transpileOptions.renamedDependencies)); } let outputText; let sourceMapText; const program = createProgram([inputFileName], options, compilerHost); if (transpileOptions.reportDiagnostics) { addRange(diagnostics, program.getSyntacticDiagnostics(sourceFile)); addRange(diagnostics, program.getOptionsDiagnostics()); } program.emit(void 0, void 0, void 0, void 0, transpileOptions.transformers); 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; } 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 (isString(value)) { options[opt.name] = parseCustomTypeOption(opt, value, diagnostics); } else { if (!forEachEntry(opt.type, (v) => v === value)) { diagnostics.push(createCompilerDiagnosticForInvalidCustomType(opt)); } } } return options; } var optionsRedundantWithVerbatimModuleSyntax, commandLineOptionsStringToEnum; var init_transpile = __esm({ "src/services/transpile.ts"() { "use strict"; init_ts4(); optionsRedundantWithVerbatimModuleSyntax = /* @__PURE__ */ new Set([ "isolatedModules", "preserveValueImports", "importsNotUsedAsValues" ]); } }); function getNavigateToItems(sourceFiles, checker, cancellationToken, searchValue, maxResultCount, excludeDtsFiles) { const patternMatcher = createPatternMatcher(searchValue); if (!patternMatcher) return emptyArray; const rawItems = []; for (const sourceFile of sourceFiles) { cancellationToken.throwIfCancellationRequested(); if (excludeDtsFiles && sourceFile.isDeclarationFile) { continue; } sourceFile.getNamedDeclarations().forEach((declarations, name) => { getItemsFromNamedDeclaration(patternMatcher, name, declarations, checker, sourceFile.fileName, rawItems); }); } rawItems.sort(compareNavigateToItems); return (maxResultCount === void 0 ? rawItems : rawItems.slice(0, maxResultCount)).map(createNavigateToItem); } function getItemsFromNamedDeclaration(patternMatcher, name, declarations, checker, fileName, rawItems) { const match = patternMatcher.getMatchForLastSegmentOfPattern(name); if (!match) { return; } for (const declaration of declarations) { if (!shouldKeepItem(declaration, checker)) 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) { switch (declaration.kind) { case 270: case 273: case 268: const importer = checker.getSymbolAtLocation(declaration.name); const imported = checker.getAliasedSymbol(importer); return importer.escapedName !== imported.escapedName; default: return true; } } function tryAddSingleDeclarationName(declaration, containers) { const name = getNameOfDeclaration(declaration); return !!name && (pushLiteral(name, containers) || name.kind === 164 && 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 === 164 && !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), containerName: containerName ? containerName.text : "", containerKind: containerName ? getNodeKind(container) : "" }; } var init_navigateTo = __esm({ "src/services/navigateTo.ts"() { "use strict"; init_ts4(); } }); var ts_NavigateTo_exports = {}; __export2(ts_NavigateTo_exports, { getNavigateToItems: () => getNavigateToItems }); var init_ts_NavigateTo = __esm({ "src/services/_namespaces/ts.NavigateTo.ts"() { "use strict"; init_navigateTo(); } }); 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 root = { node: sourceFile, name: void 0, additionalNodes: void 0, parent: void 0, children: void 0, indent: 0 }; parent = root; for (const statement of sourceFile.statements) { addChildrenRecursively(statement); } endNode(); Debug.assert(!parent && !parentsStack.length); return root; } 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(depth) { for (let i = 0; i < depth; 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) { return !hasDynamicName(node) || node.kind !== 223 && isPropertyAccessExpression(node.name.expression) && isIdentifier(node.name.expression.expression) && idText(node.name.expression.expression) === "Symbol"; } function addChildrenRecursively(node) { curCancellationToken.throwIfCancellationRequested(); if (!node || isToken(node)) { return; } switch (node.kind) { case 173: const ctr = node; addNodeWithRecursiveChild(ctr, ctr.body); for (const param of ctr.parameters) { if (isParameterPropertyDeclaration(param, ctr)) { addLeafNode(param); } } break; case 171: case 174: case 175: case 170: if (hasNavigationBarName(node)) { addNodeWithRecursiveChild(node, node.body); } break; case 169: if (hasNavigationBarName(node)) { addNodeWithRecursiveInitializer(node); } break; case 168: if (hasNavigationBarName(node)) { addLeafNode(node); } break; case 270: const importClause = node; if (importClause.name) { addLeafNode(importClause.name); } const { namedBindings } = importClause; if (namedBindings) { if (namedBindings.kind === 271) { addLeafNode(namedBindings); } else { for (const element of namedBindings.elements) { addLeafNode(element); } } } break; case 300: addNodeWithRecursiveChild(node, node.name); break; case 301: const { expression } = node; isIdentifier(expression) ? addLeafNode(node, expression) : addLeafNode(node); break; case 205: case 299: case 257: { const child = node; if (isBindingPattern(child.name)) { addChildrenRecursively(child.name); } else { addNodeWithRecursiveInitializer(child); } break; } case 259: const nameNode = node.name; if (nameNode && isIdentifier(nameNode)) { addTrackedEs5Class(nameNode.text); } addNodeWithRecursiveChild(node, node.body); break; case 216: case 215: addNodeWithRecursiveChild(node, node.body); break; case 263: startNode(node); for (const member of node.members) { if (!isComputedProperty(member)) { addLeafNode(member); } } endNode(); break; case 260: case 228: case 261: startNode(node); for (const member of node.members) { addChildrenRecursively(member); } endNode(); break; case 264: addNodeWithRecursiveChild(node, getInteriorModule(node).body); break; case 274: { const expression2 = node.expression; const child = isObjectLiteralExpression(expression2) || isCallExpression(expression2) ? expression2 : isArrowFunction(expression2) || isFunctionExpression(expression2) ? expression2.body : void 0; if (child) { startNode(node); addChildrenRecursively(child); endNode(); } else { addLeafNode(node); } break; } case 278: case 268: case 178: case 176: case 177: case 262: addLeafNode(node); break; case 210: case 223: { 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 depth = 0; let className; if (isIdentifier(prototypeAccess.expression)) { addTrackedEs5Class(prototypeAccess.expression.text); className = prototypeAccess.expression; } else { [depth, 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(depth); 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 [depth, classNameIdentifier] = startNestedNodes(node, className); startNode(node, classNameIdentifier); startNode(node, setTextRange(factory.createIdentifier(memberName.text), memberName)); addChildrenRecursively(node.arguments[2]); endNode(); endNode(); endNestedNodes(depth); 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; } }); } function tryMergeEs5Class(a, b, bIndex, parent2) { function isPossibleConstructor(node) { return isFunctionExpression(node) || isFunctionDeclaration(node) || isVariableDeclaration(node); } const bAssignmentDeclarationKind = isBinaryExpression(b.node) || isCallExpression(b.node) ? getAssignmentDeclarationKind(b.node) : 0; const aAssignmentDeclarationKind = isBinaryExpression(a.node) || isCallExpression(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(void 0, [], 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(void 0, a.name || factory.createIdentifier("__class__"), void 0, 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(void 0, a.name || factory.createIdentifier("__class__"), void 0, 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)) { merge(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 169: case 171: case 174: case 175: return isStatic(a) === isStatic(b); case 264: return areSameModule(a, b) && getFullyQualifiedModuleName(a) === getFullyQualifiedModuleName(b); default: return true; } } function isSynthesized(node) { return !!(node.flags & 8); } 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 !== 264 || areSameModule(a.body, b.body)); } function merge(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 === 264) { return getModuleName(node); } const declName = getNameOfDeclaration(node); if (declName && isPropertyName(declName)) { const propertyName = getPropertyNameForPropertyNameNode(declName); return propertyName && unescapeLeadingUnderscores(propertyName); } switch (node.kind) { case 215: case 216: case 228: return getFunctionOrClassName(node); default: return void 0; } } function getItemName(node, name) { if (node.kind === 264) { 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 308: const sourceFile = node; return isExternalModule(sourceFile) ? `"${escapeString(getBaseFileName(removeFileExtension(normalizePath(sourceFile.fileName))))}"` : ""; case 274: return isExportAssignment(node) && node.isExportEquals ? "export=" : "default"; case 216: case 259: case 215: case 260: case 228: if (getSyntacticModifierFlags(node) & 1024) { return "default"; } return getFunctionOrClassName(node); case 173: return "constructor"; case 177: return "new()"; case 176: return "()"; case 178: return "[]"; default: return ""; } } function primaryNavBarMenuItems(root) { const primaryNavBarMenuItems2 = []; function recur(item) { if (shouldAppearInPrimaryNavBarMenu(item)) { primaryNavBarMenuItems2.push(item); if (item.children) { for (const child of item.children) { recur(child); } } } } recur(root); return primaryNavBarMenuItems2; function shouldAppearInPrimaryNavBarMenu(item) { if (item.children) { return true; } switch (navigationBarNodeKind(item)) { case 260: case 228: case 263: case 261: case 264: case 308: case 262: case 349: case 341: return true; case 216: case 259: case 215: return isTopLevelFunctionDeclaration(item); default: return false; } function isTopLevelFunctionDeclaration(item2) { if (!item2.node.body) { return false; } switch (navigationBarNodeKind(item2.parent)) { case 265: case 308: case 171: case 173: 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 === 264) { 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 === 164; } function getNodeSpan(node) { return node.kind === 308 ? createTextSpanFromRange(node) : createTextSpanFromNode(node, curSourceFile); } function getModifiers2(node) { if (node.parent && node.parent.kind === 257) { 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 === 63) { return nodeText(parent2.left).replace(whiteSpaceRegex, ""); } else if (isPropertyAssignment(parent2)) { return nodeText(parent2.name); } else if (getSyntacticModifierFlags(node) & 1024) { return "default"; } else if (isClassLike(node)) { return ""; } else if (isCallExpression(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) ? 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 216: case 215: case 228: return true; default: return false; } } function cleanText(text) { text = text.length > maxLength ? text.substring(0, maxLength) + "..." : text; return text.replace(/\?( ? | |u2028|u2029)/g, ""); } var whiteSpaceRegex, maxLength, curCancellationToken, curSourceFile, parentsStack, parent, trackedEs5ClassesStack, trackedEs5Classes, emptyChildItemArray, isEs5ClassMember; var init_navigationBar = __esm({ "src/services/navigationBar.ts"() { "use strict"; init_ts4(); whiteSpaceRegex = /s+/g; maxLength = 150; parentsStack = []; trackedEs5ClassesStack = []; emptyChildItemArray = []; isEs5ClassMember = { [5]: true, [3]: true, [7]: true, [9]: true, [0]: false, [1]: false, [2]: false, [8]: false, [6]: true, [4]: false }; } }); var ts_NavigationBar_exports = {}; __export2(ts_NavigationBar_exports, { getNavigationBarItems: () => getNavigationBarItems, getNavigationTree: () => getNavigationTree }); var init_ts_NavigationBar = __esm({ "src/services/_namespaces/ts.NavigationBar.ts"() { "use strict"; init_navigationBar(); } }); function createNode(kind, pos, end, parent2) { const node = isNodeKind(kind) ? new NodeObject(kind, pos, end) : kind === 79 ? new IdentifierObject(79, pos, end) : kind === 80 ? new PrivateIdentifierObject(80, pos, end) : new TokenObject(kind, pos, end); node.parent = parent2; node.flags = parent2.flags & 50720768; return node; } function createChildren(node, sourceFile) { if (!isNodeKind(node.kind)) { return emptyArray; } 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.setTextPos(pos); while (pos < end) { const token = scanner.scan(); const textPos = scanner.getTextPos(); if (textPos <= end) { if (token === 79) { 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(354, nodes.pos, nodes.end, parent2); list._children = []; let pos = nodes.pos; for (const node of nodes) { addSyntheticNodes(list._children, pos, node.pos, parent2); list._children.push(node); pos = node.end; } addSyntheticNodes(list._children, pos, nodes.end, parent2); return list; } 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 _a2; if (!seenSymbols.has(symbol)) { seenSymbols.add(symbol); if (declaration.kind === 174 || declaration.kind === 175) { return symbol.getContextualJsDocTags(declaration, checker); } return ((_a2 = symbol.declarations) == null ? void 0 : _a2.length) === 1 ? symbol.getJsDocTags() : 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 === 174 || declaration.kind === 175) { 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 _a2; const classOrInterfaceDeclaration = ((_a2 = declaration.parent) == null ? void 0 : _a2.kind) === 173 ? declaration.parent.parent : declaration.parent; if (!classOrInterfaceDeclaration) return; const isStaticMember = hasStaticModifier(declaration); return firstDefined(getAllSuperTypeNodes(classOrInterfaceDeclaration), (superTypeNode) => { const baseType = checker.getTypeAtLocation(superTypeNode); const type = isStaticMember && baseType.symbol ? checker.getTypeOfSymbol(baseType.symbol) : baseType; const symbol = checker.getPropertyOfType(type, declaration.symbol.name); return symbol ? cb(symbol) : void 0; }); } 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 displayPartsToString2(displayParts) { if (displayParts) { return map(displayParts, (displayPart2) => displayPart2.text).join(""); } return ""; } function getDefaultCompilerOptions2() { return { target: 1, jsx: 1 }; } function getSupportedCodeFixes() { return ts_codefix_exports.getSupportedErrorCodes(); } 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 }; return createLanguageServiceSourceFile(sourceFile.fileName, scriptSnapshot, options, version2, true, sourceFile.scriptKind); } function createLanguageService2(host, documentRegistry = createDocumentRegistry(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames(), host.getCurrentDirectory()), syntaxOnlyOrLanguageServiceMode) { var _a2; 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((_a2 = host.getLocalizedDiagnosticMessages) == null ? void 0 : _a2.bind(host)); function log(message) { if (host.log) { host.log(message); } } const useCaseSensitiveFileNames = hostUsesCaseSensitiveFileNames(host); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames); const sourceMapper = getSourceMapper({ useCaseSensitiveFileNames: () => useCaseSensitiveFileNames, 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 error = new Error(`Could not find source file: "${fileName}".`); error.ProgramFiles = program.getSourceFiles().map((f) => f.fileName); throw error; } return sourceFile; } function synchronizeHostData() { var _a3, _b, _c; Debug.assert(languageServiceMode !== 2); if (host.getProjectVersion) { const hostProjectVersion = host.getProjectVersion(); if (hostProjectVersion) { if (lastProjectVersion === hostProjectVersion && !((_a3 = host.hasChangedAutomaticTypeDirectiveNames) == null ? void 0 : _a3.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 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: () => useCaseSensitiveFileNames, getNewLine: () => getNewLineCharacter(newSettings), getDefaultLibFileName: (options2) => host.getDefaultLibFileName(options2), writeFile: noop, 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: (path) => { return host.getDirectories ? host.getDirectories(path) : []; }, readDirectory: (path, extensions, exclude, include, depth) => { Debug.checkDefined(host.readDirectory, ""LanguageServiceHost.readDirectory" must be implemented to correctly process "projectReferences""); return host.readDirectory(path, extensions, exclude, include, depth); }, onReleaseOldSourceFile, onReleaseParsedCommandLine, hasInvalidatedResolutions, 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), useSourceOfProjectReferenceRedirect: maybeBind(host, host.useSourceOfProjectReferenceRedirect), getParsedCommandLine }; const originalGetSourceFile = compilerHost.getSourceFile; const { getSourceFileWithCache } = changeCompilerHostLikeToUseCache(compilerHost, (fileName) => toPath(fileName, currentDirectory, getCanonicalFileName), (...args) => originalGetSourceFile.call(compilerHost, ...args)); compilerHost.getSourceFile = getSourceFileWithCache; (_c = host.setCompilerHost) == null ? void 0 : _c.call(host, compilerHost); const parseConfigHost = { useCaseSensitiveFileNames, fileExists: (fileName) => compilerHost.fileExists(fileName), readFile: (fileName) => compilerHost.readFile(fileName), readDirectory: (...args) => compilerHost.readDirectory(...args), trace: compilerHost.trace, getCurrentDirectory: compilerHost.getCurrentDirectory, onUnRecoverableConfigFileDiagnostic: noop }; const documentRegistryBucketKey = documentRegistry.getKeyForCompilationSettings(newSettings); if (isProgramUptoDate(program, rootFileNames, newSettings, (_path, fileName) => host.getScriptVersion(fileName), (fileName) => compilerHost.fileExists(fileName), hasInvalidatedResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences)) { return; } const options = { rootNames: rootFileNames, options: newSettings, host: compilerHost, oldProgram: program, projectReferences }; program = createProgram(options); compilerHost = void 0; parsedCommandLines = void 0; sourceMapper.clearCache(); program.getTypeChecker(); return; function getParsedCommandLine(fileName) { const path = toPath(fileName, currentDirectory, getCanonicalFileName); const existing = parsedCommandLines == null ? void 0 : parsedCommandLines.get(path); if (existing !== void 0) return existing || void 0; const result = host.getParsedCommandLine ? host.getParsedCommandLine(fileName) : getParsedCommandLineOfConfigFileUsingSourceFile(fileName); (parsedCommandLines || (parsedCommandLines = /* @__PURE__ */ new Map())).set(path, result || false); return result; } function getParsedCommandLineOfConfigFileUsingSourceFile(configFileName) { const result = getOrCreateSourceFile(configFileName, 100); if (!result) return void 0; result.path = toPath(configFileName, currentDirectory, getCanonicalFileName); result.resolvedPath = result.path; result.originalFileName = result.fileName; return parseJsonSourceFileConfigFileContent(result, parseConfigHost, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), void 0, getNormalizedAbsolutePath(configFileName, currentDirectory)); } function onReleaseParsedCommandLine(configFileName, oldResolvedRef, oldOptions) { var _a4; if (host.getParsedCommandLine) { (_a4 = host.onReleaseParsedCommandLine) == null ? void 0 : _a4.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, toPath(fileName, currentDirectory, getCanonicalFileName), languageVersionOrOptions, onError, shouldCreateNewSourceFile); } function getOrCreateSourceFileByPath(fileName, path, 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(path); if (oldSourceFile) { if (scriptKind === oldSourceFile.scriptKind) { return documentRegistry.updateDocumentWithKey(fileName, path, host, documentRegistryBucketKey, scriptSnapshot, scriptVersion, scriptKind, languageVersionOrOptions); } else { documentRegistry.releaseDocumentWithKey(oldSourceFile.resolvedPath, documentRegistry.getKeyForCompilationSettings(program.getCompilerOptions()), oldSourceFile.scriptKind, oldSourceFile.impliedNodeFormat); } } } return documentRegistry.acquireDocumentWithKey(fileName, path, 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 _a3; return (_a3 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a3.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() { program = void 0; } function dispose() { if (program) { const key = documentRegistry.getKeyForCompilationSettings(program.getCompilerOptions()); forEach(program.getSourceFiles(), (f) => documentRegistry.releaseDocumentWithKey(f.resolvedPath, key, f.scriptKind, f.impliedNodeFormat)); program = void 0; } 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 = { ...identity(options), 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), 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 getNodeForQuickInfo(node) { if (isNewExpression(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; } return node; } function shouldGetType(sourceFile, node, position) { switch (node.kind) { case 79: return !isLabelName(node) && !isTagName(node) && !isConstTypeReference(node.parent); case 208: case 163: return !isInComment(sourceFile, position); case 108: case 194: case 106: case 199: return true; case 233: 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 getOccurrencesAtPosition(fileName, position) { return flatMap(getDocumentHighlights(fileName, position, [fileName]), (entry) => entry.highlightSpans.map((highlightSpan) => ({ fileName: entry.fileName, textSpan: highlightSpan.textSpan, isWriteAccess: highlightSpan.kind === "writtenReference", ...highlightSpan.isInString && { isInString: true }, ...highlightSpan.contextSpan && { contextSpan: highlightSpan.contextSpan } }))); } 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, providePrefixAndSuffixTextForRename) { 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 { return getReferencesWorker(node, position, { findInStrings, findInComments, providePrefixAndSuffixTextForRename, use: ts_FindAllReferences_exports.FindReferencesUse.Rename }, (entry, originalNode, checker) => ts_FindAllReferences_exports.toRenameLocation(entry, originalNode, checker, providePrefixAndSuffixTextForRename || false)); } } function getReferencesAtPosition(fileName, position) { synchronizeHostData(); return getReferencesWorker(getTouchingPropertyName(getValidSourceFile(fileName), position), position, { use: ts_FindAllReferences_exports.FindReferencesUse.References }, ts_FindAllReferences_exports.toReferenceEntry); } function getReferencesWorker(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) { synchronizeHostData(); const sourceFiles = fileName ? [getValidSourceFile(fileName)] : program.getSourceFiles(); return getNavigateToItems(sourceFiles, program.getTypeChecker(), cancellationToken, searchValue, maxResultCount, excludeDtsFiles); } 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 208: case 163: case 10: case 95: case 110: case 104: case 106: case 108: case 194: case 79: 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 === 264 && 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, format) { synchronizeHostData(); const responseFormat = format || "original"; if (responseFormat === "2020") { return ts_classifier_exports.v2020.getSemanticClassifications(program, cancellationToken, getValidSourceFile(fileName), span); } else { return getSemanticClassifications(program.getTypeChecker(), cancellationToken, getValidSourceFile(fileName), program.getClassifiableNames(), span); } } function getEncodedSemanticClassifications3(fileName, span, format) { synchronizeHostData(); const responseFormat = format || "original"; if (responseFormat === "original") { return getEncodedSemanticClassifications(program.getTypeChecker(), cancellationToken, getValidSourceFile(fileName), program.getClassifiableNames(), span); } else { return ts_classifier_exports.v2020.getEncodedSemanticClassifications(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({ [18]: 19, [20]: 21, [22]: 23, [31]: 29 })); 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 " ": return ts_formatting_exports.formatOnEnter(position, sourceFile, formatContext); } } return []; } function getCodeFixesAtPosition(fileName, start, end, errorCodes63, formatOptions, preferences = emptyOptions) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const span = createTextSpanFromBounds(start, end); const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host); return flatMap(deduplicate(errorCodes63, equateValues, compareValues), (errorCode) => { cancellationToken.throwIfCancellationRequested(); return ts_codefix_exports.getFixes({ errorCode, sourceFile, span, program, host, cancellationToken, formatContext, preferences }); }); } function getCombinedCodeFix(scope, fixId51, 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: fixId51, sourceFile, program, host, cancellationToken, formatContext, preferences }); } function organizeImports2(args, formatOptions, preferences = emptyOptions) { var _a3; synchronizeHostData(); Debug.assert(args.type === "file"); const sourceFile = getValidSourceFile(args.fileName); const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host); const mode = (_a3 = args.mode) != null ? _a3 : 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 isArray(action) ? Promise.all(action.map((a) => applySingleCodeActionCommand(a))) : applySingleCodeActionCommand(action); } function applySingleCodeActionCommand(action) { const getPath = (path) => toPath(path, 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 === 31 && 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 === 31 && isJsxOpeningFragment(token.parent) ? token.parent.parent : isJsxText(token) && isJsxFragment(token.parent) ? token.parent : void 0; if (fragment && isUnclosedFragment(fragment)) { return { newText: "" }; } } 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.apply(textChanges2, 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 _a3; 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 (((_a3 = isInComment(sourceFile, textRange.pos)) == null ? void 0 : _a3.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, true) : toggleLineComment(fileName, textRange, 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.apply(textChanges2, toggleLineComment(fileName, { end: commentRange.end, pos: commentRange.pos + 1 }, false)); break; case 3: textChanges2.push.apply(textChanges2, toggleMultilineComment(fileName, { end: commentRange.end, pos: commentRange.pos + 1 }, 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 & 131072) || 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(path) { return stringContains(path, "/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), 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) { synchronizeHostData(); const file = getValidSourceFile(fileName); return ts_refactor_exports.getApplicableRefactors(getRefactorContext(file, positionOrRange, preferences, emptyOptions, triggerReason, kind)); } function getEditsForRefactor2(fileName, formatOptions, positionOrRange, refactorName13, actionName2, preferences = emptyOptions) { synchronizeHostData(); const file = getValidSourceFile(fileName); return ts_refactor_exports.getEditsForRefactor(getRefactorContext(file, positionOrRange, preferences, formatOptions), refactorName13, actionName2); } 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)); } 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, getOccurrencesAtPosition, 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, getSpanOfEnclosingComment, getCodeFixesAtPosition, getCombinedCodeFix, applyCodeActionCommand, organizeImports: organizeImports2, getEditsForFileRename: getEditsForFileRename2, getEmitOutput, getNonBoundSourceFile, getProgram, getCurrentProgram: () => program, getAutoImportProvider, updateIsDefinitionOfReferencedSymbols, getApplicableRefactors: getApplicableRefactors2, getEditsForRefactor: getEditsForRefactor2, toLineColumnOffset, getSourceMapper: () => sourceMapper, clearSourceMapperCache: () => sourceMapper.clearCache(), prepareCallHierarchy, provideCallHierarchyIncomingCalls, provideCallHierarchyOutgoingCalls, toggleLineComment, toggleMultilineComment, commentSelection, uncommentSelection, provideInlayHints: provideInlayHints2, getSupportedCodeFixes }; 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 === 280 || 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 10: case 14: case 8: if (node.parent.kind === 164) { return isObjectLiteralElement(node.parent.parent) ? node.parent.parent : void 0; } case 79: return isObjectLiteralElement(node.parent) && (node.parent.parent.kind === 207 || node.parent.parent.kind === 289) && 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, 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 discriminatedPropertySymbols = mapDefined(contextualType.types, (t) => (isObjectLiteralExpression(node.parent) || isJsxAttributes(node.parent)) && checker.isTypeInvalidDueToUnionDiscriminant(t, node.parent) ? void 0 : t.getProperty(name)); if (unionSymbolOk && (discriminatedPropertySymbols.length === 0 || discriminatedPropertySymbols.length === contextualType.types.length)) { const symbol = contextualType.getProperty(name); if (symbol) return [symbol]; } if (discriminatedPropertySymbols.length === 0) { return mapDefined(contextualType.types, (t) => t.getProperty(name)); } return discriminatedPropertySymbols; } function isArgumentOfElementAccessExpression(node) { return node && node.parent && node.parent.kind === 209 && 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. "); } var servicesVersion, NodeObject, TokenOrIdentifierObject, SymbolObject, TokenObject, IdentifierObject, PrivateIdentifierObject, TypeObject, SignatureObject, SourceFileObject, SourceMapSourceObject, SyntaxTreeCache, NoopCancellationToken, CancellationTokenObject, ThrottledCancellationToken, invalidOperationsInPartialSemanticMode, invalidOperationsInSyntacticMode; var init_services = __esm({ "src/services/services.ts"() { "use strict"; init_ts4(); init_ts4(); init_ts_NavigateTo(); init_ts_NavigationBar(); servicesVersion = "0.8"; NodeObject = class { constructor(kind, pos, end) { this.pos = pos; this.end = end; this.flags = 0; this.modifierFlagsCache = 0; this.transformFlags = 0; this.parent = void 0; this.kind = kind; } 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 this._children || (this._children = 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 < 312 || kid.kind > 353); return child.kind < 163 ? 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 < 163 ? child : child.getLastToken(sourceFile); } forEachChild(cbNode, cbNodeArray) { return forEachChild(this, cbNode, cbNodeArray); } }; TokenOrIdentifierObject = class { constructor(pos, end) { this.pos = pos; this.end = end; this.flags = 0; this.modifierFlagsCache = 0; this.transformFlags = 0; this.parent = 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; } }; SymbolObject = class { constructor(flags, name) { this.id = 0; this.mergeId = 0; this.flags = flags; this.escapedName = name; } 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 = 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); } }; TokenObject = class extends TokenOrIdentifierObject { constructor(kind, pos, end) { super(pos, end); this.kind = kind; } }; IdentifierObject = class extends TokenOrIdentifierObject { constructor(_kind, pos, end) { super(pos, end); this.kind = 79; } get text() { return idText(this); } }; IdentifierObject.prototype.kind = 79; PrivateIdentifierObject = class extends TokenOrIdentifierObject { constructor(_kind, pos, end) { super(pos, end); this.kind = 80; } get text() { return idText(this); } }; PrivateIdentifierObject.prototype.kind = 80; TypeObject = class { constructor(checker, flags) { this.checker = checker; this.flags = flags; } 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); } getConstructSignatures() { return this.checker.getSignaturesOfType(this, 1); } getStringIndexType() { return this.checker.getIndexTypeOfType(this, 0); } getNumberIndexType() { return this.checker.getIndexTypeOfType(this, 1); } 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); } get typeArguments() { if (getObjectFlags(this) & 4) { return this.checker.getTypeArguments(this); } return void 0; } }; SignatureObject = class { constructor(checker, flags) { this.checker = checker; this.flags = flags; } 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)); } }; SourceFileObject = class extends NodeObject { constructor(kind, pos, end) { super(kind, pos, end); this.kind = 308; } 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] === " " && fullText[lastCharPos - 1] === " " ? 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 259: case 215: case 171: case 170: 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 260: case 228: case 261: case 262: case 263: case 264: case 268: case 278: case 273: case 270: case 271: case 174: case 175: case 184: addDeclaration(node); forEachChild(node, visit); break; case 166: if (!hasSyntacticModifier(node, 16476)) { break; } case 257: case 205: { const decl = node; if (isBindingPattern(decl.name)) { forEachChild(decl.name, visit); break; } if (decl.initializer) { visit(decl.initializer); } } case 302: case 169: case 168: addDeclaration(node); break; case 275: const exportDeclaration = node; if (exportDeclaration.exportClause) { if (isNamedExports(exportDeclaration.exportClause)) { forEach(exportDeclaration.exportClause.elements, visit); } else { visit(exportDeclaration.exportClause.name); } } break; case 269: const importClause = node.importClause; if (importClause) { if (importClause.name) { addDeclaration(importClause.name); } if (importClause.namedBindings) { if (importClause.namedBindings.kind === 271) { addDeclaration(importClause.namedBindings); } else { forEach(importClause.namedBindings.elements, visit); } } } break; case 223: if (getAssignmentDeclarationKind(node) !== 0) { addDeclaration(node); } default: forEachChild(node, visit); } } } }; SourceMapSourceObject = class { constructor(fileName, text, skipTrivia2) { this.fileName = fileName; this.text = text; this.skipTrivia = skipTrivia2; } getLineAndCharacterOfPosition(pos) { return getLineAndCharacterOfPosition(this, pos); } }; SyntaxTreeCache = class { constructor(host) { this.host = host; } getCurrentSourceFile(fileName) { var _a2, _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(toPath(fileName, this.host.getCurrentDirectory(), ((_c = (_b = (_a2 = this.host).getCompilerHost) == null ? void 0 : _b.call(_a2)) == 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()) }; sourceFile = createLanguageServiceSourceFile(fileName, scriptSnapshot, options, version2, 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; } }; NoopCancellationToken = { isCancellationRequested: returnFalse, throwIfCancellationRequested: noop }; CancellationTokenObject = class { constructor(cancellationToken) { this.cancellationToken = cancellationToken; } isCancellationRequested() { return this.cancellationToken.isCancellationRequested(); } throwIfCancellationRequested() { var _a2; if (this.isCancellationRequested()) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.Session, "cancellationThrown", { kind: "CancellationTokenObject" }); throw new OperationCanceledException(); } } }; 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 _a2; if (this.isCancellationRequested()) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.Session, "cancellationThrown", { kind: "ThrottledCancellationToken" }); throw new OperationCanceledException(); } } }; invalidOperationsInPartialSemanticMode = [ "getSemanticDiagnostics", "getSuggestionDiagnostics", "getCompilerOptionsDiagnostics", "getSemanticClassifications", "getEncodedSemanticClassifications", "getCodeFixesAtPosition", "getCombinedCodeFix", "applyCodeActionCommand", "organizeImports", "getEditsForFileRename", "getEmitOutput", "getApplicableRefactors", "getEditsForRefactor", "prepareCallHierarchy", "provideCallHierarchyIncomingCalls", "provideCallHierarchyOutgoingCalls", "provideInlayHints", "getSupportedCodeFixes" ]; invalidOperationsInSyntacticMode = [ ...invalidOperationsInPartialSemanticMode, "getCompletionsAtPosition", "getCompletionEntryDetails", "getCompletionEntrySymbol", "getSignatureHelpItems", "getQuickInfoAtPosition", "getDefinitionAtPosition", "getDefinitionAndBoundSpan", "getImplementationAtPosition", "getTypeDefinitionAtPosition", "getReferencesAtPosition", "findReferences", "getOccurrencesAtPosition", "getDocumentHighlights", "getNavigateToItems", "getRenameInfo", "findRenameLocations", "getApplicableRefactors" ]; setObjectAllocator(getServicesObjectAllocator()); } }); function transform(source, transformers, compilerOptions) { const diagnostics = []; compilerOptions = fixupCompilerOptions(compilerOptions, diagnostics); const nodes = isArray(source) ? source : [source]; const result = transformNodes(void 0, void 0, factory, compilerOptions, nodes, transformers, true); result.diagnostics = concatenate(result.diagnostics, diagnostics); return result; } var init_transform = __esm({ "src/services/transform.ts"() { "use strict"; init_ts4(); } }); function logInternalError(logger, err) { if (logger) { logger.log("*INTERNAL ERROR* - Exception in typescript services: " + err.message); } } function simpleForwardCall(logger, actionDescription2, action, logPerformance) { let start; if (logPerformance) { logger.log(actionDescription2); start = timestamp(); } const result = action(); if (logPerformance) { const end = timestamp(); logger.log(`${actionDescription2} completed in ${end - start} msec`); if (isString(result)) { let str = result; if (str.length > 128) { str = str.substring(0, 128) + "..."; } logger.log(` result.length=${str.length}, result="${JSON.stringify(str)}"`); } } return result; } function forwardJSONCall(logger, actionDescription2, action, logPerformance) { return forwardCall(logger, actionDescription2, true, action, logPerformance); } function forwardCall(logger, actionDescription2, returnJson, action, logPerformance) { try { const result = simpleForwardCall(logger, actionDescription2, action, logPerformance); return returnJson ? JSON.stringify({ result }) : result; } catch (err) { if (err instanceof OperationCanceledException) { return JSON.stringify({ canceled: true }); } logInternalError(logger, err); err.description = actionDescription2; return JSON.stringify({ error: err }); } } function realizeDiagnostics(diagnostics, newLine) { return diagnostics.map((d) => realizeDiagnostic(d, newLine)); } function realizeDiagnostic(diagnostic, newLine) { return { message: flattenDiagnosticMessageText2(diagnostic.messageText, newLine), start: diagnostic.start, length: diagnostic.length, category: diagnosticCategoryName(diagnostic), code: diagnostic.code, reportsUnnecessary: diagnostic.reportsUnnecessary, reportsDeprecated: diagnostic.reportsDeprecated }; } function convertClassifications(classifications) { return { spans: classifications.spans.join(","), endOfLineState: classifications.endOfLineState }; } var debugObjectHost, ScriptSnapshotShimAdapter, LanguageServiceShimHostAdapter, CoreServicesShimHostAdapter, ShimBase, LanguageServiceShimObject, ClassifierShimObject, CoreServicesShimObject, TypeScriptServicesFactory; var init_shims = __esm({ "src/services/shims.ts"() { "use strict"; init_ts4(); debugObjectHost = function() { return this; }(); ScriptSnapshotShimAdapter = class { constructor(scriptSnapshotShim) { this.scriptSnapshotShim = scriptSnapshotShim; } getText(start, end) { return this.scriptSnapshotShim.getText(start, end); } getLength() { return this.scriptSnapshotShim.getLength(); } getChangeRange(oldSnapshot) { const oldSnapshotShim = oldSnapshot; const encoded = this.scriptSnapshotShim.getChangeRange(oldSnapshotShim.scriptSnapshotShim); if (encoded === null) { return null; } const decoded = JSON.parse(encoded); return createTextChangeRange(createTextSpan(decoded.span.start, decoded.span.length), decoded.newLength); } dispose() { if ("dispose" in this.scriptSnapshotShim) { this.scriptSnapshotShim.dispose(); } } }; LanguageServiceShimHostAdapter = class { constructor(shimHost) { this.shimHost = shimHost; this.loggingEnabled = false; this.tracingEnabled = false; if ("getModuleResolutionsForFile" in this.shimHost) { this.resolveModuleNames = (moduleNames, containingFile) => { const resolutionsInFile = JSON.parse(this.shimHost.getModuleResolutionsForFile(containingFile)); return map(moduleNames, (name) => { const result = getProperty(resolutionsInFile, name); return result ? { resolvedFileName: result, extension: extensionFromPath(result), isExternalLibraryImport: false } : void 0; }); }; } if ("directoryExists" in this.shimHost) { this.directoryExists = (directoryName) => this.shimHost.directoryExists(directoryName); } if ("getTypeReferenceDirectiveResolutionsForFile" in this.shimHost) { this.resolveTypeReferenceDirectives = (typeDirectiveNames, containingFile) => { const typeDirectivesForFile = JSON.parse(this.shimHost.getTypeReferenceDirectiveResolutionsForFile(containingFile)); return map(typeDirectiveNames, (name) => getProperty(typeDirectivesForFile, isString(name) ? name : toFileNameLowerCase(name.fileName))); }; } } log(s) { if (this.loggingEnabled) { this.shimHost.log(s); } } trace(s) { if (this.tracingEnabled) { this.shimHost.trace(s); } } error(s) { this.shimHost.error(s); } getProjectVersion() { if (!this.shimHost.getProjectVersion) { return void 0; } return this.shimHost.getProjectVersion(); } getTypeRootsVersion() { if (!this.shimHost.getTypeRootsVersion) { return 0; } return this.shimHost.getTypeRootsVersion(); } useCaseSensitiveFileNames() { return this.shimHost.useCaseSensitiveFileNames ? this.shimHost.useCaseSensitiveFileNames() : false; } getCompilationSettings() { const settingsJson = this.shimHost.getCompilationSettings(); if (settingsJson === null || settingsJson === "") { throw Error("LanguageServiceShimHostAdapter.getCompilationSettings: empty compilationSettings"); } const compilerOptions = JSON.parse(settingsJson); compilerOptions.allowNonTsExtensions = true; return compilerOptions; } getScriptFileNames() { const encoded = this.shimHost.getScriptFileNames(); return JSON.parse(encoded); } getScriptSnapshot(fileName) { const scriptSnapshot = this.shimHost.getScriptSnapshot(fileName); return scriptSnapshot && new ScriptSnapshotShimAdapter(scriptSnapshot); } getScriptKind(fileName) { if ("getScriptKind" in this.shimHost) { return this.shimHost.getScriptKind(fileName); } else { return 0; } } getScriptVersion(fileName) { return this.shimHost.getScriptVersion(fileName); } getLocalizedDiagnosticMessages() { const diagnosticMessagesJson = this.shimHost.getLocalizedDiagnosticMessages(); if (diagnosticMessagesJson === null || diagnosticMessagesJson === "") { return null; } try { return JSON.parse(diagnosticMessagesJson); } catch (e) { this.log(e.description || "diagnosticMessages.generated.json has invalid JSON format"); return null; } } getCancellationToken() { const hostCancellationToken = this.shimHost.getCancellationToken(); return new ThrottledCancellationToken(hostCancellationToken); } getCurrentDirectory() { return this.shimHost.getCurrentDirectory(); } getDirectories(path) { return JSON.parse(this.shimHost.getDirectories(path)); } getDefaultLibFileName(options) { return this.shimHost.getDefaultLibFileName(JSON.stringify(options)); } readDirectory(path, extensions, exclude, include, depth) { const pattern = getFileMatcherPatterns(path, exclude, include, this.shimHost.useCaseSensitiveFileNames(), this.shimHost.getCurrentDirectory()); return JSON.parse(this.shimHost.readDirectory(path, JSON.stringify(extensions), JSON.stringify(pattern.basePaths), pattern.excludePattern, pattern.includeFilePattern, pattern.includeDirectoryPattern, depth)); } readFile(path, encoding) { return this.shimHost.readFile(path, encoding); } fileExists(path) { return this.shimHost.fileExists(path); } }; CoreServicesShimHostAdapter = class { constructor(shimHost) { this.shimHost = shimHost; this.useCaseSensitiveFileNames = this.shimHost.useCaseSensitiveFileNames ? this.shimHost.useCaseSensitiveFileNames() : false; if ("directoryExists" in this.shimHost) { this.directoryExists = (directoryName) => this.shimHost.directoryExists(directoryName); } else { this.directoryExists = void 0; } if ("realpath" in this.shimHost) { this.realpath = (path) => this.shimHost.realpath(path); } else { this.realpath = void 0; } } readDirectory(rootDir, extensions, exclude, include, depth) { const pattern = getFileMatcherPatterns(rootDir, exclude, include, this.shimHost.useCaseSensitiveFileNames(), this.shimHost.getCurrentDirectory()); return JSON.parse(this.shimHost.readDirectory(rootDir, JSON.stringify(extensions), JSON.stringify(pattern.basePaths), pattern.excludePattern, pattern.includeFilePattern, pattern.includeDirectoryPattern, depth)); } fileExists(fileName) { return this.shimHost.fileExists(fileName); } readFile(fileName) { return this.shimHost.readFile(fileName); } getDirectories(path) { return JSON.parse(this.shimHost.getDirectories(path)); } }; ShimBase = class { constructor(factory2) { this.factory = factory2; factory2.registerShim(this); } dispose(_dummy) { this.factory.unregisterShim(this); } }; LanguageServiceShimObject = class extends ShimBase { constructor(factory2, host, languageService) { super(factory2); this.host = host; this.languageService = languageService; this.logPerformance = false; this.logger = this.host; } forwardJSONCall(actionDescription2, action) { return forwardJSONCall(this.logger, actionDescription2, action, this.logPerformance); } dispose(dummy) { this.logger.log("dispose()"); this.languageService.dispose(); this.languageService = null; if (debugObjectHost && debugObjectHost.CollectGarbage) { debugObjectHost.CollectGarbage(); this.logger.log("CollectGarbage()"); } this.logger = null; super.dispose(dummy); } refresh(throwOnError) { this.forwardJSONCall(`refresh(${throwOnError})`, () => null); } cleanupSemanticCache() { this.forwardJSONCall("cleanupSemanticCache()", () => { this.languageService.cleanupSemanticCache(); return null; }); } realizeDiagnostics(diagnostics) { const newLine = getNewLineOrDefaultFromHost(this.host, void 0); return realizeDiagnostics(diagnostics, newLine); } getSyntacticClassifications(fileName, start, length2) { return this.forwardJSONCall(`getSyntacticClassifications("${fileName}", ${start}, ${length2})`, () => this.languageService.getSyntacticClassifications(fileName, createTextSpan(start, length2))); } getSemanticClassifications(fileName, start, length2) { return this.forwardJSONCall(`getSemanticClassifications("${fileName}", ${start}, ${length2})`, () => this.languageService.getSemanticClassifications(fileName, createTextSpan(start, length2))); } getEncodedSyntacticClassifications(fileName, start, length2) { return this.forwardJSONCall(`getEncodedSyntacticClassifications("${fileName}", ${start}, ${length2})`, () => convertClassifications(this.languageService.getEncodedSyntacticClassifications(fileName, createTextSpan(start, length2)))); } getEncodedSemanticClassifications(fileName, start, length2) { return this.forwardJSONCall(`getEncodedSemanticClassifications("${fileName}", ${start}, ${length2})`, () => convertClassifications(this.languageService.getEncodedSemanticClassifications(fileName, createTextSpan(start, length2)))); } getSyntacticDiagnostics(fileName) { return this.forwardJSONCall(`getSyntacticDiagnostics("${fileName}")`, () => { const diagnostics = this.languageService.getSyntacticDiagnostics(fileName); return this.realizeDiagnostics(diagnostics); }); } getSemanticDiagnostics(fileName) { return this.forwardJSONCall(`getSemanticDiagnostics("${fileName}")`, () => { const diagnostics = this.languageService.getSemanticDiagnostics(fileName); return this.realizeDiagnostics(diagnostics); }); } getSuggestionDiagnostics(fileName) { return this.forwardJSONCall(`getSuggestionDiagnostics("${fileName}")`, () => this.realizeDiagnostics(this.languageService.getSuggestionDiagnostics(fileName))); } getCompilerOptionsDiagnostics() { return this.forwardJSONCall("getCompilerOptionsDiagnostics()", () => { const diagnostics = this.languageService.getCompilerOptionsDiagnostics(); return this.realizeDiagnostics(diagnostics); }); } getQuickInfoAtPosition(fileName, position) { return this.forwardJSONCall(`getQuickInfoAtPosition("${fileName}", ${position})`, () => this.languageService.getQuickInfoAtPosition(fileName, position)); } getNameOrDottedNameSpan(fileName, startPos, endPos) { return this.forwardJSONCall(`getNameOrDottedNameSpan("${fileName}", ${startPos}, ${endPos})`, () => this.languageService.getNameOrDottedNameSpan(fileName, startPos, endPos)); } getBreakpointStatementAtPosition(fileName, position) { return this.forwardJSONCall(`getBreakpointStatementAtPosition("${fileName}", ${position})`, () => this.languageService.getBreakpointStatementAtPosition(fileName, position)); } getSignatureHelpItems(fileName, position, options) { return this.forwardJSONCall(`getSignatureHelpItems("${fileName}", ${position})`, () => this.languageService.getSignatureHelpItems(fileName, position, options)); } getDefinitionAtPosition(fileName, position) { return this.forwardJSONCall(`getDefinitionAtPosition("${fileName}", ${position})`, () => this.languageService.getDefinitionAtPosition(fileName, position)); } getDefinitionAndBoundSpan(fileName, position) { return this.forwardJSONCall(`getDefinitionAndBoundSpan("${fileName}", ${position})`, () => this.languageService.getDefinitionAndBoundSpan(fileName, position)); } getTypeDefinitionAtPosition(fileName, position) { return this.forwardJSONCall(`getTypeDefinitionAtPosition("${fileName}", ${position})`, () => this.languageService.getTypeDefinitionAtPosition(fileName, position)); } getImplementationAtPosition(fileName, position) { return this.forwardJSONCall(`getImplementationAtPosition("${fileName}", ${position})`, () => this.languageService.getImplementationAtPosition(fileName, position)); } getRenameInfo(fileName, position, preferences) { return this.forwardJSONCall(`getRenameInfo("${fileName}", ${position})`, () => this.languageService.getRenameInfo(fileName, position, preferences)); } getSmartSelectionRange(fileName, position) { return this.forwardJSONCall(`getSmartSelectionRange("${fileName}", ${position})`, () => this.languageService.getSmartSelectionRange(fileName, position)); } findRenameLocations(fileName, position, findInStrings, findInComments, providePrefixAndSuffixTextForRename) { return this.forwardJSONCall(`findRenameLocations("${fileName}", ${position}, ${findInStrings}, ${findInComments}, ${providePrefixAndSuffixTextForRename})`, () => this.languageService.findRenameLocations(fileName, position, findInStrings, findInComments, providePrefixAndSuffixTextForRename)); } getBraceMatchingAtPosition(fileName, position) { return this.forwardJSONCall(`getBraceMatchingAtPosition("${fileName}", ${position})`, () => this.languageService.getBraceMatchingAtPosition(fileName, position)); } isValidBraceCompletionAtPosition(fileName, position, openingBrace) { return this.forwardJSONCall(`isValidBraceCompletionAtPosition("${fileName}", ${position}, ${openingBrace})`, () => this.languageService.isValidBraceCompletionAtPosition(fileName, position, openingBrace)); } getSpanOfEnclosingComment(fileName, position, onlyMultiLine) { return this.forwardJSONCall(`getSpanOfEnclosingComment("${fileName}", ${position})`, () => this.languageService.getSpanOfEnclosingComment(fileName, position, onlyMultiLine)); } getIndentationAtPosition(fileName, position, options) { return this.forwardJSONCall(`getIndentationAtPosition("${fileName}", ${position})`, () => { const localOptions = JSON.parse(options); return this.languageService.getIndentationAtPosition(fileName, position, localOptions); }); } getReferencesAtPosition(fileName, position) { return this.forwardJSONCall(`getReferencesAtPosition("${fileName}", ${position})`, () => this.languageService.getReferencesAtPosition(fileName, position)); } findReferences(fileName, position) { return this.forwardJSONCall(`findReferences("${fileName}", ${position})`, () => this.languageService.findReferences(fileName, position)); } getFileReferences(fileName) { return this.forwardJSONCall(`getFileReferences("${fileName})`, () => this.languageService.getFileReferences(fileName)); } getOccurrencesAtPosition(fileName, position) { return this.forwardJSONCall(`getOccurrencesAtPosition("${fileName}", ${position})`, () => this.languageService.getOccurrencesAtPosition(fileName, position)); } getDocumentHighlights(fileName, position, filesToSearch) { return this.forwardJSONCall(`getDocumentHighlights("${fileName}", ${position})`, () => { const results = this.languageService.getDocumentHighlights(fileName, position, JSON.parse(filesToSearch)); const normalizedName = toFileNameLowerCase(normalizeSlashes(fileName)); return filter(results, (r) => toFileNameLowerCase(normalizeSlashes(r.fileName)) === normalizedName); }); } getCompletionsAtPosition(fileName, position, preferences, formattingSettings) { return this.forwardJSONCall(`getCompletionsAtPosition("${fileName}", ${position}, ${preferences}, ${formattingSettings})`, () => this.languageService.getCompletionsAtPosition(fileName, position, preferences, formattingSettings)); } getCompletionEntryDetails(fileName, position, entryName, formatOptions, source, preferences, data) { return this.forwardJSONCall(`getCompletionEntryDetails("${fileName}", ${position}, "${entryName}")`, () => { const localOptions = formatOptions === void 0 ? void 0 : JSON.parse(formatOptions); return this.languageService.getCompletionEntryDetails(fileName, position, entryName, localOptions, source, preferences, data); }); } getFormattingEditsForRange(fileName, start, end, options) { return this.forwardJSONCall(`getFormattingEditsForRange("${fileName}", ${start}, ${end})`, () => { const localOptions = JSON.parse(options); return this.languageService.getFormattingEditsForRange(fileName, start, end, localOptions); }); } getFormattingEditsForDocument(fileName, options) { return this.forwardJSONCall(`getFormattingEditsForDocument("${fileName}")`, () => { const localOptions = JSON.parse(options); return this.languageService.getFormattingEditsForDocument(fileName, localOptions); }); } getFormattingEditsAfterKeystroke(fileName, position, key, options) { return this.forwardJSONCall(`getFormattingEditsAfterKeystroke("${fileName}", ${position}, "${key}")`, () => { const localOptions = JSON.parse(options); return this.languageService.getFormattingEditsAfterKeystroke(fileName, position, key, localOptions); }); } getDocCommentTemplateAtPosition(fileName, position, options, formatOptions) { return this.forwardJSONCall(`getDocCommentTemplateAtPosition("${fileName}", ${position})`, () => this.languageService.getDocCommentTemplateAtPosition(fileName, position, options, formatOptions)); } getNavigateToItems(searchValue, maxResultCount, fileName) { return this.forwardJSONCall(`getNavigateToItems("${searchValue}", ${maxResultCount}, ${fileName})`, () => this.languageService.getNavigateToItems(searchValue, maxResultCount, fileName)); } getNavigationBarItems(fileName) { return this.forwardJSONCall(`getNavigationBarItems("${fileName}")`, () => this.languageService.getNavigationBarItems(fileName)); } getNavigationTree(fileName) { return this.forwardJSONCall(`getNavigationTree("${fileName}")`, () => this.languageService.getNavigationTree(fileName)); } getOutliningSpans(fileName) { return this.forwardJSONCall(`getOutliningSpans("${fileName}")`, () => this.languageService.getOutliningSpans(fileName)); } getTodoComments(fileName, descriptors) { return this.forwardJSONCall(`getTodoComments("${fileName}")`, () => this.languageService.getTodoComments(fileName, JSON.parse(descriptors))); } prepareCallHierarchy(fileName, position) { return this.forwardJSONCall(`prepareCallHierarchy("${fileName}", ${position})`, () => this.languageService.prepareCallHierarchy(fileName, position)); } provideCallHierarchyIncomingCalls(fileName, position) { return this.forwardJSONCall(`provideCallHierarchyIncomingCalls("${fileName}", ${position})`, () => this.languageService.provideCallHierarchyIncomingCalls(fileName, position)); } provideCallHierarchyOutgoingCalls(fileName, position) { return this.forwardJSONCall(`provideCallHierarchyOutgoingCalls("${fileName}", ${position})`, () => this.languageService.provideCallHierarchyOutgoingCalls(fileName, position)); } provideInlayHints(fileName, span, preference) { return this.forwardJSONCall(`provideInlayHints("${fileName}", "${JSON.stringify(span)}", ${JSON.stringify(preference)})`, () => this.languageService.provideInlayHints(fileName, span, preference)); } getEmitOutput(fileName) { return this.forwardJSONCall(`getEmitOutput("${fileName}")`, () => { const { diagnostics, ...rest } = this.languageService.getEmitOutput(fileName); return { ...rest, diagnostics: this.realizeDiagnostics(diagnostics) }; }); } getEmitOutputObject(fileName) { return forwardCall(this.logger, `getEmitOutput("${fileName}")`, false, () => this.languageService.getEmitOutput(fileName), this.logPerformance); } toggleLineComment(fileName, textRange) { return this.forwardJSONCall(`toggleLineComment("${fileName}", "${JSON.stringify(textRange)}")`, () => this.languageService.toggleLineComment(fileName, textRange)); } toggleMultilineComment(fileName, textRange) { return this.forwardJSONCall(`toggleMultilineComment("${fileName}", "${JSON.stringify(textRange)}")`, () => this.languageService.toggleMultilineComment(fileName, textRange)); } commentSelection(fileName, textRange) { return this.forwardJSONCall(`commentSelection("${fileName}", "${JSON.stringify(textRange)}")`, () => this.languageService.commentSelection(fileName, textRange)); } uncommentSelection(fileName, textRange) { return this.forwardJSONCall(`uncommentSelection("${fileName}", "${JSON.stringify(textRange)}")`, () => this.languageService.uncommentSelection(fileName, textRange)); } }; ClassifierShimObject = class extends ShimBase { constructor(factory2, logger) { super(factory2); this.logger = logger; this.logPerformance = false; this.classifier = createClassifier2(); } getEncodedLexicalClassifications(text, lexState, syntacticClassifierAbsent = false) { return forwardJSONCall(this.logger, "getEncodedLexicalClassifications", () => convertClassifications(this.classifier.getEncodedLexicalClassifications(text, lexState, syntacticClassifierAbsent)), this.logPerformance); } getClassificationsForLine(text, lexState, classifyKeywordsInGenerics = false) { const classification = this.classifier.getClassificationsForLine(text, lexState, classifyKeywordsInGenerics); let result = ""; for (const item of classification.entries) { result += item.length + " "; result += item.classification + " "; } result += classification.finalLexState; return result; } }; CoreServicesShimObject = class extends ShimBase { constructor(factory2, logger, host) { super(factory2); this.logger = logger; this.host = host; this.logPerformance = false; } forwardJSONCall(actionDescription2, action) { return forwardJSONCall(this.logger, actionDescription2, action, this.logPerformance); } resolveModuleName(fileName, moduleName, compilerOptionsJson) { return this.forwardJSONCall(`resolveModuleName("${fileName}")`, () => { const compilerOptions = JSON.parse(compilerOptionsJson); const result = resolveModuleName(moduleName, normalizeSlashes(fileName), compilerOptions, this.host); let resolvedFileName = result.resolvedModule ? result.resolvedModule.resolvedFileName : void 0; if (result.resolvedModule && result.resolvedModule.extension !== ".ts" && result.resolvedModule.extension !== ".tsx" && result.resolvedModule.extension !== ".d.ts") { resolvedFileName = void 0; } return { resolvedFileName, failedLookupLocations: result.failedLookupLocations, affectingLocations: result.affectingLocations }; }); } resolveTypeReferenceDirective(fileName, typeReferenceDirective, compilerOptionsJson) { return this.forwardJSONCall(`resolveTypeReferenceDirective(${fileName})`, () => { const compilerOptions = JSON.parse(compilerOptionsJson); const result = resolveTypeReferenceDirective(typeReferenceDirective, normalizeSlashes(fileName), compilerOptions, this.host); return { resolvedFileName: result.resolvedTypeReferenceDirective ? result.resolvedTypeReferenceDirective.resolvedFileName : void 0, primary: result.resolvedTypeReferenceDirective ? result.resolvedTypeReferenceDirective.primary : true, failedLookupLocations: result.failedLookupLocations }; }); } getPreProcessedFileInfo(fileName, sourceTextSnapshot) { return this.forwardJSONCall(`getPreProcessedFileInfo("${fileName}")`, () => { const result = preProcessFile(getSnapshotText(sourceTextSnapshot), true, true); return { referencedFiles: this.convertFileReferences(result.referencedFiles), importedFiles: this.convertFileReferences(result.importedFiles), ambientExternalModules: result.ambientExternalModules, isLibFile: result.isLibFile, typeReferenceDirectives: this.convertFileReferences(result.typeReferenceDirectives), libReferenceDirectives: this.convertFileReferences(result.libReferenceDirectives) }; }); } getAutomaticTypeDirectiveNames(compilerOptionsJson) { return this.forwardJSONCall(`getAutomaticTypeDirectiveNames("${compilerOptionsJson}")`, () => { const compilerOptions = JSON.parse(compilerOptionsJson); return getAutomaticTypeDirectiveNames(compilerOptions, this.host); }); } convertFileReferences(refs) { if (!refs) { return void 0; } const result = []; for (const ref of refs) { result.push({ path: normalizeSlashes(ref.fileName), position: ref.pos, length: ref.end - ref.pos }); } return result; } getTSConfigFileInfo(fileName, sourceTextSnapshot) { return this.forwardJSONCall(`getTSConfigFileInfo("${fileName}")`, () => { const result = parseJsonText(fileName, getSnapshotText(sourceTextSnapshot)); const normalizedFileName = normalizeSlashes(fileName); const configFile = parseJsonSourceFileConfigFileContent(result, this.host, getDirectoryPath(normalizedFileName), {}, normalizedFileName); return { options: configFile.options, typeAcquisition: configFile.typeAcquisition, files: configFile.fileNames, raw: configFile.raw, errors: realizeDiagnostics([...result.parseDiagnostics, ...configFile.errors], " ") }; }); } getDefaultCompilationSettings() { return this.forwardJSONCall("getDefaultCompilationSettings()", () => getDefaultCompilerOptions2()); } discoverTypings(discoverTypingsJson) { const getCanonicalFileName = createGetCanonicalFileName(false); return this.forwardJSONCall("discoverTypings()", () => { const info = JSON.parse(discoverTypingsJson); if (this.safeList === void 0) { this.safeList = ts_JsTyping_exports.loadSafeList(this.host, toPath(info.safeListPath, info.safeListPath, getCanonicalFileName)); } return ts_JsTyping_exports.discoverTypings(this.host, (msg) => this.logger.log(msg), info.fileNames, toPath(info.projectRootPath, info.projectRootPath, getCanonicalFileName), this.safeList, info.packageNameToTypingLocation, info.typeAcquisition, info.unresolvedImports, info.typesRegistry, emptyOptions); }); } }; TypeScriptServicesFactory = class { constructor() { this._shims = []; } getServicesVersion() { return servicesVersion; } createLanguageServiceShim(host) { try { if (this.documentRegistry === void 0) { this.documentRegistry = createDocumentRegistry(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames(), host.getCurrentDirectory()); } const hostAdapter = new LanguageServiceShimHostAdapter(host); const languageService = createLanguageService2(hostAdapter, this.documentRegistry, false); return new LanguageServiceShimObject(this, host, languageService); } catch (err) { logInternalError(host, err); throw err; } } createClassifierShim(logger) { try { return new ClassifierShimObject(this, logger); } catch (err) { logInternalError(logger, err); throw err; } } createCoreServicesShim(host) { try { const adapter = new CoreServicesShimHostAdapter(host); return new CoreServicesShimObject(this, host, adapter); } catch (err) { logInternalError(host, err); throw err; } } close() { clear(this._shims); this.documentRegistry = void 0; } registerShim(shim) { this._shims.push(shim); } unregisterShim(shim) { for (let i = 0; i < this._shims.length; i++) { if (this._shims[i] === shim) { delete this._shims[i]; return; } } throw new Error("Invalid operation"); } }; } }); 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 & 16777216) { 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 240: return spanInVariableDeclaration(node.declarationList.declarations[0]); case 257: case 169: case 168: return spanInVariableDeclaration(node); case 166: return spanInParameterDeclaration(node); case 259: case 171: case 170: case 174: case 175: case 173: case 215: case 216: return spanInFunctionDeclaration(node); case 238: if (isFunctionBlock(node)) { return spanInFunctionBlock(node); } case 265: return spanInBlock(node); case 295: return spanInBlock(node.block); case 241: return textSpan(node.expression); case 250: return textSpan(node.getChildAt(0), node.expression); case 244: return textSpanEndingAtNextToken(node, node.expression); case 243: return spanInNode(node.statement); case 256: return textSpan(node.getChildAt(0)); case 242: return textSpanEndingAtNextToken(node, node.expression); case 253: return spanInNode(node.statement); case 249: case 248: return textSpan(node.getChildAt(0), node.label); case 245: return spanInForStatement(node); case 246: return textSpanEndingAtNextToken(node, node.expression); case 247: return spanInInitializerOfForLike(node); case 252: return textSpanEndingAtNextToken(node, node.expression); case 292: case 293: return spanInNode(node.statements[0]); case 255: return spanInBlock(node.tryBlock); case 254: return textSpan(node, node.expression); case 274: return textSpan(node, node.expression); case 268: return textSpan(node, node.moduleReference); case 269: return textSpan(node, node.moduleSpecifier); case 275: return textSpan(node, node.moduleSpecifier); case 264: if (getModuleInstanceState(node) !== 1) { return void 0; } case 260: case 263: case 302: case 205: return textSpan(node); case 251: return spanInNode(node.statement); case 167: return spanInNodeArray(parent2.modifiers, node, isDecorator); case 203: case 204: return spanInBindingPattern(node); case 261: case 262: return void 0; case 26: case 1: return spanInNodeIfStartsOnSameLine(findPrecedingToken(node.pos, sourceFile)); case 27: return spanInPreviousNode(node); case 18: return spanInOpenBraceToken(node); case 19: return spanInCloseBraceToken(node); case 23: return spanInCloseBracketToken(node); case 20: return spanInOpenParenToken(node); case 21: return spanInCloseParenToken(node); case 58: return spanInColonToken(node); case 31: case 29: return spanInGreaterThanOrLessThanToken(node); case 115: return spanInWhileKeyword(node); case 91: case 83: case 96: return spanInNextNode(node); case 162: return spanInOfKeyword(node); default: if (isArrayLiteralOrObjectLiteralDestructuringPattern(node)) { return spanInArrayLiteralOrObjectLiteralDestructuringPattern(node); } if ((node.kind === 79 || node.kind === 227 || node.kind === 299 || node.kind === 300) && isArrayLiteralOrObjectLiteralDestructuringPattern(parent2)) { return textSpan(node); } if (node.kind === 223) { const { left, operatorToken } = node; if (isArrayLiteralOrObjectLiteralDestructuringPattern(left)) { return spanInArrayLiteralOrObjectLiteralDestructuringPattern(left); } if (operatorToken.kind === 63 && isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent)) { return textSpan(node); } if (operatorToken.kind === 27) { return spanInNode(left); } } if (isExpressionNode(node)) { switch (parent2.kind) { case 243: return spanInPreviousNode(node); case 167: return spanInNode(node.parent); case 245: case 247: return textSpan(node); case 223: if (node.parent.operatorToken.kind === 27) { return textSpan(node); } break; case 216: if (node.parent.body === node) { return textSpan(node); } break; } } switch (node.parent.kind) { case 299: if (node.parent.name === node && !isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent.parent)) { return spanInNode(node.parent.initializer); } break; case 213: if (node.parent.type === node) { return spanInNextNode(node.parent.type); } break; case 257: case 166: { const { initializer, type } = node.parent; if (initializer === node || type === node || isAssignmentOperator(node.kind)) { return spanInPreviousNode(node); } break; } case 223: { 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 === 246) { return spanInNode(variableDeclaration.parent.parent); } const parent2 = variableDeclaration.parent; if (isBindingPattern(variableDeclaration.name)) { return spanInBindingPattern(variableDeclaration.name); } if (hasOnlyExpressionInitializer(variableDeclaration) && variableDeclaration.initializer || hasSyntacticModifier(variableDeclaration, 1) || parent2.parent.kind === 247) { 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, 4 | 8); } 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, 1) || functionDeclaration.parent.kind === 260 && functionDeclaration.kind !== 173; } 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 264: if (getModuleInstanceState(block.parent) !== 1) { return void 0; } case 244: case 242: case 246: return spanInNodeIfStartsOnSameLine(block.parent, block.statements[0]); case 245: case 247: return spanInNodeIfStartsOnSameLine(findPrecedingToken(block.pos, sourceFile, block.parent), block.statements[0]); } return spanInNode(block.statements[0]); } function spanInInitializerOfForLike(forLikeStatement) { if (forLikeStatement.initializer.kind === 258) { 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 !== 229 ? element : void 0); if (firstBindingElement) { return spanInNode(firstBindingElement); } if (bindingPattern.parent.kind === 205) { return textSpan(bindingPattern.parent); } return textSpanFromVariableDeclaration(bindingPattern.parent); } function spanInArrayLiteralOrObjectLiteralDestructuringPattern(node2) { Debug.assert(node2.kind !== 204 && node2.kind !== 203); const elements = node2.kind === 206 ? node2.elements : node2.properties; const firstBindingElement = forEach(elements, (element) => element.kind !== 229 ? element : void 0); if (firstBindingElement) { return spanInNode(firstBindingElement); } return textSpan(node2.parent.kind === 223 ? node2.parent : node2); } function spanInOpenBraceToken(node2) { switch (node2.parent.kind) { case 263: const enumDeclaration = node2.parent; return spanInNodeIfStartsOnSameLine(findPrecedingToken(node2.pos, sourceFile, node2.parent), enumDeclaration.members.length ? enumDeclaration.members[0] : enumDeclaration.getLastToken(sourceFile)); case 260: const classDeclaration = node2.parent; return spanInNodeIfStartsOnSameLine(findPrecedingToken(node2.pos, sourceFile, node2.parent), classDeclaration.members.length ? classDeclaration.members[0] : classDeclaration.getLastToken(sourceFile)); case 266: return spanInNodeIfStartsOnSameLine(node2.parent.parent, node2.parent.clauses[0]); } return spanInNode(node2.parent); } function spanInCloseBraceToken(node2) { switch (node2.parent.kind) { case 265: if (getModuleInstanceState(node2.parent.parent) !== 1) { return void 0; } case 263: case 260: return textSpan(node2); case 238: if (isFunctionBlock(node2.parent)) { return textSpan(node2); } case 295: return spanInNode(lastOrUndefined(node2.parent.statements)); case 266: const caseBlock = node2.parent; const lastClause = lastOrUndefined(caseBlock.clauses); if (lastClause) { return spanInNode(lastOrUndefined(lastClause.statements)); } return void 0; case 203: 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 204: 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 === 243 || node2.parent.kind === 210 || node2.parent.kind === 211) { return spanInPreviousNode(node2); } if (node2.parent.kind === 214) { return spanInNextNode(node2); } return spanInNode(node2.parent); } function spanInCloseParenToken(node2) { switch (node2.parent.kind) { case 215: case 259: case 216: case 171: case 170: case 174: case 175: case 173: case 244: case 243: case 245: case 247: case 210: case 211: case 214: return spanInPreviousNode(node2); default: return spanInNode(node2.parent); } } function spanInColonToken(node2) { if (isFunctionLike(node2.parent) || node2.parent.kind === 299 || node2.parent.kind === 166) { return spanInPreviousNode(node2); } return spanInNode(node2.parent); } function spanInGreaterThanOrLessThanToken(node2) { if (node2.parent.kind === 213) { return spanInNextNode(node2); } return spanInNode(node2.parent); } function spanInWhileKeyword(node2) { if (node2.parent.kind === 243) { return textSpanEndingAtNextToken(node2, node2.parent.expression); } return spanInNode(node2.parent); } function spanInOfKeyword(node2) { if (node2.parent.kind === 247) { return spanInNextNode(node2); } return spanInNode(node2.parent); } } } var init_breakpoints = __esm({ "src/services/breakpoints.ts"() { "use strict"; init_ts4(); } }); var ts_BreakpointResolver_exports = {}; __export2(ts_BreakpointResolver_exports, { spanInSourceFileAtLocation: () => spanInSourceFileAtLocation }); var init_ts_BreakpointResolver = __esm({ "src/services/_namespaces/ts.BreakpointResolver.ts"() { "use strict"; init_breakpoints(); } }); function isNamedExpression(node) { return (isFunctionExpression(node) || isClassExpression(node)) && isNamedDeclaration(node); } function isConstNamedExpression(node) { return (isFunctionExpression(node) || isArrowFunction(node) || isClassExpression(node)) && isVariableDeclaration(node.parent) && node === node.parent.initializer && isIdentifier(node.parent.name) && !!(getCombinedNodeFlags(node.parent) & 2); } 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) || isConstNamedExpression(node); } function getCallHierarchyDeclarationReferenceNode(node) { if (isSourceFile(node)) return node; if (isNamedDeclaration(node)) return node.name; if (isConstNamedExpression(node)) return node.parent.name; return Debug.checkDefined(node.modifiers && find(node.modifiers, isDefaultModifier3)); } function isDefaultModifier3(node) { return node.kind === 88; } 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 = isConstNamedExpression(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 _a2, _b; if (isConstNamedExpression(node)) { 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 174: case 175: case 171: if (node.parent.kind === 207) { return (_a2 = getAssignedName(node.parent)) == null ? void 0 : _a2.getText(); } return (_b = getNameOfDeclaration(node.parent)) == null ? void 0 : _b.getText(); case 259: case 260: case 264: 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 keys = map(symbol.declarations, (decl) => ({ file: decl.getSourceFile().fileName, pos: decl.pos })); indices.sort((a, b) => compareStringsCaseSensitive(keys[a].file, keys[b].file) || keys[a].pos - keys[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) { var _a2, _b, _c; if (isClassStaticBlockDeclaration(node)) { return node; } if (isFunctionLikeDeclaration(node)) { return (_b = (_a2 = findImplementation(typeChecker, node)) != null ? _a2 : findAllInitialDeclarations(typeChecker, node)) != null ? _b : node; } return (_c = findAllInitialDeclarations(typeChecker, node)) != null ? _c : 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 (isVariableDeclaration(location.parent) && location.parent.initializer && isConstNamedExpression(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 === 124 && isClassStaticBlockDeclaration(location.parent)) { location = location.parent; continue; } if (isVariableDeclaration(location) && location.initializer && isConstNamedExpression(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(), false, 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, true, true) || isTaggedTemplateTag(node, true, true) || isDecoratorTarget(node, true, true) || isJsxOpeningLikeElementTagName(node, true, 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, 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 (isArray(declaration)) { for (const decl of declaration) { callSites.push({ declaration: decl, range }); } } else { callSites.push({ declaration, range }); } } } function collect(node) { if (!node) return; if (node.flags & 16777216) { return; } if (isValidCallHierarchyDeclaration(node)) { if (isClassLike(node)) { for (const member of node.members) { if (member.name && isComputedPropertyName(member.name)) { collect(member.name.expression); } } } return; } switch (node.kind) { case 79: case 268: case 269: case 275: case 261: case 262: return; case 172: recordCallSite(node); return; case 213: case 231: collect(node.expression); return; case 257: case 166: collect(node.name); collect(node.initializer); return; case 210: recordCallSite(node); collect(node.expression); forEach(node.arguments, collect); return; case 211: recordCallSite(node); collect(node.expression); forEach(node.arguments, collect); return; case 212: recordCallSite(node); collect(node.tag); collect(node.template); return; case 283: case 282: recordCallSite(node); collect(node.tagName); collect(node.attributes); return; case 167: recordCallSite(node); collect(node.expression); return; case 208: case 209: recordCallSite(node); forEachChild(node, collect); break; case 235: collect(node.expression); return; } if (isPartOfTypeNode(node)) { return; } forEachChild(node, collect); } return collect; } function collectCallSitesOfSourceFile(node, collect) { forEach(node.statements, collect); } function collectCallSitesOfModuleDeclaration(node, collect) { if (!hasSyntacticModifier(node, 2) && node.body && isModuleBlock(node.body)) { forEach(node.body.statements, collect); } } function collectCallSitesOfFunctionLikeDeclaration(typeChecker, node, collect) { const implementation = findImplementation(typeChecker, node); if (implementation) { forEach(implementation.parameters, collect); collect(implementation.body); } } function collectCallSitesOfClassStaticBlockDeclaration(node, collect) { collect(node.body); } function collectCallSitesOfClassLikeDeclaration(node, collect) { forEach(node.modifiers, collect); const heritage = getClassExtendsHeritageElement(node); if (heritage) { collect(heritage.expression); } for (const member of node.members) { if (canHaveModifiers(member)) { forEach(member.modifiers, collect); } if (isPropertyDeclaration(member)) { collect(member.initializer); } else if (isConstructorDeclaration(member) && member.body) { forEach(member.parameters, collect); collect(member.body); } else if (isClassStaticBlockDeclaration(member)) { collect(member); } } } function collectCallSites(program, node) { const callSites = []; const collect = createCallSiteCollector(program, callSites); switch (node.kind) { case 308: collectCallSitesOfSourceFile(node, collect); break; case 264: collectCallSitesOfModuleDeclaration(node, collect); break; case 259: case 215: case 216: case 171: case 174: case 175: collectCallSitesOfFunctionLikeDeclaration(program.getTypeChecker(), node, collect); break; case 260: case 228: collectCallSitesOfClassLikeDeclaration(node, collect); break; case 172: collectCallSitesOfClassStaticBlockDeclaration(node, collect); 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 & 16777216 || isMethodSignature(declaration)) { return []; } return group(collectCallSites(program, declaration), getCallSiteGroupKey, (entries) => convertCallSiteGroupToOutgoingCall(program, entries)); } var init_callHierarchy = __esm({ "src/services/callHierarchy.ts"() { "use strict"; init_ts4(); } }); var ts_CallHierarchy_exports = {}; __export2(ts_CallHierarchy_exports, { createCallHierarchyItem: () => createCallHierarchyItem, getIncomingCalls: () => getIncomingCalls, getOutgoingCalls: () => getOutgoingCalls, resolveCallHierarchyDeclaration: () => resolveCallHierarchyDeclaration }); var init_ts_CallHierarchy = __esm({ "src/services/_namespaces/ts.CallHierarchy.ts"() { "use strict"; init_callHierarchy(); } }); 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 }; } 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 264: case 260: case 261: case 259: case 228: case 215: case 216: 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 & 32) { modifierSet |= 1 << 1; } if (modifiers & 512) { modifierSet |= 1 << 2; } if (typeIdx !== 0 && typeIdx !== 2) { if (modifiers & 64 || 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 isCallExpression(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 TokenEncodingConsts, TokenType, TokenModifier, tokenFromDeclarationMapping; var init_classifier2020 = __esm({ "src/services/classifier2020.ts"() { "use strict"; init_ts4(); TokenEncodingConsts = /* @__PURE__ */ ((TokenEncodingConsts2) => { TokenEncodingConsts2[TokenEncodingConsts2["typeOffset"] = 8] = "typeOffset"; TokenEncodingConsts2[TokenEncodingConsts2["modifierMask"] = 255] = "modifierMask"; return TokenEncodingConsts2; })(TokenEncodingConsts || {}); 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 || {}); 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 || {}); tokenFromDeclarationMapping = /* @__PURE__ */ new Map([ [257, 7], [166, 6], [169, 9], [264, 3], [263, 1], [302, 8], [260, 0], [171, 11], [259, 10], [215, 10], [170, 11], [174, 9], [175, 9], [168, 9], [261, 2], [262, 5], [165, 4], [299, 9], [300, 9] ]); } }); var ts_classifier_v2020_exports = {}; __export2(ts_classifier_v2020_exports, { TokenEncodingConsts: () => TokenEncodingConsts, TokenModifier: () => TokenModifier, TokenType: () => TokenType, getEncodedSemanticClassifications: () => getEncodedSemanticClassifications2, getSemanticClassifications: () => getSemanticClassifications2 }); var init_ts_classifier_v2020 = __esm({ "src/services/_namespaces/ts.classifier.v2020.ts"() { "use strict"; init_classifier2020(); } }); var ts_classifier_exports = {}; __export2(ts_classifier_exports, { v2020: () => ts_classifier_v2020_exports }); var init_ts_classifier = __esm({ "src/services/_namespaces/ts.classifier.ts"() { "use strict"; init_ts_classifier_v2020(); } }); function createCodeFixActionWithoutFixAll(fixName8, changes, description2) { return createCodeFixActionWorker(fixName8, diagnosticToString(description2), changes, void 0, void 0); } function createCodeFixAction(fixName8, changes, description2, fixId51, fixAllDescription, command) { return createCodeFixActionWorker(fixName8, diagnosticToString(description2), changes, fixId51, diagnosticToString(fixAllDescription), command); } function createCodeFixActionMaybeFixAll(fixName8, changes, description2, fixId51, fixAllDescription, command) { return createCodeFixActionWorker(fixName8, diagnosticToString(description2), changes, fixId51, fixAllDescription && diagnosticToString(fixAllDescription), command); } function createCodeFixActionWorker(fixName8, description2, changes, fixId51, fixAllDescription, command) { return { fixName: fixName8, description: description2, changes, fixId: fixId51, fixAllDescription, commands: command ? [command] : void 0 }; } function registerCodeFix(reg) { for (const error of reg.errorCodes) { errorCodeToFixes.add(String(error), reg); } if (reg.fixIds) { for (const fixId51 of reg.fixIds) { Debug.assert(!fixIdToRegistration.has(fixId51)); fixIdToRegistration.set(fixId51, reg); } } } function getSupportedErrorCodes() { return arrayFrom(errorCodeToFixes.keys()); } function removeFixIdIfFixAllUnavailable(registration, diagnostics) { const { errorCodes: errorCodes63 } = registration; let maybeFixableDiagnostics = 0; for (const diag2 of diagnostics) { if (contains(errorCodes63, diag2.code)) maybeFixableDiagnostics++; if (maybeFixableDiagnostics > 1) break; } const fixAllUnavailable = maybeFixableDiagnostics < 2; return ({ fixId: fixId51, fixAllDescription, ...action }) => { return fixAllUnavailable ? action : { ...action, fixId: fixId51, 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, isString)).getAllCodeActions(context); } function createCombinedCodeActions(changes, commands) { return { changes, commands }; } function createFileTextChanges(fileName, textChanges2) { return { fileName, textChanges: textChanges2 }; } function codeFixAll(context, errorCodes63, use) { const commands = []; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => eachDiagnostic(context, errorCodes63, (diag2) => use(t, diag2, commands))); return createCombinedCodeActions(changes, commands.length === 0 ? void 0 : commands); } function eachDiagnostic(context, errorCodes63, cb) { for (const diag2 of getDiagnostics(context)) { if (contains(errorCodes63, diag2.code)) { cb(diag2); } } } function getDiagnostics({ program, sourceFile, cancellationToken }) { return [ ...program.getSemanticDiagnostics(sourceFile, cancellationToken), ...program.getSyntacticDiagnostics(sourceFile, cancellationToken), ...computeSuggestionDiagnostics(sourceFile, program, cancellationToken) ]; } var errorCodeToFixes, fixIdToRegistration; var init_codeFixProvider = __esm({ "src/services/codeFixProvider.ts"() { "use strict"; init_ts4(); errorCodeToFixes = createMultiMap(); fixIdToRegistration = /* @__PURE__ */ new Map(); } }); function makeChange(changeTracker, sourceFile, assertion) { const replacement = isAsExpression(assertion) ? factory.createAsExpression(assertion.expression, factory.createKeywordTypeNode(157)) : factory.createTypeAssertion(factory.createKeywordTypeNode(157), 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)); } var fixId, errorCodes; var init_addConvertToUnknownForNonOverlappingTypes = __esm({ "src/services/codefixes/addConvertToUnknownForNonOverlappingTypes.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId = "addConvertToUnknownForNonOverlappingTypes"; 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); } }) }); } }); var init_addEmptyExportDeclaration = __esm({ "src/services/codefixes/addEmptyExportDeclaration.ts"() { "use strict"; init_ts4(); init_ts_codefix(); 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.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(void 0, false, factory.createNamedExports([]), void 0); changes2.insertNodeAtEndOfScope(sourceFile, sourceFile, exportDeclaration); }); return [createCodeFixActionWithoutFixAll("addEmptyExportDeclaration", changes, Diagnostics.Add_export_to_make_this_file_into_a_module)]; } }); } }); function getFix(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.updateModifiers(getSynthesizedDeepClone(insertionSite, true), factory.createNodeArray(factory.createModifiersFromModifierFlags(getSyntacticModifierFlags(insertionSite) | 512))); 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 }) => isNumber(start) && isNumber(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 fixId2, errorCodes2; var init_addMissingAsync = __esm({ "src/services/codefixes/addMissingAsync.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId2 = "addMissingAsync"; 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 [getFix(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 getFix(context, decl, 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 }) => isNumber(start) && isNumber(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 = getAncestor(declaration, 240); if (!declaration || !variableStatement || declaration.type || !declaration.initializer || variableStatement.getSourceFile() !== sourceFile || hasSyntacticModifier(variableStatement, 1) || !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) || checker.getTypeAtLocation(errorNode).flags & 1; } function isInsideAwaitableBody(node) { return node.kind & 32768 || !!findAncestor(node, (ancestor) => ancestor.parent && isArrowFunction(ancestor.parent) && ancestor.parent.body === ancestor || isBlock(ancestor) && (ancestor.parent.kind === 259 || ancestor.parent.kind === 215 || ancestor.parent.kind === 216 || ancestor.parent.kind === 171)); } 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(133), 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) && isCallOrNewExpression(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 fixId3, propertyAccessCode, callableConstructableErrorCodes, errorCodes3; var init_addMissingAwait = __esm({ "src/services/codefixes/addMissingAwait.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId3 = "addMissingAwait"; propertyAccessCode = Diagnostics.Property_0_does_not_exist_on_type_1.code; callableConstructableErrorCodes = [ Diagnostics.This_expression_is_not_callable.code, Diagnostics.This_expression_is_not_constructable.code ]; 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 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 === 63 && isExpressionStatement(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) => isExpressionStatement(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, 85, initializer); } } function isPossiblyPartOfDestructuring(node) { switch (node.kind) { case 79: case 206: case 207: case 299: case 300: return true; default: return false; } } function arrayElementCouldBeVariableDeclaration(expression, checker) { const identifier = isIdentifier(expression) ? expression : isAssignmentExpression(expression, true) && isIdentifier(expression.left) ? expression.left : void 0; return !!identifier && !checker.getSymbolAtLocation(identifier); } function isPossiblyPartOfCommaSeperatedInitializer(node) { switch (node.kind) { case 79: case 223: case 27: return true; default: return false; } } function expressionCouldBeVariableDeclaration(expression, checker) { if (!isBinaryExpression(expression)) { return false; } if (expression.operatorToken.kind === 27) { return every([expression.left, expression.right], (expression2) => expressionCouldBeVariableDeclaration(expression2, checker)); } return expression.operatorToken.kind === 63 && isIdentifier(expression.left) && !checker.getSymbolAtLocation(expression.left); } var fixId4, errorCodes4; var init_addMissingConst = __esm({ "src/services/codefixes/addMissingConst.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId4 = "addMissingConst"; 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 makeChange5(changeTracker, sourceFile, pos, fixedNodes) { const token = getTokenAtPosition(sourceFile, pos); if (!isIdentifier(token)) { return; } const declaration = token.parent; if (declaration.kind === 169 && (!fixedNodes || tryAddToSet(fixedNodes, declaration))) { changeTracker.insertModifierBefore(sourceFile, 136, declaration); } } var fixId5, errorCodes5; var init_addMissingDeclareProperty = __esm({ "src/services/codefixes/addMissingDeclareProperty.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId5 = "addMissingDeclareProperty"; 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 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, void 0, void 0); changeTracker.replaceNode(sourceFile, decorator.expression, replacement); } var fixId6, errorCodes6; var init_addMissingInvocationForDecorator = __esm({ "src/services/codefixes/addMissingInvocationForDecorator.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId6 = "addMissingInvocationForDecorator"; 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 makeChange7(changeTracker, sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); 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."); const typeNode = factory.createTypeReferenceNode(param.name, void 0); const replacement = factory.createParameterDeclaration(param.modifiers, param.dotDotDotToken, "arg" + i, param.questionToken, param.dotDotDotToken ? factory.createArrayTypeNode(typeNode) : typeNode, param.initializer); changeTracker.replaceNode(sourceFile, param, replacement); } var fixId7, errorCodes7; var init_addNameToNamelessParameter = __esm({ "src/services/codefixes/addNameToNamelessParameter.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId7 = "addNameToNamelessParameter"; 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 getPropertiesToAdd(file, span, checker) { var _a2, _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 = (_a2 = target.symbol) == null ? void 0 : _a2.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 _a2; if (!errorNode) { return void 0; } else if (isBinaryExpression(errorNode.parent) && errorNode.parent.operatorToken.kind === 63) { 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 (isCallExpression(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 = (_a2 = prop == null ? void 0 : prop.declarations) == null ? void 0 : _a2[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 === 189 ? d.type.types : [d.type], factory.createTypeReferenceNode("undefined") ]); changes.replaceNode(d.getSourceFile(), d.type, t); } } } var addOptionalPropertyUndefined, errorCodes8; var init_addOptionalPropertyUndefined = __esm({ "src/services/codefixes/addOptionalPropertyUndefined.ts"() { "use strict"; init_ts4(); init_ts_codefix(); addOptionalPropertyUndefined = "addOptionalPropertyUndefined"; 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 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 doChange(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, 20, sourceFile); if (needParens) changes.insertNodeBefore(sourceFile, first(decl.parameters), factory.createToken(20)); 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(21)); 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 === 257 || node.kind === 168 || node.kind === 169; } function transformJSDocType(node) { switch (node.kind) { case 315: case 316: return factory.createTypeReferenceNode("any", emptyArray); case 319: return transformJSDocOptionalType(node); case 318: return transformJSDocType(node.type); case 317: return transformJSDocNullableType(node); case 321: return transformJSDocVariadicType(node); case 320: return transformJSDocFunctionType(node); case 180: return transformJSDocTypeReference(node); case 325: return transformJSDocTypeLiteral(node); default: const visited = visitEachChild(node, transformJSDocType, nullTransformationContext); setEmitFlags(visited, 1); return visited; } } function transformJSDocTypeLiteral(node) { const typeNode = factory.createTypeLiteralNode(map(node.jsDocPropertyTags, (tag) => factory.createPropertySignature(void 0, isIdentifier(tag.name) ? tag.name : tag.name.right, isOptionalJSDocPropertyLikeTag(tag) ? factory.createToken(57) : void 0, tag.typeExpression && visitNode(tag.typeExpression.type, transformJSDocType, isTypeNode) || factory.createKeywordTypeNode(131)))); setEmitFlags(typeNode, 1); 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) { var _a2; return factory.createFunctionTypeNode(emptyArray, node.parameters.map(transformJSDocParameter), (_a2 = node.type) != null ? _a2 : factory.createKeywordTypeNode(131)); } function transformJSDocParameter(node) { const index = node.parent.parameters.indexOf(node); const isRest = node.type.kind === 321 && index === node.parent.parameters.length - 1; const name = node.name || (isRest ? "rest" : "arg" + index); const dotdotdot = isRest ? factory.createToken(25) : 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(void 0, void 0, node.typeArguments[0].kind === 148 ? "n" : "s", void 0, factory.createTypeReferenceNode(node.typeArguments[0].kind === 148 ? "number" : "string", []), void 0); const indexSignature = factory.createTypeLiteralNode([factory.createIndexSignature(void 0, [index], node.typeArguments[1])]); setEmitFlags(indexSignature, 1); return indexSignature; } var fixId8, errorCodes9; var init_annotateWithTypeFromJSDoc = __esm({ "src/services/codefixes/annotateWithTypeFromJSDoc.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId8 = "annotateWithTypeFromJSDoc"; 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) => doChange(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) doChange(changes, diag2.file, decl); }) }); } }); function doChange2(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 === 63 && isObjectLiteralExpression(firstDeclaration.parent.right)) { const prototypes = firstDeclaration.parent.right; createClassElement(prototypes.symbol, void 0, memberElements); } } else { createClassElement(member, [factory.createToken(124)], memberElements); } }); } if (symbol.members) { symbol.members.forEach((member, key) => { var _a2, _b, _c, _d; if (key === "constructor" && member.valueDeclaration) { const prototypeAssignment = (_d = (_c = (_b = (_a2 = symbol.exports) == null ? void 0 : _a2.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, 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 === 241 ? assignmentBinaryExpression.parent : assignmentBinaryExpression; changes.delete(sourceFile, nodeToDelete); if (!assignmentExpr) { members.push(factory.createPropertyDeclaration(modifiers, symbol2.name, void 0, void 0, 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, void 0, 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, 132)); const method = factory.createMethodDeclaration(fullModifiers, void 0, name, void 0, void 0, functionExpression.parameters, 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 === 238) { bodyBlock = arrowFunctionBody; } else { bodyBlock = factory.createBlock([factory.createReturnStatement(arrowFunctionBody)]); } const fullModifiers = concatenate(modifiers, getModifierKindFromSource(arrowFunction, 132)); const method = factory.createMethodDeclaration(fullModifiers, void 0, name, void 0, void 0, arrowFunction.parameters, 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(void 0, initializer.parameters, initializer.body)); } const modifiers = getModifierKindFromSource(node.parent.parent, 93); const cls = factory.createClassDeclaration(modifiers, node.name, void 0, void 0, memberElements); return cls; } function createClassFromFunction(node) { const memberElements = createClassElementsFromSymbol(ctorSymbol); if (node.body) { memberElements.unshift(factory.createConstructorDeclaration(void 0, node.parameters, node.body)); } const modifiers = getModifierKindFromSource(node, 93); const cls = factory.createClassDeclaration(modifiers, node.name, void 0, 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) : propName; } return void 0; } var fixId9, errorCodes10; var init_convertFunctionToEs6Class = __esm({ "src/services/codefixes/convertFunctionToEs6Class.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId9 = "convertFunctionToEs6Class"; 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) => doChange2(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) => doChange2(changes, err.file, err.start, context.program.getTypeChecker(), context.preferences, context.program.getCompilerOptions())) }); } }); 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, 132, { suffix: " " }); for (const returnStatement of returnStatements) { forEachChild(returnStatement, function visit(node) { if (isCallExpression(node)) { const newNodes = transformExpression(node, node, transformer, 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 (!isCallExpression(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 promiseType = checker.getTypeAtLocation(node.expression.expression); if (isReferenceToType(promiseType, checker.getPromiseType()) || isReferenceToType(promiseType, 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); 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, 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 === 104) 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); 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), 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 unionType = transformer.checker.getUnionType(typeArray, 2); const unionTypeNode = transformer.isInJSFile ? void 0 : transformer.checker.typeToTypeNode(unionType, void 0, void 0); const varDecl = [factory.createVariableDeclaration(varDeclIdentifier, void 0, unionTypeNode)]; const varDeclList = factory.createVariableStatement(void 0, factory.createVariableDeclarationList(varDecl, 1)); statements.push(varDeclList); } statements.push(tryStatement); if (continuationArgName && varDeclIdentifier && isSynthBindingPattern(continuationArgName)) { statements.push(factory.createVariableStatement(void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration(getSynthesizedDeepClone(declareSynthBindingPattern(continuationArgName)), void 0, void 0, varDeclIdentifier) ], 2))); } return statements; } function transformFinally(node, onFinally, transformer, hasContinuation, continuationArgName) { if (!onFinally || isNullOrUndefined2(transformer, onFinally)) { return transformExpression(node, node.expression.expression, transformer, hasContinuation, continuationArgName); } const possibleNameForVarDecl = getPossibleNameForVarDecl(node, transformer, continuationArgName); const inlinedLeftHandSide = transformExpression(node, node.expression.expression, transformer, true, possibleNameForVarDecl); if (hasFailed()) return silentFail(); const inlinedCallback = transformCallbackArgument(onFinally, hasContinuation, void 0, void 0, node, transformer); if (hasFailed()) return silentFail(); const tryBlock = factory.createBlock(inlinedLeftHandSide); const finallyBlock = factory.createBlock(inlinedCallback); const tryStatement = factory.createTryStatement(tryBlock, void 0, finallyBlock); return finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName); } function transformCatch(node, onRejected, transformer, hasContinuation, continuationArgName) { if (!onRejected || isNullOrUndefined2(transformer, onRejected)) { return transformExpression(node, node.expression.expression, transformer, hasContinuation, continuationArgName); } const inputArgName = getArgBindingName(onRejected, transformer); const possibleNameForVarDecl = getPossibleNameForVarDecl(node, transformer, continuationArgName); const inlinedLeftHandSide = transformExpression(node, node.expression.expression, transformer, 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, 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, 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), 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(void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration(getSynthesizedDeepClone(declareSynthBindingName(variableName)), void 0, typeAnnotation, rightHandSide) ], 2)) ]; } function maybeAnnotateAndReturn(expressionToReturn, typeAnnotation) { if (typeAnnotation && expressionToReturn) { const name = factory.createUniqueName("result", 16); return [ ...createVariableOrAssignmentOrExpressionStatement(createSynthIdentifier(name), expressionToReturn, typeAnnotation), factory.createReturnStatement(name) ]; } return [factory.createReturnStatement(expressionToReturn)]; } function transformCallbackArgument(func, hasContinuation, continuationArgName, inputArgName, parent2, transformer) { var _a2; switch (func.kind) { case 104: break; case 208: case 79: if (!inputArgName) { break; } const synthCall = factory.createCallExpression(getSynthesizedDeepClone(func), 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); 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 215: case 216: { const funcBody = func.body; const returnType2 = (_a2 = getLastCallSignature(transformer.checker.getTypeAtLocation(func), transformer.checker)) == null ? void 0 : _a2.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, 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); 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(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(declareSynthBindingName(prevArgName), void 0, void 0, possiblyAwaitedExpression)], 2))); } } } else { ret.push(getSynthesizedDeepClone(stmt)); } } if (!seenReturnStatement && prevArgName !== void 0) { ret.push(factory.createVariableStatement(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(declareSynthBindingName(prevArgName), void 0, void 0, factory.createIdentifier("undefined"))], 2))); } return ret; } function transformReturnStatementWithFixablePromiseHandler(transformer, innerRetStmt, hasContinuation, continuationArgName) { let innerCbBody = []; forEachChild(innerRetStmt, function visit(node) { if (isCallExpression(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 _a2, _b; return (_b = (_a2 = tryCast(node, canHaveSymbol)) == null ? void 0 : _a2.symbol) != null ? _b : 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)); } var fixId10, errorCodes11, codeActionSucceeded; var init_convertToAsyncFunction = __esm({ "src/services/codefixes/convertToAsyncFunction.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId10 = "convertToAsyncFunction"; errorCodes11 = [Diagnostics.This_may_be_converted_to_an_async_function.code]; 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 fixImportOfModuleExports(importingFile, exportingFile, changes, quotePreference) { for (const moduleSpecifier of importingFile.imports) { const imported = getResolvedModule(importingFile, moduleSpecifier.text, getModeForUsageLocation(importingFile, moduleSpecifier)); if (!imported || imported.resolvedFileName !== exportingFile.fileName) { continue; } const importNode = importFromModuleSpecifier(moduleSpecifier); switch (importNode.kind) { case 268: changes.replaceNode(importingFile, importNode, makeImport(importNode.name, void 0, moduleSpecifier, quotePreference)); break; case 210: if (isRequireCall(importNode, 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 exports = collectExportRenames(sourceFile, checker, identifiers); convertExportsAccesses(sourceFile, exports, 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 != null ? useSitesToUnqualify : useSitesToUnqualify = /* @__PURE__ */ new Map()); } } for (const statement of filter(sourceFile.statements, (s) => !isVariableStatement(s))) { const moduleExportsChanged = convertStatement(sourceFile, statement, checker, changes, identifiers, target, exports, 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, true))) { res.set(text, makeUniqueName(`_${text}`, identifiers)); } }); return res; } function convertExportsAccesses(sourceFile, exports, changes) { forEachExportReference(sourceFile, (node, isAssignmentLhs) => { if (isAssignmentLhs) { return; } const { text } = node.name; changes.replaceNode(sourceFile, node, factory.createIdentifier(exports.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 === 63); } node.forEachChild(recur); }); } function convertStatement(sourceFile, statement, checker, changes, identifiers, target, exports, useSitesToUnqualify, quotePreference) { switch (statement.kind) { case 240: convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference); return false; case 241: { const { expression } = statement; switch (expression.kind) { case 210: { if (isRequireCall(expression, true)) { changes.replaceNode(sourceFile, statement, makeImport(void 0, void 0, expression.arguments[0], quotePreference)); } return false; } case 223: { const { operatorToken } = expression; return operatorToken.kind === 63 && convertAssignment(sourceFile, checker, expression, changes, exports, 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, true)) { foundImport = true; return convertSingleImport(name, initializer.arguments[0], checker, identifiers, target, quotePreference); } else if (isPropertyAccessExpression(initializer) && isRequireCall(initializer.expression, true)) { foundImport = true; return convertPropertyAccessImport(name, initializer.name.text, initializer.expression.arguments[0], identifiers, quotePreference); } } return convertedImports([factory.createVariableStatement(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 != null ? combinedUseSites : combinedUseSites = /* @__PURE__ */ new Map()); } }); return combinedUseSites; } } function convertPropertyAccessImport(name, propertyName, moduleSpecifier, identifiers, quotePreference) { switch (name.kind) { case 203: case 204: { const tmp = makeUniqueName(propertyName, identifiers); return convertedImports([ makeSingleImport(tmp, propertyName, moduleSpecifier, quotePreference), makeConst(void 0, name, factory.createIdentifier(tmp)) ]); } case 79: 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, exports, 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, 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, exports); } return false; } function tryChangeModuleExportsObject(object, useSitesToUnqualify) { const statements = mapAllOrFail(object.properties, (prop) => { switch (prop.kind) { case 174: case 175: case 300: case 301: return void 0; case 299: return !isIdentifier(prop.name) ? void 0 : convertExportsDotXEquals_replaceNode(prop.name.text, prop.initializer, useSitesToUnqualify); case 171: return !isIdentifier(prop.name) ? void 0 : functionExpressionToDeclaration(prop.name.text, [factory.createToken(93)], prop, useSitesToUnqualify); default: Debug.assertNever(prop, `Convert to ES6 got invalid prop kind ${prop.kind}`); } }); return statements && [statements, false]; } function convertNamedExport(sourceFile, assignment, changes, exports) { const { text } = assignment.left.name; const rename = exports.get(text); if (rename !== void 0) { const newNodes = [ makeConst(void 0, rename, assignment.right), makeExportDeclaration([factory.createExportSpecifier(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 exports = moduleSymbol ? moduleSymbol.exports : emptyMap; return exports.has("export=") ? [[reExportDefault(moduleSpecifier)], true] : !exports.has("default") ? [[reExportStar(moduleSpecifier)], false] : exports.size > 1 ? [[reExportStar(moduleSpecifier), reExportDefault(moduleSpecifier)], true] : [[reExportDefault(moduleSpecifier)], true]; } function reExportStar(moduleSpecifier) { return makeExportDeclaration(void 0, moduleSpecifier); } function reExportDefault(moduleSpecifier) { return makeExportDeclaration([factory.createExportSpecifier(false, 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(93), { suffix: " " }); if (!right.name) changes.insertName(sourceFile, right, name); const semi = findChildOfKind(parent2, 26, sourceFile); if (semi) changes.delete(sourceFile, semi); } else { changes.replaceNodeRangeWithNodes(sourceFile, left.expression, findChildOfKind(left, 24, sourceFile), [factory.createToken(93), factory.createToken(85)], { joiner: " ", suffix: " " }); } } function convertExportsDotXEquals_replaceNode(name, exported, useSitesToUnqualify) { const modifiers = [factory.createToken(93)]; switch (exported.kind) { case 215: { const { name: expressionName } = exported; if (expressionName && expressionName.text !== name) { return exportConst(); } } case 216: return functionExpressionToDeclaration(name, modifiers, exported, useSitesToUnqualify); case 228: 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 isArray(nodeOrNodes) ? getSynthesizedDeepClonesWithReplacements(nodeOrNodes, true, replaceNode) : getSynthesizedDeepCloneWithReplacements(nodeOrNodes, true, replaceNode); function replaceNode(original) { if (original.kind === 208) { const replacement = useSitesToUnqualify.get(original); useSitesToUnqualify.delete(original); return replacement; } } } function convertSingleImport(name, moduleSpecifier, checker, identifiers, target, quotePreference) { switch (name.kind) { case 203: { const importSpecifiers = mapAllOrFail(name.elements, (e) => e.dotDotDotToken || e.initializer || e.propertyName && !isIdentifier(e.propertyName) || !isIdentifier(e.name) ? void 0 : makeImportSpecifier(e.propertyName && e.propertyName.text, e.name.text)); if (importSpecifiers) { return convertedImports([makeImport(void 0, importSpecifiers, moduleSpecifier, quotePreference)]); } } case 204: { const tmp = makeUniqueName(moduleSpecifierToValidIdentifier(moduleSpecifier.text, target), identifiers); return convertedImports([ makeImport(factory.createIdentifier(tmp), void 0, moduleSpecifier, quotePreference), makeConst(void 0, getSynthesizedDeepClone(name), factory.createIdentifier(tmp)) ]); } case 79: 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 != null ? 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 != null ? 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(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 208: return parent2.name !== node; case 205: return parent2.propertyName !== node; case 273: 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), void 0, moduleSpecifier, quotePreference) : makeImport(void 0, [makeImportSpecifier(propertyName, localName)], moduleSpecifier, quotePreference); } function makeImportSpecifier(propertyName, name) { return factory.createImportSpecifier(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, void 0, void 0, init)], 2)); } function makeExportDeclaration(exportSpecifiers, moduleSpecifier) { return factory.createExportDeclaration(void 0, false, exportSpecifiers && factory.createNamedExports(exportSpecifiers), moduleSpecifier === void 0 ? void 0 : factory.createStringLiteral(moduleSpecifier)); } function convertedImports(newImports, useSitesToUnqualify) { return { newImports, useSitesToUnqualify }; } var init_convertToEsModule = __esm({ "src/services/codefixes/convertToEsModule.ts"() { "use strict"; init_ts4(); init_ts_codefix(); 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, changes2, getQuotePreference(importingFile, preferences)); } } }); return [createCodeFixActionWithoutFixAll("convertToEsModule", changes, Diagnostics.Convert_to_ES_module)]; } }); } }); 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 doChange3(changeTracker, sourceFile, qualifiedName) { const rightText = qualifiedName.right.text; const replacement = factory.createIndexedAccessTypeNode(factory.createTypeReferenceNode(qualifiedName.left, void 0), factory.createLiteralTypeNode(factory.createStringLiteral(rightText))); changeTracker.replaceNode(sourceFile, qualifiedName, replacement); } var fixId11, errorCodes12; var init_correctQualifiedNameToIndexedAccessType = __esm({ "src/services/codefixes/correctQualifiedNameToIndexedAccessType.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId11 = "correctQualifiedNameToIndexedAccessType"; 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) => doChange3(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) { doChange3(changes, diag2.file, q); } }) }); } }); 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, 154, exportClause); } else { const valueExportDeclaration = factory.updateExportDeclaration(exportDeclaration, exportDeclaration.modifiers, false, factory.updateNamedExports(exportClause, filter(exportClause.elements, (e) => !contains(typeExportSpecifiers, e))), exportDeclaration.moduleSpecifier, void 0); const typeExportDeclaration = factory.createExportDeclaration(void 0, true, factory.createNamedExports(typeExportSpecifiers), exportDeclaration.moduleSpecifier, 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 _a2; return element === originExportSpecifier || ((_a2 = findDiagnosticForNode(element, diagnostics)) == null ? void 0 : _a2.code) === errorCodes13[0]; }); } var errorCodes13, fixId12; var init_convertToTypeOnlyExport = __esm({ "src/services/codefixes/convertToTypeOnlyExport.ts"() { "use strict"; init_ts4(); init_ts_codefix(); errorCodes13 = [Diagnostics.Re_exporting_a_type_when_0_is_enabled_requires_using_export_type.code]; 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 getDeclaration2(sourceFile, pos) { const { parent: parent2 } = getTokenAtPosition(sourceFile, pos); return isImportSpecifier(parent2) || isImportDeclaration(parent2) && parent2.importClause ? parent2 : void 0; } function doChange4(changes, sourceFile, declaration) { if (isImportSpecifier(declaration)) { changes.replaceNode(sourceFile, declaration, factory.updateImportSpecifier(declaration, true, declaration.propertyName, declaration.name)); } else { const importClause = declaration.importClause; if (importClause.name && importClause.namedBindings) { changes.replaceNodeWithNodes(sourceFile, declaration, [ factory.createImportDeclaration(getSynthesizedDeepClones(declaration.modifiers, true), factory.createImportClause(true, getSynthesizedDeepClone(importClause.name, true), void 0), getSynthesizedDeepClone(declaration.moduleSpecifier, true), getSynthesizedDeepClone(declaration.assertClause, true)), factory.createImportDeclaration(getSynthesizedDeepClones(declaration.modifiers, true), factory.createImportClause(true, void 0, getSynthesizedDeepClone(importClause.namedBindings, true)), getSynthesizedDeepClone(declaration.moduleSpecifier, true), getSynthesizedDeepClone(declaration.assertClause, true)) ]); } else { const importDeclaration = factory.updateImportDeclaration(declaration, declaration.modifiers, factory.updateImportClause(importClause, true, importClause.name, importClause.namedBindings), declaration.moduleSpecifier, declaration.assertClause); changes.replaceNode(sourceFile, declaration, importDeclaration); } } } var errorCodes14, fixId13; var init_convertToTypeOnlyImport = __esm({ "src/services/codefixes/convertToTypeOnlyImport.ts"() { "use strict"; init_ts4(); init_ts_codefix(); errorCodes14 = [ Diagnostics.This_import_is_never_used_as_a_value_and_must_use_import_type_because_importsNotUsedAsValues_is_set_to_error.code, Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled.code ]; fixId13 = "convertToTypeOnlyImport"; registerCodeFix({ errorCodes: errorCodes14, getCodeActions: function getCodeActionsToConvertToTypeOnlyImport(context) { const declaration = getDeclaration2(context.sourceFile, context.span.start); if (declaration) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange4(t, context.sourceFile, declaration)); return [createCodeFixAction(fixId13, changes, Diagnostics.Convert_to_type_only_import, fixId13, Diagnostics.Convert_all_imports_not_used_as_a_value_to_type_only_imports)]; } return void 0; }, fixIds: [fixId13], getAllCodeActions: function getAllCodeActionsToConvertToTypeOnlyImport(context) { return codeFixAll(context, errorCodes14, (changes, diag2) => { const declaration = getDeclaration2(diag2.file, diag2.start); if (declaration) { doChange4(changes, diag2.file, declaration); } }); } }); } }); function getInfo2(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 doChange5(changes, sourceFile, { container, typeNode, constraint, name }) { changes.replaceNode(sourceFile, container, factory.createMappedTypeNode(void 0, factory.createTypeParameterDeclaration(void 0, name, factory.createTypeReferenceNode(constraint)), void 0, void 0, typeNode, void 0)); } var fixId14, errorCodes15; var init_convertLiteralTypeToMappedType = __esm({ "src/services/codefixes/convertLiteralTypeToMappedType.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId14 = "convertLiteralTypeToMappedType"; errorCodes15 = [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: errorCodes15, getCodeActions: function getCodeActionsToConvertLiteralTypeToMappedType(context) { const { sourceFile, span } = context; const info = getInfo2(sourceFile, span.start); if (!info) { return void 0; } const { name, constraint } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange5(t, sourceFile, info)); return [createCodeFixAction(fixId14, changes, [Diagnostics.Convert_0_to_1_in_0, constraint, name], fixId14, Diagnostics.Convert_all_type_literals_to_mapped_type)]; }, fixIds: [fixId14], getAllCodeActions: (context) => codeFixAll(context, errorCodes15, (changes, diag2) => { const info = getInfo2(diag2.file, diag2.start); if (info) { doChange5(changes, diag2.file, info); } }) }); } }); 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) & 8); } 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); } if (!classType.getStringIndexType()) { createMissingIndexSignatureDeclaration(implementedType, 0); } 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, 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 errorCodes16, fixId15; var init_fixClassIncorrectlyImplementsInterface = __esm({ "src/services/codefixes/fixClassIncorrectlyImplementsInterface.ts"() { "use strict"; init_ts4(); init_ts_codefix(); errorCodes16 = [ 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 ]; fixId15 = "fixClassIncorrectlyImplementsInterface"; registerCodeFix({ errorCodes: errorCodes16, 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(fixId15, changes, [Diagnostics.Implement_interface_0, implementedTypeNode.getText(sourceFile)], fixId15, Diagnostics.Implement_all_unimplemented_interfaces); }); }, fixIds: [fixId15], getAllCodeActions(context) { const seenClassDeclarations = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes16, (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 createImportAdder(sourceFile, program, preferences, host, cancellationToken) { return createImportAdderWorker(sourceFile, program, 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 newImports = /* @__PURE__ */ new Map(); return { addImportFromDiagnostic, addImportFromExportedSymbol, writeFixes, hasFixes }; 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) { 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, false, program, host, preferences, cancellationToken); const useRequire = shouldUseRequire(sourceFile, program); const fix = getImportFixForSymbol(sourceFile, Debug.checkDefined(exportInfo), program, void 0, !!isValidTypeOnlyUseSite, useRequire, host, preferences); if (fix) { addImport({ fix, symbolName: symbolName2, errorIdentifierText: void 0 }); } } function addImport(info) { var _a2, _b; const { fix, symbolName: symbolName2 } = info; switch (fix.kind) { case 0: addToNamespace.push(fix); break; case 1: importType.push(fix); break; case 2: { const { importClauseOrBindingPattern, importKind, addAsTypeOnly } = fix; const key = String(getNodeId(importClauseOrBindingPattern)); let entry = addToExisting.get(key); if (!entry) { addToExisting.set(key, 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((_a2 = entry.defaultImport) == null ? void 0 : _a2.addAsTypeOnly, addAsTypeOnly) }; } break; } case 3: { const { moduleSpecifier, importKind, useRequire, addAsTypeOnly } = fix; 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: 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(fix, `fix wasn"t never - got kind ${fix.kind}`); } function reduceAddAsTypeOnlyValues(prevValue, newValue) { return Math.max(prevValue != null ? prevValue : 0, newValue); } function getNewImportEntry(moduleSpecifier, importKind, useRequire, addAsTypeOnly) { const typeOnlyKey = newImportsKey(moduleSpecifier, true); const nonTypeOnlyKey = newImportsKey(moduleSpecifier, 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) { const quotePreference = getQuotePreference(sourceFile, preferences); for (const fix of addToNamespace) { addNamespaceQualifier(changeTracker, sourceFile, fix); } for (const fix of importType) { addImportType(changeTracker, sourceFile, fix, quotePreference); } addToExisting.forEach(({ importClauseOrBindingPattern, defaultImport, namedImports }) => { doAddExistingFix(changeTracker, sourceFile, importClauseOrBindingPattern, defaultImport, arrayFrom(namedImports.entries(), ([name, addAsTypeOnly]) => ({ addAsTypeOnly, name })), compilerOptions, 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); newDeclarations = combine(newDeclarations, declarations); }); if (newDeclarations) { insertImports(changeTracker, sourceFile, newDeclarations, true, preferences); } } function hasFixes() { return addToNamespace.length > 0 || importType.length > 0 || addToExisting.size > 0 || newImports.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, false, program, importingFile, host, preferences, importMap, fromCacheOnly); const result = getBestFix(fixes, importingFile, program, packageJsonImportFilter, host); return result && { ...result, computedWithoutCacheCount }; } } function getImportCompletionAction(targetSymbol, moduleSymbol, exportMapKey, sourceFile, symbolName2, isJsxTagName, host, program, formatContext, position, preferences, cancellationToken) { const compilerOptions = program.getCompilerOptions(); 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 fix = Debug.checkDefined(getImportFixForSymbol(sourceFile, exportInfos, program, position, isValidTypeOnlyUseSite, useRequire, host, preferences)); return { moduleSpecifier: fix.moduleSpecifier, codeAction: codeFixActionToCodeAction(codeActionForFix({ host, formatContext, preferences }, sourceFile, symbolName2, fix, false, compilerOptions, preferences)) }; } function getPromoteTypeOnlyCompletionAction(sourceFile, symbolToken, program, host, formatContext, preferences) { const compilerOptions = program.getCompilerOptions(); const symbolName2 = single(getSymbolNamesToImport(sourceFile, program.getTypeChecker(), symbolToken, compilerOptions)); const fix = getTypeOnlyPromotionFix(sourceFile, symbolToken, symbolName2, program); const includeSymbolNameInDescription = symbolName2 !== symbolToken.text; return fix && codeFixActionToCodeAction(codeActionForFix({ host, formatContext, preferences }, sourceFile, symbolName2, fix, includeSymbolNameInDescription, compilerOptions, 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); } function codeFixActionToCodeAction({ description: description2, changes, commands }) { return { description: description2, 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 _a2, _b; const compilerOptions = program.getCompilerOptions(); const mainProgramInfo = getInfoWithChecker(program.getTypeChecker(), false); if (mainProgramInfo) { return mainProgramInfo; } const autoImportProvider = (_b = (_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host)) == null ? void 0 : _b.getTypeChecker(); return Debug.checkDefined(autoImportProvider && getInfoWithChecker(autoImportProvider, true), `Could not find symbol in specified module for code actions`); function getInfoWithChecker(checker, isFromPackageJson) { const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker, compilerOptions); 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 = createExistingImportMap(program.getTypeChecker(), sourceFile, program.getCompilerOptions()), fromCacheOnly) { const checker = program.getTypeChecker(); const existingImports = flatMap(exportInfos, importMap.getImportsForExportInfo); 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 _a2; if (importKind !== 0) return void 0; const namespacePrefix = getNamespaceLikeImportText(declaration); const moduleSpecifier = namespacePrefix && ((_a2 = tryGetModuleSpecifierFromDeclaration(declaration)) == null ? void 0 : _a2.text); if (moduleSpecifier) { return { kind: 0, namespacePrefix, usagePosition: position, moduleSpecifier }; } }); } function getNamespaceLikeImportText(declaration) { var _a2, _b, _c; switch (declaration.kind) { case 257: return (_a2 = tryCast(declaration.name, isIdentifier)) == null ? void 0 : _a2.text; case 268: return declaration.name.text; case 269: 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 (isForNewImportDeclaration && compilerOptions.importsNotUsedAsValues === 2) { return 2; } if (importNameElisionDisabled(compilerOptions) && (!(targetFlags & 111551) || !!checker.getTypeOnlyAliasDeclaration(symbol))) { return 2; } return 1; } function tryAddToExistingImport(existingImports, isValidTypeOnlyUseSite, checker, compilerOptions) { return firstDefined(existingImports, ({ declaration, importKind, symbol, targetFlags }) => { if (importKind === 3 || importKind === 2 || declaration.kind === 268) { return void 0; } if (declaration.kind === 257) { return (importKind === 0 || importKind === 1) && declaration.name.kind === 203 ? { kind: 2, importClauseOrBindingPattern: declaration.name, importKind, moduleSpecifier: declaration.initializer.arguments[0].text, addAsTypeOnly: 4 } : 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, false, symbol, targetFlags, checker, compilerOptions); if (importKind === 1 && (name || addAsTypeOnly === 2 && namedBindings)) return void 0; if (importKind === 0 && (namedBindings == null ? void 0 : namedBindings.kind) === 271) return void 0; return { kind: 2, importClauseOrBindingPattern: importClause, importKind, 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 === 269 || i.kind === 268) { const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier); if (moduleSymbol) { (importMap || (importMap = createMultiMap())).add(getSymbolId(moduleSymbol), i); } } } return { getImportsForExportInfo: ({ moduleSymbol, exportKind, targetFlags, symbol }) => { if (!(targetFlags & 111551) && isSourceFileJS(importingFile)) return emptyArray; const matchingDeclarations = importMap == null ? void 0 : importMap.get(getSymbolId(moduleSymbol)); if (!matchingDeclarations) return emptyArray; const importKind = getImportKind(importingFile, exportKind, compilerOptions); return matchingDeclarations.map((declaration) => ({ declaration, importKind, symbol, targetFlags })); } }; } function shouldUseRequire(sourceFile, program) { if (!isSourceFileJS(sourceFile)) { 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; } 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 = isSourceFileJS(sourceFile); 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 ? (moduleSymbol) => ({ moduleSpecifiers: ts_moduleSpecifiers_exports.tryGetModuleSpecifiersFromCache(moduleSymbol, sourceFile, moduleSpecifierResolutionHost, preferences), computedWithoutCache: false }) : (moduleSymbol, checker) => ts_moduleSpecifiers_exports.getModuleSpecifiersWithCacheInfo(moduleSymbol, checker, compilerOptions, sourceFile, moduleSpecifierResolutionHost, preferences); let computedWithoutCacheCount = 0; const fixes = flatMap(exportInfo, (exportInfo2, i) => { const checker = getChecker(exportInfo2.isFromPackageJson); const { computedWithoutCache, moduleSpecifiers } = getModuleSpecifiers2(exportInfo2.moduleSymbol, checker); const importedSymbolHasValueMeaning = !!(exportInfo2.targetFlags & 111551); const addAsTypeOnly = getAddAsTypeOnly(isValidTypeOnlyUseSite, true, exportInfo2.symbol, exportInfo2.targetFlags, checker, compilerOptions); computedWithoutCacheCount += computedWithoutCache ? 1 : 0; return mapDefined(moduleSpecifiers, (moduleSpecifier) => { var _a2; if (rejectNodeModulesRelativePaths && pathContainsNodeModules(moduleSpecifier)) { return void 0; } if (!importedSymbolHasValueMeaning && isJs && usagePosition !== void 0) { return { kind: 1, 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 = (_a2 = getDefaultExportInfoWorker(exportEquals, checker, compilerOptions)) == null ? void 0 : _a2.name; } namespacePrefix || (namespacePrefix = moduleSymbolToValidIdentifier(exportInfo2.moduleSymbol, getEmitScriptTarget(compilerOptions), false)); qualification = { namespacePrefix, usagePosition }; } return { kind: 3, 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 _a2; const moduleSpecifier = (_a2 = tryGetModuleSpecifierFromDeclaration(declaration)) == null ? void 0 : _a2.text; if (moduleSpecifier) { const addAsTypeOnly = useRequire ? 4 : getAddAsTypeOnly(isValidTypeOnlyUseSite, true, symbol, targetFlags, checker, compilerOptions); return { kind: 3, 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 fix = getTypeOnlyPromotionFix(context.sourceFile, symbolToken, symbolName2, context.program); return fix && [{ fix, 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); } function sortFixInfo(fixes, sourceFile, program, packageJsonImportFilter, host) { const _toPath = (fileName) => toPath(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, packageJsonImportFilter.allowsImportingSpecifier, _toPath)); } function getBestFix(fixes, sourceFile, program, packageJsonImportFilter, host) { if (!some(fixes)) return; if (fixes[0].kind === 0 || fixes[0].kind === 2) { return fixes[0]; } return fixes.reduce((best, fix) => compareModuleSpecifiers(fix, best, sourceFile, program, packageJsonImportFilter.allowsImportingSpecifier, (fileName) => toPath(fileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host))) === -1 ? fix : best); } function compareModuleSpecifiers(a, b, importingFile, program, allowsImportingSpecifier, toPath3) { if (a.kind !== 0 && b.kind !== 0) { return compareBooleans(allowsImportingSpecifier(b.moduleSpecifier), allowsImportingSpecifier(a.moduleSpecifier)) || compareNodeCoreModuleSpecifiers(a.moduleSpecifier, b.moduleSpecifier, importingFile, program) || compareBooleans(isFixPossiblyReExportingImportingFile(a, importingFile, program.getCompilerOptions(), toPath3), isFixPossiblyReExportingImportingFile(b, importingFile, program.getCompilerOptions(), toPath3)) || compareNumberOfDirectorySeparators(a.moduleSpecifier, b.moduleSpecifier); } return 0; } function isFixPossiblyReExportingImportingFile(fix, importingFile, compilerOptions, toPath3) { var _a2; if (fix.isReExport && ((_a2 = fix.exportInfo) == null ? void 0 : _a2.moduleFileName) && getEmitModuleResolutionKind(compilerOptions) === 2 && isIndexFileName(fix.exportInfo.moduleFileName)) { const reExportDir = toPath3(getDirectoryPath(fix.exportInfo.moduleFileName)); return startsWith(importingFile.path, reExportDir); } return false; } function isIndexFileName(fileName) { return getBaseFileName(fileName, [".js", ".jsx", ".d.ts", ".ts", ".tsx"], true) === "index"; } function compareNodeCoreModuleSpecifiers(a, b, importingFile, program) { if (startsWith(a, "node:") && !startsWith(b, "node:")) return shouldUseUriStyleNodeCoreModules(importingFile, program) ? -1 : 1; if (startsWith(b, "node:") && !startsWith(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, void 0, false, useRequire, program, sourceFile, host, preferences).fixes; return fixes.map((fix) => { var _a2; return { fix, symbolName: symbolName2, errorIdentifierText: (_a2 = tryCast(token, isIdentifier)) == null ? void 0 : _a2.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, 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 (isInJSFile(importingFile)) { return isExternalModule(importingFile) || forceImportKeyword ? 2 : 3; } return 3; case 4: case 5: case 6: case 7: case 99: case 0: 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), (fix) => ({ fix, 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, 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, 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, true); return !namespaceSymbol || some(namespaceSymbol.declarations, isTypeOnlyImportOrExportDeclaration) && !(namespaceSymbol.flags & 111551); } function getExportInfos(symbolName2, isJsxTagName, currentTokenMeaning, cancellationToken, fromFile, program, useAutoImportProvider, host, preferences) { var _a2; const originalSymbolToExportInfos = createMultiMap(); const packageJsonFilter = createPackageJsonImportFilter(fromFile, preferences, host); const moduleSpecifierCache = (_a2 = host.getModuleSpecifierCache) == null ? void 0 : _a2.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, compilerOptions); if (defaultInfo && (defaultInfo.name === symbolName2 || moduleSymbolToValidIdentifier(moduleSymbol, getEmitScriptTarget(compilerOptions), isJsxTagName) === symbolName2) && symbolHasMeaning(defaultInfo.resolvedSymbol, currentTokenMeaning)) { addSymbol(moduleSymbol, sourceFile, defaultInfo.symbol, defaultInfo.exportKind, program2, isFromPackageJson); } const exportSymbolWithIdenticalName = checker.tryGetMemberInModuleExportsAndProperties(symbolName2, moduleSymbol); if (exportSymbolWithIdenticalName && symbolHasMeaning(exportSymbolWithIdenticalName, currentTokenMeaning)) { addSymbol(moduleSymbol, sourceFile, exportSymbolWithIdenticalName, 0, program2, isFromPackageJson); } }); return originalSymbolToExportInfos; } function getExportEqualsImportKind(importingFile, compilerOptions, forceImportKeyword) { const allowSyntheticDefaults = getAllowSyntheticDefaultImports(compilerOptions); const isJS = isInJSFile(importingFile); if (!isJS && getEmitModuleKind(compilerOptions) >= 5) { return allowSyntheticDefaults ? 1 : 2; } if (isJS) { return isExternalModule(importingFile) || forceImportKeyword ? allowSyntheticDefaults ? 1 : 2 : 3; } for (const statement of importingFile.statements) { if (isImportEqualsDeclaration(statement) && !nodeIsMissing(statement.moduleReference)) { return 3; } } return allowSyntheticDefaults ? 1 : 3; } function codeActionForFix(context, sourceFile, symbolName2, fix, includeSymbolNameInDescription, compilerOptions, preferences) { let diag2; const changes = ts_textChanges_exports.ChangeTracker.with(context, (tracker) => { diag2 = codeActionForFixWorker(tracker, sourceFile, symbolName2, fix, includeSymbolNameInDescription, compilerOptions, preferences); }); return createCodeFixAction(importFixName, changes, diag2, importFixId, Diagnostics.Add_all_missing_imports); } function codeActionForFixWorker(changes, sourceFile, symbolName2, fix, includeSymbolNameInDescription, compilerOptions, preferences) { const quotePreference = getQuotePreference(sourceFile, preferences); switch (fix.kind) { case 0: addNamespaceQualifier(changes, sourceFile, fix); return [Diagnostics.Change_0_to_1, symbolName2, `${fix.namespacePrefix}.${symbolName2}`]; case 1: addImportType(changes, sourceFile, fix, quotePreference); return [Diagnostics.Change_0_to_1, symbolName2, getImportTypePrefix(fix.moduleSpecifier, quotePreference) + symbolName2]; case 2: { const { importClauseOrBindingPattern, importKind, addAsTypeOnly, moduleSpecifier } = fix; doAddExistingFix(changes, sourceFile, importClauseOrBindingPattern, importKind === 1 ? { name: symbolName2, addAsTypeOnly } : void 0, importKind === 0 ? [{ name: symbolName2, addAsTypeOnly }] : emptyArray, compilerOptions, 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 } = fix; 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, compilerOptions), 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 } = fix; const promotedDeclaration = promoteFromTypeOnly(changes, typeOnlyAliasDeclaration, compilerOptions, sourceFile, preferences); return promotedDeclaration.kind === 273 ? [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(fix, `Unexpected fix kind ${fix.kind}`); } } function getModuleSpecifierText(promotedDeclaration) { var _a2, _b; return promotedDeclaration.kind === 268 ? ((_b = tryCast((_a2 = tryCast(promotedDeclaration.moduleReference, isExternalModuleReference)) == null ? void 0 : _a2.expression, isStringLiteralLike)) == null ? void 0 : _b.text) || promotedDeclaration.moduleReference.getText() : cast(promotedDeclaration.parent.moduleSpecifier, isStringLiteral).text; } function promoteFromTypeOnly(changes, aliasDeclaration, compilerOptions, sourceFile, preferences) { const convertExistingToTypeOnly = importNameElisionDisabled(compilerOptions); switch (aliasDeclaration.kind) { case 273: if (aliasDeclaration.isTypeOnly) { const sortKind = ts_OrganizeImports_exports.detectImportSpecifierSorting(aliasDeclaration.parent.elements, preferences); if (aliasDeclaration.parent.elements.length > 1 && sortKind) { changes.delete(sourceFile, aliasDeclaration); const newSpecifier = factory.updateImportSpecifier(aliasDeclaration, false, aliasDeclaration.propertyName, aliasDeclaration.name); const comparer = ts_OrganizeImports_exports.getOrganizeImportsComparer(preferences, sortKind === 2); const insertionIndex = ts_OrganizeImports_exports.getImportSpecifierInsertionIndex(aliasDeclaration.parent.elements, newSpecifier, comparer); changes.insertImportSpecifierAtIndex(sourceFile, newSpecifier, aliasDeclaration.parent, insertionIndex); } else { changes.deleteRange(sourceFile, aliasDeclaration.getFirstToken()); } return aliasDeclaration; } else { Debug.assert(aliasDeclaration.parent.parent.isTypeOnly); promoteImportClause(aliasDeclaration.parent.parent); return aliasDeclaration.parent.parent; } case 270: promoteImportClause(aliasDeclaration); return aliasDeclaration; case 271: promoteImportClause(aliasDeclaration.parent); return aliasDeclaration.parent; case 268: changes.deleteRange(sourceFile, aliasDeclaration.getChildAt(1)); return aliasDeclaration; default: Debug.failBadSyntaxKind(aliasDeclaration); } function promoteImportClause(importClause) { changes.delete(sourceFile, getTypeKeywordOfTypeOnlyImport(importClause, sourceFile)); if (convertExistingToTypeOnly) { const namedImports = tryCast(importClause.namedBindings, isNamedImports); if (namedImports && namedImports.elements.length > 1) { if (ts_OrganizeImports_exports.detectImportSpecifierSorting(namedImports.elements, preferences) && aliasDeclaration.kind === 273 && 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, 154, element); } } } } } } function doAddExistingFix(changes, sourceFile, clause, defaultImport, namedImports, compilerOptions, preferences) { var _a2; if (clause.kind === 203) { if (defaultImport) { addElementToBindingPattern(clause, defaultImport.name, "default"); } for (const specifier of namedImports) { addElementToBindingPattern(clause, specifier.name, void 0); } return; } const promoteFromTypeOnly2 = clause.isTypeOnly && some([defaultImport, ...namedImports], (i) => (i == null ? void 0 : i.addAsTypeOnly) === 4); const existingSpecifiers = clause.namedBindings && ((_a2 = tryCast(clause.namedBindings, isNamedImports)) == null ? void 0 : _a2.elements); const convertExistingToTypeOnly = promoteFromTypeOnly2 && importNameElisionDisabled(compilerOptions); 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) { let ignoreCaseForSorting; if (typeof preferences.organizeImportsIgnoreCase === "boolean") { ignoreCaseForSorting = preferences.organizeImportsIgnoreCase; } else if (existingSpecifiers) { const targetImportSorting = ts_OrganizeImports_exports.detectImportSpecifierSorting(existingSpecifiers, preferences); if (targetImportSorting !== 3) { ignoreCaseForSorting = targetImportSorting === 2; } } if (ignoreCaseForSorting === void 0) { ignoreCaseForSorting = ts_OrganizeImports_exports.detectSorting(sourceFile, preferences) === 2; } const comparer = ts_OrganizeImports_exports.getOrganizeImportsComparer(preferences, ignoreCaseForSorting); const newSpecifiers = stableSort(namedImports.map((namedImport) => factory.createImportSpecifier((!clause.isTypeOnly || promoteFromTypeOnly2) && needsTypeOnly(namedImport), void 0, factory.createIdentifier(namedImport.name))), (s1, s2) => ts_OrganizeImports_exports.compareImportOrExportSpecifiers(s1, s2, comparer)); const specifierSort = (existingSpecifiers == null ? void 0 : existingSpecifiers.length) && ts_OrganizeImports_exports.detectImportSpecifierSorting(existingSpecifiers, preferences); if (specifierSort && !(ignoreCaseForSorting && specifierSort === 1)) { for (const spec of newSpecifiers) { const insertionIndex = convertExistingToTypeOnly && !spec.isTypeOnly ? 0 : ts_OrganizeImports_exports.getImportSpecifierInsertionIndex(existingSpecifiers, spec, comparer); 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 (convertExistingToTypeOnly && existingSpecifiers) { for (const specifier of existingSpecifiers) { changes.insertModifierBefore(sourceFile, 154, specifier); } } } function addElementToBindingPattern(bindingPattern, name, propertyName) { const element = factory.createBindingElement(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 getNewImports(moduleSpecifier, quotePreference, defaultImport, namedImports, namespaceLikeImport, compilerOptions) { 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 && (defaultImport == null ? void 0 : defaultImport.addAsTypeOnly) !== 4 && !some(namedImports, (i) => i.addAsTypeOnly === 4); statements = combine(statements, makeImport(defaultImport && factory.createIdentifier(defaultImport.name), namedImports == null ? void 0 : namedImports.map(({ addAsTypeOnly, name }) => factory.createImportSpecifier(!topLevelTypeOnly && addAsTypeOnly === 2, void 0, factory.createIdentifier(name))), moduleSpecifier, quotePreference, topLevelTypeOnly)); } if (namespaceLikeImport) { const declaration = namespaceLikeImport.importKind === 3 ? factory.createImportEqualsDeclaration(void 0, needsTypeOnly(namespaceLikeImport), factory.createIdentifier(namespaceLikeImport.name), factory.createExternalModuleReference(quotedModuleSpecifier)) : factory.createImportDeclaration(void 0, factory.createImportClause(needsTypeOnly(namespaceLikeImport), void 0, factory.createNamespaceImport(factory.createIdentifier(namespaceLikeImport.name))), quotedModuleSpecifier, 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(void 0, void 0, name))) || []; if (defaultImport) { bindingElements.unshift(factory.createBindingElement(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(void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration(typeof name === "string" ? factory.createIdentifier(name) : name, void 0, void 0, factory.createCallExpression(factory.createIdentifier("require"), void 0, [quotedModuleSpecifier])) ], 2)); } function symbolHasMeaning({ declarations }, meaning) { return some(declarations, (decl) => !!(getMeaningFromDeclaration(decl) & meaning)); } 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 isValid = isIdentifierPart(ch, target); if (isValid) { let char = String.fromCharCode(ch); if (!lastCharWasValid) { char = char.toUpperCase(); } res += char; } lastCharWasValid = isValid; } return !isStringANonContextualKeyword(res) ? res || "_" : `_${res}`; } var importFixName, importFixId, errorCodes17; var init_importFixes = __esm({ "src/services/codefixes/importFixes.ts"() { "use strict"; init_ts4(); init_ts_codefix(); importFixName = "import"; importFixId = "fixMissingImport"; errorCodes17 = [ 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 ]; registerCodeFix({ errorCodes: errorCodes17, getCodeActions(context) { const { errorCode, preferences, sourceFile, span, program } = context; const info = getFixInfos(context, errorCode, span.start, true); if (!info) return void 0; return info.map(({ fix, symbolName: symbolName2, errorIdentifierText }) => codeActionForFix(context, sourceFile, symbolName2, fix, symbolName2 !== errorIdentifierText, program.getCompilerOptions(), preferences)); }, fixIds: [importFixId], getAllCodeActions: (context) => { const { sourceFile, program, preferences, host, cancellationToken } = context; const importAdder = createImportAdderWorker(sourceFile, program, true, preferences, host, cancellationToken); eachDiagnostic(context, errorCodes17, (diag2) => importAdder.addImportFromDiagnostic(diag2, context)); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, importAdder.writeFixes)); } }); } }); function getInfo3(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 (isString(constraint)) { changes.insertText(sourceFile, declaration.name.end, ` extends ${constraint}`); } else { const scriptTarget = getEmitScriptTarget(program.getCompilerOptions()); const tracker = getNoopSymbolTrackerWithResolver({ program, host }); const importAdder = createImportAdder(sourceFile, program, preferences, host); const typeNode = typeToAutoImportableTypeNode(checker, importAdder, constraint, void 0, scriptTarget, void 0, tracker); if (typeNode) { changes.replaceNode(sourceFile, declaration, factory.updateTypeParameterDeclaration(declaration, void 0, declaration.name, typeNode, declaration.default)); importAdder.writeFixes(changes); } } } function tryGetConstraintFromDiagnosticMessage(messageText) { const [_, constraint] = flattenDiagnosticMessageText2(messageText, " ", 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 fixId16, errorCodes18; var init_fixAddMissingConstraint = __esm({ "src/services/codefixes/fixAddMissingConstraint.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId16 = "addMissingConstraint"; errorCodes18 = [ 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: errorCodes18, getCodeActions(context) { const { sourceFile, span, program, preferences, host } = context; const info = getInfo3(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(fixId16, changes, Diagnostics.Add_extends_constraint, fixId16, Diagnostics.Add_extends_constraint_to_all_type_parameters)]; }, fixIds: [fixId16], getAllCodeActions: (context) => { const { program, preferences, host } = context; const seen = /* @__PURE__ */ new Map(); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { eachDiagnostic(context, errorCodes18, (diag2) => { const info = getInfo3(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 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, 161, 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 173: case 169: case 171: case 174: case 175: return true; case 166: 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 fixName, fixAddOverrideId, fixRemoveOverrideId, errorCodes19, errorCodeFixIdMap; var init_fixOverrideModifier = __esm({ "src/services/codefixes/fixOverrideModifier.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName = "fixOverrideModifier"; fixAddOverrideId = "fixAddOverrideModifier"; fixRemoveOverrideId = "fixRemoveOverrideModifier"; errorCodes19 = [ 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 ]; errorCodeFixIdMap = { [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 }, [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 }, [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 }, [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 }, [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: errorCodes19, getCodeActions: function getCodeActionsToFixOverrideModifierIssues(context) { const { errorCode, span } = context; const info = errorCodeFixIdMap[errorCode]; if (!info) return emptyArray; const { descriptions, fixId: fixId51, fixAllDescriptions } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => dispatchChanges(changes2, context, errorCode, span.start)); return [ createCodeFixActionMaybeFixAll(fixName, changes, descriptions, fixId51, fixAllDescriptions) ]; }, fixIds: [fixName, fixAddOverrideId, fixRemoveOverrideId], getAllCodeActions: (context) => codeFixAll(context, errorCodes19, (changes, diag2) => { const { code, start } = diag2; const info = errorCodeFixIdMap[code]; if (!info || info.fixId !== context.fixId) { return; } dispatchChanges(changes, context, code, start); }) }); } }); function doChange6(changes, sourceFile, node, preferences) { const quotePreference = getQuotePreference(sourceFile, preferences); const argumentsExpression = factory.createStringLiteral(node.name.text, quotePreference === 0); 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 fixId17, errorCodes20; var init_fixNoPropertyAccessFromIndexSignature = __esm({ "src/services/codefixes/fixNoPropertyAccessFromIndexSignature.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId17 = "fixNoPropertyAccessFromIndexSignature"; errorCodes20 = [ Diagnostics.Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0.code ]; registerCodeFix({ errorCodes: errorCodes20, fixIds: [fixId17], getCodeActions(context) { const { sourceFile, span, preferences } = context; const property = getPropertyAccessExpression(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange6(t, context.sourceFile, property, preferences)); return [createCodeFixAction(fixId17, changes, [Diagnostics.Use_element_access_for_0, property.name.text], fixId17, Diagnostics.Use_element_access_for_all_undeclared_properties)]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes20, (changes, diag2) => doChange6(changes, diag2.file, getPropertyAccessExpression(diag2.file, diag2.start), context.preferences)) }); } }); function doChange7(changes, sourceFile, pos, checker) { const token = getTokenAtPosition(sourceFile, pos); if (!isThis(token)) return void 0; const fn = getThisContainer(token, false, false); if (!isFunctionDeclaration(fn) && !isFunctionExpression(fn)) return void 0; if (!isSourceFile(getThisContainer(fn, false, false))) { const fnKeyword = Debug.checkDefined(findChildOfKind(fn, 98, 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(85)); changes.insertText(sourceFile, name.end, " = "); changes.insertText(sourceFile, body.pos, " =>"); return [Diagnostics.Convert_function_declaration_0_to_arrow_function, name.text]; } } } var fixId18, errorCodes21; var init_fixImplicitThis = __esm({ "src/services/codefixes/fixImplicitThis.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId18 = "fixImplicitThis"; errorCodes21 = [Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code]; registerCodeFix({ errorCodes: errorCodes21, getCodeActions: function getCodeActionsToFixImplicitThis(context) { const { sourceFile, program, span } = context; let diagnostic; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => { diagnostic = doChange7(t, sourceFile, span.start, program.getTypeChecker()); }); return diagnostic ? [createCodeFixAction(fixId18, changes, diagnostic, fixId18, Diagnostics.Fix_all_implicit_this_errors)] : emptyArray; }, fixIds: [fixId18], getAllCodeActions: (context) => codeFixAll(context, errorCodes21, (changes, diag2) => { doChange7(changes, diag2.file, diag2.start, context.program.getTypeChecker()); }) }); } }); function getInfo4(sourceFile, pos, program) { var _a2; const token = getTokenAtPosition(sourceFile, pos); if (isIdentifier(token)) { const importDeclaration = findAncestor(token, isImportDeclaration); if (importDeclaration === void 0) return void 0; const moduleSpecifier = isStringLiteral(importDeclaration.moduleSpecifier) ? importDeclaration.moduleSpecifier.text : void 0; if (moduleSpecifier === void 0) return void 0; const resolvedModule = getResolvedModule(sourceFile, moduleSpecifier, void 0); 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 = (_a2 = tryCast(moduleSymbol.valueDeclaration, canHaveLocals)) == null ? void 0 : _a2.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 }; } return void 0; } function doChange8(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, moduleExports, node) { if (length(moduleExports)) { if (node) { updateExport(changes, program, sourceFile, node, moduleExports); } else { createExport(changes, program, sourceFile, moduleExports); } } } 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)], namedExports.hasTrailingComma)), node.moduleSpecifier, node.assertClause)); } function createExport(changes, program, sourceFile, names) { changes.insertNodeAtEndOfScope(sourceFile, sourceFile, factory.createExportDeclaration(void 0, false, factory.createNamedExports(createExportSpecifiers(names, getIsolatedModules(program.getCompilerOptions()))), void 0, void 0)); } function createExportSpecifiers(names, allowTypeModifier) { return factory.createNodeArray(map(names, (n) => factory.createExportSpecifier(allowTypeModifier && n.isTypeOnly, 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 fixId19, errorCodes22; var init_fixImportNonExportedMember = __esm({ "src/services/codefixes/fixImportNonExportedMember.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId19 = "fixImportNonExportedMember"; errorCodes22 = [ Diagnostics.Module_0_declares_1_locally_but_it_is_not_exported.code ]; registerCodeFix({ errorCodes: errorCodes22, fixIds: [fixId19], getCodeActions(context) { const { sourceFile, span, program } = context; const info = getInfo4(sourceFile, span.start, program); if (info === void 0) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange8(t, program, info)); return [createCodeFixAction(fixId19, changes, [Diagnostics.Export_0_from_module_1, info.exportName.node.text, info.moduleSpecifier], fixId19, Diagnostics.Export_all_referenced_locals)]; }, getAllCodeActions(context) { const { program } = context; return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { const exports = /* @__PURE__ */ new Map(); eachDiagnostic(context, errorCodes22, (diag2) => { const info = getInfo4(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 moduleExports = exports.get(moduleSourceFile) || { typeOnlyExports: [], exports: [] }; if (exportName.isTypeOnly) { moduleExports.typeOnlyExports.push(exportName); } else { moduleExports.exports.push(exportName); } exports.set(moduleSourceFile, moduleExports); } }); exports.forEach((moduleExports, moduleSourceFile) => { const exportDeclaration = tryGetExportDeclaration(moduleSourceFile, true); if (exportDeclaration && exportDeclaration.isTypeOnly) { doChanges(changes, program, moduleSourceFile, moduleExports.typeOnlyExports, exportDeclaration); doChanges(changes, program, moduleSourceFile, moduleExports.exports, tryGetExportDeclaration(moduleSourceFile, false)); } else { doChanges(changes, program, moduleSourceFile, [...moduleExports.exports, ...moduleExports.typeOnlyExports], exportDeclaration); } }); })); } }); } }); function getNamedTupleMember(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); return findAncestor(token, (t) => t.kind === 199); } function doChange9(changes, sourceFile, namedTupleMember) { if (!namedTupleMember) { return; } let unwrappedType = namedTupleMember.type; let sawOptional = false; let sawRest = false; while (unwrappedType.kind === 187 || unwrappedType.kind === 188 || unwrappedType.kind === 193) { if (unwrappedType.kind === 187) { sawOptional = true; } else if (unwrappedType.kind === 188) { sawRest = true; } unwrappedType = unwrappedType.type; } const updated = factory.updateNamedTupleMember(namedTupleMember, namedTupleMember.dotDotDotToken || (sawRest ? factory.createToken(25) : void 0), namedTupleMember.name, namedTupleMember.questionToken || (sawOptional ? factory.createToken(57) : void 0), unwrappedType); if (updated === namedTupleMember) { return; } changes.replaceNode(sourceFile, namedTupleMember, updated); } var fixId20, errorCodes23; var init_fixIncorrectNamedTupleSyntax = __esm({ "src/services/codefixes/fixIncorrectNamedTupleSyntax.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId20 = "fixIncorrectNamedTupleSyntax"; errorCodes23 = [ 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: errorCodes23, getCodeActions: function getCodeActionsToFixIncorrectNamedTupleSyntax(context) { const { sourceFile, span } = context; const namedTupleMember = getNamedTupleMember(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange9(t, sourceFile, namedTupleMember)); return [createCodeFixAction(fixId20, changes, Diagnostics.Move_labeled_tuple_element_modifiers_to_labels, fixId20, Diagnostics.Move_labeled_tuple_element_modifiers_to_labels)]; }, fixIds: [fixId20] }); } }); function getInfo5(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 & 32) { containingType = checker.getNonNullableType(containingType); } suggestedSymbol = checker.getSuggestedSymbolForNonexistentProperty(node, containingType); } else if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 101 && 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(sourceFile, context, importDeclaration); 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 (hasSyntacticModifier(parent2, 16384) && 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 doChange10(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(sourceFile, context, importDeclaration) { if (!importDeclaration || !isStringLiteralLike(importDeclaration.moduleSpecifier)) return void 0; const resolvedModule = getResolvedModule(sourceFile, importDeclaration.moduleSpecifier.text, getModeForUsageLocation(sourceFile, importDeclaration.moduleSpecifier)); if (!resolvedModule) return void 0; return context.program.getSourceFile(resolvedModule.resolvedFileName); } var fixId21, errorCodes24; var init_fixSpelling = __esm({ "src/services/codefixes/fixSpelling.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId21 = "fixSpelling"; errorCodes24 = [ 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, Diagnostics.No_overload_matches_this_call.code, Diagnostics.Type_0_is_not_assignable_to_type_1.code ]; registerCodeFix({ errorCodes: errorCodes24, getCodeActions(context) { const { sourceFile, errorCode } = context; const info = getInfo5(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) => doChange10(t, sourceFile, node, suggestedSymbol, target)); return [createCodeFixAction("spelling", changes, [Diagnostics.Change_spelling_to_0, symbolName(suggestedSymbol)], fixId21, Diagnostics.Fix_all_detected_spelling_errors)]; }, fixIds: [fixId21], getAllCodeActions: (context) => codeFixAll(context, errorCodes24, (changes, diag2) => { const info = getInfo5(diag2.file, diag2.start, context, diag2.code); const target = getEmitScriptTarget(context.host.getCompilationSettings()); if (info) doChange10(changes, context.sourceFile, info.node, info.suggestedSymbol, target); }) }); } }); 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(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 (isExpressionStatement(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) && isExpressionStatement(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) && isExpressionStatement(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, 512)) { exprType = checker.createPromiseType(exprType); } const newSig = checker.createSignature(declaration, sig.typeParameters, sig.thisParameter, sig.parameters, exprType, void 0, sig.minArgumentCount, sig.flags); exprType = checker.createAnonymousType(void 0, createSymbolTable(), [newSig], [], []); } else { exprType = checker.getAnyType(); } } return checker.isTypeAssignableTo(exprType, type); } function getInfo6(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_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), false); case Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code: if (!declaration || !isCallExpression(declaration.parent) || !declaration.body) return void 0; const pos = declaration.parent.arguments.indexOf(declaration); const type = checker.getContextualTypeForArgumentAtIndex(declaration.parent, pos); if (!type) return void 0; return getFixInfo(checker, declaration, type, 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), true); } return void 0; } function getVariableLikeInitializer(declaration) { switch (declaration.kind) { case 257: case 166: case 205: case 169: case 299: return declaration.initializer; case 288: return declaration.initializer && (isJsxExpression(declaration.initializer) ? declaration.initializer.expression : void 0); case 300: case 168: case 302: case 351: case 344: 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 || needsParentheses(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(fixId22, 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, false)); return createCodeFixAction(fixId22, 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(fixId22, changes, Diagnostics.Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal, fixIdWrapTheBlockWithParen, Diagnostics.Wrap_all_object_literal_with_parentheses); } var fixId22, fixIdAddReturnStatement, fixRemoveBracesFromArrowFunctionBody, fixIdWrapTheBlockWithParen, errorCodes25; var init_returnValueCorrect = __esm({ "src/services/codefixes/returnValueCorrect.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId22 = "returnValueCorrect"; fixIdAddReturnStatement = "fixAddReturnStatement"; fixRemoveBracesFromArrowFunctionBody = "fixRemoveBracesFromArrowFunctionBody"; fixIdWrapTheBlockWithParen = "fixWrapTheBlockWithParen"; errorCodes25 = [ Diagnostics.A_function_whose_declared_type_is_neither_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: errorCodes25, fixIds: [fixIdAddReturnStatement, fixRemoveBracesFromArrowFunctionBody, fixIdWrapTheBlockWithParen], getCodeActions: function getCodeActionsToCorrectReturnValue(context) { const { program, sourceFile, span: { start }, errorCode } = context; const info = getInfo6(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, errorCodes25, (changes, diag2) => { const info = getInfo6(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, 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 getInfo7(sourceFile, tokenPos, errorCode, checker, program) { var _a2; 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 === 18 && isObjectLiteralExpression(parent2) && isCallExpression(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), false, false)); if (!length(properties)) return void 0; return { kind: 3, token: param.name, properties, parentDeclaration: parent2 }; } if (!isMemberName(token)) return void 0; if (isIdentifier(token) && hasInitializer(parent2) && parent2.initializer && isObjectLiteralExpression(parent2.initializer)) { const properties = arrayFrom(checker.getUnmatchedProperties(checker.getTypeAtLocation(parent2.initializer), checker.getTypeAtLocation(token), false, false)); if (!length(properties)) return void 0; return { kind: 3, token, 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 = (_a2 = checker.getContextualType(token)) == null ? void 0 : _a2.getNonNullableType(); if (type && getObjectFlags(type) & 16) { const signature = firstOrUndefined(checker.getSignaturesOfType(type, 0)); if (signature === void 0) return void 0; return { kind: 5, token, signature, sourceFile, parentDeclaration: findScope(token) }; } if (isCallExpression(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) && isCallExpression(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: 1, 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: 1, 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 ? 32 : 0) | (startsWithUnderscore(token.text) ? 8 : 0); const isJSFile = isSourceFileJS(declSourceFile); const call = tryCast(parent2.parent, isCallExpression); 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 & 32))); if (changes.length === 0) { return void 0; } const diagnostic = modifierFlags & 32 ? 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 === 228) { 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(void 0, tokenName, void 0, void 0, 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 & 32; 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 & 32), [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 & 8) { actions2.unshift(createCodeFixActionWithoutFixAll(fixMissingMember, addPropertyDeclarationChanges(8), [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 === 223) { 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); } else { const contextualType = checker.getContextualType(token.parent); typeNode = contextualType ? checker.typeToTypeNode(contextualType, void 0, 1) : void 0; } return typeNode || factory.createKeywordTypeNode(131); } 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, void 0, typeNode, void 0) : factory.createPropertySignature(void 0, tokenName, 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(152); const indexingParameter = factory.createParameterDeclaration(void 0, void 0, "x", void 0, stringTypeNode, void 0); const indexSignature = factory.createIndexSignature(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; } if (isPrivateIdentifier(token)) { 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 & 32), [modifierFlags & 32 ? Diagnostics.Declare_static_method_0 : Diagnostics.Declare_method_0, methodName], fixMissingMember, Diagnostics.Add_all_missing_members)]; if (modifierFlags & 8) { actions2.unshift(createCodeFixActionWithoutFixAll(fixMissingMember, addMethodDeclarationChanges(8), [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) ? 171 : 170; 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 enumMember = factory.createEnumMember(token, hasStringInitializer ? factory.createStringLiteral(token.text) : void 0); changes.replaceNode(parentDeclaration.getSourceFile(), parentDeclaration, factory.updateEnumDeclaration(parentDeclaration, parentDeclaration.modifiers, parentDeclaration.name, concatenate(parentDeclaration.members, singleElementArray(enumMember))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude }); } 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(259, context, importAdder, info.call, idText(info.token), info.modifierFlags, info.parentDeclaration) : createSignatureDeclarationFromSignature(259, context, quotePreference, info.signature, createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference), info.token, void 0, void 0, void 0, importAdder); if (functionDeclaration === void 0) { Debug.fail("fixMissingFunctionDeclaration codefix got unexpected error."); } isReturnStatement(info.parentDeclaration) ? changes.insertNodeBefore(info.sourceFile, info.parentDeclaration, functionDeclaration, 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(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], 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("", quotePreference === 0); } 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, void 0, void 0); 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, quotePreference === 0); } if (type.flags & 512) { return type === checker.getFalseType() || type === checker.getFalseType(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 != null ? 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, 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); if (signature === void 0) return createUndefined(); const func = createSignatureDeclarationFromSignature(215, context, quotePreference, signature[0], createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference), void 0, void 0, void 0, enclosingDeclaration, importAdder); return func != null ? 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), void 0, 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(sourceProp.name.escapedText); } 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) && !(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, void 0, 1073741824); if (prop && isComputedPropertyName(prop)) return prop; } return createPropertyNameNodeForIdentifierOrLiteral(symbol.name, target, quotePreference === 0); } function findScope(node) { if (findAncestor(node, isJsxExpression)) { const returnStatement = findAncestor(node.parent, isReturnStatement); if (returnStatement) return returnStatement; } return getSourceFileOfNode(node); } var fixMissingMember, fixMissingProperties, fixMissingAttributes, fixMissingFunctionDeclaration, errorCodes26; var init_fixAddMissingMember = __esm({ "src/services/codefixes/fixAddMissingMember.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixMissingMember = "fixMissingMember"; fixMissingProperties = "fixMissingProperties"; fixMissingAttributes = "fixMissingAttributes"; fixMissingFunctionDeclaration = "fixMissingFunctionDeclaration"; errorCodes26 = [ 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: errorCodes26, getCodeActions(context) { const typeChecker = context.program.getTypeChecker(); const info = getInfo7(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: fixId51 } = 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, errorCodes26, (diag2) => { const info = getInfo7(diag2.file, diag2.start, diag2.code, checker, context.program); if (!info || !addToSeen(seen, getNodeId(info.parentDeclaration) + "#" + info.token.text)) { return; } if (fixId51 === fixMissingFunctionDeclaration && (info.kind === 2 || info.kind === 5)) { addFunctionDeclaration(changes, context, info); } else if (fixId51 === fixMissingProperties && info.kind === 3) { addObjectLiteralProperties(changes, context, info); } else if (fixId51 === 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 & 32, parentDeclaration, declSourceFile); } else { if (isJSFile && !isInterfaceDeclaration(parentDeclaration) && !isTypeLiteralNode(parentDeclaration)) { addMissingMemberInJs(changes, declSourceFile, parentDeclaration, token, !!(modifierFlags & 32)); } else { const typeNode = getTypeNode2(checker, parentDeclaration, token); addPropertyDeclaration(changes, declSourceFile, parentDeclaration, token.text, typeNode, modifierFlags & 32); } } } }); })); } }); } }); function addMissingNewOperator(changes, sourceFile, span) { const call = cast(findAncestorMatchingSpan2(sourceFile, span), isCallExpression); 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 fixId23, errorCodes27; var init_fixAddMissingNewOperator = __esm({ "src/services/codefixes/fixAddMissingNewOperator.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId23 = "addMissingNewOperator"; errorCodes27 = [Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new.code]; registerCodeFix({ errorCodes: errorCodes27, getCodeActions(context) { const { sourceFile, span } = context; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingNewOperator(t, sourceFile, span)); return [createCodeFixAction(fixId23, changes, Diagnostics.Add_missing_new_operator_to_call, fixId23, Diagnostics.Add_missing_new_operator_to_all_calls)]; }, fixIds: [fixId23], getAllCodeActions: (context) => codeFixAll(context, errorCodes27, (changes, diag2) => addMissingNewOperator(changes, context.sourceFile, diag2)) }); } }); function getInstallCommand(fileName, packageName) { return { type: "install package", file: fileName, packageName }; } function tryGetImportedPackageName(sourceFile, pos) { const moduleSpecifierText = tryCast(getTokenAtPosition(sourceFile, pos), isStringLiteral); 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 _a2; return diagCode === errorCodeCannotFindModule ? ts_JsTyping_exports.nodeCoreModules.has(packageName) ? "@types/node" : void 0 : ((_a2 = host.isKnownTypesPackageName) == null ? void 0 : _a2.call(host, packageName)) ? getTypesPackageName(packageName) : void 0; } var fixName2, fixIdInstallTypesPackage, errorCodeCannotFindModule, errorCodes28; var init_fixCannotFindModule = __esm({ "src/services/codefixes/fixCannotFindModule.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName2 = "fixCannotFindModule"; fixIdInstallTypesPackage = "installTypesPackage"; errorCodeCannotFindModule = Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations.code; errorCodes28 = [ errorCodeCannotFindModule, Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type.code ]; registerCodeFix({ errorCodes: errorCodes28, 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, [], [Diagnostics.Install_0, typesPackageName], fixIdInstallTypesPackage, Diagnostics.Install_all_missing_types_packages, getInstallCommand(sourceFile.fileName, typesPackageName))]; }, fixIds: [fixIdInstallTypesPackage], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes28, (_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 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 & 8) && !!(flags & 256); } var errorCodes29, fixId24; var init_fixClassDoesntImplementInheritedAbstractMember = __esm({ "src/services/codefixes/fixClassDoesntImplementInheritedAbstractMember.ts"() { "use strict"; init_ts4(); init_ts_codefix(); errorCodes29 = [ Diagnostics.Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2.code, Diagnostics.Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1.code ]; fixId24 = "fixClassDoesntImplementInheritedAbstractMember"; registerCodeFix({ errorCodes: errorCodes29, 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(fixId24, changes, Diagnostics.Implement_inherited_abstract_class, fixId24, Diagnostics.Implement_all_inherited_abstract_classes)]; }, fixIds: [fixId24], getAllCodeActions: function getAllCodeActionsToFixClassDoesntImplementInheritedAbstractMember(context) { const seenClassDeclarations = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes29, (changes, diag2) => { const classDeclaration = getClass2(diag2.file, diag2.start); if (addToSeen(seenClassDeclarations, getNodeId(classDeclaration))) { addMissingMembers(classDeclaration, context.sourceFile, context, changes, context.preferences); } }); } }); } }); function doChange11(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 !== 108) 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 isExpressionStatement(n) && isSuperCall(n.expression) ? n : isFunctionLike(n) ? void 0 : forEachChild(n, findSuperCall); } var fixId25, errorCodes30; var init_fixClassSuperMustPrecedeThisAccess = __esm({ "src/services/codefixes/fixClassSuperMustPrecedeThisAccess.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId25 = "classSuperMustPrecedeThisAccess"; errorCodes30 = [Diagnostics.super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class.code]; registerCodeFix({ errorCodes: errorCodes30, 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) => doChange11(t, sourceFile, constructor, superCall)); return [createCodeFixAction(fixId25, changes, Diagnostics.Make_super_call_the_first_statement_in_the_constructor, fixId25, Diagnostics.Make_all_super_calls_the_first_statement_in_their_constructor)]; }, fixIds: [fixId25], getAllCodeActions(context) { const { sourceFile } = context; const seenClasses = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes30, (changes, diag2) => { const nodes = getNodes(diag2.file, diag2.start); if (!nodes) return; const { constructor, superCall } = nodes; if (addToSeen(seenClasses, getNodeId(constructor.parent))) { doChange11(changes, sourceFile, constructor, superCall); } }); } }); } }); 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 doChange12(changes, sourceFile, ctr) { const superCall = factory.createExpressionStatement(factory.createCallExpression(factory.createSuper(), void 0, emptyArray)); changes.insertNodeAtConstructorStart(sourceFile, ctr, superCall); } var fixId26, errorCodes31; var init_fixConstructorForDerivedNeedSuperCall = __esm({ "src/services/codefixes/fixConstructorForDerivedNeedSuperCall.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId26 = "constructorForDerivedNeedSuperCall"; errorCodes31 = [Diagnostics.Constructors_for_derived_classes_must_contain_a_super_call.code]; registerCodeFix({ errorCodes: errorCodes31, getCodeActions(context) { const { sourceFile, span } = context; const ctr = getNode(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange12(t, sourceFile, ctr)); return [createCodeFixAction(fixId26, changes, Diagnostics.Add_missing_super_call, fixId26, Diagnostics.Add_all_missing_super_calls)]; }, fixIds: [fixId26], getAllCodeActions: (context) => codeFixAll(context, errorCodes31, (changes, diag2) => doChange12(changes, context.sourceFile, getNode(diag2.file, diag2.start))) }); } }); function doChange13(changeTracker, configFile) { setJsonCompilerOptionValue(changeTracker, configFile, "jsx", factory.createStringLiteral("react")); } var fixID, errorCodes32; var init_fixEnableJsxFlag = __esm({ "src/services/codefixes/fixEnableJsxFlag.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixID = "fixEnableJsxFlag"; errorCodes32 = [Diagnostics.Cannot_use_JSX_unless_the_jsx_flag_is_provided.code]; registerCodeFix({ errorCodes: errorCodes32, 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) => doChange13(changeTracker, configFile)); return [ createCodeFixActionWithoutFixAll(fixID, changes, Diagnostics.Enable_the_jsx_flag_in_your_configuration_file) ]; }, fixIds: [fixID], getAllCodeActions: (context) => codeFixAll(context, errorCodes32, (changes) => { const { configFile } = context.program.getCompilerOptions(); if (configFile === void 0) { return void 0; } doChange13(changes, configFile); }) }); } }); function getInfo8(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 doChange14(changes, sourceFile, arg, expression) { const callExpression = factory.createCallExpression(factory.createPropertyAccessExpression(factory.createIdentifier("Number"), factory.createIdentifier("isNaN")), void 0, [arg]); const operator = expression.operatorToken.kind; changes.replaceNode(sourceFile, expression, operator === 37 || operator === 35 ? factory.createPrefixUnaryExpression(53, callExpression) : callExpression); } function getSuggestion(messageText) { const [_, suggestion] = flattenDiagnosticMessageText2(messageText, " ", 0).match(/"(.*)"/) || []; return suggestion; } var fixId27, errorCodes33; var init_fixNaNEquality = __esm({ "src/services/codefixes/fixNaNEquality.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId27 = "fixNaNEquality"; errorCodes33 = [ Diagnostics.This_condition_will_always_return_0.code ]; registerCodeFix({ errorCodes: errorCodes33, getCodeActions(context) { const { sourceFile, span, program } = context; const info = getInfo8(program, sourceFile, span); if (info === void 0) return; const { suggestion, expression, arg } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange14(t, sourceFile, arg, expression)); return [createCodeFixAction(fixId27, changes, [Diagnostics.Use_0, suggestion], fixId27, Diagnostics.Use_Number_isNaN_in_all_conditions)]; }, fixIds: [fixId27], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes33, (changes, diag2) => { const info = getInfo8(context.program, diag2.file, createTextSpan(diag2.start, diag2.length)); if (info) { doChange14(changes, diag2.file, info.arg, info.expression); } }); } }); } }); var init_fixModuleAndTargetOptions = __esm({ "src/services/codefixes/fixModuleAndTargetOptions.ts"() { "use strict"; init_ts4(); init_ts_codefix(); registerCodeFix({ errorCodes: [ Diagnostics.Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_or_nodenext_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_or_nodenext_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, (tracker) => { const configObject = getTsConfigObjectLiteralExpression(configFile); if (!configObject) return; const options = [["target", factory.createStringLiteral("es2017")]]; if (moduleKind === 1) { options.push(["module", factory.createStringLiteral("commonjs")]); } setJsonCompilerOptionValues(tracker, 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; } }); } }); function doChange15(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 fixId28, errorCodes34; var init_fixPropertyAssignment = __esm({ "src/services/codefixes/fixPropertyAssignment.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId28 = "fixPropertyAssignment"; errorCodes34 = [ 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: errorCodes34, fixIds: [fixId28], getCodeActions(context) { const { sourceFile, span } = context; const property = getProperty2(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange15(t, context.sourceFile, property)); return [createCodeFixAction(fixId28, changes, [Diagnostics.Change_0_to_1, "=", ":"], fixId28, [Diagnostics.Switch_each_misused_0_to_1, "=", ":"])]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes34, (changes, diag2) => doChange15(changes, diag2.file, getProperty2(diag2.file, diag2.start))) }); } }); function getNodes2(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); const heritageClauses = getContainingClass(token).heritageClauses; const extendsToken = heritageClauses[0].getFirstToken(); return extendsToken.kind === 94 ? { extendsToken, heritageClauses } : void 0; } function doChanges2(changes, sourceFile, extendsToken, heritageClauses) { changes.replaceNode(sourceFile, extendsToken, factory.createToken(117)); if (heritageClauses.length === 2 && heritageClauses[0].token === 94 && heritageClauses[1].token === 117) { const implementsToken = heritageClauses[1].getFirstToken(); const implementsFullStart = implementsToken.getFullStart(); changes.replaceRange(sourceFile, { pos: implementsFullStart, end: implementsFullStart }, factory.createToken(27)); 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 fixId29, errorCodes35; var init_fixExtendsInterfaceBecomesImplements = __esm({ "src/services/codefixes/fixExtendsInterfaceBecomesImplements.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId29 = "extendsInterfaceBecomesImplements"; errorCodes35 = [Diagnostics.Cannot_extend_an_interface_0_Did_you_mean_implements.code]; registerCodeFix({ errorCodes: errorCodes35, 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(fixId29, changes, Diagnostics.Change_extends_to_implements, fixId29, Diagnostics.Change_all_extended_interfaces_to_implements)]; }, fixIds: [fixId29], getAllCodeActions: (context) => codeFixAll(context, errorCodes35, (changes, diag2) => { const nodes = getNodes2(diag2.file, diag2.start); if (nodes) doChanges2(changes, diag2.file, nodes.extendsToken, nodes.heritageClauses); }) }); } }); function getInfo9(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 doChange16(changes, sourceFile, { node, className }) { suppressLeadingAndTrailingTrivia(node); changes.replaceNode(sourceFile, node, factory.createPropertyAccessExpression(className ? factory.createIdentifier(className) : factory.createThis(), node)); } var fixId30, didYouMeanStaticMemberCode, errorCodes36; var init_fixForgottenThisPropertyAccess = __esm({ "src/services/codefixes/fixForgottenThisPropertyAccess.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId30 = "forgottenThisPropertyAccess"; didYouMeanStaticMemberCode = Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code; errorCodes36 = [ 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: errorCodes36, getCodeActions(context) { const { sourceFile } = context; const info = getInfo9(sourceFile, context.span.start, context.errorCode); if (!info) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange16(t, sourceFile, info)); return [createCodeFixAction(fixId30, changes, [Diagnostics.Add_0_to_unresolved_variable, info.className || "this"], fixId30, Diagnostics.Add_qualifier_to_all_unresolved_variables_matching_a_member_name)]; }, fixIds: [fixId30], getAllCodeActions: (context) => codeFixAll(context, errorCodes36, (changes, diag2) => { const info = getInfo9(diag2.file, diag2.start, diag2.code); if (info) doChange16(changes, context.sourceFile, info); }) }); } }); function isValidCharacter(character) { return hasProperty(htmlEntity, character); } function doChange17(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 fixIdExpression, fixIdHtmlEntity, errorCodes37, htmlEntity; var init_fixInvalidJsxCharacters = __esm({ "src/services/codefixes/fixInvalidJsxCharacters.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixIdExpression = "fixInvalidJsxCharacters_expression"; fixIdHtmlEntity = "fixInvalidJsxCharacters_htmlEntity"; errorCodes37 = [ Diagnostics.Unexpected_token_Did_you_mean_or_gt.code, Diagnostics.Unexpected_token_Did_you_mean_or_rbrace.code ]; registerCodeFix({ errorCodes: errorCodes37, fixIds: [fixIdExpression, fixIdHtmlEntity], getCodeActions(context) { const { sourceFile, preferences, span } = context; const changeToExpression = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange17(t, preferences, sourceFile, span.start, false)); const changeToHtmlEntity = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange17(t, preferences, sourceFile, span.start, 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, errorCodes37, (changes, diagnostic) => doChange17(changes, context.preferences, diagnostic.file, diagnostic.start, context.fixId === fixIdHtmlEntity)); } }); htmlEntity = { ">": ">", "}": "}" }; } }); 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 getInfo10(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 deleteUnmatchedParameter, renameUnmatchedParameter, errorCodes38; var init_fixUnmatchedParameter = __esm({ "src/services/codefixes/fixUnmatchedParameter.ts"() { "use strict"; init_ts4(); init_ts_codefix(); deleteUnmatchedParameter = "deleteUnmatchedParameter"; renameUnmatchedParameter = "renameUnmatchedParameter"; errorCodes38 = [ Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name.code ]; registerCodeFix({ fixIds: [deleteUnmatchedParameter, renameUnmatchedParameter], errorCodes: errorCodes38, getCodeActions: function getCodeActionsToFixUnmatchedParameter(context) { const { sourceFile, span } = context; const actions2 = []; const info = getInfo10(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, errorCodes38, ({ file, start }) => { const info = getInfo10(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 getImportDeclaration(sourceFile, program, start) { const identifier = tryCast(getTokenAtPosition(sourceFile, start), isIdentifier); if (!identifier || identifier.parent.kind !== 180) 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 === 268) { changes.insertModifierBefore(sourceFile, 154, importDeclaration.name); return; } const importClause = importDeclaration.kind === 270 ? 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, 154, importClause); } function doNamespaceImportChange(changes, sourceFile, importDeclaration, program) { ts_refactor_exports.doChangeNamedToNamespaceOrDefault(sourceFile, program, changes, importDeclaration.parent); } var fixId31, errorCodes39; var init_fixUnreferenceableDecoratorMetadata = __esm({ "src/services/codefixes/fixUnreferenceableDecoratorMetadata.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId31 = "fixUnreferenceableDecoratorMetadata"; errorCodes39 = [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: errorCodes39, 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 === 273 && 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(fixId31, namespaceChanges, Diagnostics.Convert_named_imports_to_namespace_import)); } if (typeOnlyChanges.length) { actions2 = append(actions2, createCodeFixActionWithoutFixAll(fixId31, typeOnlyChanges, Diagnostics.Convert_to_type_only_import)); } return actions2; }, fixIds: [fixId31] }); } }); function changeInferToUnknown(changes, sourceFile, token) { changes.replaceNode(sourceFile, token.parent, factory.createKeywordTypeNode(157)); } 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 === 100 || token.kind === 79 && (token.parent.kind === 273 || token.parent.kind === 270); } function tryGetFullImport(token) { return token.kind === 100 ? 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 === 240 ? node.parent : node); } function deleteDestructuringElements(changes, sourceFile, node) { forEach(node.elements, (n) => changes.delete(sourceFile, n)); } function tryPrefixDeclaration(changes, errorCode, sourceFile, token) { if (errorCode === Diagnostics.Property_0_is_declared_but_its_value_is_never_read.code) return; if (token.kind === 138) { 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 166: case 165: return true; case 257: { const varDecl = token.parent; switch (varDecl.parent.parent.kind) { case 247: case 246: 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 171: case 173: 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) && isCallExpression(reference.node.parent) && reference.node.parent.arguments.length > index; const isSuperMethodCall = isPropertyAccessExpression(reference.node.parent) && isSuperKeyword(reference.node.parent.expression) && isCallExpression(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 259: { if (parent2.name && isCallbackLike(checker, sourceFile, parent2.name)) { return isLastParameter(parent2, parameter, isFixAll); } return true; } case 215: case 216: return isLastParameter(parent2, parameter, isFixAll); case 175: return false; case 174: return true; default: return Debug.failBadSyntaxKind(parent2); } } function isCallbackLike(checker, sourceFile, name) { return !!ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(name, checker, sourceFile, (reference) => isIdentifier(reference) && isCallExpression(reference.parent) && reference.parent.arguments.indexOf(reference) >= 0); } function isLastParameter(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) && isExpressionStatement(node.parent.parent); } var fixName3, fixIdPrefix, fixIdDelete, fixIdDeleteImports, fixIdInfer, errorCodes40; var init_fixUnusedIdentifier = __esm({ "src/services/codefixes/fixUnusedIdentifier.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName3 = "unusedIdentifier"; fixIdPrefix = "unusedIdentifier_prefix"; fixIdDelete = "unusedIdentifier_delete"; fixIdDeleteImports = "unusedIdentifier_deleteImports"; fixIdInfer = "unusedIdentifier_infer"; errorCodes40 = [ 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: errorCodes40, 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 === 29) { 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, 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) => t.delete(sourceFile, token.parent.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) ]; } const result = []; if (token.kind === 138) { 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, 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, errorCodes40, (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, true); } break; } case fixIdDelete: { if (token.kind === 138 || isImport(token)) { break; } else if (isJSDocTemplateTag(token)) { changes.delete(sourceFile, token); } else if (token.kind === 29) { 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, true); } break; } case fixIdInfer: if (token.kind === 138) { changeInferToUnknown(changes, sourceFile, token); } break; default: Debug.fail(JSON.stringify(context.fixId)); } }); } }); } }); function doChange18(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 242: if (container.elseStatement) { if (isBlock(statement.parent)) { break; } else { changes.replaceNode(sourceFile, statement, factory.createBlock(emptyArray)); } return; } case 244: case 245: 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 fixId32, errorCodes41; var init_fixUnreachableCode = __esm({ "src/services/codefixes/fixUnreachableCode.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId32 = "fixUnreachableCode"; errorCodes41 = [Diagnostics.Unreachable_code_detected.code]; registerCodeFix({ errorCodes: errorCodes41, getCodeActions(context) { const syntacticDiagnostics = context.program.getSyntacticDiagnostics(context.sourceFile, context.cancellationToken); if (syntacticDiagnostics.length) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange18(t, context.sourceFile, context.span.start, context.span.length, context.errorCode)); return [createCodeFixAction(fixId32, changes, Diagnostics.Remove_unreachable_code, fixId32, Diagnostics.Remove_all_unreachable_code)]; }, fixIds: [fixId32], getAllCodeActions: (context) => codeFixAll(context, errorCodes41, (changes, diag2) => doChange18(changes, diag2.file, diag2.start, diag2.length, diag2.code)) }); } }); function doChange19(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, 58, sourceFile).end, true); changes.deleteRange(sourceFile, { pos, end }); } var fixId33, errorCodes42; var init_fixUnusedLabel = __esm({ "src/services/codefixes/fixUnusedLabel.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId33 = "fixUnusedLabel"; errorCodes42 = [Diagnostics.Unused_label.code]; registerCodeFix({ errorCodes: errorCodes42, getCodeActions(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange19(t, context.sourceFile, context.span.start)); return [createCodeFixAction(fixId33, changes, Diagnostics.Remove_unused_label, fixId33, Diagnostics.Remove_all_unused_labels)]; }, fixIds: [fixId33], getAllCodeActions: (context) => codeFixAll(context, errorCodes42, (changes, diag2) => doChange19(changes, diag2.file, diag2.start)) }); } }); function doChange20(changes, sourceFile, oldTypeNode, newType, checker) { changes.replaceNode(sourceFile, oldTypeNode, checker.typeToTypeNode(newType, oldTypeNode, void 0)); } function getInfo11(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 231: case 176: case 177: case 259: case 174: case 178: case 197: case 171: case 170: case 166: case 169: case 168: case 175: case 262: case 213: case 257: 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 fixIdPlain, fixIdNullable, errorCodes43; var init_fixJSDocTypes = __esm({ "src/services/codefixes/fixJSDocTypes.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixIdPlain = "fixJSDocTypes_plain"; fixIdNullable = "fixJSDocTypes_nullable"; errorCodes43 = [ 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: errorCodes43, getCodeActions(context) { const { sourceFile } = context; const checker = context.program.getTypeChecker(); const info = getInfo11(sourceFile, context.span.start, checker); if (!info) return void 0; const { typeNode, type } = info; const original = typeNode.getText(sourceFile); const actions2 = [fix(type, fixIdPlain, Diagnostics.Change_all_jsdoc_style_types_to_TypeScript)]; if (typeNode.kind === 317) { actions2.push(fix(type, fixIdNullable, Diagnostics.Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types)); } return actions2; function fix(type2, fixId51, fixAllDescription) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange20(t, sourceFile, typeNode, type2, checker)); return createCodeFixAction("jdocTypes", changes, [Diagnostics.Change_0_to_1, original, checker.typeToString(type2)], fixId51, fixAllDescription); } }, fixIds: [fixIdPlain, fixIdNullable], getAllCodeActions(context) { const { fixId: fixId51, program, sourceFile } = context; const checker = program.getTypeChecker(); return codeFixAll(context, errorCodes43, (changes, err) => { const info = getInfo11(err.file, err.start, checker); if (!info) return; const { typeNode, type } = info; const fixedType = typeNode.kind === 317 && fixId51 === fixIdNullable ? checker.getNullableType(type, 32768) : type; doChange20(changes, sourceFile, typeNode, fixedType, checker); }); } }); } }); function doChange21(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 fixId34, errorCodes44; var init_fixMissingCallParentheses = __esm({ "src/services/codefixes/fixMissingCallParentheses.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId34 = "fixMissingCallParentheses"; errorCodes44 = [ Diagnostics.This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead.code ]; registerCodeFix({ errorCodes: errorCodes44, fixIds: [fixId34], getCodeActions(context) { const { sourceFile, span } = context; const callName = getCallName(sourceFile, span.start); if (!callName) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange21(t, context.sourceFile, callName)); return [createCodeFixAction(fixId34, changes, Diagnostics.Add_missing_call_parentheses, fixId34, Diagnostics.Add_all_missing_call_parentheses)]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes44, (changes, diag2) => { const callName = getCallName(diag2.file, diag2.start); if (callName) doChange21(changes, diag2.file, callName); }) }); } }); 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 171: insertBefore = containingFunction.name; break; case 259: case 215: insertBefore = findChildOfKind(containingFunction, 98, sourceFile); break; case 216: const kind = containingFunction.typeParameters ? 29 : 20; insertBefore = findChildOfKind(containingFunction, kind, sourceFile) || first(containingFunction.parameters); break; default: return; } return insertBefore && { insertBefore, returnType: getReturnType(containingFunction) }; } function doChange22(changes, sourceFile, { insertBefore, returnType }) { if (returnType) { const entityName = getEntityNameFromTypeNode(returnType); if (!entityName || entityName.kind !== 79 || entityName.text !== "Promise") { changes.replaceNode(sourceFile, returnType, factory.createTypeReferenceNode("Promise", factory.createNodeArray([returnType]))); } } changes.insertModifierBefore(sourceFile, 132, insertBefore); } var fixId35, errorCodes45; var init_fixAwaitInSyncFunction = __esm({ "src/services/codefixes/fixAwaitInSyncFunction.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId35 = "fixAwaitInSyncFunction"; errorCodes45 = [ Diagnostics.await_expressions_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: errorCodes45, 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) => doChange22(t, sourceFile, nodes)); return [createCodeFixAction(fixId35, changes, Diagnostics.Add_async_modifier_to_containing_function, fixId35, Diagnostics.Add_all_missing_async_modifiers)]; }, fixIds: [fixId35], getAllCodeActions: function getAllCodeActionsToFixAwaitInSyncFunction(context) { const seen = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes45, (changes, diag2) => { const nodes = getNodes3(diag2.file, diag2.start); if (!nodes || !addToSeen(seen, getNodeId(nodes.insertBefore))) return; doChange22(changes, context.sourceFile, nodes); }); } }); } }); function doChange23(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 errorCodes46, fixId36; var init_fixPropertyOverrideAccessor = __esm({ "src/services/codefixes/fixPropertyOverrideAccessor.ts"() { "use strict"; init_ts4(); init_ts_codefix(); errorCodes46 = [ 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 ]; fixId36 = "fixPropertyOverrideAccessor"; registerCodeFix({ errorCodes: errorCodes46, getCodeActions(context) { const edits = doChange23(context.sourceFile, context.span.start, context.span.length, context.errorCode, context); if (edits) { return [createCodeFixAction(fixId36, edits, Diagnostics.Generate_get_and_set_accessors, fixId36, Diagnostics.Generate_get_and_set_accessors_for_all_overriding_properties)]; } }, fixIds: [fixId36], getAllCodeActions: (context) => codeFixAll(context, errorCodes46, (changes, diag2) => { const edits = doChange23(diag2.file, diag2.start, diag2.length, diag2.code, context); if (edits) { for (const edit of edits) { changes.pushRaw(context.sourceFile, edit); } } }) }); } }); 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 doChange24(changes, sourceFile, token, errorCode, program, cancellationToken, markSeen, host, preferences) { if (!isParameterPropertyModifier(token.kind) && token.kind !== 79 && token.kind !== 25 && token.kind !== 108) { 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(void 0, factory.createJSDocTypeExpression(typeNode), void 0); changes.addJSDocTags(sourceFile, cast(parent2.parent.parent, isExpressionStatement), [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, 20, sourceFile); if (needParens) changes.insertNodeBefore(sourceFile, first(containingFunction.parameters), factory.createToken(20)); 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(21)); } } 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(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 !== 168) { const parent2 = isVariableDeclaration(declaration) ? tryCast(declaration.parent.parent, isVariableStatement) : declaration; if (!parent2) { return; } const typeExpression = factory.createJSDocTypeExpression(typeNode); const typeTag = isGetAccessorDeclaration(declaration) ? factory.createJSDocReturnTag(void 0, typeExpression, void 0) : factory.createJSDocTypeTag(void 0, typeExpression, 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, 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); 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, 20, sourceFile); if (needParens) { changes.insertNodeBefore(sourceFile, first(signature.parameters), factory.createToken(20)); } forEach(inferences, ({ typeNode, param }) => { const typeTag = factory.createJSDocTypeTag(void 0, factory.createJSDocTypeExpression(typeNode)); const jsDoc = factory.createJSDocComment(void 0, [typeTag]); changes.insertNodeAt(sourceFile, param.getStart(sourceFile), jsDoc, { suffix: " " }); }); if (needParens) { changes.insertNodeAfter(sourceFile, last(signature.parameters), factory.createToken(21)); } } else { const paramTags = map(inferences, ({ name, typeNode, isOptional }) => factory.createJSDocParameterTag(void 0, name, !!isOptional, factory.createJSDocTypeExpression(typeNode), false, void 0)); changes.addJSDocTags(sourceFile, signature, paramTags); } } function getReferences(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 = getReferences(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 173: searchToken = findChildOfKind(containingFunction, 135, sourceFile); break; case 216: case 215: const parent2 = containingFunction.parent; searchToken = (isVariableDeclaration(parent2) || isPropertyDeclaration(parent2)) && isIdentifier(parent2.name) ? parent2.name : containingFunction.name; break; case 259: case 171: case 170: searchToken = containingFunction.name; break; } if (!searchToken) { return void 0; } return getReferences(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 }; } 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(getReferences(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 241: inferTypeFromExpressionStatement(node, usage); break; case 222: usage.isNumber = true; break; case 221: inferTypeFromPrefixUnaryExpression(node.parent, usage); break; case 223: inferTypeFromBinaryExpression(node, node.parent, usage); break; case 292: case 293: inferTypeFromSwitchStatementLabel(node.parent, usage); break; case 210: case 211: if (node.parent.expression === node) { inferTypeFromCallExpression(node.parent, usage); } else { inferTypeFromContextualType(node, usage); } break; case 208: inferTypeFromPropertyAccessExpression(node.parent, usage); break; case 209: inferTypeFromPropertyElementExpression(node.parent, node, usage); break; case 299: case 300: inferTypeFromPropertyAssignment(node.parent, usage); break; case 169: inferTypeFromPropertyDeclaration(node.parent, usage); break; case 257: { 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, isCallExpression(node) ? checker.getVoidType() : checker.getAnyType()); } function inferTypeFromPrefixUnaryExpression(node, usage) { switch (node.operator) { case 45: case 46: case 40: case 54: usage.isNumber = true; break; case 39: usage.isNumberOrString = true; break; } } function inferTypeFromBinaryExpression(node, parent2, usage) { switch (parent2.operatorToken.kind) { case 42: case 41: case 43: case 44: case 47: case 48: case 49: case 50: case 51: case 52: case 65: case 67: case 66: case 68: case 69: case 73: case 74: case 78: case 70: case 72: case 71: case 40: case 29: case 32: case 31: case 33: const operandType = checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left); if (operandType.flags & 1056) { addCandidateType(usage, operandType); } else { usage.isNumber = true; } break; case 64: case 39: 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 63: case 34: case 36: case 37: case 35: addCandidateType(usage, checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left)); break; case 101: if (node === parent2.left) { usage.isString = true; } break; case 56: case 60: if (node === parent2.left && (node.parent.parent.kind === 257 || isAssignmentExpression(node.parent.parent, true))) { addCandidateType(usage, checker.getTypeAtLocation(parent2.right)); } break; case 55: case 27: case 102: 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 === 210) { (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); if (anons.length) { good = good.filter((i) => !(getObjectFlags(i) & 16)); good.push(combineAnonymousTypes(anons)); } return checker.getWidenedType(checker.getUnionType(good.map(checker.getBaseTypeOfLiteralType), 2)); } 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.name, p.valueDeclaration ? checker.getTypeOfSymbolAtLocation(p, p.valueDeclaration) : checker.getAnyType()); } calls.push(...checker.getSignaturesOfType(anon2, 0)); constructs.push(...checker.getSignaturesOfType(anon2, 1)); const stringIndexInfo = checker.getIndexInfoOfType(anon2, 0); if (stringIndexInfo) { stringIndices.push(stringIndexInfo.type); stringIndexReadonly = stringIndexReadonly || stringIndexInfo.isReadonly; } const numberIndexInfo = checker.getIndexInfoOfType(anon2, 1); 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 _a2, _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 (((_a2 = usage.properties) == null ? void 0 : _a2.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)); } 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), false)] : []; return checker.createAnonymousType(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); 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); const usageSigs = checker.getSignaturesOfType(usageType, 0); if (genericSigs.length === 1 && usageSigs.length === 1) { return inferFromSignatures(genericSigs[0], usageSigs[0], typeParameter); } return []; } function inferFromSignatures(genericSig, usageSig, typeParameter) { var _a2; 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 = ((_a2 = tryCast(usageParam, isTransientSymbol)) == null ? void 0 : _a2.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(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(void 0, void 0, void 0, parameters2, returnType, void 0, length2, 0); } 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 fixId37, errorCodes47; var init_inferFromUsage = __esm({ "src/services/codefixes/inferFromUsage.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId37 = "inferFromUsage"; errorCodes47 = [ Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code, Diagnostics.Variable_0_implicitly_has_an_1_type.code, Diagnostics.Parameter_0_implicitly_has_an_1_type.code, Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code, 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, Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code, Diagnostics.Member_0_implicitly_has_an_1_type.code, Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage.code, Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code, 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, 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, Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage.code, Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code, Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code ]; registerCodeFix({ errorCodes: errorCodes47, 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 = doChange24(changes2, sourceFile, token, errorCode, program, cancellationToken, returnTrue, host, preferences); }); const name = declaration && getNameOfDeclaration(declaration); return !name || changes.length === 0 ? void 0 : [createCodeFixAction(fixId37, changes, [getDiagnostic(errorCode, token), getTextOfNode(name)], fixId37, Diagnostics.Infer_all_types_from_usage)]; }, fixIds: [fixId37], getAllCodeActions(context) { const { sourceFile, program, cancellationToken, host, preferences } = context; const markSeen = nodeSeenTracker(); return codeFixAll(context, errorCodes47, (changes, err) => { doChange24(changes, sourceFile, getTokenAtPosition(err.file, err.start), err.code, program, cancellationToken, markSeen, host, preferences); }); } }); } }); function getInfo12(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, returnTypeNode, void 0); if (promisedTypeNode) { return { returnTypeNode, returnType, promisedTypeNode, promisedType }; } } function doChange25(changes, sourceFile, returnTypeNode, promisedTypeNode) { changes.replaceNode(sourceFile, returnTypeNode, factory.createTypeReferenceNode("Promise", [promisedTypeNode])); } var fixId38, errorCodes48; var init_fixReturnTypeInAsyncFunction = __esm({ "src/services/codefixes/fixReturnTypeInAsyncFunction.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId38 = "fixReturnTypeInAsyncFunction"; errorCodes48 = [ 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: errorCodes48, fixIds: [fixId38], getCodeActions: function getCodeActionsToFixReturnTypeInAsyncFunction(context) { const { sourceFile, program, span } = context; const checker = program.getTypeChecker(); const info = getInfo12(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) => doChange25(t, sourceFile, returnTypeNode, promisedTypeNode)); return [createCodeFixAction(fixId38, changes, [ Diagnostics.Replace_0_with_Promise_1, checker.typeToString(returnType), checker.typeToString(promisedType) ], fixId38, Diagnostics.Fix_all_incorrect_return_type_of_an_async_functions)]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes48, (changes, diag2) => { const info = getInfo12(diag2.file, context.program.getTypeChecker(), diag2.start); if (info) { doChange25(changes, diag2.file, info.returnTypeNode, info.promisedTypeNode); } }) }); } }); function makeChange8(changes, sourceFile, position, seenLines) { const { line: lineNumber } = getLineAndCharacterOfPosition(sourceFile, position); if (!seenLines || tryAddToSet(seenLines, lineNumber)) { changes.insertCommentBeforeLine(sourceFile, lineNumber, position, " @ts-ignore"); } } var fixName4, fixId39, errorCodes49; var init_disableJsDiagnostics = __esm({ "src/services/codefixes/disableJsDiagnostics.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName4 = "disableJsDiagnostics"; fixId39 = "disableJsDiagnostics"; errorCodes49 = mapDefined(Object.keys(Diagnostics), (key) => { const diag2 = Diagnostics[key]; return diag2.category === 1 ? diag2.code : void 0; }); registerCodeFix({ errorCodes: errorCodes49, 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 = [ 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, fixId39, Diagnostics.Add_ts_ignore_to_all_error_messages)); } return fixes; }, fixIds: [fixId39], getAllCodeActions: (context) => { const seenLines = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes49, (changes, diag2) => { if (ts_textChanges_exports.isValidLocationToAddComment(diag2.file, diag2.start)) { makeChange8(changes, diag2.file, diag2.start, seenLines); } }); } }); } }); 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, void 0); } } } function getNoopSymbolTrackerWithResolver(context) { return { trackSymbol: () => false, moduleResolverHost: getModuleSpecifierResolverHost(context.program, context.host) }; } function addNewNodeForMemberSymbol(symbol, enclosingDeclaration, sourceFile, context, preferences, importAdder, addClassElement, body, preserveOptional = 3, isAmbient = false) { var _a2; const declarations = symbol.getDeclarations(); const declaration = declarations == null ? void 0 : declarations[0]; const checker = context.program.getTypeChecker(); const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions()); const kind = (_a2 = declaration == null ? void 0 : declaration.kind) != null ? _a2 : 168; const declarationName = getSynthesizedDeepClone(getNameOfDeclaration(declaration), false); const effectiveModifierFlags = declaration ? getEffectiveModifierFlags(declaration) : 0; let modifierFlags = effectiveModifierFlags & 4 ? 4 : effectiveModifierFlags & 16 ? 16 : 0; if (declaration && isAutoAccessorPropertyDeclaration(declaration)) { modifierFlags |= 128; } const modifiers = createModifiers(); const type = checker.getWidenedType(checker.getTypeOfSymbolAtLocation(symbol, enclosingDeclaration)); const optional = !!(symbol.flags & 16777216); const ambient = !!(enclosingDeclaration.flags & 16777216) || isAmbient; const quotePreference = getQuotePreference(sourceFile, preferences); switch (kind) { case 168: case 169: const flags = quotePreference === 0 ? 268435456 : void 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(57) : void 0, typeNode, void 0)); break; case 174: case 175: { Debug.assertIsDefined(declarations); let typeNode2 = checker.typeToTypeNode(type, enclosingDeclaration, 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, false), createBody(body, quotePreference, ambient))); } } break; } case 170: case 171: 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(171, 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(161)); } 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)); } return getSynthesizedDeepClone(node, false); } function createBody(block, quotePreference2, ambient2) { return ambient2 ? void 0 : getSynthesizedDeepClone(block, false) || createStubbedMethodBody(quotePreference2); } function createTypeNode(typeNode) { return getSynthesizedDeepClone(typeNode, 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 : 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(57) : void 0; const asteriskToken = signatureDeclaration.asteriskToken; if (isFunctionExpression(signatureDeclaration)) { return factory.updateFunctionExpression(signatureDeclaration, modifiers, signatureDeclaration.asteriskToken, tryCast(name, isIdentifier), typeParameters, parameters, type, body != null ? body : signatureDeclaration.body); } if (isArrowFunction(signatureDeclaration)) { return factory.updateArrowFunction(signatureDeclaration, modifiers, typeParameters, parameters, type, signatureDeclaration.equalsGreaterThanToken, body != null ? body : signatureDeclaration.body); } if (isMethodDeclaration(signatureDeclaration)) { return factory.updateMethodDeclaration(signatureDeclaration, modifiers, asteriskToken, name != null ? 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 != null ? 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 tracker = 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, void 0, tracker); const modifiers = modifierFlags ? factory.createNodeArray(factory.createModifiersFromModifierFlags(modifierFlags)) : void 0; const asteriskToken = isYieldExpression(parent2) ? factory.createToken(41) : void 0; const typeParameters = isJs ? void 0 : createTypeParametersForArguments(checker, argumentTypeParameters, typeArguments); const parameters = createDummyParameters(args.length, names, argumentTypeNodes, void 0, isJs); const type = isJs || contextualType === void 0 ? void 0 : checker.typeToTypeNode(contextualType, contextNode, void 0, tracker); switch (kind) { case 171: return factory.createMethodDeclaration(modifiers, asteriskToken, name, void 0, typeParameters, parameters, type, createStubbedMethodBody(quotePreference)); case 170: return factory.createMethodSignature(modifiers, name, void 0, typeParameters, parameters, type === void 0 ? factory.createKeywordTypeNode(157) : type); case 259: 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 _a2; return checker.getTypeAtLocation(typeArgument) === ((_a2 = pair[1]) == null ? void 0 : _a2.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 _a2; return factory.createTypeParameterDeclaration(void 0, usedName, (_a2 = constraintsByName.get(usedName)) == null ? void 0 : _a2.constraint); }); } function createTypeParameterName(index) { return 84 + index <= 90 ? String.fromCharCode(84 + index) : `T${index}`; } function typeToAutoImportableTypeNode(checker, importAdder, type, contextNode, scriptTarget, flags, tracker) { let typeNode = checker.typeToTypeNode(type, contextNode, flags, tracker); 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, tracker) { 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, tracker); 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, tracker) : 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 _a2; if (type.flags & (1048576 | 2097152)) { for (const subType of type.types) { const subTypeName = getFirstTypeParameterName(subType); if (subTypeName) { return subTypeName; } } } return type.flags & 262144 ? (_a2 = type.getSymbol()) == null ? void 0 : _a2.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(void 0, void 0, parameterName + (parameterNameCount || ""), minArgumentCount !== void 0 && i >= minArgumentCount ? factory.createToken(57) : void 0, inJs ? void 0 : (types == null ? void 0 : types[i]) || factory.createKeywordTypeNode(157), 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, void 0, minArgumentCount, false); if (someSigHasRestParameter) { const restParameter = factory.createParameterDeclaration(void 0, factory.createToken(25), maxArgsParameterSymbolNames[maxNonRestArgs] || "rest", maxNonRestArgs >= minArgumentCount ? factory.createToken(57) : void 0, factory.createArrayTypeNode(factory.createKeywordTypeNode(157)), void 0); parameters.push(restParameter); } return createStubbedMethod(modifiers, name, optional, 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, void 0, name, optional ? factory.createToken(57) : 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"), void 0, [factory.createStringLiteral(text, quotePreference === 0)]))], 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)), 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 && isStringLiteral(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, nullTransformationContext); } } function replaceFirstIdentifierOfEntityName(name, newIdentifier) { if (name.kind === 79) { return newIdentifier; } return factory.createQualifiedName(replaceFirstIdentifierOfEntityName(name.left, newIdentifier), name.right); } function importSymbols(importAdder, symbols) { symbols.forEach((s) => importAdder.addImportFromExportedSymbol(s, true)); } function findAncestorMatchingSpan(sourceFile, span) { const end = textSpanEnd(span); let token = getTokenAtPosition(sourceFile, span.start); while (token.end < end) { token = token.parent; } return token; } var PreserveOptionalFlags; var init_helpers = __esm({ "src/services/codefixes/helpers.ts"() { "use strict"; init_ts4(); PreserveOptionalFlags = /* @__PURE__ */ ((PreserveOptionalFlags2) => { PreserveOptionalFlags2[PreserveOptionalFlags2["Method"] = 1] = "Method"; PreserveOptionalFlags2[PreserveOptionalFlags2["Property"] = 2] = "Property"; PreserveOptionalFlags2[PreserveOptionalFlags2["All"] = 3] = "All"; return PreserveOptionalFlags2; })(PreserveOptionalFlags || {}); } }); 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) || isStringLiteral(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 &= ~64; modifierFlags &= ~8; if (!(modifierFlags & 16)) { modifierFlags |= 4; } return modifierFlags; } function prepareModifierFlagsForField(modifierFlags) { modifierFlags &= ~4; modifierFlags &= ~16; modifierFlags |= 8; 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 = 28 | 32 | 64; 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) & 126975 | 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 === 166 ? 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)) ], true)); } function generateSetAccessor(fieldName, accessorName, type, modifiers, isStatic2, container) { return factory.createSetAccessorDeclaration(modifiers, accessorName, [factory.createParameterDeclaration(void 0, void 0, factory.createIdentifier("value"), void 0, type)], factory.createBlock([ factory.createExpressionStatement(factory.createAssignment(createAccessorAccessExpression(fieldName, isStatic2, container), factory.createIdentifier("value"))) ], 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 === 108 && isStringLiteral(node.argumentExpression) && node.argumentExpression.text === originalName && isWriteAccess(node)) { changeTracker.replaceNode(file, node.argumentExpression, factory.createStringLiteral(fieldName)); } if (isPropertyAccessExpression(node) && node.expression.kind === 108 && 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(155)]); } } 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 init_generateAccessors = __esm({ "src/services/codefixes/generateAccessors.ts"() { "use strict"; init_ts4(); } }); 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, void 0, node.moduleSpecifier, getQuotePreference(sourceFile, context.preferences)))); if (getEmitModuleKind(opts) === 1) { variations.push(createAction(context, sourceFile, node, factory.createImportEqualsDeclaration(void 0, 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]); } function getActionsForUsageOfInvalidImport(context) { const sourceFile = context.sourceFile; const targetKind = Diagnostics.This_expression_is_not_callable.code === context.errorCode ? 210 : 211; const node = findAncestor(getTokenAtPosition(sourceFile, context.span.start), (a) => a.kind === targetKind); if (!node) { return []; } const expr = node.expression; return getImportCodeFixesForExpression(context, expr); } 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 fixName5; var init_fixInvalidImportSyntax = __esm({ "src/services/codefixes/fixInvalidImportSyntax.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName5 = "invalidImportSyntax"; registerCodeFix({ errorCodes: [ Diagnostics.This_expression_is_not_callable.code, Diagnostics.This_expression_is_not_constructable.code ], getCodeActions: getActionsForUsageOfInvalidImport }); registerCodeFix({ errorCodes: [ 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 getInfo13(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(53), 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(155); 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(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(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, 256)) return void 0; const constructorDeclaration = getFirstConstructorWithBody(classDeclaration); if (constructorDeclaration && constructorDeclaration.parameters.length) return void 0; return factory.createNewExpression(factory.createIdentifier(type.symbol.name), void 0, void 0); } else if (checker.isArrayLikeType(type)) { return factory.createArrayLiteralExpression(); } return void 0; } var fixName6, fixIdAddDefiniteAssignmentAssertions, fixIdAddUndefinedType, fixIdAddInitializer, errorCodes50; var init_fixStrictClassInitialization = __esm({ "src/services/codefixes/fixStrictClassInitialization.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName6 = "strictClassInitialization"; fixIdAddDefiniteAssignmentAssertions = "addMissingPropertyDefiniteAssignmentAssertions"; fixIdAddUndefinedType = "addMissingPropertyUndefinedType"; fixIdAddInitializer = "addMissingPropertyInitializer"; errorCodes50 = [Diagnostics.Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor.code]; registerCodeFix({ errorCodes: errorCodes50, getCodeActions: function getCodeActionsForStrictClassInitializationErrors(context) { const info = getInfo13(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, errorCodes50, (changes, diag2) => { const info = getInfo13(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 doChange26(changes, sourceFile, info) { const { allowSyntheticDefaults, defaultImportName, namedImports, statement, required } = info; changes.replaceNode(sourceFile, statement, defaultImportName && !allowSyntheticDefaults ? factory.createImportEqualsDeclaration(void 0, false, defaultImportName, factory.createExternalModuleReference(required)) : factory.createImportDeclaration(void 0, factory.createImportClause(false, defaultImportName, namedImports), required, void 0)); } function getInfo14(sourceFile, program, pos) { const { parent: parent2 } = getTokenAtPosition(sourceFile, pos); if (!isRequireCall(parent2, true)) { throw 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(false, tryCast(element.propertyName, isIdentifier), element.name)); } if (importSpecifiers.length) { return factory.createNamedImports(importSpecifiers); } } var fixId40, errorCodes51; var init_requireInTs = __esm({ "src/services/codefixes/requireInTs.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId40 = "requireInTs"; errorCodes51 = [Diagnostics.require_call_may_be_converted_to_an_import.code]; registerCodeFix({ errorCodes: errorCodes51, getCodeActions(context) { const info = getInfo14(context.sourceFile, context.program, context.span.start); if (!info) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange26(t, context.sourceFile, info)); return [createCodeFixAction(fixId40, changes, Diagnostics.Convert_require_to_import, fixId40, Diagnostics.Convert_all_require_to_import)]; }, fixIds: [fixId40], getAllCodeActions: (context) => codeFixAll(context, errorCodes51, (changes, diag2) => { const info = getInfo14(diag2.file, context.program, diag2.start); if (info) { doChange26(changes, context.sourceFile, info); } }) }); } }); function getInfo15(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)) { const importNode = parent2.parent.parent; return { importNode, name, moduleSpecifier: importNode.moduleSpecifier }; } } function doChange27(changes, sourceFile, info, preferences) { changes.replaceNode(sourceFile, info.importNode, makeImport(info.name, void 0, info.moduleSpecifier, getQuotePreference(sourceFile, preferences))); } var fixId41, errorCodes52; var init_useDefaultImport = __esm({ "src/services/codefixes/useDefaultImport.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId41 = "useDefaultImport"; errorCodes52 = [Diagnostics.Import_may_be_converted_to_a_default_import.code]; registerCodeFix({ errorCodes: errorCodes52, getCodeActions(context) { const { sourceFile, span: { start } } = context; const info = getInfo15(sourceFile, start); if (!info) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange27(t, sourceFile, info, context.preferences)); return [createCodeFixAction(fixId41, changes, Diagnostics.Convert_to_default_import, fixId41, Diagnostics.Convert_all_to_default_imports)]; }, fixIds: [fixId41], getAllCodeActions: (context) => codeFixAll(context, errorCodes52, (changes, diag2) => { const info = getInfo15(diag2.file, diag2.start); if (info) doChange27(changes, diag2.file, info, context.preferences); }) }); } }); 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 fixId42, errorCodes53; var init_useBigintLiteral = __esm({ "src/services/codefixes/useBigintLiteral.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId42 = "useBigintLiteral"; errorCodes53 = [ Diagnostics.Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers.code ]; registerCodeFix({ errorCodes: errorCodes53, 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(fixId42, changes, Diagnostics.Convert_to_a_bigint_numeric_literal, fixId42, Diagnostics.Convert_all_to_bigint_numeric_literals)]; } }, fixIds: [fixId42], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes53, (changes, diag2) => makeChange9(changes, diag2.file, diag2)); } }); } }); function getImportTypeNode(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); Debug.assert(token.kind === 100, "This token should be an ImportKeyword"); Debug.assert(token.parent.kind === 202, "Token parent should be an ImportType"); return token.parent; } function doChange28(changes, sourceFile, importType) { const newTypeNode = factory.updateImportTypeNode(importType, importType.argument, importType.assertions, importType.qualifier, importType.typeArguments, true); changes.replaceNode(sourceFile, importType, newTypeNode); } var fixIdAddMissingTypeof, fixId43, errorCodes54; var init_fixAddModuleReferTypeMissingTypeof = __esm({ "src/services/codefixes/fixAddModuleReferTypeMissingTypeof.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixIdAddMissingTypeof = "fixAddModuleReferTypeMissingTypeof"; fixId43 = fixIdAddMissingTypeof; errorCodes54 = [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: errorCodes54, getCodeActions: function getCodeActionsToAddMissingTypeof(context) { const { sourceFile, span } = context; const importType = getImportTypeNode(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange28(t, sourceFile, importType)); return [createCodeFixAction(fixId43, changes, Diagnostics.Add_missing_typeof, fixId43, Diagnostics.Add_missing_typeof)]; }, fixIds: [fixId43], getAllCodeActions: (context) => codeFixAll(context, errorCodes54, (changes, diag2) => doChange28(changes, context.sourceFile, getImportTypeNode(diag2.file, diag2.start))) }); } }); 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 doChange29(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 === 27) { 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 fixID2, errorCodes55; var init_wrapJsxInFragment = __esm({ "src/services/codefixes/wrapJsxInFragment.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixID2 = "wrapJsxInFragment"; errorCodes55 = [Diagnostics.JSX_expressions_must_have_one_parent_element.code]; registerCodeFix({ errorCodes: errorCodes55, 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) => doChange29(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, errorCodes55, (changes, diag2) => { const node = findNodeToFix(context.sourceFile, diag2.start); if (!node) return void 0; doChange29(changes, context.sourceFile, node); }) }); } }); function getInfo16(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 doChange30(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(void 0, cast(parameter.name, isIdentifier), parameter.type); const mappedIntersectionType = factory.createMappedTypeNode(hasEffectiveReadonlyModifier(indexSignature) ? factory.createModifier(146) : void 0, mappedTypeParameter, void 0, indexSignature.questionToken, indexSignature.type, void 0); const intersectionType = factory.createIntersectionTypeNode([ ...getAllSuperTypeNodes(container), mappedIntersectionType, ...otherMembers.length ? [factory.createTypeLiteralNode(otherMembers)] : emptyArray ]); changes.replaceNode(sourceFile, container, createTypeAliasFromInterface(container, intersectionType)); } var fixId44, errorCodes56; var init_convertToMappedObjectType = __esm({ "src/services/codefixes/convertToMappedObjectType.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId44 = "fixConvertToMappedObjectType"; errorCodes56 = [Diagnostics.An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead.code]; registerCodeFix({ errorCodes: errorCodes56, getCodeActions: function getCodeActionsToConvertToMappedTypeObject(context) { const { sourceFile, span } = context; const info = getInfo16(sourceFile, span.start); if (!info) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange30(t, sourceFile, info)); const name = idText(info.container.name); return [createCodeFixAction(fixId44, changes, [Diagnostics.Convert_0_to_mapped_object_type, name], fixId44, [Diagnostics.Convert_0_to_mapped_object_type, name])]; }, fixIds: [fixId44], getAllCodeActions: (context) => codeFixAll(context, errorCodes56, (changes, diag2) => { const info = getInfo16(diag2.file, diag2.start); if (info) doChange30(changes, diag2.file, info); }) }); } }); var fixId45, errorCodes57; var init_removeAccidentalCallParentheses = __esm({ "src/services/codefixes/removeAccidentalCallParentheses.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId45 = "removeAccidentalCallParentheses"; errorCodes57 = [ Diagnostics.This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without.code ]; registerCodeFix({ errorCodes: errorCodes57, getCodeActions(context) { const callExpression = findAncestor(getTokenAtPosition(context.sourceFile, context.span.start), isCallExpression); 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(fixId45, changes, Diagnostics.Remove_parentheses)]; }, fixIds: [fixId45] }); } }); function makeChange10(changeTracker, sourceFile, span) { const awaitKeyword = tryCast(getTokenAtPosition(sourceFile, span.start), (node) => node.kind === 133); 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, false); if (isIdentifier(leftMostExpression)) { const precedingToken = findPrecedingToken(awaitExpression.parent.pos, sourceFile); if (precedingToken && precedingToken.kind !== 103) { expressionToReplace = awaitExpression.parent; } } } changeTracker.replaceNode(sourceFile, expressionToReplace, awaitExpression.expression); } var fixId46, errorCodes58; var init_removeUnnecessaryAwait = __esm({ "src/services/codefixes/removeUnnecessaryAwait.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId46 = "removeUnnecessaryAwait"; errorCodes58 = [ Diagnostics.await_has_no_effect_on_the_type_of_this_expression.code ]; registerCodeFix({ errorCodes: errorCodes58, getCodeActions: function getCodeActionsToRemoveUnnecessaryAwait(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange10(t, context.sourceFile, context.span)); if (changes.length > 0) { return [createCodeFixAction(fixId46, changes, Diagnostics.Remove_unnecessary_await, fixId46, Diagnostics.Remove_all_unnecessary_uses_of_await)]; } }, fixIds: [fixId46], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes58, (changes, diag2) => makeChange10(changes, diag2.file, diag2)); } }); } }); 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, void 0), importDeclaration.moduleSpecifier, importDeclaration.assertClause)); changes.insertNodeAfter(context.sourceFile, importDeclaration, factory.createImportDeclaration(void 0, factory.updateImportClause(importClause, importClause.isTypeOnly, void 0, importClause.namedBindings), importDeclaration.moduleSpecifier, importDeclaration.assertClause)); } var errorCodes59, fixId47; var init_splitTypeOnlyImport = __esm({ "src/services/codefixes/splitTypeOnlyImport.ts"() { "use strict"; init_ts4(); init_ts_codefix(); errorCodes59 = [Diagnostics.A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both.code]; fixId47 = "splitTypeOnlyImport"; registerCodeFix({ errorCodes: errorCodes59, fixIds: [fixId47], 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(fixId47, changes, Diagnostics.Split_into_two_separate_import_declarations, fixId47, Diagnostics.Split_all_invalid_type_only_imports)]; } }, getAllCodeActions: (context) => codeFixAll(context, errorCodes59, (changes, error) => { splitTypeOnlyImport(changes, getImportDeclaration2(context.sourceFile, error), context); }) }); } }); function getInfo17(sourceFile, pos, program) { var _a2; const checker = program.getTypeChecker(); const symbol = checker.getSymbolAtLocation(getTokenAtPosition(sourceFile, pos)); if (symbol === void 0) return; const declaration = tryCast((_a2 = symbol == null ? void 0 : symbol.valueDeclaration) == null ? void 0 : _a2.parent, isVariableDeclarationList); if (declaration === void 0) return; const constToken = findChildOfKind(declaration, 85, sourceFile); if (constToken === void 0) return; return { symbol, token: constToken }; } function doChange31(changes, sourceFile, token) { changes.replaceNode(sourceFile, token, factory.createToken(119)); } var fixId48, errorCodes60; var init_convertConstToLet = __esm({ "src/services/codefixes/convertConstToLet.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId48 = "fixConvertConstToLet"; errorCodes60 = [Diagnostics.Cannot_assign_to_0_because_it_is_a_constant.code]; registerCodeFix({ errorCodes: errorCodes60, getCodeActions: function getCodeActionsToConvertConstToLet(context) { const { sourceFile, span, program } = context; const info = getInfo17(sourceFile, span.start, program); if (info === void 0) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange31(t, sourceFile, info.token)); return [createCodeFixActionMaybeFixAll(fixId48, changes, Diagnostics.Convert_const_to_let, fixId48, 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, errorCodes60, (diag2) => { const info = getInfo17(diag2.file, diag2.start, program); if (info) { if (addToSeen(seen, getSymbolId(info.symbol))) { return doChange31(changes, diag2.file, info.token); } } return void 0; }); })); }, fixIds: [fixId48] }); } }); function getInfo18(sourceFile, pos, _) { const node = getTokenAtPosition(sourceFile, pos); return node.kind === 26 && node.parent && (isObjectLiteralExpression(node.parent) || isArrayLiteralExpression(node.parent)) ? { node } : void 0; } function doChange32(changes, sourceFile, { node }) { const newNode = factory.createToken(27); changes.replaceNode(sourceFile, node, newNode); } var fixId49, expectedErrorCode, errorCodes61; var init_fixExpectedComma = __esm({ "src/services/codefixes/fixExpectedComma.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixId49 = "fixExpectedComma"; expectedErrorCode = Diagnostics._0_expected.code; errorCodes61 = [expectedErrorCode]; registerCodeFix({ errorCodes: errorCodes61, getCodeActions(context) { const { sourceFile } = context; const info = getInfo18(sourceFile, context.span.start, context.errorCode); if (!info) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange32(t, sourceFile, info)); return [createCodeFixAction(fixId49, changes, [Diagnostics.Change_0_to_1, ";", ","], fixId49, [Diagnostics.Change_0_to_1, ";", ","])]; }, fixIds: [fixId49], getAllCodeActions: (context) => codeFixAll(context, errorCodes61, (changes, diag2) => { const info = getInfo18(diag2.file, diag2.start, diag2.code); if (info) doChange32(changes, context.sourceFile, info); }) }); } }); function makeChange11(changes, sourceFile, span, program, seen) { const node = getTokenAtPosition(sourceFile, span.start); if (!isIdentifier(node) || !isCallExpression(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) || !isNewExpression(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(114)]).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 _a2; if (isInJSFile(node)) { if (isParenthesizedExpression(node.parent)) { const jsDocType = (_a2 = getJSDocTypeTag(node.parent)) == null ? void 0 : _a2.typeExpression.type; if (jsDocType && isTypeReferenceNode(jsDocType) && isIdentifier(jsDocType.typeName) && idText(jsDocType.typeName) === "Promise") { return jsDocType.typeArguments; } } } else { return node.typeArguments; } } var fixName7, fixId50, errorCodes62; var init_fixAddVoidToPromise = __esm({ "src/services/codefixes/fixAddVoidToPromise.ts"() { "use strict"; init_ts4(); init_ts_codefix(); fixName7 = "addVoidToPromise"; fixId50 = "addVoidToPromise"; errorCodes62 = [ 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: errorCodes62, fixIds: [fixId50], getCodeActions(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange11(t, context.sourceFile, context.span, context.program)); if (changes.length > 0) { return [createCodeFixAction(fixName7, changes, Diagnostics.Add_void_to_Promise_resolved_without_a_value, fixId50, Diagnostics.Add_void_to_all_Promises_resolved_without_a_value)]; } }, getAllCodeActions(context) { return codeFixAll(context, errorCodes62, (changes, diag2) => makeChange11(changes, diag2.file, diag2, context.program, /* @__PURE__ */ new Set())); } }); } }); 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, getNoopSymbolTrackerWithResolver: () => getNoopSymbolTrackerWithResolver, getPromoteTypeOnlyCompletionAction: () => getPromoteTypeOnlyCompletionAction, getSupportedErrorCodes: () => getSupportedErrorCodes, importFixName: () => importFixName, importSymbols: () => importSymbols, moduleSpecifierToValidIdentifier: () => moduleSpecifierToValidIdentifier, moduleSymbolToValidIdentifier: () => moduleSymbolToValidIdentifier, parameterShouldGetTypeFromJSDoc: () => parameterShouldGetTypeFromJSDoc, registerCodeFix: () => registerCodeFix, setJsonCompilerOptionValue: () => setJsonCompilerOptionValue, setJsonCompilerOptionValues: () => setJsonCompilerOptionValues, tryGetAutoImportableReferenceFromTypeNode: () => tryGetAutoImportableReferenceFromTypeNode, typeToAutoImportableTypeNode: () => typeToAutoImportableTypeNode }); var init_ts_codefix = __esm({ "src/services/_namespaces/ts.codefix.ts"() { "use strict"; init_codeFixProvider(); init_addConvertToUnknownForNonOverlappingTypes(); init_addEmptyExportDeclaration(); init_addMissingAsync(); init_addMissingAwait(); init_addMissingConst(); init_addMissingDeclareProperty(); init_addMissingInvocationForDecorator(); init_addNameToNamelessParameter(); init_addOptionalPropertyUndefined(); init_annotateWithTypeFromJSDoc(); init_convertFunctionToEs6Class(); init_convertToAsyncFunction(); init_convertToEsModule(); init_correctQualifiedNameToIndexedAccessType(); init_convertToTypeOnlyExport(); init_convertToTypeOnlyImport(); init_convertLiteralTypeToMappedType(); init_fixClassIncorrectlyImplementsInterface(); init_importFixes(); init_fixAddMissingConstraint(); init_fixOverrideModifier(); init_fixNoPropertyAccessFromIndexSignature(); init_fixImplicitThis(); init_fixImportNonExportedMember(); init_fixIncorrectNamedTupleSyntax(); init_fixSpelling(); init_returnValueCorrect(); init_fixAddMissingMember(); init_fixAddMissingNewOperator(); init_fixCannotFindModule(); init_fixClassDoesntImplementInheritedAbstractMember(); init_fixClassSuperMustPrecedeThisAccess(); init_fixConstructorForDerivedNeedSuperCall(); init_fixEnableJsxFlag(); init_fixNaNEquality(); init_fixModuleAndTargetOptions(); init_fixPropertyAssignment(); init_fixExtendsInterfaceBecomesImplements(); init_fixForgottenThisPropertyAccess(); init_fixInvalidJsxCharacters(); init_fixUnmatchedParameter(); init_fixUnreferenceableDecoratorMetadata(); init_fixUnusedIdentifier(); init_fixUnreachableCode(); init_fixUnusedLabel(); init_fixJSDocTypes(); init_fixMissingCallParentheses(); init_fixAwaitInSyncFunction(); init_fixPropertyOverrideAccessor(); init_inferFromUsage(); init_fixReturnTypeInAsyncFunction(); init_disableJsDiagnostics(); init_helpers(); init_generateAccessors(); init_fixInvalidImportSyntax(); init_fixStrictClassInitialization(); init_requireInTs(); init_useDefaultImport(); init_useBigintLiteral(); init_fixAddModuleReferTypeMissingTypeof(); init_wrapJsxInFragment(); init_convertToMappedObjectType(); init_removeAccidentalCallParentheses(); init_removeUnnecessaryAwait(); init_splitTypeOnlyImport(); init_convertConstToLet(); init_fixExpectedComma(); init_fixAddVoidToPromise(); } }); 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 _a2, _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)` : ""; (_a2 = host.log) == null ? void 0 : _a2.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 _a2; 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 incompleteCompletionsCache = preferences.allowIncompleteCompletions ? (_a2 = host.getIncompleteCompletionsCache) == null ? void 0 : _a2.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 === 81 || previousToken.kind === 86 || previousToken.kind === 79)) { return getLabelCompletionAtPosition(previousToken.parent); } const completionData = getCompletionData(program, log, sourceFile, compilerOptions, position, preferences, 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()); case 2: return jsdocCompletionInfo(ts_JsDoc_exports.getJSDocTagCompletions()); 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 _a2, _b; let result = compareStringsCaseSensitiveUI(entryInArray.sortText, entryToInsert.sortText); if (result === 0) { result = compareStringsCaseSensitiveUI(entryInArray.name, entryToInsert.name); } if (result === 0 && ((_a2 = entryInArray.data) == null ? void 0 : _a2.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, false, isValidTypeOnlyAliasUseSite(location), (context) => { const entries = mapDefined(previousResponse.entries, (entry) => { var _a2; 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") { (_a2 = host.log) == null ? void 0 : _a2.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 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 154: return 8; default: Debug.fail("Unknown mapping from SyntaxKind to KeywordCompletionFilters"); } } function getOptionalReplacementSpan(location) { return (location == null ? void 0 : location.kind) === 79 ? 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 tracker = newCaseClauseTracker(checker, caseClause.parent.clauses); literals = literals.filter((literal) => !tracker.hasValue(literal)); symbols.forEach((symbol, i) => { if (symbol.valueDeclaration && isEnumMember(symbol.valueDeclaration)) { const value = checker.getConstantValue(symbol.valueDeclaration); if (value !== void 0 && tracker.hasValue(value)) { symbolToOriginInfoMap[i] = { kind: 256 }; } } }); } 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, 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)) || !uniqueNames.has(keywordEntry.name)) { uniqueNames.add(keywordEntry.name); insertSorted(entries, keywordEntry, compareCompletionEntries, true); } } } for (const keywordEntry of getContextualKeywords(contextToken, position)) { if (!uniqueNames.has(keywordEntry.name)) { uniqueNames.add(keywordEntry.name); insertSorted(entries, keywordEntry, compareCompletionEntries, true); } } for (const literal of literals) { const literalEntry = createCompletionEntryForLiteral(sourceFile, preferences, literal); uniqueNames.add(literalEntry.name); insertSorted(entries, literalEntry, compareCompletionEntries, true); } if (!isChecked) { getJSCompletionEntries(sourceFile, location.pos, uniqueNames, getEmitScriptTarget(compilerOptions), entries); } let caseBlock; if (preferences.includeCompletionsWithInsertText && contextToken && !isRightOfOpenTag && !isRightOfDotOrQuestionDot && (caseBlock = findAncestor(contextToken, isCaseBlock))) { const cases = getExhaustiveCaseSnippets(caseBlock, sourceFile, preferences, compilerOptions, host, program, formatContext); if (cases) { entries.push(cases.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 tracker = 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 (tracker.hasValue(enumValue)) { continue; } tracker.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 (!tracker.hasValue(type.value)) { switch (typeof type.value) { case "object": elements.push(type.value.negative ? factory.createPrefixUnaryExpression(40, factory.createBigIntLiteral({ negative: false, base10Value: type.value.base10Value })) : factory.createBigIntLiteral(type.value)); break; case "number": elements.push(type.value < 0 ? factory.createPrefixUnaryExpression(40, factory.createNumericLiteral(-type.value)) : factory.createNumericLiteral(type.value)); break; case "string": elements.push(factory.createStringLiteral(type.value, quotePreference === 0)); 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 180: const typeName = typeNode.typeName; return entityNameToExpression(typeName, languageVersion, quotePreference); case 196: const objectExpression = typeNodeToExpression(typeNode.objectType, languageVersion, quotePreference); const indexExpression = typeNodeToExpression(typeNode.indexType, languageVersion, quotePreference); return objectExpression && indexExpression && factory.createElementAccessExpression(objectExpression, indexExpression); case 198: const literal = typeNode.literal; switch (literal.kind) { case 10: return factory.createStringLiteral(literal.text, quotePreference === 0); case 8: return factory.createNumericLiteral(literal.text, literal.numericLiteralFlags); } return void 0; case 193: const exp = typeNodeToExpression(typeNode.type, languageVersion, quotePreference); return exp && (isIdentifier(exp) ? exp : factory.createParenthesizedExpression(exp)); case 183: return entityNameToExpression(typeNode.exprName, languageVersion, quotePreference); case 202: 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)); } } 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 284: return true; case 43: case 31: case 79: case 208: return false; default: return "quit"; } }); if (jsxClosingElement) { const hasClosingAngleBracket = !!findChildOfKind(jsxClosingElement, 31, 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" : isString(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) { let insertText; let replacementSpan = getReplacementSpanForContextToken(replacementToken); 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, 24, sourceFile) || findChildOfKind(propertyAccessToConvert, 28, sourceFile); if (!dot) { return void 0; } const end = startsWith(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 (preferences.includeCompletionsWithClassMemberSnippets && preferences.includeCompletionsWithInsertText && completionKind === 3 && isClassLikeMemberCompletion(symbol, location, sourceFile)) { let importAdder; ({ insertText, isSnippet, importAdder, replacementSpan } = getEntryForMemberCompletion(host, program, options, preferences, name, symbol, location, position, contextToken, formatContext)); sortText = SortText.ClassMemberSnippets; if (importAdder == null ? void 0 : importAdder.hasFixes()) { hasAction = true; source = "ClassMemberSnippet/"; } } 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; } 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, 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 { insertText: name }; } let isSnippet; let replacementSpan; let insertText = 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], true); setSnippetElement(emptyStmt, { kind: 0, order: 0 }); } else { body = factory.createBlock([], true); } let modifiers = 0; const { modifiers: presentModifiers, span: modifiersSpan } = getPresentModifiers(contextToken, sourceFile, position); const isAbstract = !!(presentModifiers & 256); const completionNodes = []; ts_codefix_exports.addNewNodeForMemberSymbol(symbol, classLikeDeclaration, sourceFile, { program, host }, preferences, importAdder, (node) => { let requiredModifiers = 0; if (isAbstract) { requiredModifiers |= 256; } if (isClassElement(node) && checker.getMemberOverrideModifierStatus(classLikeDeclaration, node, symbol) === 1) { requiredModifiers |= 16384; } if (!completionNodes.length) { modifiers = node.modifierFlagsCache | requiredModifiers | presentModifiers; } node = factory.updateModifiers(node, modifiers); completionNodes.push(node); }, body, ts_codefix_exports.PreserveOptionalFlags.Property, isAbstract); if (completionNodes.length) { const format = 1 | 131072; replacementSpan = modifiersSpan; if (formatContext) { insertText = printer.printAndFormatSnippetList(format, factory.createNodeArray(completionNodes), sourceFile, formatContext); } else { insertText = printer.printSnippetList(format, factory.createNodeArray(completionNodes), sourceFile); } } return { insertText, isSnippet, importAdder, replacementSpan }; } function getPresentModifiers(contextToken, sourceFile, position) { if (!contextToken || getLineAndCharacterOfPosition(sourceFile, position).line > getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line) { return { modifiers: 0 }; } let modifiers = 0; let span; let contextMod; if (contextMod = isModifierLike2(contextToken)) { modifiers |= modifierToFlag(contextMod); span = createTextSpanFromNode(contextToken); } if (isPropertyDeclaration(contextToken.parent)) { modifiers |= modifiersToFlags(contextToken.parent.modifiers) & 126975; span = createTextSpanFromNode(contextToken.parent); } return { modifiers, span }; } 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], true), sourceFile, formatContext); } else { insertText = printer.printSnippetList(16 | 64, factory.createNodeArray([method], true), sourceFile); } const signaturePrinter = createPrinter({ removeComments: true, module: options.module, target: options.target, omitTrailingSemicolon: true }); const methodSignature = factory.createMethodSignature(void 0, "", 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), 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 168: case 169: case 170: case 171: { let effectiveType = type.flags & 1048576 && type.types.length < 10 ? checker.getUnionType(type.types, 2) : type; if (effectiveType.flags & 1048576) { const functionTypes = filter(effectiveType.types, (type2) => checker.getSignaturesOfType(type2, 0).length > 0); if (functionTypes.length === 1) { effectiveType = functionTypes[0]; } else { return void 0; } } const signatures = checker.getSignaturesOfType(effectiveType, 0); 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], true); setSnippetElement(emptyStmt, { kind: 0, order: 0 }); } else { body = factory.createBlock([], true); } const parameters = typeNode.parameters.map((typedParam) => factory.createParameterDeclaration(void 0, typedParam.dotDotDotToken, typedParam.name, void 0, void 0, typedParam.initializer)); return factory.createMethodDeclaration(void 0, void 0, name, void 0, void 0, parameters, 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(format, list, sourceFile) { const unescaped = printUnescapedSnippetList(format, list, sourceFile); return escapes ? ts_textChanges_exports.applyChanges(unescaped, escapes) : unescaped; } function printUnescapedSnippetList(format, list, sourceFile) { escapes = void 0; writer.clear(); printer.writeList(format, list, sourceFile, writer); return writer.getText(); } function printAndFormatSnippetList(format, list, sourceFile, formatContext) { const syntheticFile = { text: printUnescapedSnippetList(format, 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, 0, 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, 0, 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 = quote(sourceFile, preferences, escapeSnippetText(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, true); const isImportSpecifierTypeOnly = importStatementCompletion.couldBeTypeOnlyImportSpecifier; const topLevelTypeOnlyText = importStatementCompletion.isTopLevelTypeOnly ? ` ${tokenToString(154)} ` : " "; const importSpecifierTypeOnlyText = isImportSpecifierTypeOnly ? `${tokenToString(154)} ` : ""; const suffix = useSemicolons ? ";" : ""; switch (importKind) { case 3: return { replacementSpan, insertText: `import${topLevelTypeOnlyText}${escapeSnippetText(name)}${tabStop} = req uire(${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) { var _a2; const start = timestamp(); const variableDeclaration = getVariableDeclaration(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; } const { name, needsConvertPropertyAccess } = info; const originalSortText = (_a2 = symbolToSortTextMap == null ? void 0 : symbolToSortTextMap[getSymbolId(symbol)]) != null ? _a2 : 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, true); } log("getCompletionsAtPosition: getCompletionEntriesFromSymbols: " + (timestamp() - start)); return { has: (name) => uniques.has(name), add: (name) => uniques.set(name, true) }; function shouldIncludeSymbol(symbol, symbolToSortTextMap2) { let allFlags = symbol.flags; if (!isSourceFile(location)) { if (isExportAssignment(location.parent)) { return true; } if (variableDeclaration && symbol.valueDeclaration === variableDeclaration) { 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 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, 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) ? { 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, typeChecker, compilerOptions, 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) : 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); } case "cases": { const { entry, importAdder } = getExhaustiveCaseSnippets(contextToken.parent, sourceFile, preferences, program.getCompilerOptions(), host, program, void 0); if (importAdder.hasFixes()) { 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: entry.name, kind: "", kindModifiers: "", displayParts: [], sourceDisplay: void 0 }; } case "none": return allKeywordsCompletions().some((c) => c.name === name) ? createSimpleDetails(name, "keyword", 5) : 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)); 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).replacementSpan) { return { codeActions: void 0, sourceDisplay: [textPart(data.moduleSpecifier)] }; } } if (source === "ClassMemberSnippet/") { const { importAdder } = getEntryForMemberCompletion(host, program, compilerOptions, preferences, name, symbol, location, position, contextToken, formatContext); if (importAdder) { const changes = ts_textChanges_exports.ChangeTracker.with({ host, formatContext, preferences }, importAdder.writeFixes); return { sourceDisplay: void 0, codeActions: [{ changes, description: diagnosticToString([Diagnostics.Includes_imports_of_types_referenced_by_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 (!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) === 29 && 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; } 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 79: return getContextualTypeFromParent(previousToken, checker); case 63: switch (parent2.kind) { case 257: return checker.getContextualType(parent2.initializer); case 223: return checker.getTypeAtLocation(parent2.left); case 288: return checker.getContextualTypeForJsxAttribute(parent2); default: return void 0; } case 103: return checker.getContextualType(parent2); case 82: const caseClause = tryCast(parent2, isCaseClause); return caseClause ? getSwitchedType(caseClause, checker) : void 0; case 18: 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); return argInfo ? checker.getContextualTypeForArgumentAtIndex(argInfo.invocation, argInfo.argumentIndex + (previousToken.kind === 27 ? 1 : 0)) : isEqualityOperatorKind(previousToken.kind) && isBinaryExpression(parent2) && isEqualityOperatorKind(parent2.operatorToken.kind) ? checker.getTypeAtLocation(parent2.left) : checker.getContextualType(previousToken); } } function getFirstSymbolInChain(symbol, enclosingDeclaration, checker) { const chain = checker.getAccessibleSymbolChain(symbol, enclosingDeclaration, 67108863, false); if (chain) return first(chain); return symbol.parent && (isModuleSymbol(symbol.parent) ? symbol : getFirstSymbolInChain(symbol.parent, enclosingDeclaration, checker)); } function isModuleSymbol(symbol) { var _a2; return !!((_a2 = symbol.declarations) == null ? void 0 : _a2.some((d) => d.kind === 308)); } 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 isInSnippetScope = false; if (insideComment) { if (hasDocComment(sourceFile, position)) { if (sourceFile.text.charCodeAt(position - 1) === 64) { return { kind: 1 }; } else { const lineStart = getLineStartPositionForPosition(position, sourceFile); if (!/[^*|s(/)]/.test(sourceFile.text.substring(lineStart, position))) { return { kind: 2 }; } } } const tag = getJsDocTagAtPosition(currentToken, position); if (tag) { if (tag.tagName.pos <= position && position <= tag.tagName.end) { return { kind: 1 }; } const typeExpression = tryGetTypeExpressionFromTag(tag); if (typeExpression) { currentToken = getTokenAtPosition(sourceFile, position); if (!currentToken || !isDeclarationName(currentToken) && (currentToken.parent.kind !== 351 || 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) { 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 && 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); 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 === 24 || contextToken.kind === 28) { isRightOfDot = contextToken.kind === 24; isRightOfQuestionDot = contextToken.kind === 28; switch (parent2.kind) { case 208: propertyAccessToConvert = parent2; node = propertyAccessToConvert.expression; const leftmostAccessExpression = getLeftmostAccessExpression(propertyAccessToConvert); if (nodeIsMissing(leftmostAccessExpression) || (isCallExpression(node) || isFunctionLike(node)) && node.end === contextToken.pos && node.getChildCount(sourceFile) && last(node.getChildren(sourceFile)).kind !== 21) { return void 0; } break; case 163: node = parent2.left; break; case 264: node = parent2.name; break; case 202: node = parent2; break; case 233: node = parent2.getFirstToken(sourceFile); Debug.assert(node.kind === 100 || node.kind === 103); break; default: return void 0; } } else if (!importStatementCompletion) { if (parent2 && parent2.kind === 208) { contextToken = parent2; parent2 = parent2.parent; } if (currentToken.parent === location) { switch (currentToken.kind) { case 31: if (currentToken.parent.kind === 281 || currentToken.parent.kind === 283) { location = currentToken; } break; case 43: if (currentToken.parent.kind === 282) { location = currentToken; } break; } } switch (parent2.kind) { case 284: if (contextToken.kind === 43) { isStartingCloseTag = true; location = contextToken; } break; case 223: if (!binaryExpressionMayBeOpenTag(parent2)) { break; } case 282: case 281: case 283: isJsxIdentifierExpected = true; if (contextToken.kind === 29) { isRightOfOpenTag = true; location = contextToken; } break; case 291: case 290: if (previousToken.kind === 19 || previousToken.kind === 79 && previousToken.parent.kind === 288) { isJsxIdentifierExpected = true; } break; case 288: if (parent2.initializer === previousToken && previousToken.end < position) { isJsxIdentifierExpected = true; break; } switch (previousToken.kind) { case 63: isJsxInitializer = true; break; case 79: isJsxIdentifierExpected = true; if (parent2 !== previousToken.parent && !parent2.initializer && findChildOfKind(parent2, 63, sourceFile)) { isJsxInitializer = previousToken; } } break; } } } const semanticStart = timestamp(); let completionKind = 5; let isNonContextualObjectLiteral = false; 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 literals = 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 344: case 351: case 345: case 347: case 349: case 352: case 353: return true; case 348: return !!tag.constraint; default: return false; } } function tryGetTypeExpressionFromTag(tag) { if (isTagWithTypeExpression(tag)) { const typeExpression = isJSDocTemplateTag(tag) ? tag.constraint : tag.typeExpression; return typeExpression && typeExpression.kind === 312 ? typeExpression : void 0; } if (isJSDocAugmentsTag(tag) || isJSDocImplementsTag(tag)) { return tag.class; } return void 0; } function getTypeScriptMemberSymbols() { completionKind = 2; const isImportType = isLiteralImportTypeNode(node); const isTypeLocation = insideJsDocTagTypeExpression || 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 _a2; return !!(symbol2.flags & 1920) && !((_a2 = symbol2.declarations) == null ? void 0 : _a2.every((d) => d.parent === node.parent)); } : isRhsOfImportDeclaration ? (symbol2) => isValidTypeAccess(symbol2) || isValidValueAccess(symbol2) : isTypeLocation ? isValidTypeAccess : isValidValueAccess; for (const exportedSymbol of exportedSymbols) { if (isValidAccess(exportedSymbol)) { symbols.push(exportedSymbol); } } if (!isTypeLocation && symbol.declarations && symbol.declarations.some((d) => d.kind !== 308 && d.kind !== 264 && d.kind !== 263)) { 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 & 32768), insertQuestionDot); } return; } } } if (!isTypeLocation) { typeChecker.tryGetThisTypeAt(node, false); let type = typeChecker.getTypeAtLocation(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 & 32768), insertQuestionDot); } } function addTypeProperties(type, insertAwait, insertQuestionDot) { isNewIdentifierLocation = !!type.getStringIndexType(); if (isRightOfQuestionDot && some(type.getCallSignatures())) { isNewIdentifierLocation = true; } const propertyAccess = node.kind === 202 ? node : node.parent; if (inCheckedFile) { for (const symbol of type.getApparentProperties()) { if (typeChecker.isValidPropertyAccessForCompletions(propertyAccess, type, symbol)) { addPropertySymbol(symbol, false, insertQuestionDot); } } } else { symbols.push(...filter(getPropertiesForCompletion(type, typeChecker), (s) => typeChecker.isValidPropertyAccessForCompletions(propertyAccess, type, s))); } if (insertAwait && preferences.includeCompletionsWithInsertText) { const promiseType = typeChecker.getPromisedTypeOfPromise(type); if (promiseType) { for (const symbol of promiseType.getApparentProperties()) { if (typeChecker.isValidPropertyAccessForCompletions(propertyAccess, promiseType, symbol)) { addPropertySymbol(symbol, true, insertQuestionDot); } } } } } function addPropertySymbol(symbol, insertAwait, insertQuestionDot) { var _a2; 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); if (firstAccessibleSymbol && addToSeen(seenPropertySymbols, getSymbolId(firstAccessibleSymbol))) { 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) }; } else { const fileName = isExternalModuleNameRelative(stripQuotes(moduleSymbol.name)) ? (_a2 = getSourceFileOfModule(moduleSymbol)) == null ? void 0 : _a2.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), moduleSymbol, isDefaultExport: false, symbolName: firstAccessibleSymbol.name, exportName: firstAccessibleSymbol.name, fileName, moduleSpecifier }; symbolToOriginInfoMap[index] = origin; } } } else if (preferences.includeCompletionsWithInsertText) { 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) }; } else if (insertQuestionDot) { symbolToOriginInfoMap[symbols.length] = { kind: 16 }; } } } 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() || 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); 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 !== 308) { const thisType = typeChecker.tryGetThisTypeAt(scopeNode, 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 }; symbols.push(symbol); symbolToSortTextMap[getSymbolId(symbol)] = SortText.SuggestedClassMembers; } } } collectAutoImports(); if (isTypeOnlyLocation) { keywordFilters = contextToken && isAssertionExpression(contextToken.parent) ? 6 : 7; } } function shouldOfferImportCompletions() { if (importStatementCompletion) return true; if (isNonContextualObjectLiteral) return false; if (!preferences.includeCompletionsForModuleExports) return false; if (sourceFile.externalModuleIndicator || sourceFile.commonJsModuleIndicator) return true; if (compilerOptionsIndicateEsModules(program.getCompilerOptions())) return true; return programContainsModules(program); } function isSnippetScope(scopeNode) { switch (scopeNode.kind) { case 308: case 225: case 291: case 238: return true; default: return isStatement(scopeNode); } } function isTypeOnlyCompletion() { return insideJsDocTagTypeExpression || !!importStatementCompletion && isTypeOnlyImportOrExportDeclaration(location.parent) || !isContextTokenValueLocation(contextToken) && (isPossiblyTypeArgumentPosition(contextToken, sourceFile, typeChecker) || isPartOfTypeNode(location) || isContextTokenTypeLocation(contextToken)); } function isContextTokenValueLocation(contextToken2) { return contextToken2 && (contextToken2.kind === 112 && (contextToken2.parent.kind === 183 || isTypeOfExpression(contextToken2.parent)) || contextToken2.kind === 129 && contextToken2.parent.kind === 179); } function isContextTokenTypeLocation(contextToken2) { if (contextToken2) { const parentKind = contextToken2.parent.kind; switch (contextToken2.kind) { case 58: return parentKind === 169 || parentKind === 168 || parentKind === 166 || parentKind === 257 || isFunctionLikeKind(parentKind); case 63: return parentKind === 262; case 128: return parentKind === 231; case 29: return parentKind === 180 || parentKind === 213; case 94: return parentKind === 165; case 150: return parentKind === 235; } } return false; } function collectAutoImports() { var _a2, _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 = (_a2 = host.getModuleSpecifierCache) == null ? void 0 : _a2.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, 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(exportInfo2.symbol) || exportInfo2.symbol; pushAutoImportSymbol(symbol, { kind: moduleSpecifier ? 32 : 4, moduleSpecifier, symbolName: symbolName2, exportMapKey, exportName: exportInfo2.exportKind === 2 ? "export=" : 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) && startsWith(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), void 0, 0, 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) || isBigIntLiteral(contextToken2); log("getCompletionsAtPosition: isCompletionListBlocker: " + (timestamp() - start2)); return result; } function isInJsxText(contextToken2) { if (contextToken2.kind === 11) { return true; } if (contextToken2.kind === 31 && contextToken2.parent) { if (location === contextToken2.parent && (location.kind === 283 || location.kind === 282)) { return false; } if (contextToken2.parent.kind === 283) { return location.parent.kind !== 283; } if (contextToken2.parent.kind === 284 || contextToken2.parent.kind === 282) { return !!contextToken2.parent.parent && contextToken2.parent.parent.kind === 281; } } return false; } function isNewIdentifierDefinitionLocation() { if (contextToken) { const containingNodeKind = contextToken.parent.kind; const tokenKind = keywordForNode(contextToken); switch (tokenKind) { case 27: return containingNodeKind === 210 || containingNodeKind === 173 || containingNodeKind === 211 || containingNodeKind === 206 || containingNodeKind === 223 || containingNodeKind === 181 || containingNodeKind === 207; case 20: return containingNodeKind === 210 || containingNodeKind === 173 || containingNodeKind === 211 || containingNodeKind === 214 || containingNodeKind === 193; case 22: return containingNodeKind === 206 || containingNodeKind === 178 || containingNodeKind === 164; case 142: case 143: case 100: return true; case 24: return containingNodeKind === 264; case 18: return containingNodeKind === 260 || containingNodeKind === 207; case 63: return containingNodeKind === 257 || containingNodeKind === 223; case 15: return containingNodeKind === 225; case 16: return containingNodeKind === 236; case 132: return containingNodeKind === 171 || containingNodeKind === 300; case 41: return containingNodeKind === 171; } 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() { const symbolsStartIndex = symbols.length; const objectLikeContainer = tryGetObjectLikeCompletionContainer(contextToken); if (!objectLikeContainer) return 0; completionKind = 0; let typeMembers; let existingMembers; if (objectLikeContainer.kind === 207) { const instantiatedType = tryGetObjectLiteralContextualType(objectLikeContainer, typeChecker); if (instantiatedType === void 0) { if (objectLikeContainer.flags & 33554432) { return 2; } isNonContextualObjectLiteral = true; return 0; } const completionsType = typeChecker.getContextualType(objectLikeContainer, 4); 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) { isNonContextualObjectLiteral = true; return 0; } } } else { Debug.assert(objectLikeContainer.kind === 203); 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 === 247; if (!canGetType && rootDeclaration.kind === 166) { if (isExpression(rootDeclaration.parent)) { canGetType = !!typeChecker.getContextualType(rootDeclaration.parent); } else if (rootDeclaration.parent.kind === 171 || rootDeclaration.parent.kind === 175) { 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, false, 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 === 207 && preferences.includeCompletionsWithObjectLiteralMethodSnippets && preferences.includeCompletionsWithInsertText) { transformObjectLiteralMembersSortText(symbolsStartIndex); collectObjectLiteralMethodSymbols(filteredMembers, objectLikeContainer); } } return 1; } function tryGetImportOrExportClauseCompletionSymbols() { if (!contextToken) return 0; const namedImportsOrExports = contextToken.kind === 18 || contextToken.kind === 27 ? 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 === 272 ? namedImportsOrExports.parent.parent : namedImportsOrExports.parent; if (!moduleSpecifier) { isNewIdentifierLocation = true; return namedImportsOrExports.kind === 272 ? 2 : 0; } const moduleSpecifierSymbol = typeChecker.getSymbolAtLocation(moduleSpecifier); if (!moduleSpecifierSymbol) { isNewIdentifierLocation = true; return 2; } completionKind = 3; isNewIdentifierLocation = false; const exports = typeChecker.getExportsAndPropertiesOfModule(moduleSpecifierSymbol); const existing = new Set(namedImportsOrExports.elements.filter((n) => !isCurrentlyEditingNode(n)).map((n) => (n.propertyName || n.name).escapedText)); const uniques = exports.filter((e) => e.escapedName !== "default" && !existing.has(e.escapedName)); symbols = concatenate(symbols, uniques); if (!uniques.length) { keywordFilters = 0; } return 1; } function tryGetLocalNamedExportCompletionSymbols() { var _a2; const namedExports = contextToken && (contextToken.kind === 18 || contextToken.kind === 27) ? tryCast(contextToken.parent, isNamedExports) : void 0; if (!namedExports) { return 0; } const localsContainer = findAncestor(namedExports, or(isSourceFile, isModuleDeclaration)); completionKind = 5; isNewIdentifierLocation = false; (_a2 = localsContainer.locals) == null ? void 0 : _a2.forEach((symbol, name) => { var _a3, _b; symbols.push(symbol); if ((_b = (_a3 = localsContainer.symbol) == null ? void 0 : _a3.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 === 41 ? 0 : isClassLike(decl) ? 2 : 3; if (!isClassLike(decl)) return 1; const classElement = contextToken.kind === 26 ? contextToken.parent.parent : contextToken.parent; let classElementModifierFlags = isClassElement(classElement) ? getEffectiveModifierFlags(classElement) : 0; if (contextToken.kind === 79 && !isCurrentlyEditingNode(contextToken)) { switch (contextToken.getText()) { case "private": classElementModifierFlags = classElementModifierFlags | 8; break; case "static": classElementModifierFlags = classElementModifierFlags | 32; break; case "override": classElementModifierFlags = classElementModifierFlags | 16384; break; } } if (isClassStaticBlockDeclaration(classElement)) { classElementModifierFlags |= 32; } if (!(classElementModifierFlags & 8)) { const baseTypeNodes = isClassLike(decl) && classElementModifierFlags & 16384 ? singleElementArray(getEffectiveBaseTypeNode(decl)) : getAllSuperTypeNodes(decl); const baseSymbols = flatMap(baseTypeNodes, (baseTypeNode) => { const type = typeChecker.getTypeAtLocation(baseTypeNode); return classElementModifierFlags & 32 ? (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 20: case 27: 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 31: case 30: case 43: case 79: case 208: case 289: case 288: case 290: if (parent2 && (parent2.kind === 282 || parent2.kind === 283)) { if (contextToken2.kind === 31) { const precedingToken = findPrecedingToken(contextToken2.pos, sourceFile, void 0); if (!parent2.typeArguments || precedingToken && precedingToken.kind === 43) break; } return parent2; } else if (parent2.kind === 288) { return parent2.parent.parent; } break; case 10: if (parent2 && (parent2.kind === 288 || parent2.kind === 290)) { return parent2.parent.parent; } break; case 19: if (parent2 && parent2.kind === 291 && parent2.parent && parent2.parent.kind === 288) { return parent2.parent.parent.parent; } if (parent2 && parent2.kind === 290) { return parent2.parent.parent; } break; } } return void 0; } function isSolelyIdentifierDefinitionLocation(contextToken2) { const parent2 = contextToken2.parent; const containingNodeKind = parent2.kind; switch (contextToken2.kind) { case 27: return containingNodeKind === 257 || isVariableDeclarationListButNotTypeArgument(contextToken2) || containingNodeKind === 240 || containingNodeKind === 263 || isFunctionLikeButNotConstructor(containingNodeKind) || containingNodeKind === 261 || containingNodeKind === 204 || containingNodeKind === 262 || isClassLike(parent2) && !!parent2.typeParameters && parent2.typeParameters.end >= contextToken2.pos; case 24: return containingNodeKind === 204; case 58: return containingNodeKind === 205; case 22: return containingNodeKind === 204; case 20: return containingNodeKind === 295 || isFunctionLikeButNotConstructor(containingNodeKind); case 18: return containingNodeKind === 263; case 29: return containingNodeKind === 260 || containingNodeKind === 228 || containingNodeKind === 261 || containingNodeKind === 262 || isFunctionLikeKind(containingNodeKind); case 124: return containingNodeKind === 169 && !isClassLike(parent2.parent); case 25: return containingNodeKind === 166 || !!parent2.parent && parent2.parent.kind === 204; case 123: case 121: case 122: return containingNodeKind === 166 && !isConstructorDeclaration(parent2.parent); case 128: return containingNodeKind === 273 || containingNodeKind === 278 || containingNodeKind === 271; case 137: case 151: return !isFromObjectTypeDeclaration(contextToken2); case 79: if (containingNodeKind === 273 && contextToken2 === parent2.name && contextToken2.text === "type") { return false; } break; case 84: case 92: case 118: case 98: case 113: case 100: case 119: case 85: case 138: return true; case 154: return containingNodeKind !== 273; case 41: 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 126: case 84: case 85: case 136: case 92: case 98: case 118: case 119: case 121: case 122: case 123: case 124: case 113: return true; case 132: return isPropertyDeclaration(contextToken2.parent); } const ancestorClassLike = findAncestor(contextToken2.parent, isClassLike); if (ancestorClassLike && contextToken2 === previousToken && isPreviousPropertyDeclarationTerminated(contextToken2, position)) { return false; } const ancestorPropertyDeclaraion = getAncestor(contextToken2.parent, 169); if (ancestorPropertyDeclaraion && contextToken2 !== previousToken && isClassLike(previousToken.parent.parent) && position <= previousToken.end) { if (isPreviousPropertyDeclarationTerminated(contextToken2, previousToken.end)) { return false; } else if (contextToken2.kind !== 63 && (isInitializedProperty(ancestorPropertyDeclaraion) || hasType(ancestorPropertyDeclaraion))) { return true; } } return isDeclarationName(contextToken2) && !isShorthandPropertyAssignment(contextToken2.parent) && !isJsxAttribute(contextToken2.parent) && !(isClassLike(contextToken2.parent) && (contextToken2 !== previousToken || position > previousToken.end)); } function isPreviousPropertyDeclarationTerminated(contextToken2, position2) { return contextToken2.kind !== 63 && (contextToken2.kind === 26 || !positionsAreOnSameLine(contextToken2.end, position2, sourceFile)); } function isFunctionLikeButNotConstructor(kind) { return isFunctionLikeKind(kind) && kind !== 173; } function isDotOfNumericLiteral(contextToken2) { if (contextToken2.kind === 8) { const text = contextToken2.getFullText(); return text.charAt(text.length - 1) === "."; } return false; } function isVariableDeclarationListButNotTypeArgument(node2) { return node2.parent.kind === 258 && !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 !== 299 && m.kind !== 300 && m.kind !== 205 && m.kind !== 171 && m.kind !== 174 && m.kind !== 175 && m.kind !== 301) { continue; } if (isCurrentlyEditingNode(m)) { continue; } let existingName; if (isSpreadAssignment(m)) { setMembersDeclaredBySpreadAssignment(m, membersDeclaredBySpreadAssignment); } else if (isBindingElement(m) && m.propertyName) { if (m.propertyName.kind === 79) { 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) => { var _a2; if (m.flags & 16777216) { const symbolId = getSymbolId(m); symbolToSortTextMap[symbolId] = (_a2 = symbolToSortTextMap[symbolId]) != null ? _a2 : 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) { var _a2; 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, false); if (displayName) { const originalSortText = (_a2 = symbolToSortTextMap[symbolId]) != null ? _a2 : 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 !== 169 && m.kind !== 171 && m.kind !== 174 && m.kind !== 175) { continue; } if (isCurrentlyEditingNode(m)) { continue; } if (hasEffectiveModifier(m, 8)) { continue; } if (isStatic(m) !== !!(currentClassElementModifierFlags & 32)) { continue; } const existingName = getPropertyNameForPropertyNameNode(m.name); if (existingName) { existingMemberNames.add(existingName); } } return baseSymbols.filter((propertySymbol) => !existingMemberNames.has(propertySymbol.escapedName) && !!propertySymbol.declarations && !(getDeclarationModifierFlagsFromSymbol(propertySymbol) & 8) && !(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 === 288) { seenNames.add(attr.name.escapedText); } 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) { if (contextToken) { const { parent: parent2 } = contextToken; switch (contextToken.kind) { case 18: case 27: if (isObjectLiteralExpression(parent2) || isObjectBindingPattern(parent2)) { return parent2; } break; case 41: return isMethodDeclaration(parent2) ? tryCast(parent2.parent, isObjectLiteralExpression) : void 0; case 79: return contextToken.text === "async" && isShorthandPropertyAssignment(contextToken.parent) ? contextToken.parent.parent : void 0; } } return void 0; } function getRelevantTokens(position, sourceFile) { const previousToken = findPrecedingToken(position, sourceFile); if (previousToken && position <= previousToken.end && (isMemberName(previousToken) || isKeyword(previousToken.kind))) { const contextToken = findPrecedingToken(previousToken.getFullStart(), sourceFile, 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) || 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); } } 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 === 136 || kind === 142 || kind === 154 || kind === 143 || kind === 126 || isTypeKeyword(kind) && kind !== 155; 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 === 85; case 7: return isTypeKeyword(kind); case 8: return kind === 154; default: return Debug.assertNever(keywordFilter); } })); } function isTypeScriptOnlyKeyword(kind) { switch (kind) { case 126: case 131: case 160: case 134: case 136: case 92: case 159: case 117: case 138: case 118: case 140: case 141: case 142: case 143: case 144: case 148: case 149: case 161: case 121: case 122: case 123: case 146: case 152: case 153: case 154: case 156: case 157: return true; default: return false; } } function isInterfaceOrTypeLiteralCompletionKeyword(kind) { return kind === 146; } function isClassMemberCompletionKeyword(kind) { switch (kind) { case 126: case 127: case 135: case 137: case 151: case 132: case 136: case 161: return true; default: return isClassMemberModifier(kind); } } function isFunctionLikeBodyKeyword(kind) { return kind === 132 || kind === 133 || kind === 128 || kind === 150 || kind === 154 || !isContextualKeyword(kind) && !isClassMemberCompletionKeyword(kind); } function keywordForNode(node) { var _a2; return isIdentifier(node) ? (_a2 = identifierToKeywordKind(node)) != null ? _a2 : 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(130), 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 & 134348796 || checker.isArrayLikeType(memberType) || checker.isTypeInvalidDueToUnionDiscriminant(memberType, node) || checker.typeHasCallOrConstructSignatures(memberType) || memberType.isClass() && containsNonPublicProperties(memberType.getApparentProperties())))); } function containsNonPublicProperties(props) { return some(props, (p) => !!(getDeclarationModifierFlagsFromSymbol(p) & 24)); } 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) { var _a2; switch (location.kind) { case 354: return tryCast(location.parent, isObjectTypeDeclaration); case 1: const cls = tryCast(lastOrUndefined(cast(location.parent, isSourceFile).statements), isObjectTypeDeclaration); if (cls && !findChildOfKind(cls, 19, sourceFile)) { return cls; } break; case 79: { 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 === 135 || isIdentifier(contextToken) && isPropertyDeclaration(contextToken.parent) && isClassLike(location)) { return findAncestor(contextToken, isClassLike); } switch (contextToken.kind) { case 63: return void 0; case 26: case 19: return isFromObjectTypeDeclaration(location) && location.parent.name === location ? location.parent.parent : tryCast(location, isObjectTypeDeclaration); case 18: case 27: 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 === 41 || isIdentifier(contextToken) && isValidKeyword((_a2 = identifierToKeywordKind(contextToken)) != null ? _a2 : 0) ? contextToken.parent.parent : void 0; } return void 0; } } function tryGetTypeLiteralNode(node) { if (!node) return void 0; const parent2 = node.parent; switch (node.kind) { case 18: if (isTypeLiteralNode(parent2)) { return parent2; } break; case 26: case 27: case 79: if (parent2.kind === 168 && 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 168: return checker.getTypeOfPropertyOfContextualType(t, node.symbol.escapedName); case 190: case 184: case 189: 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 === 29 && (!isBinaryExpression(contextToken.parent) || binaryExpressionMayBeOpenTag(contextToken.parent)); case "/": return !!contextToken && (isStringLiteralLike(contextToken) ? !!tryGetImportFromModuleSpecifier(contextToken) : contextToken.kind === 43 && isJsxClosingElement(contextToken.parent)); case " ": return !!contextToken && isImportKeyword(contextToken) && contextToken.parent.kind === 308; default: return Debug.assertNever(triggerCharacter); } } function binaryExpressionMayBeOpenTag({ left }) { return nodeIsMissing(left); } function isProbablyGlobalType(type, sourceFile, checker) { const selfSymbol = checker.resolveName("self", void 0, 111551, false); if (selfSymbol && checker.getTypeOfSymbolAtLocation(selfSymbol, sourceFile) === type) { return true; } const globalSymbol = checker.resolveName("global", void 0, 111551, false); if (globalSymbol && checker.getTypeOfSymbolAtLocation(globalSymbol, sourceFile) === type) { return true; } const globalThisSymbol = checker.resolveName("globalThis", void 0, 111551, false); if (globalThisSymbol && checker.getTypeOfSymbolAtLocation(globalThisSymbol, sourceFile) === type) { return true; } return false; } function isStaticProperty(symbol) { return !!(symbol.valueDeclaration && getEffectiveModifierFlags(symbol.valueDeclaration) & 32 && 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 === 63 && node === parent2.left) { return typeChecker.getTypeAtLocation(parent2); } if (isExpression(parent2)) { return typeChecker.getContextualType(parent2); } return void 0; } function getImportStatementCompletionInfo(contextToken) { var _a2, _b, _c; let keywordCompletion; let isKeywordOnlyCompletion = false; const candidate = getCandidate(); return { isKeywordOnlyCompletion, keywordCompletion, isNewIdentifierLocation: !!(candidate || keywordCompletion === 154), isTopLevelTypeOnly: !!((_b = (_a2 = tryCast(candidate, isImportDeclaration)) == null ? void 0 : _a2.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)) { keywordCompletion = contextToken.kind === 154 ? void 0 : 154; 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 === 18 || contextToken.kind === 100 || contextToken.kind === 27)) { keywordCompletion = 154; } if (canCompleteFromNamedBindings(parent2)) { if (contextToken.kind === 19 || contextToken.kind === 79) { isKeywordOnlyCompletion = true; keywordCompletion = 158; } else { return parent2.parent.parent; } } return void 0; } if (isImportKeyword(contextToken) && isSourceFile(parent2)) { keywordCompletion = 154; return contextToken; } if (isImportKeyword(contextToken) && isImportDeclaration(parent2)) { keywordCompletion = 154; return isModuleSpecifierMissingOrEmpty(parent2.moduleSpecifier) ? parent2 : void 0; } return void 0; } } function getSingleLineReplacementSpanForImportCompletionNode(node) { var _a2, _b, _c; if (!node) return void 0; const top = (_a2 = findAncestor(node, or(isImportDeclaration, isImportEqualsDeclaration))) != null ? _a2 : node; const sourceFile = top.getSourceFile(); if (rangeIsOnSingleLine(top, sourceFile)) { return createTextSpanFromNode(top, sourceFile); } Debug.assert(top.kind !== 100 && top.kind !== 273); const potentialSplitPoint = top.kind === 269 ? (_c = getPotentiallyInvalidImportSpecifier((_b = top.importClause) == null ? void 0 : _b.namedBindings)) != null ? _c : top.moduleSpecifier : top.moduleReference; const withoutModuleSpecifier = { pos: top.getFirstToken().getStart(), end: potentialSplitPoint.pos }; if (rangeIsOnSingleLine(withoutModuleSpecifier, sourceFile)) { return createTextSpanFromRange(withoutModuleSpecifier); } } function getPotentiallyInvalidImportSpecifier(namedBindings) { var _a2; return find((_a2 = tryCast(namedBindings, isNamedImports)) == null ? void 0 : _a2.elements, (e) => { var _a3; return !e.propertyName && isStringANonContextualKeyword(e.name.text) && ((_a3 = findPrecedingToken(e.name.pos, namedBindings.getSourceFile(), namedBindings)) == null ? void 0 : _a3.kind) !== 27; }); } 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 _a2; if (nodeIsMissing(specifier)) return true; return !((_a2 = tryCast(isExternalModuleReference(specifier) ? specifier.expression : specifier, isStringLiteralLike)) == null ? void 0 : _a2.text); } function getVariableDeclaration(property) { const variableDeclaration = findAncestor(property, (node) => isFunctionBlock(node) || isArrowFunctionBody(node) || isBindingPattern(node) ? "quit" : isVariableDeclaration(node)); return variableDeclaration; } function isArrowFunctionBody(node) { return node.parent && isArrowFunction(node.parent) && node.parent.body === node; } 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 || 97 <= prevChar && prevChar <= 122 && 65 <= strChar && strChar <= 90 || 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; } var moduleSpecifierResolutionLimit, moduleSpecifierResolutionCacheAttemptLimit, SortText, CompletionSource, SymbolOriginInfoKind, CompletionKind, _keywordCompletions, allKeywordsCompletions; var init_completions = __esm({ "src/services/completions.ts"() { "use strict"; init_ts4(); init_ts_Completions(); moduleSpecifierResolutionLimit = 100; moduleSpecifierResolutionCacheAttemptLimit = 1e3; SortText = { LocalDeclarationPriority: "10", LocationPriority: "11", OptionalMember: "12", MemberDeclaredBySpreadAssignment: "13", SuggestedClassMembers: "14", GlobalsOrKeywords: "15", AutoImportSuggestions: "16", ClassMemberSnippets: "17", JavascriptIdentifiers: "18", Deprecated(sortText) { return "z" + sortText; }, ObjectLiteralProperty(presetSortText, symbolDisplayName) { return `${presetSortText}${symbolDisplayName}`; }, SortBelow(sortText) { return sortText + "1"; } }; CompletionSource = /* @__PURE__ */ ((CompletionSource2) => { CompletionSource2["ThisProperty"] = "ThisProperty/"; CompletionSource2["ClassMemberSnippet"] = "ClassMemberSnippet/"; CompletionSource2["TypeOnlyAlias"] = "TypeOnlyAlias/"; CompletionSource2["ObjectLiteralMethodSnippet"] = "ObjectLiteralMethodSnippet/"; CompletionSource2["SwitchCases"] = "SwitchCases/"; return CompletionSource2; })(CompletionSource || {}); 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] = "SymbolMemberNoExport"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["SymbolMemberExport"] = 6] = "SymbolMemberExport"; return SymbolOriginInfoKind2; })(SymbolOriginInfoKind || {}); 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 || {}); _keywordCompletions = []; allKeywordsCompletions = memoize(() => { const res = []; for (let i = 81; i <= 162; i++) { res.push({ name: tokenToString(i), kind: "keyword", kindModifiers: "", sortText: SortText.GlobalsOrKeywords }); } return res; }); } }); 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.getTypeChecker(), options, 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); 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, void 0, void 0, void 0, void 0, void 0, void 0, void 0, void 0, void 0, void 0, void 0, includeSymbol); return { isGlobalCompletion: false, isMemberCompletion: true, isNewIdentifierLocation: completion.hasIndexSignature, optionalReplacementSpan, entries }; } case 2: { const entries = completion.types.map((type) => ({ name: type.value, kindModifiers: "", kind: "string", sortText: SortText.LocationPriority, replacementSpan: getReplacementSpanForContextToken(contextToken) })); return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: completion.isNewIdentifier, optionalReplacementSpan, entries }; } default: return Debug.assertNever(completion); } } function getStringLiteralCompletionDetails(name, sourceFile, position, contextToken, checker, options, host, cancellationToken, preferences) { if (!contextToken || !isStringLiteralLike(contextToken)) return void 0; const completions = getStringLiteralCompletionEntries(sourceFile, contextToken, position, checker, options, host, preferences); return completions && stringLiteralCompletionDetails(name, contextToken, completions, sourceFile, checker, 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, typeChecker, compilerOptions, host, preferences) { const parent2 = walkUpParentheses(node.parent); switch (parent2.kind) { case 198: { const grandParent = walkUpParentheses(parent2.parent); switch (grandParent.kind) { case 230: case 180: { const typeArgument = findAncestor(parent2, (n) => n.parent === grandParent); if (typeArgument) { return { kind: 2, types: getStringLiteralTypes(typeChecker.getTypeArgumentConstraint(typeArgument)), isNewIdentifier: false }; } return void 0; } case 196: const { indexType, objectType } = grandParent; if (!rangeContainsPosition(indexType, position)) { return void 0; } return stringLiteralCompletionsFromProperties(typeChecker.getTypeFromTypeNode(objectType)); case 202: return { kind: 0, paths: getStringLiteralCompletionsFromModuleNames(sourceFile, node, compilerOptions, host, typeChecker, preferences) }; case 189: { if (!isTypeReferenceNode(grandParent.parent)) { return void 0; } const alreadyUsedTypes = getAlreadyUsedTypesInStringLiteralUnion(grandParent, parent2); const types = getStringLiteralTypes(typeChecker.getTypeArgumentConstraint(grandParent)).filter((t) => !contains(alreadyUsedTypes, t.value)); return { kind: 2, types, isNewIdentifier: false }; } default: return void 0; } } case 299: if (isObjectLiteralExpression(parent2.parent) && parent2.name === node) { return stringLiteralCompletionsForObjectLiteral(typeChecker, parent2.parent); } return fromContextualType() || fromContextualType(0); case 209: { const { expression, argumentExpression } = parent2; if (node === skipParentheses(argumentExpression)) { return stringLiteralCompletionsFromProperties(typeChecker.getTypeAtLocation(expression)); } return void 0; } case 210: case 211: case 288: if (!isRequireCallArgument(node) && !isImportCall(parent2)) { const argumentInfo = ts_SignatureHelp_exports.getArgumentInfoForCompletions(parent2.kind === 288 ? parent2.parent : node, position, sourceFile); return argumentInfo && getStringLiteralCompletionsFromSignature(argumentInfo.invocation, node, argumentInfo, typeChecker) || fromContextualType(); } case 269: case 275: case 280: return { kind: 0, paths: getStringLiteralCompletionsFromModuleNames(sourceFile, node, compilerOptions, host, typeChecker, preferences) }; case 292: const tracker = newCaseClauseTracker(typeChecker, parent2.parent.clauses); const contextualTypes = fromContextualType(); if (!contextualTypes) { return; } const literals = contextualTypes.types.filter((literal) => !tracker.hasValue(literal.value)); return { kind: 2, types: literals, isNewIdentifier: false }; default: return fromContextualType(); } 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 193: return walkUpParenthesizedTypes(node); case 214: return walkUpParenthesizedExpressions(node); default: return node; } } function getAlreadyUsedTypesInStringLiteralUnion(union, current) { return mapDefined(union.types, (type) => type !== current && isLiteralTypeNode(type) && isStringLiteral(type.literal) ? type.literal.text : void 0); } function getStringLiteralCompletionsFromSignature(call, arg, argumentInfo, checker) { let isNewIdentifier = false; const uniques = /* @__PURE__ */ new Map(); const candidates = []; const editingArgument = isJsxOpeningLikeElement(call) ? Debug.checkDefined(findAncestor(arg.parent, isJsxAttribute)) : arg; checker.getResolvedSignatureForStringLiteralCompletions(call, editingArgument, candidates); 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, editingArgument.name.text); 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); 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", 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 }) => Math.max(name.indexOf(directorySeparator), name.indexOf(altDirectorySeparator)) !== -1 ? { name, kind, extension, span: wholeSpan } : { name, kind, extension, span }); } function getStringLiteralCompletionsFromModuleNames(sourceFile, node, compilerOptions, host, typeChecker, preferences) { return addReplacementSpans(node.text, node.getStart(sourceFile) + 1, getStringLiteralCompletionsFromModuleNamesWorker(sourceFile, node, compilerOptions, host, typeChecker, preferences)); } function getStringLiteralCompletionsFromModuleNamesWorker(sourceFile, node, compilerOptions, host, typeChecker, preferences) { const literalValue = normalizeSlashes(node.text); const mode = isStringLiteralLike(node) ? getModeForUsageLocation(sourceFile, node) : void 0; const scriptPath = sourceFile.path; const scriptDirectory = getDirectoryPath(scriptPath); const extensionOptions = getExtensionOptions(compilerOptions, 1, sourceFile, typeChecker, preferences, mode); return isPathRelativeToScript(literalValue) || !compilerOptions.baseUrl && (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, false, scriptPath).values()); } } function getSupportedExtensionsForModuleResolution(compilerOptions, typeChecker) { const ambientModulesExtensions = !typeChecker ? [] : mapDefined(typeChecker.getAmbientModules(), (module2) => { const name = module2.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) => 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], 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 flatMap(baseDirectories, (baseDirectory) => arrayFrom(getCompletionEntriesForDirectoryFragment(fragment, baseDirectory, extensionOptions, host, true, exclude).values())); } function getCompletionEntriesForDirectoryFragment(fragment, scriptDirectory, extensionOptions, host, moduleSpecifierIsRelative, exclude, result = createNameAndKindSet()) { var _a2; 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 = (_a2 = getPackageJsonTypesVersionsPaths(typesVersions)) == null ? void 0 : _a2.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, void 0, ["./*"]); 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); 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) { const nonJsResult = ts_moduleSpecifiers_exports.tryGetRealFileNameForNonJsDeclarationFileName(name); if (nonJsResult) { return { name: nonJsResult, extension: tryGetExtensionFromPath2(nonJsResult) }; } if (extensionOptions.referenceKind === 0) { return { name, extension: tryGetExtensionFromPath2(name) }; } const endingPreference = getModuleSpecifierEndingPreference(extensionOptions.endingPreference, extensionOptions.resolutionMode, compilerOptions, extensionOptions.importingSourceFile); if (endingPreference === 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 ((endingPreference === 0 || endingPreference === 1) && fileExtensionIsOneOf(name, [".js", ".jsx", ".ts", ".tsx", ".d.ts"])) { 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, fragment, baseDirectory, extensionOptions, host, getOwnKeys(paths), getPatternsForKey, comparePaths2); } function addCompletionEntriesFromPathsOrExports(result, fragment, baseDirectory, extensionOptions, host, keys, getPatternsForKey, comparePaths2) { let pathResults = []; let matchedPath; for (const key of keys) { 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, 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 projectDir = compilerOptions.project || host.getCurrentDirectory(); const absolute = normalizePath(combinePaths(projectDir, baseUrl)); getCompletionEntriesForDirectoryFragment(fragment, absolute, extensionOptions, host, false, void 0, result); if (paths) { 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", 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", 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, false, 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 (startsWith(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 exports = packageJson.exports; if (exports) { if (typeof exports !== "object" || exports === null) { return; } const keys = getOwnKeys(exports); const fragmentSubpath = components.join("/") + (components.length && hasTrailingDirectorySeparator(fragment) ? "/" : ""); const conditions = mode === 99 ? ["node", "import", "types"] : ["node", "require", "types"]; addCompletionEntriesFromPathsOrExports(result, fragmentSubpath, packageDirectory, extensionOptions, host, keys, (key) => singleElementArray(getPatternFromFirstMatchingCondition(exports[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" && !isArray(target)) { for (const condition in target) { if (condition === "default" || conditions.indexOf(condition) > -1 || 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(path, patterns, fragment, packageDirectory, extensionOptions, host) { if (!endsWith(path, "*")) { return !stringContains(path, "*") ? justPathMappingName(path, "script") : emptyArray; } const pathPrefix = path.slice(0, path.length - 1); const remainingFragment = tryRemovePrefix(fragment, pathPrefix); if (remainingFragment === void 0) { const starIsFullPathComponent = path[path.length - 2] === "/"; return starIsFullPathComponent ? justPathMappingName(pathPrefix, "directory") : flatMap(patterns, (pattern) => { var _a2; return (_a2 = getModulesForPathsPattern("", packageDirectory, pattern, extensionOptions, host)) == null ? void 0 : _a2.map(({ name, ...rest }) => ({ name: pathPrefix + name, ...rest })); }); } return flatMap(patterns, (pattern) => getModulesForPathsPattern(remainingFragment, packageDirectory, pattern, extensionOptions, host)); function justPathMappingName(name, kind) { return startsWith(name, fragment) ? [{ name: removeTrailingDirectorySeparator(name), kind, extension: void 0 }] : emptyArray; } } function getModulesForPathsPattern(fragment, packageDirectory, pattern, extensionOptions, host) { if (!host.readDirectory) { return void 0; } const parsed = tryParsePattern(pattern); if (parsed === void 0 || isString(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 baseDirectory = normalizePath(combinePaths(packageDirectory, expandedPrefixDirectory)); const completePrefix = fragmentHasPath ? baseDirectory : ensureTrailingDirectorySeparator(baseDirectory) + normalizedPrefixBase; const includeGlob = normalizedSuffix ? "**/*" + normalizedSuffix : "./*"; const matches = mapDefined(tryReadDirectory(host, baseDirectory, extensionOptions.extensionsToSearch, void 0, [includeGlob]), (match) => { const trimmedWithPattern = trimPrefixAndSuffix(match); if (trimmedWithPattern) { if (containsSlash(trimmedWithPattern)) { return directoryResult(getPathComponents(removeLeadingDirectorySeparator(trimmedWithPattern))[1]); } const { name, extension } = getFilenameWithExtensionOption(trimmedWithPattern, host.getCompilationSettings(), extensionOptions); 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(path) { const inner = withoutStartAndEnd(normalizePath(path), completePrefix, normalizedSuffix); return inner === void 0 ? void 0 : removeLeadingDirectorySeparator(inner); } } function withoutStartAndEnd(s, start, end) { return startsWith(s, start) && endsWith(s, end) ? s.slice(start.length, s.length - end.length) : void 0; } function removeLeadingDirectorySeparator(path) { return path[0] === directorySeparator ? path.slice(1) : path; } function getAmbientModuleCompletions(fragment, fragmentDirectory, checker) { const ambientModules = checker.getAmbientModules().map((sym) => stripQuotes(sym.name)); const nonRelativeModuleNames = ambientModules.filter((moduleName) => startsWith(moduleName, fragment) && moduleName.indexOf("*") < 0); 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, 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 root of typeRoots) { getCompletionEntriesFromDirectories(root); } 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", 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, false, 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) && !startsWith(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) ? void 0 : createTextSpan(textStart + offset, length2); } function isPathRelativeToScript(path) { if (path && path.length >= 2 && path.charCodeAt(0) === 46) { const slashIndex = path.length >= 3 && path.charCodeAt(1) === 46 ? 2 : 1; const slashCharCode = path.charCodeAt(slashIndex); return slashCharCode === 47 || slashCharCode === 92; } return false; } function containsSlash(fragment) { return stringContains(fragment, directorySeparator); } function isRequireCallArgument(node) { return isCallExpression(node.parent) && firstOrUndefined(node.parent.arguments) === node && isIdentifier(node.parent.expression) && node.parent.expression.escapedText === "require"; } var kindPrecedence, tripleSlashDirectiveFragmentRegex, nodeModulesDependencyKeys; var init_stringCompletions = __esm({ "src/services/stringCompletions.ts"() { "use strict"; init_ts4(); init_ts_Completions(); kindPrecedence = { ["directory"]: 0, ["script"]: 1, ["external module name"]: 2 }; tripleSlashDirectiveFragmentRegex = /^(///s* getStringLiteralCompletionDetails, getStringLiteralCompletions: () => getStringLiteralCompletions }); var init_ts_Completions_StringCompletions = __esm({ "src/services/_namespaces/ts.Completions.StringCompletions.ts"() { "use strict"; init_stringCompletions(); } }); 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 init_ts_Completions = __esm({ "src/services/_namespaces/ts.Completions.ts"() { "use strict"; init_completions(); init_ts_Completions_StringCompletions(); } }); 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) }; }; } 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 210: if (isImportCall(direct)) { handleImportCall(direct); break; } if (!isAvailableThroughGlobal) { const parent2 = direct.parent; if (exportKind === 2 && parent2.kind === 257) { const { name } = parent2; if (name.kind === 79) { directImports.push(name); break; } } } break; case 79: break; case 268: handleNamespaceImport(direct, direct.name, hasSyntacticModifier(direct, 1), false); break; case 269: directImports.push(direct); const namedBindings = direct.importClause && direct.importClause.namedBindings; if (namedBindings && namedBindings.kind === 271) { handleNamespaceImport(direct, namedBindings.name, false, true); } else if (!isAvailableThroughGlobal && isDefaultImport(direct)) { addIndirectUser(getSourceFileLikeForImportDeclaration(direct)); } break; case 275: if (!direct.exportClause) { handleDirectImports(getContainingModuleSymbol(direct, checker)); } else if (direct.exportClause.kind === 277) { addIndirectUser(getSourceFileLikeForImportDeclaration(direct), true); } else { directImports.push(direct); } break; case 202: if (!isAvailableThroughGlobal && direct.isTypeOf && !direct.qualifier && isExported2(direct)) { addIndirectUser(direct.getSourceFile(), true); } directImports.push(direct); break; default: Debug.failBadSyntaxKind(direct, "Unexpected import kind."); } } } } function handleImportCall(importCall) { const top = findAncestor(importCall, isAmbientModuleDeclaration) || importCall.getSourceFile(); addIndirectUser(top, !!isExported2(importCall, 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 === 308 || sourceFileLike.kind === 264); if (isReExport || findNamespaceReExports(sourceFileLike, name, checker)) { addIndirectUser(sourceFileLike, 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), 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 === 268) { if (isExternalModuleImportEquals(decl)) { handleNamespaceImportLike(decl.name); } return; } if (decl.kind === 79) { handleNamespaceImportLike(decl); return; } if (decl.kind === 202) { 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 !== 10) { return; } if (decl.kind === 275) { 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 271: handleNamespaceImportLike(namedBindings.name); break; case 272: 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 === 278 && 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 _a2; const refs = []; const checker = program.getTypeChecker(); for (const referencingFile of sourceFiles) { const searchSourceFile = searchModuleSymbol.valueDeclaration; if ((searchSourceFile == null ? void 0 : searchSourceFile.kind) === 308) { 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 = (_a2 = program.getResolvedTypeReferenceDirectives().get(ref.fileName, ref.resolutionMode || referencingFile.impliedNodeFormat)) == null ? void 0 : _a2.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({ 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 === 308 ? sourceFileLike.statements : sourceFileLike.body.statements, (statement) => 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 275: case 269: { const decl = statement; if (decl.moduleSpecifier && isStringLiteral(decl.moduleSpecifier)) { action(decl, decl.moduleSpecifier); } break; } case 268: { 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 _a2; const { parent: parent2 } = node; const grandparent = parent2.parent; if (symbol.exportSymbol) { if (parent2.kind === 208) { return ((_a2 = symbol.declarations) == null ? void 0 : _a2.some((d) => d === parent2)) && isBinaryExpression(grandparent) ? getSpecialPropertyExport(grandparent, false) : void 0; } else { return exportInfo(symbol.exportSymbol, getExportKindForDeclaration(parent2)); } } else { const exportNode = getExportNode(parent2, node); if (exportNode && hasSyntacticModifier(exportNode, 1)) { 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); } else if (isExportAssignment(parent2)) { return getExportAssignmentExport(parent2); } else if (isExportAssignment(grandparent)) { return getExportAssignmentExport(grandparent); } else if (isBinaryExpression(parent2)) { return getSpecialPropertyExport(parent2, true); } else if (isBinaryExpression(grandparent)) { return getSpecialPropertyExport(grandparent, true); } else if (isJSDocTypedefTag(parent2) || isJSDocCallbackTag(parent2)) { return exportInfo(symbol, 0); } } 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, 1024) ? 1 : 0; } } function getExportEqualsLocalSymbol(importedSymbol, checker) { var _a2, _b; if (importedSymbol.flags & 2097152) { return checker.getImmediateAliasedSymbol(importedSymbol); } const decl = Debug.checkDefined(importedSymbol.valueDeclaration); if (isExportAssignment(decl)) { return (_a2 = tryCast(decl.expression, canHaveSymbol)) == null ? void 0 : _a2.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 268: return parent2.name === node && isExternalModuleImportEquals(parent2); case 273: return !parent2.propertyName; case 270: case 271: Debug.assert(parent2.name === node); return true; case 205: 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 === 210) { return node.getSourceFile(); } const { parent: parent2 } = node; if (parent2.kind === 308) { return parent2; } Debug.assert(parent2.kind === 265); return cast(parent2.parent, isAmbientModuleDeclaration); } function isAmbientModuleDeclaration(node) { return node.kind === 264 && node.name.kind === 10; } function isExternalModuleImportEquals(eq) { return eq.moduleReference.kind === 280 && eq.moduleReference.expression.kind === 10; } var ExportKind2, ImportExport; var init_importTracker = __esm({ "src/services/importTracker.ts"() { "use strict"; init_ts4(); ExportKind2 = /* @__PURE__ */ ((ExportKind3) => { ExportKind3[ExportKind3["Named"] = 0] = "Named"; ExportKind3[ExportKind3["Default"] = 1] = "Default"; ExportKind3[ExportKind3["ExportEquals"] = 2] = "ExportEquals"; return ExportKind3; })(ExportKind2 || {}); ImportExport = /* @__PURE__ */ ((ImportExport2) => { ImportExport2[ImportExport2["Import"] = 0] = "Import"; ImportExport2[ImportExport2["Export"] = 1] = "Export"; return ImportExport2; })(ImportExport || {}); } }); 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 || isConstructorDeclaration(node.parent) || isExportAssignment(node.parent) || (isImportOrExportSpecifier(node.parent) || isBindingElement(node.parent)) && node.parent.propertyName === node || node.kind === 88 && hasSyntacticModifier(node.parent, 1025)) { return getContextNode(node.parent); } return void 0; } function getContextNode(node) { if (!node) return void 0; switch (node.kind) { case 257: 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 205: return getContextNode(node.parent.parent); case 273: return node.parent.parent.parent; case 278: case 271: return node.parent.parent; case 270: case 277: return node.parent; case 223: return isExpressionStatement(node.parent) ? node.parent : node; case 247: case 246: return { start: node.initializer, end: node.expression }; case 299: case 300: return isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent) ? getContextNode(findAncestor(node.parent, (node2) => isBinaryExpression(node2) || isForInOrOfStatement(node2))) : node; 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; } function findReferencedSymbols(program, cancellationToken, sourceFiles, sourceFile, position) { const node = getTouchingPropertyName(sourceFile, position); const options = { use: 1 }; 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 }) => definition && { definition: checker.runWithCancellationToken(cancellationToken, (checker2) => definitionToReferencedSymbolDefinitionInfo(definition, checker2, node)), references: references.map((r) => toReferencedSymbolEntry(r, symbol)) }); } function isDefinitionForReference(node) { return node.kind === 88 || !!getDeclarationFromName(node) || isLiteralComputedPropertyDeclarationName(node) || node.kind === 135 && 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 === 208 || node.parent.kind === 205 || node.parent.kind === 209 || node.kind === 106) { 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 === 308) { return void 0; } const checker = program.getTypeChecker(); if (node.parent.kind === 300) { const result = []; Core.getReferenceEntriesForShorthandPropertyAssignment(node, checker, (node2) => result.push(nodeEntry(node2))); return result; } else if (node.kind === 106 || 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 }); } } 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)] }; } case 2: { const { node } = def; const name2 = tokenToString(node.kind); return { ...getFileAndTextSpanFromNode(node), name: name2, kind: "keyword", displayParts: [{ text: name2, kind: "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)] }; } case 5: { return { textSpan: createTextSpanFromRange(def.reference), sourceFile: def.file, name: def.reference.fileName, kind: "string", displayParts: [displayPart(`"${def.reference.fileName}"`, 8)] }; } 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) { return { ...entryToDocumentSpan(entry), ...providePrefixAndSuffixText && getPrefixAndSuffixText(entry, originalNode, checker) }; } 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) { if (entry.kind !== 0 && isIdentifier(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 }; } } 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 === 207) { return { kind: "interface", displayParts: [punctuationPart(20), textPart("object literal"), punctuationPart(21)] }; } else if (node.kind === 228) { return { kind: "local class", displayParts: [punctuationPart(20), textPart("anonymous local class"), punctuationPart(21)] }; } 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" } }; } 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; } 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 === 88 || isWriteAccess(node); } function isDeclarationOfSymbol(node, target) { var _a2; if (!target) return false; const source = getDeclarationFromName(node) || (node.kind === 88 ? node.parent : isLiteralComputedPropertyDeclarationName(node) ? node.parent.parent : node.kind === 135 && isConstructorDeclaration(node.parent) ? node.parent.parent : void 0); const commonjsSource = source && isBinaryExpression(source) ? source.left : void 0; return !!(source && ((_a2 = target.declarations) == null ? void 0 : _a2.some((d) => d === source || d === commonjsSource))); } function declarationIsWriteAccess(decl) { if (!!(decl.flags & 16777216)) return true; switch (decl.kind) { case 223: case 205: case 260: case 228: case 88: case 263: case 302: case 278: case 270: case 268: case 273: case 261: case 341: case 349: case 288: case 264: case 267: case 271: case 277: case 166: case 300: case 262: case 165: return true; case 299: return !isArrayLiteralOrObjectLiteralDestructuringPattern(decl.parent); case 259: case 215: case 173: case 171: case 174: case 175: return !!decl.body; case 257: case 169: return !!decl.initializer || isCatchClause(decl.parent); case 170: case 168: case 351: case 344: return false; default: return Debug.failBadSyntaxKind(decl); } } var DefinitionKind, EntryKind, FindReferencesUse, Core; var init_findAllReferences = __esm({ "src/services/findAllReferences.ts"() { "use strict"; init_ts4(); init_ts_FindAllReferences(); 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 || {}); 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 || {}); FindReferencesUse = /* @__PURE__ */ ((FindReferencesUse2) => { FindReferencesUse2[FindReferencesUse2["Other"] = 0] = "Other"; FindReferencesUse2[FindReferencesUse2["References"] = 1] = "References"; FindReferencesUse2[FindReferencesUse2["Rename"] = 2] = "Rename"; return FindReferencesUse2; })(FindReferencesUse || {}); ((Core2) => { function getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options = {}, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) { var _a2, _b, _c; node = getAdjustedNode(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, 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 = (_c = (_b = (_a2 = node.getSourceFile().resolvedModules) == null ? void 0 : _a2.get(node.text, getModeForUsageLocation(node.getSourceFile(), node))) == null ? void 0 : _b.resolvedModule) == null ? void 0 : _c.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, 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 getAdjustedNode(node, options) { if (options.use === 1) { node = getAdjustedReferenceLocation(node); } else if (options.use === 2) { node = getAdjustedRenameLocation(node); } return node; } Core2.getAdjustedNode = getAdjustedNode; function getReferencesForFileName(fileName, program, sourceFiles, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) { var _a2, _b; const moduleSymbol = (_a2 = program.getSourceFile(fileName)) == null ? void 0 : _a2.symbol; if (moduleSymbol) { return ((_b = getReferencedSymbolsForModule(program, moduleSymbol, 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.getSourceFileByPath, 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="); 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, 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 { return { kind: 0, fileName: reference.referencingFile.fileName, textSpan: createTextSpanFromRange(reference.ref) }; } }); if (symbol.declarations) { for (const decl of symbol.declarations) { switch (decl.kind) { case 308: break; case 264: 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="); 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, 93, sourceFile)) : getNameOfDeclaration(decl) || decl; references.push(nodeEntry(node)); } } } return references.length ? [{ definition: { type: 0, symbol }, references }] : emptyArray; } function isReadonlyTypeOperator(node) { return node.kind === 146 && isTypeOperatorNode(node.parent) && node.parent.operator === 146; } function getReferencedSymbolsSpecial(node, sourceFiles, cancellationToken) { if (isTypeKeyword(node.kind)) { if (node.kind === 114 && isVoidExpression(node.parent)) { return void 0; } if (node.kind === 146 && !isReadonlyTypeOperator(node)) { return void 0; } return getAllReferencesForKeyword(sourceFiles, node.kind, cancellationToken, node.kind === 146 ? 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 === 106) { return getReferencesForSuperKeyword(node); } return void 0; } function getReferencedSymbolsForSymbol(originalSymbol, node, sourceFiles, sourceFilesSet, checker, cancellationToken, options) { const symbol = node && skipPastExportOrImportSpecifierOrUnion(originalSymbol, node, checker, !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, void 0), state, true, true); } else if (node && node.kind === 88 && symbol.escapedName === "default" && symbol.parent) { addReference(node, symbol, state); searchForImportsOfExport(node, symbol, { exportingModuleSymbol: symbol.parent, exportKind: 1 }, state); } else { const search = state.createSearch(node, symbol, 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, !(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 173: case 135: return 1; case 79: 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); } 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); } 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) }; } 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)); } addStringOrCommentReference(fileName, textSpan) { this.result.push({ definition: void 0, references: [{ kind: 0, fileName, textSpan }] }); } 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), state); } if (indirectUsers.length) { let indirectSearch; switch (exportInfo.exportKind) { case 0: indirectSearch = state.createSearch(exportLocation, exportSymbol, 1); 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 }, 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), 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 === 215 || valueDeclaration.kind === 228)) { return valueDeclaration; } if (!declarations) { return void 0; } if (flags & (4 | 8192)) { const privateDeclaration = find(declarations, (d) => hasEffectiveModifier(d, 8) || isPrivateIdentifierClassElementDeclaration(d)); if (privateDeclaration) { return getAncestor(privateDeclaration, 260); } 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 === 308 && !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 depth = getDepth(decl); if (!some(topMost.declarationNames) || depth === topMost.depth) { topMost.declarationNames.push(decl); topMost.depth = depth; } else if (depth < topMost.depth) { topMost.declarationNames = [decl]; topMost.depth = depth; } return topMost; }, { depth: Infinity, declarationNames: [] }).declarationNames; function getDepth(declaration) { let depth = 0; while (declaration) { declaration = getContainerNode(declaration); depth++; } return depth; } } 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 = isCallExpression(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 getPossibleSymbolReferencePositions(sourceFile, symbolName2, container).map((pos) => getTouchingPropertyName(sourceFile, pos)); } 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)) && (endPosition === sourceLength || !isIdentifierPart(text.charCodeAt(endPosition), 99))) { 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) => 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 80: if (isJSDocMemberName(node.parent)) { return true; } case 79: return node.text.length === searchSymbolName.length; case 14: case 10: { const str = node; return (isLiteralNameOfPropertyDeclarationOrIndexAccess(str) || isNameOfModuleDeclaration(node) || isExpressionOfExternalModuleImportEqualsDeclaration(node) || isCallExpression(node.parent) && isBindableObjectDefinePropertyCall(node.parent) && node.parent.arguments[1] === node) && str.text.length === searchSymbolName.length; } case 8: return isLiteralNameOfPropertyDeclarationOrIndexAccess(node) && node.text.length === searchSymbolName.length; case 88: 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 === 79); getReferencesAtExportSpecifier(referenceLocation, referenceSymbol, parent2, search, state, addReferencesHere); 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 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); 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 === 88) { 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 === 88 || 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 === 108) { 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, 135, sourceFile); Debug.assert(decl.kind === 173 && !!ctrKeyword); addNode(ctrKeyword); } } if (classSymbol.exports) { classSymbol.exports.forEach((member) => { const decl = member.valueDeclaration; if (decl && decl.kind === 171) { const body = decl.body; if (body) { forEachDescendantOfKind(body, 108, (thisKeyword) => { if (isNewExpressionTarget(thisKeyword)) { addNode(thisKeyword); } }); } } }); } } function getClassConstructorSymbol(classSymbol) { return classSymbol.members && classSymbol.members.get("__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 === 173); const body = decl.body; if (body) { forEachDescendantOfKind(body, 106, (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(void 0, classSymbol, void 0); getReferencesInContainerOrFiles(classSymbol, state, search); } function addImplementationReferences(refNode, addReference2, state) { if (isDeclarationName(refNode) && isImplementation(refNode.parent)) { addReference2(refNode); return; } if (refNode.kind !== 79) { return; } if (refNode.parent.kind === 300) { getReferenceEntriesForShorthandPropertyAssignment(refNode, state.checker, addReference2); } const containingClass = getContainingClassIfInHeritageClause(refNode); if (containingClass) { addReference2(containingClass); 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 === 238) { 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 getContainingClassIfInHeritageClause(node) { return isIdentifier(node) || isPropertyAccessExpression(node) ? getContainingClassIfInHeritageClause(node.parent) : isExpressionWithTypeArguments(node) ? tryCast(node.parent.parent, isClassLike) : void 0; } function isImplementationExpression(node) { switch (node.kind) { case 214: return isImplementationExpression(node.expression); case 216: case 215: case 207: case 228: case 206: 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, false); if (!searchSpaceNode) { return void 0; } let staticFlag = 32; switch (searchSpaceNode.kind) { case 169: case 168: case 171: case 170: case 173: case 174: case 175: 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 !== 106) { return; } const container = getSuperContainer(node, 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 === 79 && node.parent.kind === 166 && node.parent.name === node; } function getReferencesForThisKeyword(thisOrSuperKeyword, sourceFiles, cancellationToken) { let searchSpaceNode = getThisContainer(thisOrSuperKeyword, false, false); let staticFlag = 32; switch (searchSpaceNode.kind) { case 171: case 170: if (isObjectLiteralMethod(searchSpaceNode)) { staticFlag &= getSyntacticModifierFlags(searchSpaceNode); searchSpaceNode = searchSpaceNode.parent; break; } case 169: case 168: case 173: case 174: case 175: staticFlag &= getSyntacticModifierFlags(searchSpaceNode); searchSpaceNode = searchSpaceNode.parent; break; case 308: if (isExternalModule(searchSpaceNode) || isParameterName(thisOrSuperKeyword)) { return void 0; } case 259: case 215: break; default: return void 0; } const references = flatMap(searchSpaceNode.kind === 308 ? 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, false, false); if (!canHaveSymbol(container)) return false; switch (searchSpaceNode.kind) { case 215: case 259: return searchSpaceNode.symbol === container.symbol; case 171: case 170: return isObjectLiteralMethod(searchSpaceNode) && searchSpaceNode.symbol === container.symbol; case 228: case 260: case 207: return container.parent && canHaveSymbol(container.parent) && searchSpaceNode.symbol === container.parent.symbol && isStatic(container) === !!staticFlag; case 308: return container.kind === 308 && !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) { return nodeEntry(ref, 2); } } else { return isNoSubstitutionTemplateLiteral(ref) && !rangeIsOnSingleLine(ref, sourceFile) ? void 0 : nodeEntry(ref, 2); } } }); }); return [{ definition: { type: 4, node }, references }]; } function populateSearchSymbolSet(symbol, location, checker, isForRename, providePrefixAndSuffixText, implementations) { const result = []; forEachRelatedSymbol(symbol, location, checker, isForRename, !(isForRename && providePrefixAndSuffixText), (sym, root, base) => { if (base) { if (isStaticSymbol(symbol) !== isStaticSymbol(base)) { base = void 0; } } result.push(base || root || sym); }, () => !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, void 0, void 0, 3); } const contextualType = checker.getContextualType(containingObjectLiteralElement.parent); const res2 = contextualType && firstDefined(getPropertySymbolsFromContextualType(containingObjectLiteralElement, checker, contextualType, true), (sym) => fromRoot(sym, 4)); if (res2) return res2; const propertySymbol = getPropertySymbolOfDestructuringAssignment(location, checker); const res1 = propertySymbol && cbSymbol(propertySymbol, void 0, void 0, 4); if (res1) return res1; const res22 = shorthandValueSymbol && cbSymbol(shorthandValueSymbol, void 0, void 0, 3); if (res22) return res22; } const aliasedSymbol = getMergedAliasedSymbolOfNamespaceExportDeclaration(location, symbol, checker); if (aliasedSymbol) { const res2 = cbSymbol(aliasedSymbol, void 0, void 0, 1); 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, 278); if (!isForRenamePopulateSearchSymbolSet || exportSpecifier && !exportSpecifier.propertyName) { const localSymbol = exportSpecifier && checker.getExportSpecifierLocalTargetSymbol(exportSpecifier); if (localSymbol) { const res2 = cbSymbol(localSymbol, void 0, void 0, 1); 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); } Debug.assert(isForRenamePopulateSearchSymbolSet); const includeOriginalSymbolOfBindingElement = onlyIncludeBindingElementAtReferenceLocation; if (includeOriginalSymbolOfBindingElement) { const bindingElementPropertySymbol = getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol, checker); return bindingElementPropertySymbol && fromRoot(bindingElementPropertySymbol, 4); } function fromRoot(sym, kind) { return firstDefined(checker.getRootSymbols(sym), (rootSymbol) => cbSymbol(sym, rootSymbol, 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, 205); 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 & 32); } function getRelatedSymbol(search, referenceSymbol, referenceLocation, state) { const { checker } = state; return forEachRelatedSymbol(referenceSymbol, referenceLocation, checker, false, 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; }, (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 & 16777216) ? !(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_FindAllReferences_exports = {}; __export2(ts_FindAllReferences_exports, { Core: () => 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, nodeEntry: () => nodeEntry, toContextSpan: () => toContextSpan, toHighlightSpan: () => toHighlightSpan, toReferenceEntry: () => toReferenceEntry, toRenameLocation: () => toRenameLocation }); var init_ts_FindAllReferences = __esm({ "src/services/_namespaces/ts.FindAllReferences.ts"() { "use strict"; init_importTracker(); init_findAllReferences(); } }); function getDefinitionAtPosition(program, sourceFile, position, searchOtherFilesOnly, stopAtAlias) { var _a2, _b; 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 === 161 || 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, void 0)] : void 0; } if (node.kind === 105) { const functionDeclaration = findAncestor(node.parent, (n) => isClassStaticBlockDeclaration(n) ? "quit" : isFunctionLikeDeclaration(n)); return functionDeclaration ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0; } if (node.kind === 133) { const functionDeclaration = findAncestor(node, (n) => isFunctionLikeDeclaration(n)); const isAsyncFunction2 = functionDeclaration && some(functionDeclaration.modifiers, (node2) => node2.kind === 132); return isAsyncFunction2 ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0; } if (node.kind === 125) { 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, 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 = (_b = (_a2 = sourceFile.resolvedModules) == null ? void 0 : _a2.get(fallbackNode.text, getModeForUsageLocation(sourceFile, fallbackNode))) == null ? void 0 : _b.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) && isConstructorLike(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 === 106 ? [sigInfo, ...defs] : [...defs, sigInfo]; } } if (node.parent.kind === 300) { const shorthandSymbol = typeChecker.getShorthandAssignmentValueSymbol(symbol.valueDeclaration); const definitions = (shorthandSymbol == null ? void 0 : shorthandSymbol.declarations) ? shorthandSymbol.declarations.map((decl) => createDefinitionInfo(decl, typeChecker, shorthandSymbol, node, false, failedAliasResolution)) : emptyArray; return concatenate(definitions, getDefinitionFromObjectLiteralElement(typeChecker, node) || emptyArray); } 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); }); } return concatenate(fileReferenceDefinition, getDefinitionFromObjectLiteralElement(typeChecker, node) || getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution)); } function symbolMatchesSignature(s, calledDeclaration) { var _a2; return s === calledDeclaration.symbol || s === calledDeclaration.symbol.parent || isAssignmentExpression(calledDeclaration.parent) || !isCallLikeExpression(calledDeclaration.parent) && s === ((_a2 = tryCast(calledDeclaration.parent, canHaveSymbol)) == null ? void 0 : _a2.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, false), (propertySymbol) => getDefinitionFromSymbol(typeChecker, propertySymbol, node)); } } } 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 _a2, _b, _c, _d; 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 = (_a2 = program.getResolvedTypeReferenceDirectives().get(typeReferenceDirective.fileName, typeReferenceDirective.resolutionMode || sourceFile.impliedNodeFormat)) == null ? void 0 : _a2.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 ((_b = sourceFile.resolvedModules) == null ? void 0 : _b.size()) { const node = getTouchingToken(sourceFile, position); if (isModuleSpecifierLike(node) && isExternalModuleNameRelative(node.text) && sourceFile.resolvedModules.has(node.text, getModeForUsageLocation(sourceFile, node))) { const verifiedFileName = (_d = (_c = sourceFile.resolvedModules.get(node.text, getModeForUsageLocation(sourceFile, node))) == null ? void 0 : _c.resolvedModule) == null ? void 0 : _d.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; } 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, false); } const { symbol, failedAliasResolution } = getSymbol(node, typeChecker, 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 typeDefinitions = fromReturnType && fromReturnType.length !== 0 ? fromReturnType : definitionFromType(typeAtLocation, typeChecker, node, failedAliasResolution); return typeDefinitions.length ? 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 || 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 !== 79) { return false; } if (node.parent === declaration) { return true; } if (declaration.kind === 271) { return false; } return true; } function isExpandoDeclaration(node) { if (!isAssignmentDeclaration(node)) return false; const containingAssignment = findAncestor(node, (p) => { if (isAssignmentExpression(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 withoutExpandos = filter(filteredDeclarations, (d) => !isExpandoDeclaration(d)); const results = some(withoutExpandos) ? withoutExpandos : filteredDeclarations; return getConstructSignatureDefinition() || getCallSignatureDefinition() || map(results, (declaration) => createDefinitionInfo(declaration, typeChecker, symbol, node, false, failedAliasResolution)); function getConstructSignatureDefinition() { if (symbol.flags & 32 && !(symbol.flags & (16 | 3)) && (isNewExpressionTarget(node) || node.kind === 135)) { const cls = find(filteredDeclarations, isClassLike) || Debug.fail("Expected declaration to have at least one class-like declaration"); return getSignatureDefinition(cls.members, true); } } function getCallSignatureDefinition() { return isCallOrNewExpressionTarget(node) || isNameOfFunctionDeclaration(node) ? getSignatureDefinition(filteredDeclarations, 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, 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, containerName, ...ts_FindAllReferences_exports.toContextSpan(textSpan, sourceFile, ts_FindAllReferences_exports.getContextNode(declaration)), isLocal: !isDefinitionVisible(checker, declaration), isAmbient: !!(declaration.flags & 16777216), unverified, failedAliasResolution }; } 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 169: case 174: case 175: case 171: if (hasEffectiveModifier(declaration, 8)) return false; case 173: case 299: case 300: case 207: case 228: case 216: case 215: return isDefinitionVisible(checker, declaration.parent); default: return false; } } function createDefinitionFromSignatureDeclaration(typeChecker, decl, failedAliasResolution) { return createDefinitionInfo(decl, typeChecker, decl.symbol, decl, 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, 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 isConstructorLike(node) { switch (node.kind) { case 173: case 182: case 177: return true; default: return false; } } var init_goToDefinition = __esm({ "src/services/goToDefinition.ts"() { "use strict"; init_ts4(); } }); var ts_GoToDefinition_exports = {}; __export2(ts_GoToDefinition_exports, { createDefinitionInfo: () => createDefinitionInfo, findReferenceInPosition: () => findReferenceInPosition, getDefinitionAndBoundSpan: () => getDefinitionAndBoundSpan, getDefinitionAtPosition: () => getDefinitionAtPosition, getReferenceAtPosition: () => getReferenceAtPosition, getTypeDefinitionAtPosition: () => getTypeDefinitionAtPosition }); var init_ts_GoToDefinition = __esm({ "src/services/_namespaces/ts.GoToDefinition.ts"() { "use strict"; init_goToDefinition(); } }); function shouldShowParameterNameHints(preferences) { return preferences.includeInlayParameterNameHints === "literals" || preferences.includeInlayParameterNameHints === "all"; } function shouldShowLiteralParameterNameHintsOnly(preferences) { return preferences.includeInlayParameterNameHints === "literals"; } function provideInlayHints(context) { const { file, program, span, cancellationToken, preferences } = context; const sourceFileText = file.text; const compilerOptions = program.getCompilerOptions(); const checker = program.getTypeChecker(); const result = []; visitor(file); return result; function visitor(node) { if (!node || node.getFullWidth() === 0) { return; } switch (node.kind) { case 264: case 260: case 261: case 259: case 228: case 215: case 171: case 216: 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) && (isCallExpression(node) || isNewExpression(node))) { visitCallOrNewExpression(node); } else { if (preferences.includeInlayFunctionParameterTypeHints && isFunctionLikeDeclaration(node) && hasContextSensitiveParameters(node)) { visitFunctionLikeForParameterType(node); } if (preferences.includeInlayFunctionLikeReturnTypeHints && isSignatureSupportingReturnAnnotation(node)) { visitFunctionDeclarationLikeForReturnType(node); } } return forEachChild(node, visitor); } function isSignatureSupportingReturnAnnotation(node) { return isArrowFunction(node) || isFunctionExpression(node) || isFunctionDeclaration(node) || isMethodDeclaration(node) || isGetAccessorDeclaration(node); } function addParameterHints(text, position, isFirstVariadicArgument) { result.push({ text: `${isFirstVariadicArgument ? "..." : ""}${truncation(text, maxHintsLength)}:`, position, kind: "Parameter", whitespaceAfter: true }); } function addTypeHints(text, position) { result.push({ text: `: ${truncation(text, maxHintsLength)}`, position, kind: "Type", whitespaceBefore: true }); } function addEnumMemberValueHints(text, position) { result.push({ text: `= ${truncation(text, maxHintsLength)}`, 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 || 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 typeDisplayString = printTypeInSingleLine(declarationType); if (typeDisplayString) { const isVariableNameMatchesType = preferences.includeInlayVariableTypeHintsWhenTypeMatchesName === false && equateStringsCaseInsensitive(decl.name.getText(), typeDisplayString); if (isVariableNameMatchesType) { return; } addTypeHints(typeDisplayString, 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; } for (let i = 0; i < args.length; ++i) { const originalArg = args[i]; const arg = skipParentheses(originalArg); if (shouldShowLiteralParameterNameHintsOnly(preferences) && !isHintableLiteral(arg)) { continue; } const identifierNameInfo = checker.getParameterIdentifierNameAtPosition(signature, i); if (identifierNameInfo) { const [parameterName, isFirstVariadicArgument] = identifierNameInfo; const isParameterNameNotSameAsArgument = preferences.includeInlayParameterNameHintsWhenArgumentMatchesName || !identifierOrAccessExpressionPostfixMatchesParameterName(arg, parameterName); if (!isParameterNameNotSameAsArgument && !isFirstVariadicArgument) { continue; } const name = unescapeLeadingUnderscores(parameterName); if (leadingCommentsContainsParameterName(arg, name)) { continue; } addParameterHints(name, 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, compilerOptions.target, 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 221: { const operand = node.operand; return isLiteralExpression(operand) || isIdentifier(operand) && isInfinityOrNaNString(operand.escapedText); } case 110: case 95: case 104: case 14: case 225: return true; case 79: { const name = node.escapedText; return isUndefined(name) || isInfinityOrNaNString(name); } } return isLiteralExpression(node); } function visitFunctionDeclarationLikeForReturnType(decl) { if (isArrowFunction(decl)) { if (!findChildOfKind(decl, 20, 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 typeDisplayString = printTypeInSingleLine(returnType); if (!typeDisplayString) { return; } addTypeHints(typeDisplayString, getTypeAnnotationPosition(decl)); } function getTypeAnnotationPosition(decl) { const closeParenToken = findChildOfKind(decl, 21, 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 typeDisplayString = getParameterDeclarationTypeDisplayString(signature.parameters[i]); if (!typeDisplayString) { continue; } addTypeHints(typeDisplayString, param.questionToken ? param.questionToken.end : param.name.end); } } function getParameterDeclarationTypeDisplayString(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 printTypeInSingleLine(signatureParamType); } function truncation(text, maxLength2) { if (text.length > maxLength2) { return text.substr(0, maxLength2 - "...".length) + "..."; } return text; } function printTypeInSingleLine(type) { const flags = 70221824 | 1048576 | 16384; const printer = createPrinterWithRemoveComments(); return usingSingleLineStringWriter((writer) => { const typeNode = checker.typeToTypeNode(type, void 0, flags); Debug.assertIsDefined(typeNode, "should always get typenode"); printer.writeNode(4, typeNode, file, writer); }); } function isUndefined(name) { return name === "undefined"; } function isHintableDeclaration(node) { if ((isParameterDeclaration(node) || isVariableDeclaration(node) && isVarConst(node)) && node.initializer) { const initializer = skipParentheses(node.initializer); return !(isHintableLiteral(initializer) || isNewExpression(initializer) || isObjectLiteralExpression(initializer) || isAssertionExpression(initializer)); } return true; } } var maxHintsLength, leadingParameterNameCommentRegexFactory; var init_inlayHints = __esm({ "src/services/inlayHints.ts"() { "use strict"; init_ts4(); maxHintsLength = 30; leadingParameterNameCommentRegexFactory = (name) => { return new RegExp(`^\s?/\*\*?\s?${name}\s?\*\/\s?$`); }; } }); var ts_InlayHints_exports = {}; __export2(ts_InlayHints_exports, { provideInlayHints: () => provideInlayHints }); var init_ts_InlayHints = __esm({ "src/services/_namespaces/ts.InlayHints.ts"() { "use strict"; init_inlayHints(); } }); 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 === 330 && (t.tagName.escapedText === "inheritDoc" || t.tagName.escapedText === "inheritdoc")); if (jsdoc.comment === void 0 && !inheritDoc || isJSDoc(jsdoc) && declaration.kind !== 349 && declaration.kind !== 341 && jsdoc.tags && jsdoc.tags.some((t) => t.kind === 349 || t.kind === 341) && !jsdoc.tags.some((t) => t.kind === 344 || t.kind === 345)) { 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 344: case 351: return [declaration]; case 341: case 349: return [declaration, declaration.parent]; default: return getJSDocCommentsAndTags(declaration); } } function getJsDocTagsFromDeclarations(declarations, checker) { const infos = []; forEachUnique(declarations, (declaration) => { const tags = getJSDocTags(declaration); if (tags.some((t) => t.kind === 349 || t.kind === 341) && !tags.some((t) => t.kind === 344 || t.kind === 345)) { return; } for (const tag of tags) { infos.push({ name: tag.tagName.text, text: getCommentDisplayParts(tag, checker) }); } }); return infos; } function getDisplayPartsFromComment(comment, checker) { if (typeof comment === "string") { return [textPart(comment)]; } return flatMap(comment, (node) => node.kind === 324 ? [textPart(node.text)] : buildLinkParts(node, checker)); } function getCommentDisplayParts(tag, checker) { const { comment, kind } = tag; const namePart = getTagNameDisplayPart(kind); switch (kind) { case 352: const typeExpression = tag.typeExpression; return typeExpression ? withNode(typeExpression) : comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker); case 332: return withNode(tag.class); case 331: return withNode(tag.class); case 348: 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(27), spacePart()]); } }); } if (comment) { displayParts.push(...[spacePart(), ...getDisplayPartsFromComment(comment, checker)]); } return displayParts; case 347: case 353: return withNode(tag.typeExpression); case 349: case 341: case 351: case 344: case 350: 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 344: return parameterNamePart; case 351: return propertyNamePart; case 348: return typeParameterNamePart; case 349: case 341: 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 }; })); } 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: "", 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 && !startsWith(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 = (commentOwnerJsDoc || []).some((jsDoc) => !!jsDoc.tags); 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 === 79 ? 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 259: case 215: case 171: case 173: case 170: case 216: const host = commentOwner; return { commentOwner, parameters: host.parameters, hasReturn: hasReturn(host, options) }; case 299: return getCommentOwnerInfoWorker(commentOwner.initializer, options); case 260: case 261: case 263: case 302: case 262: return { commentOwner }; case 168: { const host2 = commentOwner; return host2.type && isFunctionTypeNode(host2.type) ? { commentOwner, parameters: host2.type.parameters, hasReturn: hasReturn(host2.type, options) } : { commentOwner }; } case 240: { 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 308: return "quit"; case 264: return commentOwner.parent.kind === 264 ? void 0 : { commentOwner }; case 241: return getCommentOwnerInfoWorker(commentOwner.expression, options); case 223: { 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 169: 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 === 214) { rightHandSide = rightHandSide.expression; } switch (rightHandSide.kind) { case 215: case 216: return rightHandSide; case 228: return find(rightHandSide.members, isConstructorDeclaration); } } var jsDocTagNames, jsDocTagNameCompletionEntries, jsDocTagCompletionEntries, getJSDocTagNameCompletionDetails; var init_jsDoc = __esm({ "src/services/jsDoc.ts"() { "use strict"; init_ts4(); 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", "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" ]; getJSDocTagNameCompletionDetails = getJSDocTagCompletionDetails; } }); 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 init_ts_JsDoc = __esm({ "src/services/_namespaces/ts.JsDoc.ts"() { "use strict"; init_jsDoc(); } }); 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 topLevelImportGroupDecls = groupImportsByNewlineContiguous(sourceFile, sourceFile.statements.filter(isImportDeclaration)); const comparer = getOrganizeImportsComparerWithDetection(preferences, shouldSort ? () => detectSortingWorker(topLevelImportGroupDecls, preferences) === 2 : void 0); const processImportsOfSameModuleSpecifier = (importGroup) => { if (shouldRemove) importGroup = removeUnusedImports(importGroup, sourceFile, program); if (shouldCombine) importGroup = coalesceImportsWorker(importGroup, comparer, sourceFile); if (shouldSort) importGroup = stableSort(importGroup, (s1, s2) => compareImportsOrRequireStatements(s1, s2, comparer)); return importGroup; }; topLevelImportGroupDecls.forEach((importGroupDecl) => organizeImportsWorker(importGroupDecl, processImportsOfSameModuleSpecifier)); if (mode !== "RemoveUnused") { const topLevelExportDecls = sourceFile.statements.filter(isExportDeclaration); organizeImportsWorker(topLevelExportDecls, (group2) => coalesceExportsWorker(group2, comparer)); } for (const ambientModule of sourceFile.statements.filter(isAmbientModule)) { if (!ambientModule.body) continue; const ambientModuleImportGroupDecls = groupImportsByNewlineContiguous(sourceFile, ambientModule.body.statements.filter(isImportDeclaration)); ambientModuleImportGroupDecls.forEach((importGroupDecl) => organizeImportsWorker(importGroupDecl, processImportsOfSameModuleSpecifier)); if (mode !== "RemoveUnused") { const ambientModuleExportDecls = ambientModule.body.statements.filter(isExportDeclaration); organizeImportsWorker(ambientModuleExportDecls, (group2) => coalesceExportsWorker(group2, comparer)); } } return changeTracker.getChanges(); function organizeImportsWorker(oldImportDecls, coalesce) { if (length(oldImportDecls) === 0) { return; } suppressLeadingTrivia(oldImportDecls[0]); 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)) : oldImportGroups; const newImportDecls = flatMap(sortedImportGroups, (importGroup) => getExternalModuleName2(importGroup[0].moduleSpecifier) ? coalesce(importGroup) : importGroup); if (newImportDecls.length === 0) { changeTracker.deleteNodes(sourceFile, oldImportDecls, { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include }, true); } else { const replaceOptions = { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, 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 groupImportsByNewlineContiguous(sourceFile, importDecls) { const scanner2 = createScanner(sourceFile.languageVersion, false, sourceFile.languageVariant); const groupImports = []; let groupIndex = 0; for (const topLevelImportDecl of importDecls) { if (groupImports[groupIndex] && isNewGroup(sourceFile, topLevelImportDecl, scanner2)) { groupIndex++; } if (!groupImports[groupIndex]) { groupImports[groupIndex] = []; } groupImports[groupIndex].push(topLevelImportDecl); } return groupImports; } function isNewGroup(sourceFile, topLevelImportDecl, scanner2) { const startPos = topLevelImportDecl.getFullStart(); const endPos = topLevelImportDecl.getStart(); scanner2.setText(sourceFile.text, startPos, endPos - startPos); let numberOfNewLines = 0; while (scanner2.getTokenPos() < endPos) { const tokenKind = scanner2.scan(); if (tokenKind === 4) { numberOfNewLines++; if (numberOfNewLines >= 2) { return true; } } } return false; } 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, void 0, moduleSpecifier, 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 hasModuleDeclarationMatchingSpecifier(sourceFile, moduleSpecifier) { const moduleSpecifierText = isStringLiteral(moduleSpecifier) && moduleSpecifier.text; return isString(moduleSpecifierText) && some(sourceFile.moduleAugmentations, (moduleName) => isStringLiteral(moduleName) && moduleName.text === moduleSpecifierText); } function getExternalModuleName2(specifier) { return specifier !== void 0 && isStringLiteralLike(specifier) ? specifier.text : void 0; } function coalesceImports(importGroup, ignoreCase, sourceFile) { const comparer = getOrganizeImportsOrdinalStringComparer(ignoreCase); return coalesceImportsWorker(importGroup, comparer, sourceFile); } function coalesceImportsWorker(importGroup, comparer, sourceFile) { if (importGroup.length === 0) { return importGroup; } const { importWithoutClause, typeOnlyImports, regularImports } = getCategorizedImports(importGroup); const coalescedImports = []; 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, void 0, namespaceImport.importClause.namedBindings)); } const firstDefaultImport = firstOrUndefined(defaultImports); const firstNamedImport = firstOrUndefined(namedImports); const importDecl = firstDefaultImport != null ? 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(false, factory.createIdentifier("default"), defaultImport.importClause.name)); } } newImportSpecifiers.push(...getNewImportSpecifiers(namedImports)); const sortedImportSpecifiers = factory.createNodeArray(sortSpecifiers(newImportSpecifiers, comparer), 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); } if (isTypeOnly && newDefaultImport && newNamedImports) { coalescedImports.push(updateImportDeclarationAndClause(importDecl, newDefaultImport, void 0)); coalescedImports.push(updateImportDeclarationAndClause(firstNamedImport != null ? firstNamedImport : importDecl, void 0, newNamedImports)); } else { coalescedImports.push(updateImportDeclarationAndClause(importDecl, newDefaultImport, newNamedImports)); } } return coalescedImports; } 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 coalesceExports(exportGroup, ignoreCase) { const comparer = getOrganizeImportsOrdinalStringComparer(ignoreCase); return coalesceExportsWorker(exportGroup, comparer); } function coalesceExportsWorker(exportGroup, comparer) { 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 = sortSpecifiers(newExportSpecifiers, comparer); 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.assertClause)); } 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), importDeclaration.moduleSpecifier, importDeclaration.assertClause); } function sortSpecifiers(specifiers, comparer) { return stableSort(specifiers, (s1, s2) => compareImportOrExportSpecifiers(s1, s2, comparer)); } function compareImportOrExportSpecifiers(s1, s2, comparer) { return compareBooleans(s1.isTypeOnly, s2.isTypeOnly) || comparer(s1.name.text, s2.name.text); } function compareModuleSpecifiers2(m1, m2, ignoreCase) { const comparer = getOrganizeImportsOrdinalStringComparer(!!ignoreCase); return compareModuleSpecifiersWorker(m1, m2, comparer); } 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 getModuleSpecifierExpression(declaration) { var _a2; switch (declaration.kind) { case 268: return (_a2 = tryCast(declaration.moduleReference, isExternalModuleReference)) == null ? void 0 : _a2.expression; case 269: return declaration.moduleSpecifier; case 240: return declaration.declarationList.declarations[0].initializer.arguments[0]; } } function detectSorting(sourceFile, preferences) { return detectSortingWorker(groupImportsByNewlineContiguous(sourceFile, sourceFile.statements.filter(isImportDeclaration)), preferences); } function detectSortingWorker(importGroups, preferences) { const collateCaseSensitive = getOrganizeImportsComparer(preferences, false); const collateCaseInsensitive = getOrganizeImportsComparer(preferences, true); let sortState = 3; let seenUnsortedGroup = false; for (const importGroup of importGroups) { if (importGroup.length > 1) { const moduleSpecifierSort = detectSortCaseSensitivity(importGroup, (i) => { var _a2, _b; return (_b = (_a2 = tryCast(i.moduleSpecifier, isStringLiteral)) == null ? void 0 : _a2.text) != null ? _b : ""; }, collateCaseSensitive, collateCaseInsensitive); if (moduleSpecifierSort) { sortState &= moduleSpecifierSort; seenUnsortedGroup = true; } if (!sortState) { return sortState; } } const declarationWithNamedImports = find(importGroup, (i) => { var _a2, _b; return ((_b = tryCast((_a2 = i.importClause) == null ? void 0 : _a2.namedBindings, isNamedImports)) == null ? void 0 : _b.elements.length) > 1; }); if (declarationWithNamedImports) { const namedImportSort = detectImportSpecifierSorting(declarationWithNamedImports.importClause.namedBindings.elements, preferences); if (namedImportSort) { sortState &= namedImportSort; seenUnsortedGroup = true; } if (!sortState) { return sortState; } } if (sortState !== 3) { return sortState; } } return seenUnsortedGroup ? 0 : sortState; } function detectImportDeclarationSorting(imports, preferences) { const collateCaseSensitive = getOrganizeImportsComparer(preferences, false); const collateCaseInsensitive = getOrganizeImportsComparer(preferences, true); return detectSortCaseSensitivity(imports, (s) => getExternalModuleName2(getModuleSpecifierExpression(s)) || "", collateCaseSensitive, collateCaseInsensitive); } function getImportDeclarationInsertionIndex(sortedImports, newImport, comparer) { const index = binarySearch(sortedImports, newImport, identity, (a, b) => compareImportsOrRequireStatements(a, b, comparer)); return index < 0 ? ~index : index; } function getImportSpecifierInsertionIndex(sortedImports, newImport, comparer) { const index = binarySearch(sortedImports, newImport, identity, (s1, s2) => compareImportOrExportSpecifiers(s1, s2, comparer)); return index < 0 ? ~index : index; } function compareImportsOrRequireStatements(s1, s2, comparer) { return compareModuleSpecifiersWorker(getModuleSpecifierExpression(s1), getModuleSpecifierExpression(s2), comparer) || compareImportKind(s1, s2); } function compareImportKind(s1, s2) { return compareValues(getImportKindOrder(s1), getImportKindOrder(s2)); } function getImportKindOrder(s1) { var _a2; switch (s1.kind) { case 269: if (!s1.importClause) return 0; if (s1.importClause.isTypeOnly) return 1; if (((_a2 = s1.importClause.namedBindings) == null ? void 0 : _a2.kind) === 271) return 2; if (s1.importClause.name) return 3; return 4; case 268: return 5; case 240: return 6; } } 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, void 0, importSpecifier.name) : importSpecifier)); } function tryGetNamedBindingElements(namedImport) { var _a2; return ((_a2 = namedImport.importClause) == null ? void 0 : _a2.namedBindings) && isNamedImports(namedImport.importClause.namedBindings) ? namedImport.importClause.namedBindings.elements : void 0; } function getOrganizeImportsOrdinalStringComparer(ignoreCase) { return ignoreCase ? compareStringsCaseInsensitiveEslintCompatible : compareStringsCaseSensitive; } function getOrganizeImportsUnicodeStringComparer(ignoreCase, preferences) { var _a2, _b, _c; const resolvedLocale = getOrganizeImportsLocale(preferences); const caseFirst = (_a2 = preferences.organizeImportsCaseFirst) != null ? _a2 : false; const numeric = (_b = preferences.organizeImportsNumericCollation) != null ? _b : false; const accents = (_c = preferences.organizeImportsAccentCollation) != null ? _c : 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 getOrganizeImportsComparer(preferences, ignoreCase) { var _a2; const collation = (_a2 = preferences.organizeImportsCollation) != null ? _a2 : "ordinal"; return collation === "unicode" ? getOrganizeImportsUnicodeStringComparer(ignoreCase, preferences) : getOrganizeImportsOrdinalStringComparer(ignoreCase); } function getOrganizeImportsComparerWithDetection(preferences, detectIgnoreCase) { var _a2; const ignoreCase = typeof preferences.organizeImportsIgnoreCase === "boolean" ? preferences.organizeImportsIgnoreCase : (_a2 = detectIgnoreCase == null ? void 0 : detectIgnoreCase()) != null ? _a2 : false; return getOrganizeImportsComparer(preferences, ignoreCase); } var ImportSpecifierSortingCache, detectImportSpecifierSorting; var init_organizeImports = __esm({ "src/services/organizeImports.ts"() { "use strict"; init_ts4(); ImportSpecifierSortingCache = class { has([specifiers, preferences]) { if (this._lastPreferences !== preferences || !this._cache) return false; return this._cache.has(specifiers); } get([specifiers, preferences]) { if (this._lastPreferences !== preferences || !this._cache) return void 0; return this._cache.get(specifiers); } set([specifiers, preferences], value) { var _a2; if (this._lastPreferences !== preferences) { this._lastPreferences = preferences; this._cache = void 0; } (_a2 = this._cache) != null ? _a2 : this._cache = /* @__PURE__ */ new WeakMap(); this._cache.set(specifiers, value); } }; detectImportSpecifierSorting = memoizeCached((specifiers, preferences) => { if (!arrayIsSorted(specifiers, (s1, s2) => compareBooleans(s1.isTypeOnly, s2.isTypeOnly))) { return 0; } const collateCaseSensitive = getOrganizeImportsComparer(preferences, false); const collateCaseInsensitive = getOrganizeImportsComparer(preferences, true); return detectSortCaseSensitivity(specifiers, (specifier) => specifier.name.text, collateCaseSensitive, collateCaseInsensitive); }, new ImportSpecifierSortingCache()); } }); var ts_OrganizeImports_exports = {}; __export2(ts_OrganizeImports_exports, { coalesceExports: () => coalesceExports, coalesceImports: () => coalesceImports, compareImportOrExportSpecifiers: () => compareImportOrExportSpecifiers, compareImportsOrRequireStatements: () => compareImportsOrRequireStatements, compareModuleSpecifiers: () => compareModuleSpecifiers2, detectImportDeclarationSorting: () => detectImportDeclarationSorting, detectImportSpecifierSorting: () => detectImportSpecifierSorting, detectSorting: () => detectSorting, getImportDeclarationInsertionIndex: () => getImportDeclarationInsertionIndex, getImportSpecifierInsertionIndex: () => getImportSpecifierInsertionIndex, getOrganizeImportsComparer: () => getOrganizeImportsComparer, organizeImports: () => organizeImports }); var init_ts_OrganizeImports = __esm({ "src/services/_namespaces/ts.OrganizeImports.ts"() { "use strict"; init_organizeImports(); } }); 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], 100, sourceFile).getStart(sourceFile), statements[lastImport].getEnd(), "imports")); } } function visitNode3(n2) { var _a2; if (depthRemaining === 0) return; cancellationToken.throwIfCancellationRequested(); if (isDeclaration(n2) || isVariableStatement(n2) || isReturnStatement(n2) || isCallOrNewExpression(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 (isCallExpression(n2)) { depthRemaining++; visitNode3(n2.expression); depthRemaining--; n2.arguments.forEach(visitNode3); (_a2 = n2.typeArguments) == null ? void 0 : _a2.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, 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); } } } } function isRegionDelimiter(lineText) { lineText = trimStringStart(lineText); if (!startsWith(lineText, "//")) { return null; } lineText = trimString(lineText.slice(2)); 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")); singleLineCommentCount = 0; break; default: Debug.assertNever(kind); } } combineAndAddMultipleSingleLineComments(); function combineAndAddMultipleSingleLineComments() { if (singleLineCommentCount > 1) { out.push(createOutliningSpanFromBounds(firstSingleLineCommentStart, lastSingleLineCommentEnd, "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 238: if (isFunctionLike(n.parent)) { return functionSpan(n.parent, n, sourceFile); } switch (n.parent.kind) { case 243: case 246: case 247: case 245: case 242: case 244: case 251: case 295: return spanForNode(n.parent); case 255: const tryStatement = n.parent; if (tryStatement.tryBlock === n) { return spanForNode(n.parent); } else if (tryStatement.finallyBlock === n) { const node = findChildOfKind(tryStatement, 96, sourceFile); if (node) return spanForNode(node); } default: return createOutliningSpan(createTextSpanFromNode(n, sourceFile), "code"); } case 265: return spanForNode(n.parent); case 260: case 228: case 261: case 263: case 266: case 184: case 203: return spanForNode(n); case 186: return spanForNode(n, false, !isTupleTypeNode(n.parent), 22); case 292: case 293: return spanForNodeArray(n.statements); case 207: return spanForObjectOrArrayLiteral(n); case 206: return spanForObjectOrArrayLiteral(n, 22); case 281: return spanForJSXElement(n); case 285: return spanForJSXFragment(n); case 282: case 283: return spanForJSXAttributes(n.attributes); case 225: case 14: return spanForTemplateLiteral(n); case 204: return spanForNode(n, false, !isBindingElement(n.parent), 22); case 216: return spanForArrowFunction(n); case 210: return spanForCallExpression(n); case 214: return spanForParenthesizedExpression(n); case 272: case 276: case 296: return spanForNamedImportsOrExportsOrAssertClause(n); } function spanForNamedImportsOrExportsOrAssertClause(node) { if (!node.elements.length) { return void 0; } const openToken = findChildOfKind(node, 18, sourceFile); const closeToken = findChildOfKind(node, 19, sourceFile); if (!openToken || !closeToken || positionsAreOnSameLine(openToken.pos, closeToken.pos, sourceFile)) { return void 0; } return spanBetweenTokens(openToken, closeToken, node, sourceFile, false, false); } function spanForCallExpression(node) { if (!node.arguments.length) { return void 0; } const openToken = findChildOfKind(node, 20, sourceFile); const closeToken = findChildOfKind(node, 21, sourceFile); if (!openToken || !closeToken || positionsAreOnSameLine(openToken.pos, closeToken.pos, sourceFile)) { return void 0; } return spanBetweenTokens(openToken, closeToken, node, sourceFile, false, 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, false, bannerText); } function spanForJSXFragment(node) { const textSpan = createTextSpanFromBounds(node.openingFragment.getStart(sourceFile), node.closingFragment.getEnd()); const bannerText = "<>..."; return createOutliningSpan(textSpan, "code", textSpan, false, bannerText); } function spanForJSXAttributes(node) { if (node.properties.length === 0) { return void 0; } return createOutliningSpanFromBounds(node.getStart(sourceFile), node.getEnd(), "code"); } function spanForTemplateLiteral(node) { if (node.kind === 14 && node.text.length === 0) { return void 0; } return createOutliningSpanFromBounds(node.getStart(sourceFile), node.getEnd(), "code"); } function spanForObjectOrArrayLiteral(node, open = 18) { return spanForNode(node, false, !isArrayLiteralExpression(node.parent) && !isCallExpression(node.parent), open); } function spanForNode(hintSpanNode, autoCollapse = false, useFullStart = true, open = 18, close = open === 18 ? 19 : 23) { 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") : 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, 19, sourceFile); return openToken && closeToken && spanBetweenTokens(openToken, closeToken, node, sourceFile, node.kind !== 216); } 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, 20, sourceFile); if (openParenToken) { return openParenToken; } } return findChildOfKind(body, 18, sourceFile); } var regionDelimiterRegExp; var init_outliningElementsCollector = __esm({ "src/services/outliningElementsCollector.ts"() { "use strict"; init_ts4(); regionDelimiterRegExp = /^#(end)?region(?:s+(.*))?(?: )?$/; } }); var ts_OutliningElementsCollector_exports = {}; __export2(ts_OutliningElementsCollector_exports, { collectElements: () => collectElements }); var init_ts_OutliningElementsCollector = __esm({ "src/services/_namespaces/ts.OutliningElementsCollector.ts"() { "use strict"; init_outliningElementsCollector(); } }); function registerRefactor(name, refactor) { refactors.set(name, refactor); } function getApplicableRefactors(context) { return arrayFrom(flatMapIterator(refactors.values(), (refactor) => { var _a2; return context.cancellationToken && context.cancellationToken.isCancellationRequested() || !((_a2 = refactor.kinds) == null ? void 0 : _a2.some((kind) => refactorKindBeginsWith(kind, context.kind))) ? void 0 : refactor.getAvailableActions(context); })); } function getEditsForRefactor(context, refactorName13, actionName2) { const refactor = refactors.get(refactorName13); return refactor && refactor.getEditsForAction(context, actionName2); } var refactors; var init_refactorProvider = __esm({ "src/services/refactorProvider.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactors = /* @__PURE__ */ new Map(); } }); function getInfo19(context, considerPartialSpans = true) { const { file, program } = context; const span = getRefactorContextSpan(context); const token = getTokenAtPosition(file, span.start); const exportNode = !!(token.parent && getSyntacticModifierFlags(token.parent) & 1) && 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 ? 1025 : 0); const wasDefault = !!(flags & 1024); if (!(flags & 1) || !wasDefault && exportingModuleSymbol.exports.has("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 259: case 260: case 261: case 263: case 262: case 264: { const node = exportNode; if (!node.name) return void 0; return noSymbolError(node.name) || { exportNode: node, exportName: node.name, wasDefault, exportingModuleSymbol }; } case 240: { 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 274: { 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 doChange33(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(void 0, false, factory.createNamedExports([spec]))); } else { changes.delete(exportingSourceFile, Debug.checkDefined(findModifier(exportNode, 88), "Should find a default keyword in modifier list")); } } else { const exportKeyword = Debug.checkDefined(findModifier(exportNode, 93), "Should find an export keyword in modifier list"); switch (exportNode.kind) { case 259: case 260: case 261: changes.insertNodeAfter(exportingSourceFile, exportKeyword, factory.createToken(88)); break; case 240: 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 263: case 262: case 264: 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 208: changes.replaceNode(importingSourceFile, ref, factory.createIdentifier(exportName)); break; case 273: case 278: { const spec = parent2; changes.replaceNode(importingSourceFile, spec, makeImportSpecifier2(exportName, spec.name.text)); break; } case 270: { const clause = parent2; Debug.assert(clause.name === ref, "Import clause name should match provided ref"); const spec = makeImportSpecifier2(exportName, ref.text); const { namedBindings } = clause; if (!namedBindings) { changes.replaceNode(importingSourceFile, ref, factory.createNamedImports([spec])); } else if (namedBindings.kind === 271) { changes.deleteRange(importingSourceFile, { pos: ref.getStart(importingSourceFile), end: namedBindings.getStart(importingSourceFile) }); const quotePreference = isStringLiteral(clause.parent.moduleSpecifier) ? quotePreferenceFromString(clause.parent.moduleSpecifier, importingSourceFile) : 1; const newImport = makeImport(void 0, [makeImportSpecifier2(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 202: const importTypeNode = parent2; changes.replaceNode(importingSourceFile, parent2, factory.createImportTypeNode(importTypeNode.argument, importTypeNode.assertions, 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 208: changes.replaceNode(importingSourceFile, ref, factory.createIdentifier("default")); break; case 273: { 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 278: { changes.replaceNode(importingSourceFile, parent2, makeExportSpecifier("default", parent2.name.text)); break; } default: Debug.assertNever(parent2, `Unexpected parent kind ${parent2.kind}`); } } function makeImportSpecifier2(propertyName, name) { return factory.createImportSpecifier(false, propertyName === name ? void 0 : factory.createIdentifier(propertyName), factory.createIdentifier(name)); } function makeExportSpecifier(propertyName, name) { return factory.createExportSpecifier(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 refactorName, defaultToNamedAction, namedToDefaultAction; var init_convertExport = __esm({ "src/services/refactors/convertExport.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName = "Convert export"; defaultToNamedAction = { name: "Convert default export to named export", description: Diagnostics.Convert_default_export_to_named_export.message, kind: "refactor.rewrite.export.named" }; namedToDefaultAction = { name: "Convert named export to default export", description: Diagnostics.Convert_named_export_to_default_export.message, kind: "refactor.rewrite.export.default" }; registerRefactor(refactorName, { kinds: [ defaultToNamedAction.kind, namedToDefaultAction.kind ], getAvailableActions: function getRefactorActionsToConvertBetweenNamedAndDefaultExports(context) { const info = getInfo19(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: Diagnostics.Convert_default_export_to_named_export.message, 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 = getInfo19(context); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange33(context.file, context.program, info, t, context.cancellationToken)); 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, isImportDeclaration) : getParentNodeInSpan(token, file, span); if (!importDecl || !isImportDeclaration(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 === 271) { 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 doChange34(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); } } 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, 67108863, 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(false, name === propertyName ? void 0 : factory.createIdentifier(propertyName), factory.createIdentifier(name))); }); const importDecl = toConvert.parent.parent; if (usedAsNamespaceOrDefault && !allowSyntheticDefaultImports) { changes.insertNodeAfter(sourceFile, importDecl, updateImport(importDecl, void 0, importSpecifiers)); } else { changes.replaceNode(sourceFile, importDecl, updateImport(importDecl, usedAsNamespaceOrDefault ? factory.createIdentifier(toConvert.name.text) : void 0, 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 && isStringLiteral(moduleSpecifier) ? ts_codefix_exports.moduleSpecifierToValidIdentifier(moduleSpecifier.text, 99) : "module"; function hasNamespaceNameConflict(namedImport) { return !!ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(namedImport.name, checker, sourceFile, (id) => { const symbol = checker.resolveName(preferredName, id, 67108863, 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) { 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, updateImport(importDecl, 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 updateImport(old, defaultImportName, elements) { return factory.createImportDeclaration(void 0, factory.createImportClause(false, defaultImportName, elements && elements.length ? factory.createNamedImports(elements) : void 0), old.moduleSpecifier, void 0); } var refactorName2, actions; var init_convertImport = __esm({ "src/services/refactors/convertImport.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName2 = "Convert import"; actions = { [0]: { name: "Convert namespace import to named imports", description: Diagnostics.Convert_namespace_import_to_named_imports.message, kind: "refactor.rewrite.import.named" }, [2]: { name: "Convert named imports to namespace import", description: Diagnostics.Convert_named_imports_to_namespace_import.message, kind: "refactor.rewrite.import.namespace" }, [1]: { name: "Convert named imports to default import", description: Diagnostics.Convert_named_imports_to_default_import.message, 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) => doChange34(context.file, context.program, t, info)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } }); } }); function getRangeToExtract(context, considerEmptySpans = true) { const { file, startPosition } = context; const isJS = isSourceFileJS(file); const current = getTokenAtPosition(file, startPosition); const range = createTextRangeFromSpan(getRefactorContextSpan(context)); const cursorRequest = range.pos === range.end && considerEmptySpans; const selection = findAncestor(current, (node) => node.parent && isTypeNode(node) && !rangeContainsSkipTrivia(range, node.parent, file) && (cursorRequest || nodeOverlapsWithStartEnd(current, file, range.pos, range.end))); if (!selection || !isTypeNode(selection)) return { error: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_type_node) }; const checker = context.program.getTypeChecker(); const enclosingNode = getEnclosingNode(selection, isJS); if (enclosingNode === void 0) return { error: getLocaleSpecificMessage(Diagnostics.No_type_could_be_extracted_from_this_type_node) }; const typeParameters = collectTypeParameters(checker, selection, enclosingNode, file); if (!typeParameters) return { error: getLocaleSpecificMessage(Diagnostics.No_type_could_be_extracted_from_this_type_node) }; const typeElements = flattenTypeLiteralNodeReference(checker, selection); return { isJS, selection, enclosingNode, typeParameters, typeElements }; } function flattenTypeLiteralNodeReference(checker, node) { if (!node) return void 0; if (isIntersectionTypeNode(node)) { const result = []; const seen = /* @__PURE__ */ new Map(); for (const type of node.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(node)) { return flattenTypeLiteralNodeReference(checker, node.type); } else if (isTypeLiteralNode(node)) { return node.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 = []; return visitor(selection) ? void 0 : result; function visitor(node) { if (isTypeReferenceNode(node)) { if (isIdentifier(node.typeName)) { const typeName = node.typeName; const symbol = checker.resolveName(typeName.text, typeName, 262144, 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, selection, file)) { return true; } if (rangeContainsSkipTrivia(enclosingNode, decl, file) && !rangeContainsSkipTrivia(selection, 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(selection, 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(selection, functionLikeNode, file)) { return true; } } else if (isTypeQueryNode(node)) { if (isIdentifier(node.exprName)) { const symbol = checker.resolveName(node.exprName.text, node.exprName, 111551, false); if ((symbol == null ? void 0 : symbol.valueDeclaration) && rangeContainsSkipTrivia(enclosingNode, symbol.valueDeclaration, file) && !rangeContainsSkipTrivia(selection, symbol.valueDeclaration, file)) { return true; } } else { if (isThisIdentifier(node.exprName.left) && !rangeContainsSkipTrivia(selection, node.parent, file)) { return true; } } } if (file && isTupleTypeNode(node) && getLineAndCharacterOfPosition(file, node.pos).line === getLineAndCharacterOfPosition(file, node.end).line) { setEmitFlags(node, 1); } return forEachChild(node, visitor); } } function doTypeAliasChange(changes, file, name, info) { const { enclosingNode, selection, typeParameters } = info; const newTypeNode = factory.createTypeAliasDeclaration(void 0, name, typeParameters.map((id) => factory.updateTypeParameterDeclaration(id, id.modifiers, id.name, id.constraint, void 0)), selection); changes.insertNodeBefore(file, enclosingNode, ignoreSourceNewlines(newTypeNode), true); changes.replaceNode(file, selection, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode(id.name, void 0))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.ExcludeWhitespace }); } function doInterfaceChange(changes, file, name, info) { var _a2; const { enclosingNode, selection, typeParameters, typeElements } = info; const newTypeNode = factory.createInterfaceDeclaration(void 0, name, typeParameters, void 0, typeElements); setTextRange(newTypeNode, (_a2 = typeElements[0]) == null ? void 0 : _a2.parent); changes.insertNodeBefore(file, enclosingNode, ignoreSourceNewlines(newTypeNode), true); changes.replaceNode(file, selection, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode(id.name, void 0))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.ExcludeWhitespace }); } function doTypedefChange(changes, context, file, name, info) { var _a2; const { enclosingNode, selection, typeParameters } = info; setEmitFlags(selection, 3072 | 4096); const node = factory.createJSDocTypedefTag(factory.createIdentifier("typedef"), factory.createJSDocTypeExpression(selection), factory.createIdentifier(name)); const templates = []; forEach(typeParameters, (typeParameter) => { const constraint = getEffectiveConstraintOfTypeParameter(typeParameter); const parameter = factory.createTypeParameterDeclaration(void 0, typeParameter.name); const template = factory.createJSDocTemplateTag(factory.createIdentifier("template"), constraint && cast(constraint, isJSDocTypeExpression), [parameter]); templates.push(template); }); const jsDoc = factory.createJSDocComment(void 0, factory.createNodeArray(concatenate(templates, [node]))); if (isJSDoc(enclosingNode)) { const pos = enclosingNode.getStart(file); const newLineCharacter = getNewLineOrDefaultFromHost(context.host, (_a2 = context.formatContext) == null ? void 0 : _a2.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, true); } changes.replaceNode(file, selection, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode(id.name, void 0)))); } function getEnclosingNode(node, isJS) { return findAncestor(node, isStatement) || (isJS ? findAncestor(node, isJSDoc) : void 0); } var refactorName3, extractToTypeAliasAction, extractToInterfaceAction, extractToTypeDefAction; var init_extractType = __esm({ "src/services/refactors/extractType.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName3 = "Extract type"; extractToTypeAliasAction = { name: "Extract to type alias", description: getLocaleSpecificMessage(Diagnostics.Extract_to_type_alias), kind: "refactor.extract.type" }; extractToInterfaceAction = { name: "Extract to interface", description: getLocaleSpecificMessage(Diagnostics.Extract_to_interface), kind: "refactor.extract.interface" }; 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 = getRangeToExtract(context, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName3, description: getLocaleSpecificMessage(Diagnostics.Extract_type), actions: info.isJS ? [extractToTypeDefAction] : append([extractToTypeAliasAction], info.typeElements && extractToInterfaceAction) }]; } 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, false); return { edits, renameFilename, renameLocation }; } }); } }); function isRefactorErrorInfo(info) { return info.error !== void 0; } function refactorKindBeginsWith(known, requested) { if (!requested) return true; return known.substr(0, requested.length) === requested; } var init_helpers2 = __esm({ "src/services/refactors/helpers.ts"() { "use strict"; } }); function getRangeToMove(context) { const { file } = context; const range = createTextRangeFromSpan(getRefactorContextSpan(context)); const { statements } = file; const startNodeIndex = findIndex(statements, (s) => s.end > range.pos); if (startNodeIndex === -1) return void 0; const startStatement = statements[startNodeIndex]; if (isNamedDeclaration(startStatement) && startStatement.name && rangeContainsRange(startStatement.name, range)) { return { toMove: [statements[startNodeIndex]], afterLast: statements[startNodeIndex + 1] }; } if (range.pos > startStatement.getStart(file)) return void 0; const afterEndNodeIndex = findIndex(statements, (s) => s.end > range.end, startNodeIndex); if (afterEndNodeIndex !== -1 && (afterEndNodeIndex === 0 || statements[afterEndNodeIndex].getStart(file) < range.end)) return void 0; return { toMove: statements.slice(startNodeIndex, afterEndNodeIndex === -1 ? statements.length : afterEndNodeIndex), afterLast: afterEndNodeIndex === -1 ? void 0 : statements[afterEndNodeIndex] }; } function doChange35(oldFile, program, toMove, changes, host, preferences) { const checker = program.getTypeChecker(); const usage = getUsageInfo(oldFile, toMove.all, checker); const currentDirectory = getDirectoryPath(oldFile.fileName); const extension = extensionFromPath(oldFile.fileName); const newFilename = combinePaths(currentDirectory, makeUniqueFilename(inferNewFilename(usage.oldFileImportsFromNewFile, usage.movedSymbols), extension, currentDirectory, host)) + extension; changes.createNewFile(oldFile, newFilename, getNewStatementsAndRemoveFromOldFile(oldFile, usage, changes, toMove, program, host, newFilename, preferences)); addNewFileToTsconfig(program, changes, oldFile.fileName, newFilename, hostGetCanonicalFileName(host)); } 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 isAllowedStatementToMove(statement) { return !isPureImport(statement) && !isPrologueDirective(statement); } function isPureImport(node) { switch (node.kind) { case 269: return true; case 268: return !hasSyntacticModifier(node, 1); case 240: return node.declarationList.declarations.every((d) => !!d.initializer && isRequireCall(d.initializer, true)); default: return false; } } 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) && isStringLiteral(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 getNewStatementsAndRemoveFromOldFile(oldFile, usage, changes, toMove, program, host, newFilename, preferences) { const checker = program.getTypeChecker(); const prologueDirectives = takeWhile(oldFile.statements, isPrologueDirective); if (oldFile.externalModuleIndicator === void 0 && oldFile.commonJsModuleIndicator === void 0 && usage.oldImportsNeededByNewFile.size() === 0) { deleteMovedStatements(oldFile, toMove.ranges, changes); return [...prologueDirectives, ...toMove.all]; } const useEsModuleSyntax = !!oldFile.externalModuleIndicator; const quotePreference = getQuotePreference(oldFile, preferences); const importsFromNewFile = createOldFileImportsFromNewFile(oldFile, usage.oldFileImportsFromNewFile, newFilename, program, host, useEsModuleSyntax, quotePreference); if (importsFromNewFile) { insertImports(changes, oldFile, importsFromNewFile, true, preferences); } deleteUnusedOldImports(oldFile, toMove.all, changes, usage.unusedImportsFromOldFile, checker); deleteMovedStatements(oldFile, toMove.ranges, changes); updateImportsInOtherFiles(changes, program, host, oldFile, usage.movedSymbols, newFilename); const imports = getNewFileImportsAndAddExportInOldFile(oldFile, usage.oldImportsNeededByNewFile, usage.newFileImportsFromOldFile, changes, checker, program, host, useEsModuleSyntax, quotePreference); const body = addExports(oldFile, toMove.all, usage.oldFileImportsFromNewFile, useEsModuleSyntax); if (imports.length && body.length) { return [ ...prologueDirectives, ...imports, 4, ...body ]; } return [ ...prologueDirectives, ...imports, ...body ]; } function deleteMovedStatements(sourceFile, moved, changes) { for (const { first: first2, afterLast } of moved) { changes.deleteNodeRangeExcludingEnd(sourceFile, first2, afterLast); } } function deleteUnusedOldImports(oldFile, toMove, changes, toDelete, checker) { for (const statement of oldFile.statements) { if (contains(toMove, statement)) continue; forEachImportInStatement(statement, (i) => deleteUnusedImports(oldFile, i, changes, (name) => toDelete.has(checker.getSymbolAtLocation(name)))); } } function updateImportsInOtherFiles(changes, program, host, oldFile, movedSymbols, newFilename) { 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 pathToNewFileWithExtension = resolvePath(getDirectoryPath(oldFile.path), newFilename); const newModuleSpecifier = getModuleSpecifier(program.getCompilerOptions(), sourceFile, sourceFile.path, pathToNewFileWithExtension, createModuleSpecifierResolutionHost(program, host)); const newImportDeclaration = filterImport(importNode, factory.createStringLiteral(newModuleSpecifier), shouldMove); if (newImportDeclaration) changes.insertNodeAfter(sourceFile, statement, newImportDeclaration); const ns = getNamespaceLikeImport(importNode); if (ns) updateNamespaceLikeImport(changes, sourceFile, checker, movedSymbols, newModuleSpecifier, ns, importNode); }); } } } function getNamespaceLikeImport(node) { switch (node.kind) { case 269: return node.importClause && node.importClause.namedBindings && node.importClause.namedBindings.kind === 271 ? node.importClause.namedBindings.name : void 0; case 268: return node.name; case 257: return tryCast(node.name, isIdentifier); default: return Debug.assertNever(node, `Unexpected node kind ${node.kind}`); } } function updateNamespaceLikeImport(changes, sourceFile, checker, movedSymbols, newModuleSpecifier, oldImportId, oldImportNode) { const preferredNewNamespaceName = ts_codefix_exports.moduleSpecifierToValidIdentifier(newModuleSpecifier, 99); 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, 67108863, 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)); } } function updateNamespaceLikeImportNode(node, newNamespaceName, newModuleSpecifier) { const newNamespaceId = factory.createIdentifier(newNamespaceName); const newModuleString = factory.createStringLiteral(newModuleSpecifier); switch (node.kind) { case 269: return factory.createImportDeclaration(void 0, factory.createImportClause(false, void 0, factory.createNamespaceImport(newNamespaceId)), newModuleString, void 0); case 268: return factory.createImportEqualsDeclaration(void 0, false, newNamespaceId, factory.createExternalModuleReference(newModuleString)); case 257: return factory.createVariableDeclaration(newNamespaceId, void 0, void 0, createRequireCall(newModuleString)); default: return Debug.assertNever(node, `Unexpected node kind ${node.kind}`); } } function moduleSpecifierFromImport(i) { return i.kind === 269 ? i.moduleSpecifier : i.kind === 268 ? i.moduleReference.expression : i.initializer.arguments[0]; } function forEachImportInStatement(statement, cb) { if (isImportDeclaration(statement)) { if (isStringLiteral(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, true)) { cb(decl); } } } } function createOldFileImportsFromNewFile(sourceFile, newFileNeedExport, newFileNameWithExtension, program, host, useEs6Imports, quotePreference) { let defaultImport; const imports = []; newFileNeedExport.forEach((symbol) => { if (symbol.escapedName === "default") { defaultImport = factory.createIdentifier(symbolNameNoDefault(symbol)); } else { imports.push(symbol.name); } }); return makeImportOrRequire(sourceFile, defaultImport, imports, newFileNameWithExtension, program, host, useEs6Imports, quotePreference); } function makeImportOrRequire(sourceFile, defaultImport, imports, newFileNameWithExtension, program, host, useEs6Imports, quotePreference) { const pathToNewFile = resolvePath(getDirectoryPath(sourceFile.path), newFileNameWithExtension); const pathToNewFileWithCorrectExtension = getModuleSpecifier(program.getCompilerOptions(), sourceFile, sourceFile.path, pathToNewFile, createModuleSpecifierResolutionHost(program, host)); if (useEs6Imports) { const specifiers = imports.map((i) => factory.createImportSpecifier(false, void 0, factory.createIdentifier(i))); return makeImportIfNecessary(defaultImport, specifiers, pathToNewFileWithCorrectExtension, quotePreference); } else { Debug.assert(!defaultImport, "No default import should exist"); const bindingElements = imports.map((i) => factory.createBindingElement(void 0, void 0, i)); return bindingElements.length ? makeVariableStatement(factory.createObjectBindingPattern(bindingElements), void 0, createRequireCall(factory.createStringLiteral(pathToNewFileWithCorrectExtension))) : void 0; } } function makeVariableStatement(name, type, initializer, flags = 2) { return factory.createVariableStatement(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(name, void 0, type, initializer)], flags)); } function createRequireCall(moduleSpecifier) { return factory.createCallExpression(factory.createIdentifier("require"), void 0, [moduleSpecifier]); } function addExports(sourceFile, toMove, needExport, useEs6Exports) { return flatMap(toMove, (statement) => { if (isTopLevelDeclarationStatement(statement) && !isExported(sourceFile, statement, useEs6Exports) && forEachTopLevelDeclaration(statement, (d) => { var _a2; return needExport.has(Debug.checkDefined((_a2 = tryCast(d, canHaveSymbol)) == null ? void 0 : _a2.symbol)); })) { const exports = addExport(statement, useEs6Exports); if (exports) return exports; } return statement; }); } function deleteUnusedImports(sourceFile, importDecl, changes, isUnused) { switch (importDecl.kind) { case 269: deleteUnusedImportsInDeclaration(sourceFile, importDecl, changes, isUnused); break; case 268: if (isUnused(importDecl.name)) { changes.delete(sourceFile, importDecl); } break; case 257: deleteUnusedImportsInVariableDeclaration(sourceFile, importDecl, changes, isUnused); break; default: Debug.assertNever(importDecl, `Unexpected import decl kind ${importDecl.kind}`); } } function deleteUnusedImportsInDeclaration(sourceFile, importDecl, changes, isUnused) { if (!importDecl.importClause) return; const { name, namedBindings } = importDecl.importClause; const defaultUnused = !name || isUnused(name); const namedBindingsUnused = !namedBindings || (namedBindings.kind === 271 ? isUnused(namedBindings.name) : namedBindings.elements.length !== 0 && namedBindings.elements.every((e) => isUnused(e.name))); if (defaultUnused && namedBindingsUnused) { changes.delete(sourceFile, importDecl); } else { if (name && defaultUnused) { changes.delete(sourceFile, name); } if (namedBindings) { if (namedBindingsUnused) { changes.replaceNode(sourceFile, importDecl.importClause, factory.updateImportClause(importDecl.importClause, importDecl.importClause.isTypeOnly, name, void 0)); } else if (namedBindings.kind === 272) { for (const element of namedBindings.elements) { if (isUnused(element.name)) changes.delete(sourceFile, element); } } } } } function deleteUnusedImportsInVariableDeclaration(sourceFile, varDecl, changes, isUnused) { const { name } = varDecl; switch (name.kind) { case 79: if (isUnused(name)) { if (varDecl.initializer && isRequireCall(varDecl.initializer, true)) { changes.delete(sourceFile, isVariableDeclarationList(varDecl.parent) && length(varDecl.parent.declarations) === 1 ? varDecl.parent.parent : varDecl); } else { changes.delete(sourceFile, name); } } break; case 204: break; case 203: if (name.elements.every((e) => isIdentifier(e.name) && isUnused(e.name))) { changes.delete(sourceFile, isVariableDeclarationList(varDecl.parent) && varDecl.parent.declarations.length === 1 ? varDecl.parent.parent : varDecl); } else { for (const element of name.elements) { if (isIdentifier(element.name) && isUnused(element.name)) { changes.delete(sourceFile, element.name); } } } break; } } function getNewFileImportsAndAddExportInOldFile(oldFile, importsToCopy, newFileImportsFromOldFile, changes, checker, program, host, useEsModuleSyntax, quotePreference) { const copiedOldImports = []; for (const oldStatement of oldFile.statements) { forEachImportInStatement(oldStatement, (i) => { append(copiedOldImports, filterImport(i, moduleSpecifierFromImport(i), (name) => importsToCopy.has(checker.getSymbolAtLocation(name)))); }); } let oldFileDefault; const oldFileNamedImports = []; const markSeenTop = nodeSeenTracker(); newFileImportsFromOldFile.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); } if (hasSyntacticModifier(decl, 1024)) { oldFileDefault = name; } else { oldFileNamedImports.push(name.text); } } }); append(copiedOldImports, makeImportOrRequire(oldFile, oldFileDefault, oldFileNamedImports, getBaseFileName(oldFile.fileName), program, host, useEsModuleSyntax, quotePreference)); return copiedOldImports; } 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 importsFromNewFile.forEachEntry(symbolNameNoDefault) || movedSymbols.forEachEntry(symbolNameNoDefault) || "newFile"; } function getUsageInfo(oldFile, toMove, checker) { const movedSymbols = new SymbolSet(); const oldImportsNeededByNewFile = new SymbolSet(); const newFileImportsFromOldFile = new SymbolSet(); const containsJsx = find(toMove, (statement) => !!(statement.transformFlags & 2)); const jsxNamespaceSymbol = getJsxNamespaceSymbol(containsJsx); if (jsxNamespaceSymbol) { oldImportsNeededByNewFile.add(jsxNamespaceSymbol); } for (const statement of toMove) { forEachTopLevelDeclaration(statement, (decl) => { movedSymbols.add(Debug.checkDefined(isExpressionStatement(decl) ? checker.getSymbolAtLocation(decl.expression.left) : decl.symbol, "Need a symbol here")); }); } for (const statement of toMove) { forEachReference(statement, checker, (symbol) => { if (!symbol.declarations) return; for (const decl of symbol.declarations) { if (isInImport(decl)) { oldImportsNeededByNewFile.add(symbol); } else if (isTopLevelDeclaration(decl) && sourceFileOfTopLevelDeclaration(decl) === oldFile && !movedSymbols.has(symbol)) { newFileImportsFromOldFile.add(symbol); } } }); } const unusedImportsFromOldFile = oldImportsNeededByNewFile.clone(); const oldFileImportsFromNewFile = new SymbolSet(); for (const statement of oldFile.statements) { if (contains(toMove, statement)) continue; if (jsxNamespaceSymbol && !!(statement.transformFlags & 2)) { unusedImportsFromOldFile.delete(jsxNamespaceSymbol); } forEachReference(statement, checker, (symbol) => { if (movedSymbols.has(symbol)) oldFileImportsFromNewFile.add(symbol); unusedImportsFromOldFile.delete(symbol); }); } return { movedSymbols, newFileImportsFromOldFile, oldFileImportsFromNewFile, oldImportsNeededByNewFile, unusedImportsFromOldFile }; function getJsxNamespaceSymbol(containsJsx2) { if (containsJsx2 === void 0) { return void 0; } const jsxNamespace = checker.getJsxNamespace(containsJsx2); const jsxNamespaceSymbol2 = checker.resolveName(jsxNamespace, containsJsx2, 1920, true); return !!jsxNamespaceSymbol2 && some(jsxNamespaceSymbol2.declarations, isInImport) ? jsxNamespaceSymbol2 : void 0; } } function isInImport(decl) { switch (decl.kind) { case 268: case 273: case 270: case 271: return true; case 257: return isVariableDeclarationInImport(decl); case 205: 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, true); } function filterImport(i, moduleSpecifier, keep) { switch (i.kind) { case 269: { 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(void 0, factory.createImportClause(clause.isTypeOnly, defaultImport, namedBindings), moduleSpecifier, void 0) : void 0; } case 268: return keep(i.name) ? i : void 0; case 257: { 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 === 271) { 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 79: return keep(name) ? name : void 0; case 204: return name; case 203: { const newElements = name.elements.filter((prop) => prop.propertyName || !isIdentifier(prop.name) || keep(prop.name)); return newElements.length ? factory.createObjectBindingPattern(newElements) : void 0; } } } function forEachReference(node, checker, onReference) { node.forEachChild(function cb(node2) { if (isIdentifier(node2) && !isDeclarationName(node2)) { const sym = checker.getSymbolAtLocation(node2); if (sym) onReference(sym); } else { node2.forEachChild(cb); } }); } 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 isTopLevelDeclarationStatement(node) { Debug.assert(isSourceFile(node.parent), "Node parent should be a SourceFile"); return isNonVariableTopLevelDeclaration(node) || isVariableStatement(node); } function isNonVariableTopLevelDeclaration(node) { switch (node.kind) { case 259: case 260: case 264: case 263: case 262: case 261: case 268: return true; default: return false; } } function forEachTopLevelDeclaration(statement, cb) { switch (statement.kind) { case 259: case 260: case 264: case 263: case 262: case 261: case 268: return cb(statement); case 240: return firstDefined(statement.declarationList.declarations, (decl) => forEachTopLevelDeclarationInBindingName(decl.name, cb)); case 241: { const { expression } = statement; return isBinaryExpression(expression) && getAssignmentDeclarationKind(expression) === 1 ? cb(statement) : void 0; } } } function forEachTopLevelDeclarationInBindingName(name, cb) { switch (name.kind) { case 79: return cb(cast(name.parent, (x) => isVariableDeclaration(x) || isBindingElement(x))); case 204: case 203: return firstDefined(name.elements, (em) => isOmittedExpression(em) ? void 0 : forEachTopLevelDeclarationInBindingName(em.name, cb)); default: return Debug.assertNever(name, `Unexpected name kind ${name.kind}`); } } function nameOfTopLevelDeclaration(d) { return isExpressionStatement(d) ? tryCast(d.expression.left.name, isIdentifier) : tryCast(d.name, isIdentifier); } function getTopLevelDeclarationStatement(d) { switch (d.kind) { case 257: return d.parent.parent; case 205: 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 (!isExpressionStatement(decl)) changes.insertExportModifier(sourceFile, decl); } else { const names = getNamesToExportInCommonJS(decl); if (names.length !== 0) changes.insertNodesAfter(sourceFile, decl, names.map(createExportAssignment)); } } function isExported(sourceFile, decl, useEs6Exports, name) { var _a2; if (useEs6Exports) { return !isExpressionStatement(decl) && hasSyntacticModifier(decl, 1) || !!(name && ((_a2 = sourceFile.symbol.exports) == null ? void 0 : _a2.has(name.escapedText))); } return !!sourceFile.symbol && !!sourceFile.symbol.exports && getNamesToExportInCommonJS(decl).some((name2) => sourceFile.symbol.exports.has(escapeLeadingUnderscores(name2))); } function addExport(decl, useEs6Exports) { return useEs6Exports ? [addEs6Export(decl)] : addCommonjsExport(decl); } function addEs6Export(d) { const modifiers = canHaveModifiers(d) ? concatenate([factory.createModifier(93)], getModifiers(d)) : void 0; switch (d.kind) { case 259: return factory.updateFunctionDeclaration(d, modifiers, d.asteriskToken, d.name, d.typeParameters, d.parameters, d.type, d.body); case 260: const decorators = canHaveDecorators(d) ? getDecorators(d) : void 0; return factory.updateClassDeclaration(d, concatenate(decorators, modifiers), d.name, d.typeParameters, d.heritageClauses, d.members); case 240: return factory.updateVariableStatement(d, modifiers, d.declarationList); case 264: return factory.updateModuleDeclaration(d, modifiers, d.name, d.body); case 263: return factory.updateEnumDeclaration(d, modifiers, d.name, d.members); case 262: return factory.updateTypeAliasDeclaration(d, modifiers, d.name, d.typeParameters, d.type); case 261: return factory.updateInterfaceDeclaration(d, modifiers, d.name, d.typeParameters, d.heritageClauses, d.members); case 268: return factory.updateImportEqualsDeclaration(d, modifiers, d.isTypeOnly, d.name, d.moduleReference); case 241: return Debug.fail(); default: return Debug.assertNever(d, `Unexpected declaration kind ${d.kind}`); } } function addCommonjsExport(decl) { return [decl, ...getNamesToExportInCommonJS(decl).map(createExportAssignment)]; } function getNamesToExportInCommonJS(decl) { switch (decl.kind) { case 259: case 260: return [decl.name.text]; case 240: return mapDefined(decl.declarationList.declarations, (d) => isIdentifier(d.name) ? d.name.text : void 0); case 264: case 263: case 262: case 261: case 268: return emptyArray; case 241: return Debug.fail("Can"t export an ExpressionStatement"); default: return Debug.assertNever(decl, `Unexpected decl kind ${decl.kind}`); } } function createExportAssignment(name) { return factory.createExpressionStatement(factory.createBinaryExpression(factory.createPropertyAccessExpression(factory.createIdentifier("exports"), factory.createIdentifier(name)), 63, factory.createIdentifier(name))); } var refactorName4, description, moveToNewFileAction, SymbolSet; var init_moveToNewFile = __esm({ "src/services/refactors/moveToNewFile.ts"() { "use strict"; init_moduleSpecifiers(); init_ts4(); init_ts_refactor(); refactorName4 = "Move to a new file"; description = getLocaleSpecificMessage(Diagnostics.Move_to_a_new_file); moveToNewFileAction = { name: refactorName4, description, kind: "refactor.move.newFile" }; registerRefactor(refactorName4, { kinds: [moveToNewFileAction.kind], getAvailableActions: function getRefactorActionsToMoveToNewFile(context) { const statements = getStatementsToMove(context); if (context.preferences.allowTextChangesInNewFiles && statements) { return [{ name: refactorName4, description, actions: [moveToNewFileAction] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName4, description, actions: [{ ...moveToNewFileAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_statement_or_statements) }] }]; } return emptyArray; }, getEditsForAction: function getRefactorEditsToMoveToNewFile(context, actionName2) { Debug.assert(actionName2 === refactorName4, "Wrong refactor invoked"); const statements = Debug.checkDefined(getStatementsToMove(context)); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange35(context.file, context.program, statements, t, context.host, context.preferences)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } }); SymbolSet = class { constructor() { this.map = /* @__PURE__ */ new Map(); } add(symbol) { this.map.set(String(getSymbolId(symbol)), symbol); } has(symbol) { return this.map.has(String(getSymbolId(symbol))); } delete(symbol) { this.map.delete(String(getSymbolId(symbol))); } forEach(cb) { this.map.forEach(cb); } forEachEntry(cb) { return forEachEntry(this.map, cb); } clone() { const clone2 = new SymbolSet(); copyEntries(this.map, clone2.map); return clone2; } size() { return this.map.size; } }; } }); function getRefactorActionsToConvertOverloadsToOneSignature(context) { const { file, startPosition, program } = context; const info = getConvertableOverloadListAtPosition(file, startPosition, program); if (!info) return emptyArray; return [{ name: refactorName5, description: refactorDescription, 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 170: { updated = factory.updateMethodSignature(lastDeclaration, lastDeclaration.modifiers, lastDeclaration.name, lastDeclaration.questionToken, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type); break; } case 171: { updated = factory.updateMethodDeclaration(lastDeclaration, lastDeclaration.modifiers, lastDeclaration.asteriskToken, lastDeclaration.name, lastDeclaration.questionToken, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type, lastDeclaration.body); break; } case 176: { updated = factory.updateCallSignature(lastDeclaration, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type); break; } case 173: { updated = factory.updateConstructorDeclaration(lastDeclaration, lastDeclaration.modifiers, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.body); break; } case 177: { updated = factory.updateConstructSignature(lastDeclaration, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type); break; } case 259: { 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(void 0, factory.createToken(25), "args", 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); } function convertParameterToNamedTupleMember(p) { Debug.assert(isIdentifier(p.name)); const result = setTextRange(factory.createNamedTupleMember(p.dotDotDotToken, p.name, p.questionToken, p.type || factory.createKeywordTypeNode(131)), p); const parameterDocComment = p.symbol && p.symbol.getDocumentationComment(checker); if (parameterDocComment) { const newComment = displayPartsToString2(parameterDocComment); if (newComment.length) { setSyntheticLeadingComments(result, [{ text: `* ${newComment.split(" ").map((c) => ` * ${c}`).join(" ")} `, kind: 3, pos: -1, end: -1, hasTrailingNewLine: true, hasLeadingNewline: true }]); } } return result; } } function isConvertableSignatureDeclaration(d) { switch (d.kind) { case 170: case 171: case 176: case 173: case 177: case 259: 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 refactorName5, refactorDescription, functionOverloadAction; var init_convertOverloadListToSingleSignature = __esm({ "src/services/refactors/convertOverloadListToSingleSignature.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName5 = "Convert overload list to single signature"; refactorDescription = Diagnostics.Convert_overload_list_to_single_signature.message; functionOverloadAction = { name: refactorName5, description: refactorDescription, kind: "refactor.rewrite.function.overloadList" }; registerRefactor(refactorName5, { kinds: [functionOverloadAction.kind], getEditsForAction: getRefactorEditsToConvertOverloadsToOneSignature, getAvailableActions: getRefactorActionsToConvertOverloadsToOneSignature }); } }); function getRefactorActionsToRemoveFunctionBraces(context) { const { file, startPosition, triggerReason } = context; const info = getConvertibleArrowFunctionAtPosition(file, startPosition, triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName6, description: refactorDescription2, actions: [ info.addBraces ? addBracesAction : removeBracesAction ] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName6, description: refactorDescription2, 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], true); copyLeadingComments(expression, returnStatement2, file, 3, true); } else if (actionName2 === removeBracesAction.name && returnStatement) { const actualExpression = expression || factory.createVoidZero(); body = needsParentheses(actualExpression) ? factory.createParenthesizedExpression(actualExpression) : actualExpression; copyTrailingAsLeadingComments(returnStatement, body, file, 3, false); copyLeadingComments(returnStatement, body, file, 3, false); copyTrailingComments(returnStatement, body, file, 3, 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)) { return { func, addBraces: false, expression: firstStatement.expression, returnStatement: firstStatement }; } } return void 0; } var refactorName6, refactorDescription2, addBracesAction, removeBracesAction; var init_addOrRemoveBracesToArrowFunction = __esm({ "src/services/refactors/addOrRemoveBracesToArrowFunction.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName6 = "Add or remove braces in an arrow function"; refactorDescription2 = Diagnostics.Add_or_remove_braces_in_an_arrow_function.message; addBracesAction = { name: "Add braces to arrow function", description: Diagnostics.Add_braces_to_arrow_function.message, kind: "refactor.rewrite.arrow.braces.add" }; removeBracesAction = { name: "Remove braces from arrow function", description: Diagnostics.Remove_braces_from_arrow_function.message, kind: "refactor.rewrite.arrow.braces.remove" }; registerRefactor(refactorName6, { kinds: [removeBracesAction.kind], getEditsForAction: getRefactorEditsToRemoveFunctionBraces, getAvailableActions: getRefactorActionsToRemoveFunctionBraces }); } }); var ts_refactor_addOrRemoveBracesToArrowFunction_exports = {}; var init_ts_refactor_addOrRemoveBracesToArrowFunction = __esm({ "src/services/_namespaces/ts.refactor.addOrRemoveBracesToArrowFunction.ts"() { "use strict"; init_convertOverloadListToSingleSignature(); init_addOrRemoveBracesToArrowFunction(); } }); 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 error = selectedVariableDeclaration || isArrowFunction(func) && isVariableDeclaration(func.parent) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_named_function); if (error) { errors.push({ ...toNamedFunctionAction, notApplicableReason: error }); } else { possibleActions.push(toNamedFunctionAction); } } if (refactorKindBeginsWith(toAnonymousFunctionAction.kind, kind)) { const error = !selectedVariableDeclaration && isArrowFunction(func) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_anonymous_function); if (error) { errors.push({ ...toAnonymousFunctionAction, notApplicableReason: error }); } else { possibleActions.push(toAnonymousFunctionAction); } } if (refactorKindBeginsWith(toArrowFunctionAction.kind, kind)) { const error = isFunctionExpression(func) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_arrow_function); if (error) { errors.push({ ...toArrowFunctionAction, notApplicableReason: error }); } else { possibleActions.push(toArrowFunctionAction); } } return [{ name: refactorName7, description: refactorDescription3, 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, void 0, true); return factory.createBlock([returnStatement], 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, 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) & 1 | 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(38), 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 refactorName7, refactorDescription3, toAnonymousFunctionAction, toNamedFunctionAction, toArrowFunctionAction; var init_convertArrowFunctionOrFunctionExpression = __esm({ "src/services/refactors/convertArrowFunctionOrFunctionExpression.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName7 = "Convert arrow function or function expression"; refactorDescription3 = getLocaleSpecificMessage(Diagnostics.Convert_arrow_function_or_function_expression); toAnonymousFunctionAction = { name: "Convert to anonymous function", description: getLocaleSpecificMessage(Diagnostics.Convert_to_anonymous_function), kind: "refactor.rewrite.function.anonymous" }; toNamedFunctionAction = { name: "Convert to named function", description: getLocaleSpecificMessage(Diagnostics.Convert_to_named_function), kind: "refactor.rewrite.function.named" }; toArrowFunctionAction = { name: "Convert to arrow function", description: getLocaleSpecificMessage(Diagnostics.Convert_to_arrow_function), kind: "refactor.rewrite.function.arrow" }; registerRefactor(refactorName7, { kinds: [ toAnonymousFunctionAction.kind, toNamedFunctionAction.kind, toArrowFunctionAction.kind ], getEditsForAction: getRefactorEditsToConvertFunctionExpressions, getAvailableActions: getRefactorActionsToConvertFunctionExpressions }); } }); var ts_refactor_convertArrowFunctionOrFunctionExpression_exports = {}; var init_ts_refactor_convertArrowFunctionOrFunctionExpression = __esm({ "src/services/_namespaces/ts.refactor.convertArrowFunctionOrFunctionExpression.ts"() { "use strict"; init_convertArrowFunctionOrFunctionExpression(); } }); 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: refactorName8, description: refactorDescription4, actions: [toDestructuredAction] }]; } function getRefactorEditsToConvertParametersToDestructuredObject(context, actionName2) { Debug.assert(actionName2 === refactorName8, "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) => doChange36(file, program, host, t, functionDeclaration, groupedReferences)); return { renameFilename: void 0, renameLocation: void 0, edits }; } return { edits: [] }; } function doChange36(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, (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), 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: 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, (name) => ts_FindAllReferences_exports.getReferenceEntriesForNode(-1, name, program, program.getSourceFiles(), cancellationToken)); const groupedReferences = groupReferences(references); if (!every(groupedReferences.declarations, (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 210: case 211: const callOrNewExpression = tryCast(parent2, isCallOrNewExpression); if (callOrNewExpression && callOrNewExpression.expression === functionReference) { return callOrNewExpression; } break; case 208: const propertyAccessExpression = tryCast(parent2, isPropertyAccessExpression); if (propertyAccessExpression && propertyAccessExpression.parent && propertyAccessExpression.name === functionReference) { const callOrNewExpression2 = tryCast(propertyAccessExpression.parent, isCallOrNewExpression); if (callOrNewExpression2 && callOrNewExpression2.expression === propertyAccessExpression) { return callOrNewExpression2; } } break; case 209: const elementAccessExpression = tryCast(parent2, isElementAccessExpression); if (elementAccessExpression && elementAccessExpression.parent && elementAccessExpression.argumentExpression === functionReference) { const callOrNewExpression2 = tryCast(elementAccessExpression.parent, isCallOrNewExpression); 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 208: const propertyAccessExpression = tryCast(parent2, isPropertyAccessExpression); if (propertyAccessExpression && propertyAccessExpression.expression === reference) { return propertyAccessExpression; } break; case 209: 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 _a2; if (!isValidParameterNodeArray(functionDeclaration.parameters, checker)) return false; switch (functionDeclaration.kind) { case 259: return hasNameOrDefault(functionDeclaration) && isSingleImplementation(functionDeclaration, checker); case 171: if (isObjectLiteralExpression(functionDeclaration.parent)) { const contextualSymbol = getSymbolForContextualType(functionDeclaration.name, checker); return ((_a2 = contextualSymbol == null ? void 0 : contextualSymbol.declarations) == null ? void 0 : _a2.length) === 1 && isSingleImplementation(functionDeclaration, checker); } return isSingleImplementation(functionDeclaration, checker); case 173: if (isClassDeclaration(functionDeclaration.parent)) { return hasNameOrDefault(functionDeclaration.parent) && isSingleImplementation(functionDeclaration, checker); } else { return isValidVariableDeclaration(functionDeclaration.parent.parent) && isSingleImplementation(functionDeclaration, checker); } case 215: case 216: 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, 88); return !!defaultKeyword; } return true; } function isValidParameterNodeArray(parameters, checker) { return getRefactorableParametersLength(parameters) >= minimumParameterLength && every(parameters, (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, 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(void 0, void 0, objectParameterName, void 0, objectParameterType, objectInitializer); if (hasThisParameter(functionDeclaration.parameters)) { const thisParameter = functionDeclaration.parameters[0]; const newThisParameter = factory.createParameterDeclaration(void 0, void 0, thisParameter.name, 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(void 0, 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); return typeNode; } function createPropertySignatureFromParameterDeclaration(parameterDeclaration) { let parameterType = parameterDeclaration.type; if (!parameterType && (parameterDeclaration.initializer || isRestParameter(parameterDeclaration))) { parameterType = getTypeNode3(parameterDeclaration); } const propertySignature = factory.createPropertySignature(void 0, getParameterName(parameterDeclaration), isOptionalParameter(parameterDeclaration) ? factory.createToken(57) : 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 260: const classDeclaration = constructorDeclaration.parent; if (classDeclaration.name) return [classDeclaration.name]; const defaultModifier = Debug.checkDefined(findModifier(classDeclaration, 88), "Nameless class declaration should be a default export"); return [defaultModifier]; case 228: 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 259: if (functionDeclaration.name) return [functionDeclaration.name]; const defaultModifier = Debug.checkDefined(findModifier(functionDeclaration, 88), "Nameless function declaration should be a default export"); return [defaultModifier]; case 171: return [functionDeclaration.name]; case 173: const ctrKeyword = Debug.checkDefined(findChildOfKind(functionDeclaration, 135, functionDeclaration.getSourceFile()), "Constructor declaration should have constructor keyword"); if (functionDeclaration.parent.kind === 228) { const variableDeclaration = functionDeclaration.parent.parent; return [variableDeclaration.name, ctrKeyword]; } return [ctrKeyword]; case 216: return [functionDeclaration.parent.name]; case 215: 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 refactorName8, minimumParameterLength, refactorDescription4, toDestructuredAction; var init_convertParamsToDestructuredObject = __esm({ "src/services/refactors/convertParamsToDestructuredObject.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName8 = "Convert parameters to destructured object"; minimumParameterLength = 1; refactorDescription4 = getLocaleSpecificMessage(Diagnostics.Convert_parameters_to_destructured_object); toDestructuredAction = { name: refactorName8, description: refactorDescription4, kind: "refactor.rewrite.parameters.toDestructured" }; registerRefactor(refactorName8, { kinds: [toDestructuredAction.kind], getEditsForAction: getRefactorEditsToConvertParametersToDestructuredObject, getAvailableActions: getRefactorActionsToConvertParametersToDestructuredObject }); } }); var ts_refactor_convertParamsToDestructuredObject_exports = {}; var init_ts_refactor_convertParamsToDestructuredObject = __esm({ "src/services/_namespaces/ts.refactor.convertParamsToDestructuredObject.ts"() { "use strict"; init_convertParamsToDestructuredObject(); } }); function getRefactorActionsToConvertToTemplateString(context) { const { file, startPosition } = context; const node = getNodeOrParentOfParentheses(file, startPosition); const maybeBinary = getParentBinaryExpression(node); const refactorInfo = { name: refactorName9, description: refactorDescription5, actions: [] }; if (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_concatenation) }); 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 refactorDescription5: 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 !== 63; } function getParentBinaryExpression(expr) { const container = findAncestor(expr.parent, (n) => { switch (n.kind) { case 208: case 209: return false; case 225: case 223: 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: isStringLiteral(current2) || isNoSubstitutionTemplateLiteral(current2) }; } const { nodes: nodes2, operators: operators2, hasString: leftHasString, validOperators: leftOperatorValid } = loop(current2.left); if (!(leftHasString || isStringLiteral(current2.right) || isTemplateExpression(current2.right))) { return { nodes: [current2], operators: [], hasString: false, validOperators: true }; } const currentOperatorValid = current2.operatorToken.kind === 39; 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 }; } 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, false); copyTrailingAsLeadingComments(node.expression, node.expression, file, 3, false); } function getExpressionFromParenthesesOrExpression(node) { if (isParenthesizedExpression(node)) { copyExpressionComments(node); node = node.expression; } return node; } var refactorName9, refactorDescription5, convertStringAction, copyTrailingOperatorComments, copyCommentFromMultiNode; var init_convertStringOrTemplateLiteral = __esm({ "src/services/refactors/convertStringOrTemplateLiteral.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName9 = "Convert to template string"; refactorDescription5 = getLocaleSpecificMessage(Diagnostics.Convert_to_template_string); convertStringAction = { name: refactorName9, description: refactorDescription5, kind: "refactor.rewrite.string" }; registerRefactor(refactorName9, { kinds: [convertStringAction.kind], getEditsForAction: getRefactorEditsToConvertToTemplateString, getAvailableActions: getRefactorActionsToConvertToTemplateString }); copyTrailingOperatorComments = (operators, file) => (index, targetNode) => { if (index < operators.length) { copyTrailingComments(operators[index], targetNode, file, 3, false); } }; copyCommentFromMultiNode = (nodes, file, copyOperatorComments) => (indexes, targetNode) => { while (indexes.length > 0) { const index = indexes.shift(); copyTrailingComments(nodes[index], targetNode, file, 3, false); copyOperatorComments(index, targetNode); } }; } }); var ts_refactor_convertStringOrTemplateLiteral_exports = {}; var init_ts_refactor_convertStringOrTemplateLiteral = __esm({ "src/services/_namespaces/ts.refactor.convertStringOrTemplateLiteral.ts"() { "use strict"; init_convertStringOrTemplateLiteral(); } }); function getRefactorActionsToConvertToOptionalChain(context) { const info = getInfo20(context, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName10, description: convertToOptionalChainExpressionMessage, actions: [toOptionalChainAction] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName10, description: convertToOptionalChainExpressionMessage, actions: [{ ...toOptionalChainAction, notApplicableReason: info.error }] }]; } return emptyArray; } function getRefactorEditsToConvertToOptionalChain(context, actionName2) { const info = getInfo20(context); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange37(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 isExpressionStatement(node) || isReturnStatement(node) || isVariableStatement(node); } function isValidExpressionOrStatement(node) { return isValidExpression(node) || isValidStatement(node); } function getInfo20(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 !== 55) { 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 === 55) { 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 (isCallExpression(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) || isCallExpression(node)) && !isOptionalChain(node)) { return node; } return void 0; } function convertOccurrences(checker, toConvert, occurrences) { if (isPropertyAccessExpression(toConvert) || isElementAccessExpression(toConvert) || isCallExpression(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 (isCallExpression(toConvert)) { return isOccurrence ? factory.createCallChain(chain, factory.createToken(28), toConvert.typeArguments, toConvert.arguments) : factory.createCallChain(chain, toConvert.questionDotToken, toConvert.typeArguments, toConvert.arguments); } else if (isPropertyAccessExpression(toConvert)) { return isOccurrence ? factory.createPropertyAccessChain(chain, factory.createToken(28), toConvert.name) : factory.createPropertyAccessChain(chain, toConvert.questionDotToken, toConvert.name); } else if (isElementAccessExpression(toConvert)) { return isOccurrence ? factory.createElementAccessChain(chain, factory.createToken(28), toConvert.argumentExpression) : factory.createElementAccessChain(chain, toConvert.questionDotToken, toConvert.argumentExpression); } } return toConvert; } function doChange37(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) || isCallExpression(convertedChain))) { if (isBinaryExpression(expression)) { changes.replaceNodeRange(sourceFile, firstOccurrence, finalExpression, convertedChain); } else if (isConditionalExpression(expression)) { changes.replaceNode(sourceFile, expression, factory.createBinaryExpression(convertedChain, factory.createToken(60), expression.whenFalse)); } } } var refactorName10, convertToOptionalChainExpressionMessage, toOptionalChainAction; var init_convertToOptionalChainExpression = __esm({ "src/services/refactors/convertToOptionalChainExpression.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName10 = "Convert to optional chain expression"; convertToOptionalChainExpressionMessage = getLocaleSpecificMessage(Diagnostics.Convert_to_optional_chain_expression); toOptionalChainAction = { name: refactorName10, description: convertToOptionalChainExpressionMessage, kind: "refactor.rewrite.expression.optionalChain" }; registerRefactor(refactorName10, { kinds: [toOptionalChainAction.kind], getEditsForAction: getRefactorEditsToConvertToOptionalChain, getAvailableActions: getRefactorActionsToConvertToOptionalChain }); } }); var ts_refactor_convertToOptionalChainExpression_exports = {}; var init_ts_refactor_convertToOptionalChainExpression = __esm({ "src/services/_namespaces/ts.refactor.convertToOptionalChainExpression.ts"() { "use strict"; init_convertToOptionalChainExpression(); } }); 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: refactorName11, description: extractFunctionAction.description, actions: [{ ...extractFunctionAction, notApplicableReason: getStringError(rangeToExtract.errors) }] }); } if (refactorKindBeginsWith(extractConstantAction.kind, requestedRefactor)) { errors.push({ name: refactorName11, description: extractConstantAction.description, actions: [{ ...extractConstantAction, notApplicableReason: getStringError(rangeToExtract.errors) }] }); } return errors; } const 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 description2 = functionExtraction.description; if (functionExtraction.errors.length === 0) { if (!usedFunctionNames.has(description2)) { usedFunctionNames.set(description2, true); functionActions.push({ description: description2, name: `function_scope_${i}`, kind: extractFunctionAction.kind }); } } else if (!innermostErrorFunctionAction) { innermostErrorFunctionAction = { description: description2, name: `function_scope_${i}`, notApplicableReason: getStringError(functionExtraction.errors), kind: extractFunctionAction.kind }; } } if (refactorKindBeginsWith(extractConstantAction.kind, requestedRefactor)) { const description2 = constantExtraction.description; if (constantExtraction.errors.length === 0) { if (!usedConstantNames.has(description2)) { usedConstantNames.set(description2, true); constantActions.push({ description: description2, name: `constant_scope_${i}`, kind: extractConstantAction.kind }); } } else if (!innermostErrorConstantAction) { innermostErrorConstantAction = { description: description2, name: `constant_scope_${i}`, notApplicableReason: getStringError(constantExtraction.errors), kind: extractConstantAction.kind }; } } i++; } const infos = []; if (functionActions.length) { infos.push({ name: refactorName11, description: getLocaleSpecificMessage(Diagnostics.Extract_function), actions: functionActions }); } else if (context.preferences.provideRefactorNotApplicableReason && innermostErrorFunctionAction) { infos.push({ name: refactorName11, description: getLocaleSpecificMessage(Diagnostics.Extract_function), actions: [innermostErrorFunctionAction] }); } if (constantActions.length) { infos.push({ name: refactorName11, description: getLocaleSpecificMessage(Diagnostics.Extract_constant), actions: constantActions }); } else if (context.preferences.provideRefactorNotApplicableReason && innermostErrorConstantAction) { infos.push({ name: refactorName11, description: getLocaleSpecificMessage(Diagnostics.Extract_constant), actions: [innermostErrorConstantAction] }); } return infos.length ? infos : emptyArray; function getStringError(errors) { let error = errors[0].messageText; if (typeof error !== "string") { error = error.messageText; } return error; } } 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"); } 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 & 8388608) { 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 = checkNode(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) || checkNode(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(isExpressionStatement(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 === 169) { if (isStatic(current)) { rangeFacts |= 32; } break; } else if (current.kind === 166) { const ctorOrMethod = getContainingFunction(current); if (ctorOrMethod.kind === 173) { rangeFacts |= 32; } break; } else if (current.kind === 171) { if (isStatic(current)) { rangeFacts |= 32; } } current = current.parent; } } function checkNode(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 & 16777216) { 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, false, false); if (container.kind === 259 || container.kind === 171 && container.parent.kind === 207 || container.kind === 215) { rangeFacts |= 16; } } return errors2; function visit(node2) { if (errors2) { return true; } if (isDeclaration(node2)) { const declaringNode = node2.kind === 257 ? node2.parent.parent : node2; if (hasSyntacticModifier(declaringNode, 1)) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractExportedEntity)); return true; } } switch (node2.kind) { case 269: (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractImport)); return true; case 274: (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractExportedEntity)); return true; case 106: if (node2.parent.kind === 210) { 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 216: 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 260: case 259: if (isSourceFile(node2.parent) && node2.parent.externalModuleIndicator === void 0) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.functionWillNotBeVisibleInTheNewScope)); } case 228: case 215: case 171: case 173: case 174: case 175: return false; } const savedPermittedJumps = permittedJumps; switch (node2.kind) { case 242: permittedJumps &= ~4; break; case 255: permittedJumps = 0; break; case 238: if (node2.parent && node2.parent.kind === 255 && node2.parent.finallyBlock === node2) { permittedJumps = 4; } break; case 293: case 292: permittedJumps |= 1; break; default: if (isIterationStatement(node2, false)) { permittedJumps |= 1 | 2; } break; } switch (node2.kind) { case 194: case 108: rangeFacts |= 8; thisNode = node2; break; case 253: { const label = node2.label; (seenLabels || (seenLabels = [])).push(label.escapedText); forEachChild(node2, visit); seenLabels.pop(); break; } case 249: case 248: { const label = node2.label; if (label) { if (!contains(seenLabels, label.escapedText)) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingLabeledBreakOrContinueStatementWithTargetOutsideOfTheRange)); } } else { if (!(permittedJumps & (node2.kind === 249 ? 1 : 2))) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingConditionalBreakOrContinueStatements)); } } break; } case 220: rangeFacts |= 4; break; case 226: rangeFacts |= 2; break; case 250: 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 isExpressionStatement(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 === 166) { current = findAncestor(current, (parent2) => isFunctionLikeDeclaration(parent2)).parent; } if (isScope(current)) { scopes.push(current); if (current.kind === 308) { 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, 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 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, 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 173: return "constructor"; case 215: case 259: return scope.name ? `function "${scope.name.text}"` : ANONYMOUS; case 216: return "arrow function"; case 171: return `method "${scope.name.getText()}"`; case 174: return `"get ${scope.name.getText()}"`; case 175: return `"set ${scope.name.getText()}"`; default: throw Debug.assertNever(scope, `Unexpected scope kind ${scope.kind}`); } } function getDescriptionForClassLikeDeclaration(scope) { return scope.kind === 260 ? 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 === 265 ? `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); } const paramDecl = factory.createParameterDeclaration(void 0, void 0, name, 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: getFirstDeclaration(type) })); const sortedTypeParametersAndDeclarations = typeParametersAndDeclarations.sort(compareTypesByDeclarationOrder); const typeParameters = sortedTypeParametersAndDeclarations.length === 0 ? void 0 : sortedTypeParametersAndDeclarations.map((t) => t.declaration); const callTypeArguments = typeParameters !== void 0 ? typeParameters.map((decl) => factory.createTypeReferenceNode(decl.name, void 0)) : void 0; if (isExpression(node) && !isJS) { const contextualType = checker.getContextualType(node); returnType = checker.typeToTypeNode(contextualType, scope, 1); } 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(121)]; if (range.facts & 32) { modifiers.push(factory.createModifier(124)); } if (range.facts & 4) { modifiers.push(factory.createModifier(132)); } newFunction = factory.createMethodDeclaration(modifiers.length ? modifiers : void 0, range.facts & 2 ? factory.createToken(41) : void 0, functionName, void 0, typeParameters, parameters, returnType, body); } else { if (callThis) { parameters.unshift(factory.createParameterDeclaration(void 0, void 0, "this", void 0, checker.typeToTypeNode(checker.getTypeAtLocation(range.thisNode), scope, 1), void 0)); } newFunction = factory.createFunctionDeclaration(range.facts & 4 ? [factory.createToken(132)] : void 0, range.facts & 2 ? factory.createToken(41) : 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, 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, callArguments); if (range.facts & 2) { call = factory.createYieldExpression(factory.createToken(41), call); } if (range.facts & 4) { call = factory.createAwaitExpression(call); } if (isInJSXContent(node)) { call = factory.createJsxExpression(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(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(getSynthesizedDeepClone(variableDeclaration.name), void 0, getSynthesizedDeepClone(variableDeclaration.type), 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(void 0, void 0, getSynthesizedDeepClone(variableDeclaration.name))); const variableType = checker.typeToTypeNode(checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(variableDeclaration)), scope, 1); typeElements.push(factory.createPropertySignature(void 0, variableDeclaration.symbol.name, void 0, 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); } newNodes.push(factory.createVariableStatement(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(factory.createObjectBindingPattern(bindingElements), void 0, typeLiteral, 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(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(variableDeclaration.symbol.name, void 0, getTypeDeepCloneUnionUndefined(variableDeclaration.type))], flags))); } } if (returnValueProperty) { newNodes.push(factory.createVariableStatement(void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration(returnValueProperty, void 0, getTypeDeepCloneUnionUndefined(returnType))], 1))); } 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, 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 === 155) ? clone2 : factory.createUnionTypeNode([clone2, factory.createKeywordTypeNode(155)]); } } function extractConstantInScope(node, scope, { substitutions }, rangeFacts, context) { const checker = context.program.getTypeChecker(); const file = scope.getSourceFile(); const localNameText = isPropertyAccessExpression(node) && !isClassLike(scope) && !checker.resolveName(node.name.text, node, 111551, false) && !isPrivateIdentifier(node.name) && !identifierToKeywordKind(node.name) ? node.name.text : getUniqueName(isClassLike(scope) ? "newProperty" : "newLocal", file); const isJS = isInJSFile(scope); let variableType = isJS || !checker.isContextSensitive(node) ? void 0 : checker.typeToTypeNode(checker.getContextualType(node), scope, 1); 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(121)); if (rangeFacts & 32) { modifiers.push(factory.createModifier(124)); } modifiers.push(factory.createModifier(146)); const newVariable = factory.createPropertyDeclaration(modifiers, localNameText, 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(void 0, localReference); } const maxInsertionPos = node.pos; const nodeToInsertBefore = getNodeToInsertPropertyBefore(maxInsertionPos, scope); changeTracker.insertNodeBefore(context.file, nodeToInsertBefore, newVariable, true); changeTracker.replaceNode(context.file, node, localReference); } else { const newVariableDeclaration = factory.createVariableDeclaration(localNameText, 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 === 241 && scope === findAncestor(node, isScope)) { const newVariableStatement = factory.createVariableStatement(void 0, factory.createVariableDeclarationList([newVariableDeclaration], 2)); changeTracker.replaceNode(context.file, node.parent, newVariableStatement); } else { const newVariableStatement = factory.createVariableStatement(void 0, factory.createVariableDeclarationList([newVariableDeclaration], 2)); const nodeToInsertBefore = getNodeToInsertConstantBefore(node, scope); if (nodeToInsertBefore.pos === 0) { changeTracker.insertNodeAtTopOfFile(context.file, newVariableStatement, false); } else { changeTracker.insertNodeBefore(context.file, nodeToInsertBefore, newVariableStatement, false); } if (node.parent.kind === 241) { changeTracker.delete(context.file, node.parent); } else { let localReference = factory.createIdentifier(localNameText); if (isInJSXContent(node)) { localReference = factory.createJsxExpression(void 0, localReference); } changeTracker.replaceNode(context.file, node, localReference); } } } const edits = changeTracker.getChanges(); const renameFilename = node.getSourceFile().fileName; const renameLocation = getRenameLocation(edits, renameFilename, localNameText, 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 functionType = checker.getTypeAtLocation(node); const functionSignature = singleOrUndefined(checker.getSignaturesOfType(functionType, 0)); 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), 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), 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(void 0, void 0, "this", void 0, checker.typeToTypeNode(thisType, scope, 1))); } } 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), 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 getFirstDeclaration(type) { let firstDeclaration; const symbol = type.symbol; if (symbol && symbol.declarations) { for (const declaration of symbol.declarations) { if (firstDeclaration === void 0 || declaration.pos < firstDeclaration.pos) { 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, 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, visitor, 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, true), returnValueProperty }; } else { return { body: factory.createBlock(statements, true), returnValueProperty: void 0 }; } function visitor(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, visitor, 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, visitor, nullTransformationContext); ignoreReturns = oldIgnoreReturns; return result; } } } function transformConstantInitializer(initializer, substitutions) { return substitutions.size ? visitor(initializer) : initializer; function visitor(node) { const substitution = substitutions.get(getNodeId(node).toString()); return substitution ? getSynthesizedDeepClone(substitution) : visitEachChild(node, visitor, nullTransformationContext); } } 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 isArray(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 && isExpressionStatement(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, 64)) { 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 (isAssignmentExpression(node)) { collectUsages(node.left, 2); collectUsages(node.right); } else if (isUnaryExpressionWithWrite(node)) { collectUsages(node.operand, 2); } 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, 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, 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.indexOf(node) >= 0) { 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 302: return false; } switch (node.kind) { case 10: return parent2.kind !== 269 && parent2.kind !== 273; case 227: case 203: case 205: return false; case 79: return parent2.kind !== 205 && parent2.kind !== 273 && parent2.kind !== 278; } return true; } function isBlockLike(node) { switch (node.kind) { case 238: case 308: case 265: case 292: return true; default: return false; } } function isInJSXContent(node) { return isStringLiteralJsxAttribute(node) || (isJsxElement(node) || isJsxSelfClosingElement(node) || isJsxFragment(node)) && (isJsxElement(node.parent) || isJsxFragment(node.parent)); } function isStringLiteralJsxAttribute(node) { return isStringLiteral(node) && node.parent && isJsxAttribute(node.parent); } var refactorName11, extractConstantAction, extractFunctionAction, Messages, RangeFacts; var init_extractSymbol = __esm({ "src/services/refactors/extractSymbol.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName11 = "Extract Symbol"; extractConstantAction = { name: "Extract Constant", description: getLocaleSpecificMessage(Diagnostics.Extract_constant), kind: "refactor.extract.constant" }; extractFunctionAction = { name: "Extract Function", description: getLocaleSpecificMessage(Diagnostics.Extract_function), kind: "refactor.extract.function" }; registerRefactor(refactorName11, { kinds: [ extractConstantAction.kind, extractFunctionAction.kind ], getEditsForAction: getRefactorEditsToExtractSymbol, getAvailableActions: getRefactorActionsToExtractSymbol }); ((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 = {})); 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 || {}); } }); var ts_refactor_extractSymbol_exports = {}; __export2(ts_refactor_extractSymbol_exports, { Messages: () => Messages, RangeFacts: () => RangeFacts, getRangeToExtract: () => getRangeToExtract2, getRefactorActionsToExtractSymbol: () => getRefactorActionsToExtractSymbol, getRefactorEditsToExtractSymbol: () => getRefactorEditsToExtractSymbol }); var init_ts_refactor_extractSymbol = __esm({ "src/services/_namespaces/ts.refactor.extractSymbol.ts"() { "use strict"; init_extractSymbol(); } }); var actionName, actionDescription, generateGetSetAction; var init_generateGetAccessorAndSetAccessor = __esm({ "src/services/refactors/generateGetAccessorAndSetAccessor.ts"() { "use strict"; init_ts4(); init_ts_refactor(); actionName = "Generate "get" and "set" accessors"; actionDescription = Diagnostics.Generate_get_and_set_accessors.message; 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, 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_generateGetAccessorAndSetAccessor_exports = {}; var init_ts_refactor_generateGetAccessorAndSetAccessor = __esm({ "src/services/_namespaces/ts.refactor.generateGetAccessorAndSetAccessor.ts"() { "use strict"; init_generateGetAccessorAndSetAccessor(); } }); function getRefactorEditsToInferReturnType(context) { const info = getInfo21(context); if (info && !isRefactorErrorInfo(info)) { const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange38(context.file, t, info.declaration, info.returnTypeNode)); return { renameFilename: void 0, renameLocation: void 0, edits }; } return void 0; } function getRefactorActionsToInferReturnType(context) { const info = getInfo21(context); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName12, description: refactorDescription6, actions: [inferReturnTypeAction] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName12, description: refactorDescription6, actions: [{ ...inferReturnTypeAction, notApplicableReason: info.error }] }]; } return emptyArray; } function doChange38(sourceFile, changes, declaration, typeNode) { const closeParen = findChildOfKind(declaration, 21, 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(20)); changes.insertNodeAfter(sourceFile, endNode2, factory.createToken(21)); } changes.insertNodeAt(sourceFile, endNode2.end, typeNode, { prefix: ": " }); } } function getInfo21(context) { if (isInJSFile(context.file) || !refactorKindBeginsWith(inferReturnTypeAction.kind, context.kind)) return; const token = getTokenAtPosition(context.file, context.startPosition); const declaration = findAncestor(token, (n) => isBlock(n) || n.parent && isArrowFunction(n.parent) && (n.kind === 38 || 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); if (returnTypeNode) { return { declaration, returnTypeNode }; } } function isConvertibleDeclaration(node) { switch (node.kind) { case 259: case 215: case 216: case 171: 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 refactorName12, refactorDescription6, inferReturnTypeAction; var init_inferFunctionReturnType = __esm({ "src/services/refactors/inferFunctionReturnType.ts"() { "use strict"; init_ts4(); init_ts_refactor(); refactorName12 = "Infer function return type"; refactorDescription6 = Diagnostics.Infer_function_return_type.message; inferReturnTypeAction = { name: refactorName12, description: refactorDescription6, kind: "refactor.rewrite.function.returnType" }; registerRefactor(refactorName12, { kinds: [inferReturnTypeAction.kind], getEditsForAction: getRefactorEditsToInferReturnType, getAvailableActions: getRefactorActionsToInferReturnType }); } }); var ts_refactor_inferFunctionReturnType_exports = {}; var init_ts_refactor_inferFunctionReturnType = __esm({ "src/services/_namespaces/ts.refactor.inferFunctionReturnType.ts"() { "use strict"; init_inferFunctionReturnType(); } }); var ts_refactor_exports = {}; __export2(ts_refactor_exports, { addOrRemoveBracesToArrowFunction: () => ts_refactor_addOrRemoveBracesToArrowFunction_exports, convertArrowFunctionOrFunctionExpression: () => ts_refactor_convertArrowFunctionOrFunctionExpression_exports, convertParamsToDestructuredObject: () => ts_refactor_convertParamsToDestructuredObject_exports, convertStringOrTemplateLiteral: () => ts_refactor_convertStringOrTemplateLiteral_exports, convertToOptionalChainExpression: () => ts_refactor_convertToOptionalChainExpression_exports, doChangeNamedToNamespaceOrDefault: () => doChangeNamedToNamespaceOrDefault, extractSymbol: () => ts_refactor_extractSymbol_exports, generateGetAccessorAndSetAccessor: () => ts_refactor_generateGetAccessorAndSetAccessor_exports, getApplicableRefactors: () => getApplicableRefactors, getEditsForRefactor: () => getEditsForRefactor, inferFunctionReturnType: () => ts_refactor_inferFunctionReturnType_exports, isRefactorErrorInfo: () => isRefactorErrorInfo, refactorKindBeginsWith: () => refactorKindBeginsWith, registerRefactor: () => registerRefactor }); var init_ts_refactor = __esm({ "src/services/_namespaces/ts.refactor.ts"() { "use strict"; init_refactorProvider(); init_convertExport(); init_convertImport(); init_extractType(); init_helpers2(); init_moveToNewFile(); init_ts_refactor_addOrRemoveBracesToArrowFunction(); init_ts_refactor_convertArrowFunctionOrFunctionExpression(); init_ts_refactor_convertParamsToDestructuredObject(); init_ts_refactor_convertStringOrTemplateLiteral(); init_ts_refactor_convertToOptionalChainExpression(); init_ts_refactor_extractSymbol(); init_ts_refactor_generateGetAccessorAndSetAccessor(); init_ts_refactor_inferFunctionReturnType(); } }); 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 === 164 ? 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"); } 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 name = 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: name, kind, displayName: name, fullDisplayName: name, 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 79: case 80: case 10: case 14: case 108: return true; case 8: return isLiteralNameOfPropertyDeclarationOrIndexAccess(node); default: return false; } } var init_rename = __esm({ "src/services/rename.ts"() { "use strict"; init_ts4(); } }); var ts_Rename_exports = {}; __export2(ts_Rename_exports, { getRenameInfo: () => getRenameInfo, nodeIsEligibleForRename: () => nodeIsEligibleForRename }); var init_ts_Rename = __esm({ "src/services/_namespaces/ts.Rename.ts"() { "use strict"; init_rename(); } }); 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 (!isCallOrNewExpression(node)) return false; const invocationChildren = node.getChildren(sourceFile); switch (startingToken.kind) { case 20: return contains(invocationChildren, startingToken); case 27: { const containingList = findContainingList(startingToken); return !!containingList && contains(invocationChildren, containingList); } case 29: 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, true)); } })); } function containsPrecedingToken(startingToken, sourceFile, container) { const pos = startingToken.getFullStart(); let currentParent = startingToken.parent; while (currentParent) { const precedingToken = findPrecedingToken(pos, sourceFile, currentParent, true); if (precedingToken) { return rangeContainsRange(container, precedingToken); } currentParent = currentParent.parent; } return Debug.fail("Could not find preceding token"); } function getArgumentInfoForCompletions(node, position, sourceFile) { const info = getImmediatelyContainingArgumentInfo(node, position, sourceFile); 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) { const info = getArgumentOrParameterListAndIndex(node, sourceFile); if (!info) return void 0; const { list, argumentIndex } = info; const argumentCount = getArgumentCount(list, isInString(sourceFile, position, node)); if (argumentIndex !== 0) { Debug.assertLessThan(argumentIndex, argumentCount); } const argumentsSpan = getApplicableSpanForArguments(list, sourceFile); return { list, argumentIndex, argumentCount, argumentsSpan }; } function getArgumentOrParameterListAndIndex(node, sourceFile) { if (node.kind === 29 || node.kind === 20) { return { list: getChildListThatStartsWithOpenerToken(node.parent, node, sourceFile), argumentIndex: 0 }; } else { const list = findContainingList(node); return list && { list, argumentIndex: getArgumentIndex(list, node) }; } } function getImmediatelyContainingArgumentInfo(node, position, sourceFile) { const { parent: parent2 } = node; if (isCallOrNewExpression(parent2)) { const invocation = parent2; const info = getArgumentOrParameterListInfo(node, position, sourceFile); 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, 0, sourceFile); } return void 0; } else if (isTemplateHead(node) && parent2.parent.kind === 212) { const templateExpression = parent2; const tagExpression = templateExpression.parent; Debug.assert(templateExpression.kind === 225); 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, 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); } 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 info = getContextualSignatureLocationInfo(startingToken, sourceFile, position, checker); if (!info) 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 getContextualSignatureLocationInfo(startingToken, sourceFile, position, checker) { if (startingToken.kind !== 20 && startingToken.kind !== 27) return void 0; const { parent: parent2 } = startingToken; switch (parent2.kind) { case 214: case 171: case 215: case 216: const info = getArgumentOrParameterListInfo(startingToken, position, sourceFile); 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 223: { const highestBinary = getHighestBinary(parent2); const contextualType2 = checker.getContextualType(highestBinary); const argumentIndex2 = startingToken.kind === 20 ? 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 _a2; return isFunctionTypeNode(d) ? (_a2 = tryCast(d.parent, canHaveSymbol)) == null ? void 0 : _a2.symbol : void 0; }) || s : s; } function getArgumentIndex(argumentsList, node) { let argumentIndex = 0; for (const child of argumentsList.getChildren()) { if (child === node) { break; } if (child.kind !== 27) { argumentIndex++; } } return argumentIndex; } function getArgumentCount(argumentsList, ignoreTrailingComma) { const listChildren = argumentsList.getChildren(); let argumentCount = countWhere(listChildren, (arg) => arg.kind !== 27); if (!ignoreTrailingComma && listChildren.length > 0 && last(listChildren).kind === 27) { argumentCount++; } return argumentCount; } 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(), 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 === 225) { const lastSpan = last(template.templateSpans); if (lastSpan.literal.getFullWidth() === 0) { applicableSpanEnd = skipTrivia(sourceFile.text, applicableSpanEnd, 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; } function createSignatureHelpItems(candidates, resolvedSignature, { isTypeParameterList, argumentCount, argumentsSpan: applicableSpan, invocation, argumentIndex }, sourceFile, typeChecker, useFullPrefix) { var _a2; const enclosingDeclaration = getEnclosingDeclarationFromInvocation(invocation); const callTargetSymbol = invocation.kind === 2 ? invocation.symbol : typeChecker.getSymbolAtLocation(getExpressionFromInvocation(invocation)) || useFullPrefix && ((_a2 = resolvedSignature.declaration) == null ? void 0 : _a2.symbol); const callTargetDisplayParts = callTargetSymbol ? symbolToDisplayParts(typeChecker, callTargetSymbol, useFullPrefix ? sourceFile : void 0, 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, identity), 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(29)]; return { isVariadic: false, prefixDisplayParts, suffixDisplayParts: [punctuationPart(31)], separatorDisplayParts, parameters, documentation, tags }; } 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, void 0, writer); } else { checker.writeType(checker.getReturnTypeOfSignature(candidateSignature), enclosingDeclaration, 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(29)], suffix: [punctuationPart(31), ...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 _a2; return !!(pList.length && ((_a2 = tryCast(pList[pList.length - 1], isTransientSymbol)) == null ? void 0 : _a2.links.checkFlags) & 32768); }; return lists.map((parameterList) => ({ isVariadic: isVariadic(parameterList), parameters: parameterList.map((p) => createSignatureHelpParameterForParameter(p, checker, enclosingDeclaration, sourceFile, printer)), prefix: [...typeParameterParts, punctuationPart(20)], suffix: [punctuationPart(21)] })); } 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 signatureHelpNodeBuilderFlags, separatorDisplayParts; var init_signatureHelp = __esm({ "src/services/signatureHelp.ts"() { "use strict"; init_ts4(); signatureHelpNodeBuilderFlags = 8192 | 70221824 | 16384; separatorDisplayParts = [punctuationPart(27), spacePart()]; } }); var ts_SignatureHelp_exports = {}; __export2(ts_SignatureHelp_exports, { getArgumentInfoForCompletions: () => getArgumentInfoForCompletions, getSignatureHelpItems: () => getSignatureHelpItems }); var init_ts_SignatureHelp = __esm({ "src/services/_namespaces/ts.SignatureHelp.ts"() { "use strict"; init_signatureHelp(); } }); function getSmartSelectionRange(pos, sourceFile) { var _a2, _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, 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) && ((_a2 = node.jsDoc) == null ? void 0 : _a2.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 (isStringLiteral(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 || !textSpansEqual(textSpan, selectionRange.textSpan) && 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; } function getSelectionChildren(node) { var _a2; 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, 18); Debug.assertEqual(closeBraceToken.kind, 19); const groupedWithPlusMinusTokens = groupChildren(children, (child) => child === node.readonlyToken || child.kind === 146 || child === node.questionToken || child.kind === 57); const groupedWithBrackets = groupChildren(groupedWithPlusMinusTokens, ({ kind }) => kind === 22 || kind === 165 || kind === 23); return [ openBraceToken, createSyntaxList2(splitChildren(groupedWithBrackets, ({ kind }) => kind === 58)), closeBraceToken ]; } if (isPropertySignature(node)) { const children = groupChildren(node.getChildren(), (child) => child === node.name || contains(node.modifiers, child)); const firstJSDocChild = ((_a2 = children[0]) == null ? void 0 : _a2.kind) === 323 ? children[0] : void 0; const withJSDocSeparated = firstJSDocChild ? children.slice(1) : children; const splittedChildren = splitChildren(withJSDocSeparated, ({ kind }) => kind === 58); 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 === 63); } if (isBindingElement(node)) { return splitChildren(node.getChildren(), ({ kind }) => kind === 63); } 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 === 26; 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 === 18 || kind === 22 || kind === 20 || kind === 283; } function isListCloser(token) { const kind = token && token.kind; return kind === 19 || kind === 23 || kind === 21 || kind === 284; } function getEndPos(sourceFile, node) { switch (node.kind) { case 344: case 341: case 351: case 349: case 346: return sourceFile.getLineEndOfPosition(node.getStart()); default: return node.getEnd(); } } var isImport2; var init_smartSelection = __esm({ "src/services/smartSelection.ts"() { "use strict"; init_ts4(); isImport2 = or(isImportDeclaration, isImportEqualsDeclaration); } }); var ts_SmartSelectionRange_exports = {}; __export2(ts_SmartSelectionRange_exports, { getSmartSelectionRange: () => getSmartSelectionRange }); var init_ts_SmartSelectionRange = __esm({ "src/services/_namespaces/ts.SmartSelectionRange.ts"() { "use strict"; init_smartSelection(); } }); 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, 228) ? "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 === 108 && 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 (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)) ? 8192 : 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"); } return modifiers.size > 0 ? arrayFrom(modifiers.values()).join(",") : ""; } function getSymbolDisplayPartsDocumentationAndSymbolKind(typeChecker, symbol, sourceFile, enclosingDeclaration, location, semanticMeaning = getMeaningFromLocation(location), alias) { var _a2; 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 === 108 && isInExpressionContext(location) || isThisInTypeQuery(location); let type; let documentationFromAlias; let tagsFromAlias; let hasMultipleSignatures = false; if (location.kind === 108 && !isThisExpression) { return { displayParts: [keywordPart(108)], 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 174: symbolKind = "getter"; break; case 175: symbolKind = "setter"; break; case 169: symbolKind = "accessor"; break; default: Debug.assertNever(declaration); } } else { symbolKind = "property"; } } let signature; type = isThisExpression ? typeChecker.getTypeAtLocation(location) : typeChecker.getTypeOfSymbolAtLocation(symbol, location); if (location.parent && location.parent.kind === 208) { const right = location.parent.name; if (right === location || right && right.getFullWidth() === 0) { location = location.parent; } } let callExpressionLike; if (isCallOrNewExpression(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 === 211 || isCallExpression(callExpressionLike) && callExpressionLike.expression.kind === 106; 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(126)); displayParts.push(spacePart()); } displayParts.push(keywordPart(103)); 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(58)); displayParts.push(spacePart()); if (!(getObjectFlags(type) & 16) && type.symbol) { addRange(displayParts, symbolToDisplayParts(typeChecker, type.symbol, enclosingDeclaration, void 0, 4 | 1)); displayParts.push(lineBreakPart()); } if (useConstructSignatures) { if (signature.flags & 4) { displayParts.push(keywordPart(126)); displayParts.push(spacePart()); } displayParts.push(keywordPart(103)); displayParts.push(spacePart()); } addSignatureDisplayParts(signature, allSignatures, 262144); break; default: addSignatureDisplayParts(signature, allSignatures); } hasAddedSymbolInfo = true; hasMultipleSignatures = allSignatures.length > 1; } } else if (isNameOfFunctionDeclaration(location) && !(symbolFlags & 98304) || location.kind === 135 && location.parent.kind === 173) { const functionDeclaration = location.parent; const locationIsSymbolDeclaration = symbol.declarations && find(symbol.declarations, (declaration) => declaration === (location.kind === 135 ? functionDeclaration.parent : functionDeclaration)); if (locationIsSymbolDeclaration) { const allSignatures = functionDeclaration.kind === 173 ? type.getNonNullableType().getConstructSignatures() : type.getNonNullableType().getCallSignatures(); if (!typeChecker.isImplementationOfOverload(functionDeclaration)) { signature = typeChecker.getSignatureFromDeclaration(functionDeclaration); } else { signature = allSignatures[0]; } if (functionDeclaration.kind === 173) { symbolKind = "constructor"; addPrefixForAnyFunctionOrVar(type.symbol, symbolKind); } else { addPrefixForAnyFunctionOrVar(functionDeclaration.kind === 176 && !(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, 228)) { pushSymbolKind("local class"); } else { displayParts.push(keywordPart(84)); } displayParts.push(spacePart()); addFullSymbolName(symbol); writeTypeParametersOfSymbol(symbol, sourceFile); } if (symbolFlags & 64 && semanticMeaning & 2) { prefixNextMeaning(); displayParts.push(keywordPart(118)); displayParts.push(spacePart()); addFullSymbolName(symbol); writeTypeParametersOfSymbol(symbol, sourceFile); } if (symbolFlags & 524288 && semanticMeaning & 2) { prefixNextMeaning(); displayParts.push(keywordPart(154)); displayParts.push(spacePart()); addFullSymbolName(symbol); writeTypeParametersOfSymbol(symbol, sourceFile); displayParts.push(spacePart()); displayParts.push(operatorPart(63)); displayParts.push(spacePart()); addRange(displayParts, typeToDisplayParts(typeChecker, isConstTypeReference(location.parent) ? typeChecker.getTypeAtLocation(location.parent) : typeChecker.getDeclaredTypeOfSymbol(symbol), enclosingDeclaration, 8388608)); } if (symbolFlags & 384) { prefixNextMeaning(); if (some(symbol.declarations, (d) => isEnumDeclaration(d) && isEnumConst(d))) { displayParts.push(keywordPart(85)); displayParts.push(spacePart()); } displayParts.push(keywordPart(92)); displayParts.push(spacePart()); addFullSymbolName(symbol); } if (symbolFlags & 1536 && !isThisExpression) { prefixNextMeaning(); const declaration = getDeclarationOfKind(symbol, 264); const isNamespace = declaration && declaration.name && declaration.name.kind === 79; displayParts.push(keywordPart(isNamespace ? 143 : 142)); displayParts.push(spacePart()); addFullSymbolName(symbol); } if (symbolFlags & 262144 && semanticMeaning & 2) { prefixNextMeaning(); displayParts.push(punctuationPart(20)); displayParts.push(textPart("type parameter")); displayParts.push(punctuationPart(21)); displayParts.push(spacePart()); addFullSymbolName(symbol); if (symbol.parent) { addInPrefix(); addFullSymbolName(symbol.parent, enclosingDeclaration); writeTypeParametersOfSymbol(symbol.parent, enclosingDeclaration); } else { const decl = getDeclarationOfKind(symbol, 165); 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 === 177) { displayParts.push(keywordPart(103)); displayParts.push(spacePart()); } else if (declaration.kind !== 176 && declaration.name) { addFullSymbolName(declaration.symbol); } addRange(displayParts, signatureToDisplayParts(typeChecker, signature, sourceFile, 32)); } else if (isTypeAliasDeclaration(declaration)) { addInPrefix(); displayParts.push(keywordPart(154)); displayParts.push(spacePart()); addFullSymbolName(declaration.symbol); writeTypeParametersOfSymbol(declaration.symbol, sourceFile); } } } } if (symbolFlags & 8) { symbolKind = "enum member"; addPrefixForAnyFunctionOrVar(symbol, "enum member"); const declaration = (_a2 = symbol.declarations) == null ? void 0 : _a2[0]; if ((declaration == null ? void 0 : declaration.kind) === 302) { const constantValue = typeChecker.getConstantValue(declaration); if (constantValue !== void 0) { displayParts.push(spacePart()); displayParts.push(operatorPart(63)); displayParts.push(spacePart()); displayParts.push(displayPart(getTextOfConstantValue(constantValue), typeof constantValue === "number" ? 7 : 8)); } } } if (symbol.flags & 2097152) { prefixNextMeaning(); if (!hasAddedSymbolInfo) { 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) { const isExternalModuleDeclaration = isModuleWithStringLiteralName(resolvedNode) && hasSyntacticModifier(resolvedNode, 2); const shouldUseAliasName = symbol.name !== "default" && !isExternalModuleDeclaration; const resolvedInfo = getSymbolDisplayPartsDocumentationAndSymbolKind(typeChecker, resolvedSymbol, getSourceFileOfNode(resolvedNode), resolvedNode, declarationName, 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 267: displayParts.push(keywordPart(93)); displayParts.push(spacePart()); displayParts.push(keywordPart(143)); break; case 274: displayParts.push(keywordPart(93)); displayParts.push(spacePart()); displayParts.push(keywordPart(symbol.declarations[0].isExportEquals ? 63 : 88)); break; case 278: displayParts.push(keywordPart(93)); break; default: displayParts.push(keywordPart(100)); } } displayParts.push(spacePart()); addFullSymbolName(symbol); forEach(symbol.declarations, (declaration) => { if (declaration.kind === 268) { const importEqualsDeclaration = declaration; if (isExternalModuleImportEqualsDeclaration(importEqualsDeclaration)) { displayParts.push(spacePart()); displayParts.push(operatorPart(63)); displayParts.push(spacePart()); displayParts.push(keywordPart(147)); displayParts.push(punctuationPart(20)); displayParts.push(displayPart(getTextOfNode(getExternalModuleImportEqualsDeclarationExpression(importEqualsDeclaration)), 8)); displayParts.push(punctuationPart(21)); } else { const internalAliasSymbol = typeChecker.getSymbolAtLocation(importEqualsDeclaration.moduleReference); if (internalAliasSymbol) { displayParts.push(spacePart()); displayParts.push(operatorPart(63)); displayParts.push(spacePart()); addFullSymbolName(internalAliasSymbol, enclosingDeclaration); } } return true; } }); } if (!hasAddedSymbolInfo) { if (symbolKind !== "") { if (type) { if (isThisExpression) { prefixNextMeaning(); displayParts.push(keywordPart(108)); } else { addPrefixForAnyFunctionOrVar(symbol, symbolKind); } if (symbolKind === "property" || symbolKind === "accessor" || symbolKind === "getter" || symbolKind === "setter" || symbolKind === "JSX attribute" || symbolFlags & 3 || symbolKind === "local var" || symbolKind === "index" || isThisExpression) { displayParts.push(punctuationPart(58)); 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(20)); displayParts.push(textPart(idText(labelDecl.name))); displayParts.push(punctuationPart(21)); } } 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 === 308)) { for (const declaration of symbol.declarations) { if (!declaration.parent || declaration.parent.kind !== 223) { 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; if (isIdentifier(declaration.name) && isObjectBindingPattern(parent2)) { const name = getTextOfIdentifierOrLiteral(declaration.name); const objectType = typeChecker.getTypeAtLocation(parent2); documentation = firstDefined(objectType.isUnion() ? objectType.types : [objectType], (t) => { const prop = t.getProperty(name); 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"); displayParts.push(spacePart()); } } function addInPrefix() { displayParts.push(spacePart()); displayParts.push(keywordPart(101)); 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(22)); indexInfos.forEach((info, i) => { fullSymbolDisplayParts.push(...typeToDisplayParts(typeChecker, info.keyType)); if (i !== indexInfos.length - 1) { fullSymbolDisplayParts.push(spacePart()); fullSymbolDisplayParts.push(punctuationPart(51)); fullSymbolDisplayParts.push(spacePart()); } }); fullSymbolDisplayParts.push(punctuationPart(23)); } else { fullSymbolDisplayParts = symbolToDisplayParts(typeChecker, symbolToDisplay, enclosingDeclaration2 || sourceFile, void 0, 1 | 2 | 4); } addRange(displayParts, fullSymbolDisplayParts); if (symbol.flags & 16777216) { displayParts.push(punctuationPart(57)); } } 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": displayParts.push(textOrKeywordPart(symbolKind2)); return; default: displayParts.push(punctuationPart(20)); displayParts.push(textOrKeywordPart(symbolKind2)); displayParts.push(punctuationPart(21)); return; } } function addSignatureDisplayParts(signature, allSignatures, flags = 0) { addRange(displayParts, signatureToDisplayParts(typeChecker, signature, enclosingDeclaration, flags | 32)); if (allSignatures.length > 1) { displayParts.push(spacePart()); displayParts.push(punctuationPart(20)); displayParts.push(operatorPart(39)); displayParts.push(displayPart((allSignatures.length - 1).toString(), 7)); displayParts.push(spacePart()); displayParts.push(textPart(allSignatures.length === 2 ? "overload" : "overloads")); displayParts.push(punctuationPart(21)); } 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 isLocalVariableOrFunction(symbol) { if (symbol.parent) { return false; } return forEach(symbol.declarations, (declaration) => { if (declaration.kind === 215) { return true; } if (declaration.kind !== 257 && declaration.kind !== 259) { return false; } for (let parent2 = declaration.parent; !isFunctionBlock(parent2); parent2 = parent2.parent) { if (parent2.kind === 308 || parent2.kind === 265) { return false; } } return true; }); } var symbolDisplayNodeBuilderFlags; var init_symbolDisplay = __esm({ "src/services/symbolDisplay.ts"() { "use strict"; init_ts4(); symbolDisplayNodeBuilderFlags = 8192 | 70221824 | 16384; } }); var ts_SymbolDisplay_exports = {}; __export2(ts_SymbolDisplay_exports, { getSymbolDisplayPartsDocumentationAndSymbolKind: () => getSymbolDisplayPartsDocumentationAndSymbolKind, getSymbolKind: () => getSymbolKind, getSymbolModifiers: () => getSymbolModifiers }); var init_ts_SymbolDisplay = __esm({ "src/services/_namespaces/ts.SymbolDisplay.ts"() { "use strict"; init_symbolDisplay(); } }); 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; } function skipWhitespacesAndLineBreaks(text, start) { return skipTrivia(text, start, false, 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; } 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 _a2, _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 = ((_a2 = getLeadingCommentRanges(sourceFile.text, fullStart)) == null ? void 0 : _a2[0]) || ((_b = getTrailingCommentRanges(sourceFile.text, fullStart)) == null ? void 0 : _b[0]); if (comment) { return skipTrivia(sourceFile.text, comment.end, true, 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, true, true); } } } } return void 0; } function getAdjustedEndPosition(sourceFile, node, options) { var _a2; 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 = (_a2 = comments == null ? void 0 : comments[comments.length - 1]) == null ? void 0 : _a2.end; if (realEnd) { return realEnd; } return end; } const multilineEndPosition = getEndPositionOfMultilineTrailingComment(sourceFile, node, options); if (multilineEndPosition) { return multilineEndPosition; } const newEnd = skipTrivia(sourceFile.text, end, true); return newEnd !== end && (trailingTriviaOption === 2 || isLineBreak(sourceFile.text.charCodeAt(newEnd - 1))) ? newEnd : end; } function isSeparator(node, candidate) { return !!candidate && !!node.parent && (candidate.kind === 27 || candidate.kind === 26 && node.parent.kind === 207); } function isThisTypeAnnotatable(containingFunction) { return isFunctionExpression(containingFunction) || isFunctionDeclaration(containingFunction); } function updateJSDocHost(parent2) { if (parent2.kind !== 216) { return parent2; } const jsDocNode = parent2.parent.kind === 169 ? 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 344: { const oldParam = oldTag; const newParam = newTag; return isIdentifier(oldParam.name) && isIdentifier(newParam.name) && oldParam.name.escapedText === newParam.name.escapedText ? factory.createJSDocParameterTag(void 0, newParam.name, false, newParam.typeExpression, newParam.isNameFirst, oldParam.comment) : void 0; } case 345: return factory.createJSDocReturnTag(void 0, newTag.typeExpression, oldTag.comment); case 347: return factory.createJSDocTypeTag(void 0, newTag.typeExpression, oldTag.comment); } } function startPositionToDeleteNodeInList(sourceFile, node) { return skipTrivia(sourceFile.text, getAdjustedStartPosition(sourceFile, node, { leadingTriviaOption: 1 }), false, 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(), true, 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, 18, sourceFile); const close = findChildOfKind(cls, 19, sourceFile); return [open == null ? void 0 : open.end, close == null ? void 0 : close.end]; } function getMembersOrProperties(node) { return isObjectLiteralExpression(node) ? node.properties : node.members; } function getNewFileText(statements, scriptKind, newLineCharacter, formatContext) { return changesToText.newFileChangesWorker(void 0, scriptKind, statements, newLineCharacter, formatContext); } 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; } 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, visitor, test, start, count) { const visited = visitNodes2(nodes, visitor, 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, false); } function writeComment(s) { writer.writeComment(s); } function writeKeyword(s) { writer.writeKeyword(s); setLastNonTriviaPosition(s, false); } function writeOperator(s) { writer.writeOperator(s); setLastNonTriviaPosition(s, false); } function writePunctuation(s) { writer.writePunctuation(s); setLastNonTriviaPosition(s, false); } function writeTrailingSemicolon(s) { writer.writeTrailingSemicolon(s); setLastNonTriviaPosition(s, false); } function writeParameter(s) { writer.writeParameter(s); setLastNonTriviaPosition(s, false); } function writeProperty(s) { writer.writeProperty(s); setLastNonTriviaPosition(s, false); } function writeSpace(s) { writer.writeSpace(s); setLastNonTriviaPosition(s, false); } function writeStringLiteral(s) { writer.writeStringLiteral(s); setLastNonTriviaPosition(s, false); } function writeSymbol(s, sym) { writer.writeSymbol(s, sym); setLastNonTriviaPosition(s, 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, false); } function writeLiteral(s) { writer.writeLiteral(s); setLastNonTriviaPosition(s, 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 === 164 || isStatementButNotDeclaration(a) && isStatementButNotDeclaration(b); } function deleteNode(changes, sourceFile, node, options = { leadingTriviaOption: 1 }) { 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 LeadingTriviaOption, TrailingTriviaOption, useNonAdjustedPositions, ChangeTracker, changesToText, textChangesTransformationContext, deleteDeclaration; var init_textChanges = __esm({ "src/services/textChanges.ts"() { "use strict"; init_ts4(); 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 || {}); TrailingTriviaOption = /* @__PURE__ */ ((TrailingTriviaOption2) => { TrailingTriviaOption2[TrailingTriviaOption2["Exclude"] = 0] = "Exclude"; TrailingTriviaOption2[TrailingTriviaOption2["ExcludeWhitespace"] = 1] = "ExcludeWhitespace"; TrailingTriviaOption2[TrailingTriviaOption2["Include"] = 2] = "Include"; return TrailingTriviaOption2; })(TrailingTriviaOption || {}); useNonAdjustedPositions = { leadingTriviaOption: 0, trailingTriviaOption: 0 }; ChangeTracker = class { constructor(newLineCharacter, formatContext) { this.newLineCharacter = newLineCharacter; this.formatContext = formatContext; this.changes = []; this.newFiles = []; 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 tracker = ChangeTracker.fromContext(context); cb(tracker); return tracker.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 }); } deleteNode(sourceFile, node, options = { leadingTriviaOption: 1 }) { this.deleteRange(sourceFile, getAdjustedRange(sourceFile, node, node, options)); } deleteNodes(sourceFile, nodes, options = { leadingTriviaOption: 1 }, 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, true) }); } deleteNodeRange(sourceFile, startNode2, endNode2, options = { leadingTriviaOption: 1 }) { 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 }) { 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 === 27 ? 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 (isArray(insert)) { this.insertNodesAt(sourceFile, pos, insert, options); } else { this.insertNodeAt(sourceFile, pos, insert, options); } } 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)); } 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 indent2 = sourceFile.text.slice(lineStartPosition, startPosition); const text = `${insertAtLineStart ? "" : this.newLineCharacter}//${commentText}${this.newLineCharacter}${indent2}`; 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, {}) }); } } const startPosition = getPrecedingNonSpaceCharacterPosition(sourceFile.text, fnStart - 1); const indent2 = sourceFile.text.slice(startPosition, fnStart); this.insertNodeAt(sourceFile, fnStart, tag, { suffix: this.newLineCharacter + indent2 }); } createJSDocText(sourceFile, node) { const comments = flatMap(node.jsDoc, (jsDoc2) => isString(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(" "))); } 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); } tryInsertTypeAnnotation(sourceFile, node, type) { var _a2; let endNode2; if (isFunctionLike(node)) { endNode2 = findChildOfKind(node, 21, sourceFile); if (!endNode2) { if (!isArrowFunction(node)) return false; endNode2 = first(node.parameters); } } else { endNode2 = (_a2 = node.kind === 257 ? node.exclamationToken : node.questionToken) != null ? _a2 : node.name; } this.insertNodeAt(sourceFile, endNode2.end, type, { prefix: ": " }); return true; } tryInsertThisTypeAnnotation(sourceFile, node, type) { const start = findChildOfKind(node, 20, 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, 20, 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 (isStringLiteral(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) => isExpressionStatement(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, 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) { var _a2; const indentation = (_a2 = this.guessIndentationFromExistingMembers(sourceFile, node)) != null ? _a2 : this.computeIndentationForNewMember(sourceFile, node); this.insertNodeAt(sourceFile, getMembersOrProperties(node).pos, newElement, this.getInsertNodeAtStartInsertOptions(sourceFile, node, 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) { var _a2; const nodeStart = node.getStart(sourceFile); return ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(getLineStartPositionForPosition(nodeStart, sourceFile), nodeStart, sourceFile, this.formatContext.options) + ((_a2 = this.formatContext.options.indentSize) != null ? _a2 : 4); } getInsertNodeAtStartInsertOptions(sourceFile, node, indentation) { const members = getMembersOrProperties(node); const isEmpty = members.length === 0; const isFirstInsertion = addToSeen(this.classesWithNodesInsertedAtStart, getNodeId(node), { node, sourceFile }); const insertTrailingComma = isObjectLiteralExpression(node) && (!isJsonSourceFile(sourceFile) || !isEmpty); const insertLeadingComma = isObjectLiteralExpression(node) && isJsonSourceFile(sourceFile) && isEmpty && !isFirstInsertion; return { indentation, prefix: (insertLeadingComma ? "," : "") + this.newLineCharacter, suffix: insertTrailingComma ? "," : isInterfaceDeclaration(node) && isEmpty ? ";" : "" }; } 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(26)); } } 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}` : " " : options.prefix }; } getInsertNodeAfterOptionsWorker(node) { switch (node.kind) { case 260: case 264: return { prefix: this.newLineCharacter, suffix: this.newLineCharacter }; case 257: case 10: case 79: return { prefix: ", " }; case 299: return { suffix: "," + this.newLineCharacter }; case 93: return { prefix: " " }; case 166: return {}; default: Debug.assert(isStatement(node) || isClassOrTypeElement(node)); return { suffix: this.newLineCharacter }; } } insertName(sourceFile, node, name) { Debug.assert(!node.name); if (node.kind === 216) { const arrow = findChildOfKind(node, 38, sourceFile); const lparen = findChildOfKind(node, 20, sourceFile); if (lparen) { this.insertNodesAt(sourceFile, lparen.getStart(sourceFile), [factory.createToken(98), 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(21)); } if (node.body.kind !== 238) { this.insertNodesAt(sourceFile, node.body.getStart(sourceFile), [factory.createToken(18), factory.createToken(105)], { joiner: " ", suffix: " " }); this.insertNodesAt(sourceFile, node.body.end, [factory.createToken(26), factory.createToken(19)], { joiner: " " }); } } else { const pos = findChildOfKind(node, node.kind === 215 ? 98 : 84, 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)); } } 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 = 27; } else { const tokenBeforeInsertPosition = findPrecedingToken(after.pos, sourceFile); separator = isSeparator(after, tokenBeforeInsertPosition) ? tokenBeforeInsertPosition.kind : 27; const afterMinusOneStartLinePosition = getLineStartPositionForPosition(containingList[index - 1].getStart(sourceFile), sourceFile); multilineList = afterMinusOneStartLinePosition !== afterStartLinePosition; } if (hasCommentsBeforeLineBreak(sourceFile.text, after.end)) { 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, true, 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 isEmpty = getMembersOrProperties(node).length === 0; const isSingleLine = positionsAreOnSameLine(openBraceEnd, closeBraceEnd, sourceFile); if (isEmpty && 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 (isArray(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]) }); } }); } getChanges(validate) { this.finishDeleteDeclarations(); this.finishClassesWithNodesInsertedAtStart(); const changes = changesToText.getTextChangesFromChanges(this.changes, this.newLineCharacter, this.formatContext, validate); for (const { oldFile, fileName, statements } of this.newFiles) { changes.push(changesToText.newFileChanges(oldFile, fileName, statements, this.newLineCharacter, this.formatContext)); } return changes; } createNewFile(oldFile, fileName, statements) { this.newFiles.push({ oldFile, fileName, statements }); } }; ((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 newText = computeNewText(c, sourceFile, newLineCharacter, formatContext, validate); if (span.length === newText.length && stringContainsAt(sourceFile.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(oldFile, fileName, statements, newLineCharacter, formatContext) { const text = newFileChangesWorker(oldFile, getScriptKindFromFileName(fileName), statements, newLineCharacter, formatContext); return { fileName, textChanges: [createTextChange(createTextSpan(0, 0), text)], isNewFile: true }; } changesToText2.newFileChanges = newFileChanges; function newFileChangesWorker(oldFile, scriptKind, statements, newLineCharacter, formatContext) { const nonFormattedText = statements.map((s) => s === 4 ? "" : getNonformattedText(s, oldFile, newLineCharacter).text).join(newLineCharacter); const sourceFile = createSourceFile("any file name", nonFormattedText, 99, true, scriptKind); const changes = ts_formatting_exports.formatDocument(sourceFile, formatContext); return applyChanges(nonFormattedText, changes) + newLineCharacter; } changesToText2.newFileChangesWorker = newFileChangesWorker; function computeNewText(change, sourceFile, newLineCharacter, formatContext, validate) { var _a2; if (change.kind === 0) { return ""; } if (change.kind === 3) { return change.text; } const { options = {}, range: { pos } } = change; const format = (n) => getFormattedTextOfNode(n, sourceFile, pos, options, newLineCharacter, formatContext, validate); const text = change.kind === 2 ? change.nodes.map((n) => removeSuffix(format(n), newLineCharacter)).join(((_a2 = change.options) == null ? void 0 : _a2.joiner) || newLineCharacter) : format(change.node); const noIndent = options.indentation !== void 0 || getLineStartPositionForPosition(pos, sourceFile) === pos ? text : text.replace(/^s+/, ""); return (options.prefix || "") + noIndent + (!options.suffix || endsWith(noIndent, options.suffix) ? "" : options.suffix); } function getFormattedTextOfNode(nodeIn, sourceFile, pos, { indentation, prefix, delta }, newLineCharacter, formatContext, validate) { const { node, text } = getNonformattedText(nodeIn, sourceFile, newLineCharacter); if (validate) validate(node, text); const formatOptions = getFormatCodeSettingsForWriting(formatContext, sourceFile); const initialIndentation = indentation !== void 0 ? indentation : ts_formatting_exports.SmartIndenter.getIndentation(pos, sourceFile, formatOptions, prefix === newLineCharacter || getLineStartPositionForPosition(pos, sourceFile) === 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, sourceFile.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 = {})); textChangesTransformationContext = { ...nullTransformationContext, factory: createNodeFactory(nullTransformationContext.factory.flags | 1, nullTransformationContext.factory.baseFactory) }; ((_deleteDeclaration) => { function deleteDeclaration2(changes, deletedNodesInLists, sourceFile, node) { switch (node.kind) { case 166: { const oldFunction = node.parent; if (isArrowFunction(oldFunction) && oldFunction.parameters.length === 1 && !findChildOfKind(oldFunction, 20, sourceFile)) { changes.replaceNodeWithText(sourceFile, node, "()"); } else { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } break; } case 269: case 268: 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 }); break; case 205: const pattern = node.parent; const preserveComma = pattern.kind === 204 && node !== last(pattern.elements); if (preserveComma) { deleteNode(changes, sourceFile, node); } else { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } break; case 257: deleteVariableDeclaration(changes, deletedNodesInLists, sourceFile, node); break; case 165: deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); break; case 273: const namedImports = node.parent; if (namedImports.elements.length === 1) { deleteImportBinding(changes, sourceFile, namedImports); } else { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } break; case 271: deleteImportBinding(changes, sourceFile, node); break; case 26: deleteNode(changes, sourceFile, node, { trailingTriviaOption: 0 }); break; case 98: deleteNode(changes, sourceFile, node, { leadingTriviaOption: 0 }); break; case 260: case 259: deleteNode(changes, sourceFile, node, { leadingTriviaOption: hasJSDocNodes(node) ? 2 : 3 }); 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 (isCallExpression(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 === 27) { const end = skipTrivia(sourceFile.text, nextToken.end, false, 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 = getAncestor(node, 269); deleteNode(changes, sourceFile, importDecl); } } function deleteVariableDeclaration(changes, deletedNodesInLists, sourceFile, node) { const { parent: parent2 } = node; if (parent2.kind === 295) { changes.deleteNodeRange(sourceFile, findChildOfKind(parent2, 20, sourceFile), findChildOfKind(parent2, 21, sourceFile)); return; } if (parent2.declarations.length !== 1) { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); return; } const gp = parent2.parent; switch (gp.kind) { case 247: case 246: changes.replaceNode(sourceFile, node, factory.createObjectLiteralExpression()); break; case 245: deleteNode(changes, sourceFile, parent2); break; case 240: deleteNode(changes, sourceFile, gp, { leadingTriviaOption: hasJSDocNodes(gp) ? 2 : 3 }); break; default: Debug.assertNever(gp); } } })(deleteDeclaration || (deleteDeclaration = {})); } }); var ts_textChanges_exports = {}; __export2(ts_textChanges_exports, { ChangeTracker: () => ChangeTracker, LeadingTriviaOption: () => LeadingTriviaOption, TrailingTriviaOption: () => TrailingTriviaOption, applyChanges: () => applyChanges, assignPositionsToNode: () => assignPositionsToNode, createWriter: () => createWriter, deleteNode: () => deleteNode, getNewFileText: () => getNewFileText, isThisTypeAnnotatable: () => isThisTypeAnnotatable, isValidLocationToAddComment: () => isValidLocationToAddComment }); var init_ts_textChanges = __esm({ "src/services/_namespaces/ts.textChanges.ts"() { "use strict"; init_textChanges(); } }); var FormattingRequestKind, FormattingContext; var init_formattingContext = __esm({ "src/services/formatting/formattingContext.ts"() { "use strict"; init_ts4(); 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 || {}); 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, 18, this.sourceFile); const closeBrace = findChildOfKind(node, 19, 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; } }; } }); function getFormattingScanner(text, languageVariant, startPos, endPos, cb) { const scanner2 = languageVariant === 1 ? jsxScanner : standardScanner; scanner2.setText(text); scanner2.setTextPos(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, getStartPos: () => { var _a2; return (_a2 = lastTokenInfo == null ? void 0 : lastTokenInfo.token.pos) != null ? _a2 : scanner2.getTokenPos(); } }); lastTokenInfo = void 0; scanner2.setText(void 0); return res; function advance() { lastTokenInfo = void 0; const isStarted = scanner2.getStartPos() !== startPos; if (isStarted) { wasNewLine = !!trailingTrivia && last(trailingTrivia).kind === 4; } else { scanner2.scan(); } leadingTrivia = void 0; trailingTrivia = void 0; let pos = scanner2.getStartPos(); while (pos < endPos) { const t = scanner2.getToken(); if (!isTrivia(t)) { break; } scanner2.scan(); const item = { pos, end: scanner2.getStartPos(), kind: t }; pos = scanner2.getStartPos(); leadingTrivia = append(leadingTrivia, item); } savedPos = scanner2.getStartPos(); } function shouldRescanGreaterThanToken(node) { switch (node.kind) { case 33: case 71: case 72: case 49: case 48: return true; } return false; } function shouldRescanJsxIdentifier(node) { if (node.parent) { switch (node.parent.kind) { case 288: case 283: case 284: case 282: return isKeyword(node.kind) || node.kind === 79; } } return false; } function shouldRescanJsxText(node) { return isJsxText(node) || isJsxElement(node) && (lastTokenInfo == null ? void 0 : lastTokenInfo.token.kind) === 11; } function shouldRescanSlashToken(container) { return container.kind === 13; } function shouldRescanTemplateToken(container) { return container.kind === 16 || container.kind === 17; } function shouldRescanJsxAttributeValue(node) { return node.parent && isJsxAttribute(node.parent) && node.parent.initializer === node; } function startsWithSlashToken(t) { return t === 43 || t === 68; } 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.getStartPos() !== savedPos) { Debug.assert(lastTokenInfo !== void 0); scanner2.setTextPos(savedPos); scanner2.scan(); } let currentToken = getNextToken(n, expectedScanAction); const token = createTextRangeWithKind(scanner2.getStartPos(), scanner2.getTextPos(), currentToken); if (trailingTrivia) { trailingTrivia = void 0; } while (scanner2.getStartPos() < endPos) { currentToken = scanner2.scan(); if (!isTrivia(currentToken)) { break; } const trivia = createTextRangeWithKind(scanner2.getStartPos(), scanner2.getTextPos(), 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 === 31) { 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 === 19) { lastScanAction = 3; return scanner2.reScanTemplateToken(false); } break; case 4: lastScanAction = 4; return scanner2.scanJsxIdentifier(); case 5: lastScanAction = 5; return scanner2.reScanJsxToken(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.getStartPos(), scanner2.getTextPos(), 1); } 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.setTextPos(node.end); savedPos = scanner2.getStartPos(); lastScanAction = void 0; lastTokenInfo = void 0; wasNewLine = false; leadingTrivia = void 0; trailingTrivia = void 0; } function skipToStartOf(node) { scanner2.setTextPos(node.pos); savedPos = scanner2.getStartPos(); lastScanAction = void 0; lastTokenInfo = void 0; wasNewLine = false; leadingTrivia = void 0; trailingTrivia = void 0; } } var standardScanner, jsxScanner; var init_formattingScanner = __esm({ "src/services/formatting/formattingScanner.ts"() { "use strict"; init_ts4(); init_ts_formatting(); standardScanner = createScanner(99, false, 0); jsxScanner = createScanner(99, false, 1); } }); var anyContext, RuleAction, RuleFlags; var init_rule = __esm({ "src/services/formatting/rule.ts"() { "use strict"; init_ts4(); anyContext = emptyArray; 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 || {}); 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 <= 162; 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]); const anyTokenIncludingEOF = tokenRangeFrom([...allTokens, 1]); const keywords = tokenRangeFromRange(81, 162); const binaryOperators = tokenRangeFromRange(29, 78); const binaryKeywordOperators = [ 101, 102, 162, 128, 140, 150 ]; const unaryPrefixOperators = [45, 46, 54, 53]; const unaryPrefixExpressions = [ 8, 9, 79, 20, 22, 18, 108, 103 ]; const unaryPreincrementExpressions = [79, 20, 108, 103]; const unaryPostincrementExpressions = [79, 21, 23, 103]; const unaryPredecrementExpressions = [79, 20, 108, 103]; const unaryPostdecrementExpressions = [79, 21, 23, 103]; const comments = [2, 3]; const typeNames = [79, ...typeKeywords]; const functionOpenBraceLeftTokenRange = anyTokenIncludingMultilineComments; const typeScriptOpenBraceLeftTokenRange = tokenRangeFrom([79, 3, 84, 93, 100]); const controlOpenBraceLeftTokenRange = tokenRangeFrom([21, 3, 90, 111, 96, 91]); const highPriorityCommonRules = [ rule("IgnoreBeforeComment", anyToken, comments, anyContext, 1), rule("IgnoreAfterLineComment", 2, anyToken, anyContext, 1), rule("NotSpaceBeforeColon", anyToken, 58, [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNotTypeAnnotationContext], 16), rule("SpaceAfterColon", 58, anyToken, [isNonJsxSameLineTokenContext, isNotBinaryOpContext], 4), rule("NoSpaceBeforeQuestionMark", anyToken, 57, [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNotTypeAnnotationContext], 16), rule("SpaceAfterQuestionMarkInConditionalOperator", 57, anyToken, [isNonJsxSameLineTokenContext, isConditionalOperatorContext], 4), rule("NoSpaceAfterQuestionMark", 57, anyToken, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeDot", anyToken, [24, 28], [isNonJsxSameLineTokenContext, isNotPropertyAccessOnIntegerLiteral], 16), rule("NoSpaceAfterDot", [24, 28], anyToken, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceBetweenImportParenInImportType", 100, 20, [isNonJsxSameLineTokenContext, isImportTypeContext], 16), rule("NoSpaceAfterUnaryPrefixOperator", unaryPrefixOperators, unaryPrefixExpressions, [isNonJsxSameLineTokenContext, isNotBinaryOpContext], 16), rule("NoSpaceAfterUnaryPreincrementOperator", 45, unaryPreincrementExpressions, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterUnaryPredecrementOperator", 46, unaryPredecrementExpressions, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeUnaryPostincrementOperator", unaryPostincrementExpressions, 45, [isNonJsxSameLineTokenContext, isNotStatementConditionContext], 16), rule("NoSpaceBeforeUnaryPostdecrementOperator", unaryPostdecrementExpressions, 46, [isNonJsxSameLineTokenContext, isNotStatementConditionContext], 16), rule("SpaceAfterPostincrementWhenFollowedByAdd", 45, 39, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterAddWhenFollowedByUnaryPlus", 39, 39, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterAddWhenFollowedByPreincrement", 39, 45, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterPostdecrementWhenFollowedBySubtract", 46, 40, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterSubtractWhenFollowedByUnaryMinus", 40, 40, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterSubtractWhenFollowedByPredecrement", 40, 46, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("NoSpaceAfterCloseBrace", 19, [27, 26], [isNonJsxSameLineTokenContext], 16), rule("NewLineBeforeCloseBraceInBlockContext", anyTokenIncludingMultilineComments, 19, [isMultilineBlockContext], 8), rule("SpaceAfterCloseBrace", 19, anyTokenExcept(21), [isNonJsxSameLineTokenContext, isAfterCodeBlockContext], 4), rule("SpaceBetweenCloseBraceAndElse", 19, 91, [isNonJsxSameLineTokenContext], 4), rule("SpaceBetweenCloseBraceAndWhile", 19, 115, [isNonJsxSameLineTokenContext], 4), rule("NoSpaceBetweenEmptyBraceBrackets", 18, 19, [isNonJsxSameLineTokenContext, isObjectContext], 16), rule("SpaceAfterConditionalClosingParen", 21, 22, [isControlDeclContext], 4), rule("NoSpaceBetweenFunctionKeywordAndStar", 98, 41, [isFunctionDeclarationOrFunctionExpressionContext], 16), rule("SpaceAfterStarInGeneratorDeclaration", 41, 79, [isFunctionDeclarationOrFunctionExpressionContext], 4), rule("SpaceAfterFunctionInFuncDecl", 98, anyToken, [isFunctionDeclContext], 4), rule("NewLineAfterOpenBraceInBlockContext", 18, anyToken, [isMultilineBlockContext], 8), rule("SpaceAfterGetSetInMember", [137, 151], 79, [isFunctionDeclContext], 4), rule("NoSpaceBetweenYieldKeywordAndStar", 125, 41, [isNonJsxSameLineTokenContext, isYieldOrYieldStarWithOperand], 16), rule("SpaceBetweenYieldOrYieldStarAndOperand", [125, 41], anyToken, [isNonJsxSameLineTokenContext, isYieldOrYieldStarWithOperand], 4), rule("NoSpaceBetweenReturnAndSemicolon", 105, 26, [isNonJsxSameLineTokenContext], 16), rule("SpaceAfterCertainKeywords", [113, 109, 103, 89, 105, 112, 133], anyToken, [isNonJsxSameLineTokenContext], 4), rule("SpaceAfterLetConstInVariableDeclaration", [119, 85], anyToken, [isNonJsxSameLineTokenContext, isStartOfVariableDeclarationList], 4), rule("NoSpaceBeforeOpenParenInFuncCall", anyToken, 20, [isNonJsxSameLineTokenContext, isFunctionCallOrNewContext, isPreviousTokenNotComma], 16), rule("SpaceBeforeBinaryKeywordOperator", anyToken, binaryKeywordOperators, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterBinaryKeywordOperator", binaryKeywordOperators, anyToken, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterVoidOperator", 114, anyToken, [isNonJsxSameLineTokenContext, isVoidOpContext], 4), rule("SpaceBetweenAsyncAndOpenParen", 132, 20, [isArrowFunctionContext, isNonJsxSameLineTokenContext], 4), rule("SpaceBetweenAsyncAndFunctionKeyword", 132, [98, 79], [isNonJsxSameLineTokenContext], 4), rule("NoSpaceBetweenTagAndTemplateString", [79, 21], [14, 15], [isNonJsxSameLineTokenContext], 16), rule("SpaceBeforeJsxAttribute", anyToken, 79, [isNextTokenParentJsxAttribute, isNonJsxSameLineTokenContext], 4), rule("SpaceBeforeSlashInJsxOpeningElement", anyToken, 43, [isJsxSelfClosingElementContext, isNonJsxSameLineTokenContext], 4), rule("NoSpaceBeforeGreaterThanTokenInJsxOpeningElement", 43, 31, [isJsxSelfClosingElementContext, isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeEqualInJsxAttribute", anyToken, 63, [isJsxAttributeContext, isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterEqualInJsxAttribute", 63, anyToken, [isJsxAttributeContext, isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterModuleImport", [142, 147], 20, [isNonJsxSameLineTokenContext], 16), rule("SpaceAfterCertainTypeScriptKeywords", [ 126, 127, 84, 136, 88, 92, 93, 94, 137, 117, 100, 118, 142, 143, 121, 123, 122, 146, 151, 124, 154, 158, 141, 138 ], anyToken, [isNonJsxSameLineTokenContext], 4), rule("SpaceBeforeCertainTypeScriptKeywords", anyToken, [94, 117, 158], [isNonJsxSameLineTokenContext], 4), rule("SpaceAfterModuleName", 10, 18, [isModuleDeclContext], 4), rule("SpaceBeforeArrow", anyToken, 38, [isNonJsxSameLineTokenContext], 4), rule("SpaceAfterArrow", 38, anyToken, [isNonJsxSameLineTokenContext], 4), rule("NoSpaceAfterEllipsis", 25, 79, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterOptionalParameters", 57, [21, 27], [isNonJsxSameLineTokenContext, isNotBinaryOpContext], 16), rule("NoSpaceBetweenEmptyInterfaceBraceBrackets", 18, 19, [isNonJsxSameLineTokenContext, isObjectTypeContext], 16), rule("NoSpaceBeforeOpenAngularBracket", typeNames, 29, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16), rule("NoSpaceBetweenCloseParenAndAngularBracket", 21, 29, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16), rule("NoSpaceAfterOpenAngularBracket", 29, anyToken, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16), rule("NoSpaceBeforeCloseAngularBracket", anyToken, 31, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16), rule("NoSpaceAfterCloseAngularBracket", 31, [20, 22, 31, 27], [ isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext, isNotFunctionDeclContext, isNonTypeAssertionContext ], 16), rule("SpaceBeforeAt", [21, 79], 59, [isNonJsxSameLineTokenContext], 4), rule("NoSpaceAfterAt", 59, anyToken, [isNonJsxSameLineTokenContext], 16), rule("SpaceAfterDecorator", anyToken, [ 126, 79, 93, 88, 84, 124, 123, 121, 122, 137, 151, 22, 41 ], [isEndOfDecoratorContextOnSameLine], 4), rule("NoSpaceBeforeNonNullAssertionOperator", anyToken, 53, [isNonJsxSameLineTokenContext, isNonNullAssertionContext], 16), rule("NoSpaceAfterNewKeywordOnConstructorSignature", 103, 20, [isNonJsxSameLineTokenContext, isConstructorSignatureContext], 16), rule("SpaceLessThanAndNonJSXTypeAnnotation", 29, 29, [isNonJsxSameLineTokenContext], 4) ]; const userConfigurableRules = [ rule("SpaceAfterConstructor", 135, 20, [isOptionEnabled("insertSpaceAfterConstructor"), isNonJsxSameLineTokenContext], 4), rule("NoSpaceAfterConstructor", 135, 20, [isOptionDisabledOrUndefined("insertSpaceAfterConstructor"), isNonJsxSameLineTokenContext], 16), rule("SpaceAfterComma", 27, anyToken, [isOptionEnabled("insertSpaceAfterCommaDelimiter"), isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext, isNextTokenNotCloseBracket, isNextTokenNotCloseParen], 4), rule("NoSpaceAfterComma", 27, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterCommaDelimiter"), isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext], 16), rule("SpaceAfterAnonymousFunctionKeyword", [98, 41], 20, [isOptionEnabled("insertSpaceAfterFunctionKeywordForAnonymousFunctions"), isFunctionDeclContext], 4), rule("NoSpaceAfterAnonymousFunctionKeyword", [98, 41], 20, [isOptionDisabledOrUndefined("insertSpaceAfterFunctionKeywordForAnonymousFunctions"), isFunctionDeclContext], 16), rule("SpaceAfterKeywordInControl", keywords, 20, [isOptionEnabled("insertSpaceAfterKeywordsInControlFlowStatements"), isControlDeclContext], 4), rule("NoSpaceAfterKeywordInControl", keywords, 20, [isOptionDisabledOrUndefined("insertSpaceAfterKeywordsInControlFlowStatements"), isControlDeclContext], 16), rule("SpaceAfterOpenParen", 20, anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 4), rule("SpaceBeforeCloseParen", anyToken, 21, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 4), rule("SpaceBetweenOpenParens", 20, 20, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 4), rule("NoSpaceBetweenParens", 20, 21, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterOpenParen", 20, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeCloseParen", anyToken, 21, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 16), rule("SpaceAfterOpenBracket", 22, anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 4), rule("SpaceBeforeCloseBracket", anyToken, 23, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 4), rule("NoSpaceBetweenBrackets", 22, 23, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterOpenBracket", 22, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeCloseBracket", anyToken, 23, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 16), rule("SpaceAfterOpenBrace", 18, anyToken, [isOptionEnabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isBraceWrappedContext], 4), rule("SpaceBeforeCloseBrace", anyToken, 19, [isOptionEnabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isBraceWrappedContext], 4), rule("NoSpaceBetweenEmptyBraceBrackets", 18, 19, [isNonJsxSameLineTokenContext, isObjectContext], 16), rule("NoSpaceAfterOpenBrace", 18, anyToken, [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeCloseBrace", anyToken, 19, [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isNonJsxSameLineTokenContext], 16), rule("SpaceBetweenEmptyBraceBrackets", 18, 19, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingEmptyBraces")], 4), rule("NoSpaceBetweenEmptyBraceBrackets", 18, 19, [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingEmptyBraces"), isNonJsxSameLineTokenContext], 16), rule("SpaceAfterTemplateHeadAndMiddle", [15, 16], anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxTextContext], 4, 1), rule("SpaceBeforeTemplateMiddleAndTail", anyToken, [16, 17], [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxSameLineTokenContext], 4), rule("NoSpaceAfterTemplateHeadAndMiddle", [15, 16], anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxTextContext], 16, 1), rule("NoSpaceBeforeTemplateMiddleAndTail", anyToken, [16, 17], [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxSameLineTokenContext], 16), rule("SpaceAfterOpenBraceInJsxExpression", 18, anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 4), rule("SpaceBeforeCloseBraceInJsxExpression", anyToken, 19, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 4), rule("NoSpaceAfterOpenBraceInJsxExpression", 18, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 16), rule("NoSpaceBeforeCloseBraceInJsxExpression", anyToken, 19, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 16), rule("SpaceAfterSemicolonInFor", 26, anyToken, [isOptionEnabled("insertSpaceAfterSemicolonInForStatements"), isNonJsxSameLineTokenContext, isForContext], 4), rule("NoSpaceAfterSemicolonInFor", 26, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterSemicolonInForStatements"), isNonJsxSameLineTokenContext, isForContext], 16), rule("SpaceBeforeBinaryOperator", anyToken, binaryOperators, [isOptionEnabled("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("SpaceAfterBinaryOperator", binaryOperators, anyToken, [isOptionEnabled("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 4), rule("NoSpaceBeforeBinaryOperator", anyToken, binaryOperators, [isOptionDisabledOrUndefined("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 16), rule("NoSpaceAfterBinaryOperator", binaryOperators, anyToken, [isOptionDisabledOrUndefined("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 16), rule("SpaceBeforeOpenParenInFuncDecl", anyToken, 20, [isOptionEnabled("insertSpaceBeforeFunctionParenthesis"), isNonJsxSameLineTokenContext, isFunctionDeclContext], 4), rule("NoSpaceBeforeOpenParenInFuncDecl", anyToken, 20, [isOptionDisabledOrUndefined("insertSpaceBeforeFunctionParenthesis"), isNonJsxSameLineTokenContext, isFunctionDeclContext], 16), rule("NewLineBeforeOpenBraceInControl", controlOpenBraceLeftTokenRange, 18, [isOptionEnabled("placeOpenBraceOnNewLineForControlBlocks"), isControlDeclContext, isBeforeMultilineBlockContext], 8, 1), rule("NewLineBeforeOpenBraceInFunction", functionOpenBraceLeftTokenRange, 18, [isOptionEnabled("placeOpenBraceOnNewLineForFunctions"), isFunctionDeclContext, isBeforeMultilineBlockContext], 8, 1), rule("NewLineBeforeOpenBraceInTypeScriptDeclWithBlock", typeScriptOpenBraceLeftTokenRange, 18, [isOptionEnabled("placeOpenBraceOnNewLineForFunctions"), isTypeScriptDeclWithBlockContext, isBeforeMultilineBlockContext], 8, 1), rule("SpaceAfterTypeAssertion", 31, anyToken, [isOptionEnabled("insertSpaceAfterTypeAssertion"), isNonJsxSameLineTokenContext, isTypeAssertionContext], 4), rule("NoSpaceAfterTypeAssertion", 31, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterTypeAssertion"), isNonJsxSameLineTokenContext, isTypeAssertionContext], 16), rule("SpaceBeforeTypeAnnotation", anyToken, [57, 58], [isOptionEnabled("insertSpaceBeforeTypeAnnotation"), isNonJsxSameLineTokenContext, isTypeAnnotationContext], 4), rule("NoSpaceBeforeTypeAnnotation", anyToken, [57, 58], [isOptionDisabledOrUndefined("insertSpaceBeforeTypeAnnotation"), isNonJsxSameLineTokenContext, isTypeAnnotationContext], 16), rule("NoOptionalSemicolon", 26, anyTokenIncludingEOF, [optionEquals("semicolons", "remove"), isSemicolonDeletionContext], 32), rule("OptionalSemicolon", anyToken, anyTokenIncludingEOF, [optionEquals("semicolons", "insert"), isSemicolonInsertionContext], 64) ]; const lowPriorityCommonRules = [ rule("NoSpaceBeforeSemicolon", anyToken, 26, [isNonJsxSameLineTokenContext], 16), rule("SpaceBeforeOpenBraceInControl", controlOpenBraceLeftTokenRange, 18, [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForControlBlocks"), isControlDeclContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext], 4, 1), rule("SpaceBeforeOpenBraceInFunction", functionOpenBraceLeftTokenRange, 18, [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForFunctions"), isFunctionDeclContext, isBeforeBlockContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext], 4, 1), rule("SpaceBeforeOpenBraceInTypeScriptDeclWithBlock", typeScriptOpenBraceLeftTokenRange, 18, [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForFunctions"), isTypeScriptDeclWithBlockContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext], 4, 1), rule("NoSpaceBeforeComma", anyToken, 27, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceBeforeOpenBracket", anyTokenExcept(132, 82), 22, [isNonJsxSameLineTokenContext], 16), rule("NoSpaceAfterCloseBracket", 23, anyToken, [isNonJsxSameLineTokenContext, isNotBeforeBlockInFunctionDeclarationContext], 16), rule("SpaceAfterSemicolon", 26, anyToken, [isNonJsxSameLineTokenContext], 4), rule("SpaceBetweenForAndAwaitKeyword", 97, 133, [isNonJsxSameLineTokenContext], 4), rule("SpaceBetweenStatements", [21, 90, 91, 82], anyToken, [isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext, isNotForContext], 4), rule("SpaceAfterTryCatchFinally", [111, 83, 96], 18, [isNonJsxSameLineTokenContext], 4) ]; 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]) : isArray(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 === 245; } function isNotForContext(context) { return !isForContext(context); } function isBinaryOpContext(context) { switch (context.contextNode.kind) { case 223: return context.contextNode.operatorToken.kind !== 27; case 224: case 191: case 231: case 278: case 273: case 179: case 189: case 190: case 235: return true; case 205: case 262: case 268: case 274: case 257: case 166: case 302: case 169: case 168: return context.currentTokenSpan.kind === 63 || context.nextTokenSpan.kind === 63; case 246: case 165: return context.currentTokenSpan.kind === 101 || context.nextTokenSpan.kind === 101 || context.currentTokenSpan.kind === 63 || context.nextTokenSpan.kind === 63; case 247: return context.currentTokenSpan.kind === 162 || context.nextTokenSpan.kind === 162; } return false; } function isNotBinaryOpContext(context) { return !isBinaryOpContext(context); } function isNotTypeAnnotationContext(context) { return !isTypeAnnotationContext(context); } function isTypeAnnotationContext(context) { const contextKind = context.contextNode.kind; return contextKind === 169 || contextKind === 168 || contextKind === 166 || contextKind === 257 || isFunctionLikeKind(contextKind); } function isConditionalOperatorContext(context) { return context.contextNode.kind === 224 || context.contextNode.kind === 191; } function isSameLineTokenOrBeforeBlockContext(context) { return context.TokensAreOnSameLine() || isBeforeBlockContext(context); } function isBraceWrappedContext(context) { return context.contextNode.kind === 203 || context.contextNode.kind === 197 || 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 238: case 266: case 207: case 265: return true; } return false; } function isFunctionDeclContext(context) { switch (context.contextNode.kind) { case 259: case 171: case 170: case 174: case 175: case 176: case 215: case 173: case 216: case 261: return true; } return false; } function isNotFunctionDeclContext(context) { return !isFunctionDeclContext(context); } function isFunctionDeclarationOrFunctionExpressionContext(context) { return context.contextNode.kind === 259 || context.contextNode.kind === 215; } function isTypeScriptDeclWithBlockContext(context) { return nodeIsTypeScriptDeclWithBlockContext(context.contextNode); } function nodeIsTypeScriptDeclWithBlockContext(node) { switch (node.kind) { case 260: case 228: case 261: case 263: case 184: case 264: case 275: case 276: case 269: case 272: return true; } return false; } function isAfterCodeBlockContext(context) { switch (context.currentTokenParent.kind) { case 260: case 264: case 263: case 295: case 265: case 252: return true; case 238: { const blockParent = context.currentTokenParent.parent; if (!blockParent || blockParent.kind !== 216 && blockParent.kind !== 215) { return true; } } } return false; } function isControlDeclContext(context) { switch (context.contextNode.kind) { case 242: case 252: case 245: case 246: case 247: case 244: case 255: case 243: case 251: case 295: return true; default: return false; } } function isObjectContext(context) { return context.contextNode.kind === 207; } function isFunctionCallContext(context) { return context.contextNode.kind === 210; } function isNewContext(context) { return context.contextNode.kind === 211; } function isFunctionCallOrNewContext(context) { return isFunctionCallContext(context) || isNewContext(context); } function isPreviousTokenNotComma(context) { return context.currentTokenSpan.kind !== 27; } function isNextTokenNotCloseBracket(context) { return context.nextTokenSpan.kind !== 23; } function isNextTokenNotCloseParen(context) { return context.nextTokenSpan.kind !== 21; } function isArrowFunctionContext(context) { return context.contextNode.kind === 216; } function isImportTypeContext(context) { return context.contextNode.kind === 202; } function isNonJsxSameLineTokenContext(context) { return context.TokensAreOnSameLine() && context.contextNode.kind !== 11; } function isNonJsxTextContext(context) { return context.contextNode.kind !== 11; } function isNonJsxElementOrFragmentContext(context) { return context.contextNode.kind !== 281 && context.contextNode.kind !== 285; } function isJsxExpressionContext(context) { return context.contextNode.kind === 291 || context.contextNode.kind === 290; } function isNextTokenParentJsxAttribute(context) { return context.nextTokenParent.kind === 288; } function isJsxAttributeContext(context) { return context.contextNode.kind === 288; } function isJsxSelfClosingElementContext(context) { return context.contextNode.kind === 282; } 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 === 167; } function isStartOfVariableDeclarationList(context) { return context.currentTokenParent.kind === 258 && context.currentTokenParent.getStart(context.sourceFile) === context.currentTokenSpan.pos; } function isNotFormatOnEnter(context) { return context.formattingRequestKind !== 2; } function isModuleDeclContext(context) { return context.contextNode.kind === 264; } function isObjectTypeContext(context) { return context.contextNode.kind === 184; } function isConstructorSignatureContext(context) { return context.contextNode.kind === 177; } function isTypeArgumentOrParameterOrAssertion(token, parent2) { if (token.kind !== 29 && token.kind !== 31) { return false; } switch (parent2.kind) { case 180: case 213: case 262: case 260: case 228: case 261: case 259: case 215: case 216: case 171: case 170: case 176: case 177: case 210: case 211: case 230: 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 === 213; } function isNonTypeAssertionContext(context) { return !isTypeAssertionContext(context); } function isVoidOpContext(context) { return context.currentTokenSpan.kind === 114 && context.currentTokenParent.kind === 219; } function isYieldOrYieldStarWithOperand(context) { return context.contextNode.kind === 226 && context.contextNode.expression !== void 0; } function isNonNullAssertionContext(context) { return context.contextNode.kind === 232; } function isNotStatementConditionContext(context) { return !isStatementConditionContext(context); } function isStatementConditionContext(context) { switch (context.contextNode.kind) { case 242: case 245: case 246: case 247: case 243: case 244: 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 === 19 || nextTokenKind === 1; } if (nextTokenKind === 237 || nextTokenKind === 26) { return false; } if (context.contextNode.kind === 261 || context.contextNode.kind === 262) { return !isPropertySignature(context.currentTokenParent) || !!context.currentTokenParent.type || nextTokenKind !== 20; } if (isPropertyDeclaration(context.currentTokenParent)) { return !context.currentTokenParent.initializer; } return context.currentTokenParent.kind !== 245 && context.currentTokenParent.kind !== 239 && context.currentTokenParent.kind !== 237 && nextTokenKind !== 22 && nextTokenKind !== 20 && nextTokenKind !== 39 && nextTokenKind !== 40 && nextTokenKind !== 43 && nextTokenKind !== 13 && nextTokenKind !== 27 && nextTokenKind !== 225 && nextTokenKind !== 15 && nextTokenKind !== 14 && nextTokenKind !== 24; } 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().indexOf(".") !== -1; } var init_rules = __esm({ "src/services/formatting/rules.ts"() { "use strict"; init_ts4(); init_ts_formatting(); } }); function getFormatContext(options, host) { return { options, getRules: getRulesMap(), host }; } 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 <= 162 && column <= 162, "Must compute formatting context from tokens"); return row * mapRowLength + column; } 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; } var rulesMapCache, maskBitSize, mask, mapRowLength, RulesPosition; var init_rulesMap = __esm({ "src/services/formatting/rulesMap.ts"() { "use strict"; init_ts4(); init_ts_formatting(); maskBitSize = 5; mask = 31; mapRowLength = 162 + 1; 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 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 = { pos: getStartPositionOfLine(line - 1, sourceFile), end: endOfFormatSpan + 1 }; return formatSpan(span, sourceFile, formatContext, 2); } function formatOnSemicolon(position, sourceFile, formatContext) { const semicolon = findImmediatelyPrecedingTokenOfKind(position, 26, sourceFile); return formatNodeLines(findOutermostNodeWithinListLevel(semicolon), sourceFile, formatContext, 3); } function formatOnOpeningCurly(position, sourceFile, formatContext) { const openingCurly = findImmediatelyPrecedingTokenOfKind(position, 18, sourceFile); if (!openingCurly) { return []; } const curlyBraceRange = openingCurly.parent; const outermostNode = findOutermostNodeWithinListLevel(curlyBraceRange); const textRange = { pos: getLineStartPositionForPosition(outermostNode.getStart(sourceFile), sourceFile), end: position }; return formatSpan(textRange, sourceFile, formatContext, 4); } function formatOnClosingCurly(position, sourceFile, formatContext) { const precedingToken = findImmediatelyPrecedingTokenOfKind(position, 19, sourceFile); return formatNodeLines(findOutermostNodeWithinListLevel(precedingToken), sourceFile, formatContext, 5); } function formatDocument(sourceFile, formatContext) { const span = { pos: 0, end: sourceFile.text.length }; return formatSpan(span, sourceFile, formatContext, 0); } function formatSelection(start, end, sourceFile, formatContext) { const span = { pos: getLineStartPositionForPosition(start, sourceFile), end }; return formatSpan(span, sourceFile, formatContext, 1); } 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 260: case 261: return rangeContainsRange(parent2.members, node); case 264: const body = parent2.body; return !!body && body.kind === 265 && rangeContainsRange(body.statements, node); case 308: case 238: case 265: return rangeContainsRange(parent2.statements, node); case 295: 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 error = sorted[index]; if (r.end <= error.start) { return false; } if (startEndOverlapsWithStartEnd(r.pos, r.end, error.start, error.start + error.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, 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 _a2; 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); } if (!formattingScanner.isOnToken()) { const indentation = SmartIndenter.nodeWillIndentChild(options, enclosingNode, void 0, sourceFile, false) ? initialIndentation + options.indentSize : initialIndentation; const leadingTrivia = formattingScanner.getCurrentLeadingTrivia(); if (leadingTrivia) { indentTriviaItems(leadingTrivia, indentation, false, (item) => processRange(item, sourceFile.getLineAndCharacterOfPosition(item.pos), enclosingNode, enclosingNode, void 0)); if (options.trimTrailingWhitespace !== false) { trimTrailingWhitespacesForRemainingRange(leadingTrivia); } } } if (previousRange && formattingScanner.getStartPos() >= originalRange.end) { const tokenInfo = formattingScanner.isOnEOF() ? formattingScanner.readEOFTokenRange() : formattingScanner.isOnToken() ? formattingScanner.readTokenInfo(enclosingNode).token : void 0; if (tokenInfo && tokenInfo.pos === previousRangeTriviaEnd) { const parent2 = ((_a2 = findPrecedingToken(tokenInfo.end, sourceFile, enclosingNode)) == null ? void 0 : _a2.parent) || previousParent; processPair(tokenInfo, sourceFile.getLineAndCharacterOfPosition(tokenInfo.pos).line, parent2, previousRange, previousRangeStartLine, previousParent, parent2, 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 === 20 && 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 260: return 84; case 261: return 118; case 259: return 98; case 263: return 263; case 174: return 137; case 175: return 151; case 171: if (node.asteriskToken) { return 41; } case 169: case 166: const name = getNameOfDeclaration(node); if (name) { return name.kind; } } } function getDynamicIndentation(node, nodeStartLine, indentation, delta2) { return { getIndentationForComment: (kind, tokenIndentation, container) => { switch (kind) { case 19: case 23: case 21: return indentation + getDelta(container); } return tokenIndentation !== -1 ? tokenIndentation : indentation; }, 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 18: case 19: case 21: case 91: case 115: case 59: return false; case 43: case 31: switch (container.kind) { case 283: case 284: case 282: return false; } break; case 22: case 23: if (container.kind !== 197) { return false; } break; } return nodeStartLine !== line && !(hasDecorators(node) && kind === getFirstNonDecoratorTokenOfNode(node)); } function getDelta(child) { return SmartIndenter.nodeWillIndentChild(options, node, child, sourceFile, 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, -1, node, nodeDynamicIndentation, nodeStartLine, undecoratedNodeStartLine, false); }, (nodes) => { processChildNodes(nodes, node, nodeStartLine, nodeDynamicIndentation); }); while (formattingScanner.isOnToken() && formattingScanner.getStartPos() < 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.getStartPos() < 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.getStartPos() >= originalRange.end) { return inheritedIndentation; } if (isToken(child)) { const tokenInfo = formattingScanner.readTokenInfo(child); if (child.kind !== 11) { Debug.assert(tokenInfo.token.end === child.end, "Token end is child end"); consumeTokenAndAdvanceScanner(tokenInfo, node, parentDynamicIndentation, child); return inheritedIndentation; } } const effectiveParentStartLine = child.kind === 167 ? 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 === 206 && 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.getStartPos() < 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, true, i === 0); } const listEndToken = getCloseTokenForOpenToken(listStartToken); if (listEndToken !== 0 && formattingScanner.isOnToken() && formattingScanner.getStartPos() < originalRange.end) { let tokenInfo = formattingScanner.readTokenInfo(parent2); if (tokenInfo.token.kind === 27) { 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, 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, false)); } if (tokenIndentation !== -1 && indentNextTokenOrTrivia) { insertIndentation(currentTokenInfo.token.pos, tokenIndentation, lineAction === 1); 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, !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(false, contextNode); } break; case 1: if (currentParent.getStart(sourceFile) === currentItem.pos) { dynamicIndentation.recomputeIndentation(true, contextNode); } break; default: Debug.assert(lineAction === 0); } } 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, 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) || position === range.end && (range.kind === 2 || position === sourceFile.getFullWidth())); } function getOpenTokenForList(node, list) { switch (node.kind) { case 173: case 259: case 215: case 171: case 170: case 216: case 176: case 177: case 181: case 182: case 174: case 175: if (node.typeParameters === list) { return 29; } else if (node.parameters === list) { return 20; } break; case 210: case 211: if (node.typeArguments === list) { return 29; } else if (node.arguments === list) { return 20; } break; case 260: case 228: case 261: case 262: if (node.typeParameters === list) { return 29; } break; case 180: case 212: case 183: case 230: case 202: if (node.typeArguments === list) { return 29; } break; case 184: return 18; } return 0; } function getCloseTokenForOpenToken(kind) { switch (kind) { case 20: return 21; case 29: return 31; case 18: return 19; } return 0; } 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 internedSizes, internedTabsIndentation, internedSpacesIndentation; var init_formatting = __esm({ "src/services/formatting/formatting.ts"() { "use strict"; init_ts4(); init_ts_formatting(); } }); var SmartIndenter; var init_smartIndenter = __esm({ "src/services/formatting/smartIndenter.ts"() { "use strict"; init_ts4(); init_ts_formatting(); ((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, void 0, 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 === 18 && currentToken.parent.kind === 207; if (options.indentStyle === 1 || isObjectLiteral) { return getBlockIndent(sourceFile, position, options); } if (precedingToken.kind === 27 && precedingToken.parent.kind !== 223) { 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 = [215, 216].indexOf(currentToken.parent.kind) !== -1; 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, 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, void 0, indentationDelta, sourceFile, true, options); } const actualIndentation = getActualIndentationForListItem(current, sourceFile, options, 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, 0, sourceFile, 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 _a2; 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 = (_a2 = getContainingList(current, sourceFile)) == null ? void 0 : _a2[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 === 308 || !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 === 18) { return 1; } else if (nextToken.kind === 19) { 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 (!(isCallExpression(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 === 242 && parent2.elseStatement === child) { const elseKeyword = findChildOfKind(parent2, 91, 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 (isCallOrNewExpression(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 180: return getList(node.typeArguments); case 207: return getList(node.properties); case 206: return getList(node.elements); case 184: return getList(node.members); case 259: case 215: case 216: case 171: case 170: case 176: case 173: case 182: case 177: return getList(node.typeParameters) || getList(node.parameters); case 174: return getList(node.parameters); case 260: case 228: case 261: case 262: case 348: return getList(node.typeParameters); case 211: case 210: return getList(node.typeArguments) || getList(node.arguments); case 258: return getList(node.declarations); case 272: case 276: return getList(node.elements); case 203: case 204: 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 === 258) { 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 === 27) { 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 241: case 260: case 228: case 261: case 263: case 262: case 206: case 238: case 265: case 207: case 184: case 197: case 186: case 266: case 293: case 292: case 214: case 208: case 210: case 211: case 240: case 274: case 250: case 224: case 204: case 203: case 283: case 286: case 282: case 291: case 170: case 176: case 177: case 166: case 181: case 182: case 193: case 212: case 220: case 276: case 272: case 278: case 273: case 169: return true; case 257: case 299: case 223: if (!settings.indentMultiLineObjectLiteralBeginningOnBlankLine && sourceFile && childKind === 207) { return rangeIsOnOneLine(sourceFile, child); } if (parent2.kind === 223 && sourceFile && child && childKind === 281) { 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 !== 223) { return true; } break; case 243: case 244: case 246: case 247: case 245: case 242: case 259: case 215: case 171: case 173: case 174: case 175: return childKind !== 238; case 216: if (sourceFile && childKind === 214) { return rangeIsOnOneLine(sourceFile, child); } return childKind !== 238; case 275: return childKind !== 276; case 269: return childKind !== 270 || !!child.namedBindings && child.namedBindings.kind !== 272; case 281: return childKind !== 284; case 285: return childKind !== 287; case 190: case 189: if (childKind === 184 || childKind === 186) { return false; } break; } return indentByDefault; } SmartIndenter2.nodeWillIndentChild = nodeWillIndentChild; function isControlFlowEndingStatement(kind, parent2) { switch (kind) { case 250: case 254: case 248: case 249: return parent2.kind !== 238; default: return false; } } function shouldIndentChildNode(settings, parent2, child, sourceFile, isNextChild = false) { return nodeWillIndentChild(settings, parent2, child, sourceFile, 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_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 init_ts_formatting = __esm({ "src/services/_namespaces/ts.formatting.ts"() { "use strict"; init_formattingContext(); init_formattingScanner(); init_rule(); init_rules(); init_rulesMap(); init_formatting(); init_smartIndenter(); } }); var init_ts4 = __esm({ "src/services/_namespaces/ts.ts"() { "use strict"; init_ts2(); init_ts3(); init_types3(); init_utilities4(); init_exportInfoMap(); init_classifier(); init_documentHighlights(); init_documentRegistry(); init_getEditsForFileRename(); init_patternMatcher(); init_preProcess(); init_sourcemaps(); init_suggestionDiagnostics(); init_transpile(); init_services(); init_transform(); init_shims(); init_ts_BreakpointResolver(); init_ts_CallHierarchy(); init_ts_classifier(); init_ts_codefix(); init_ts_Completions(); init_ts_FindAllReferences(); init_ts_GoToDefinition(); init_ts_InlayHints(); init_ts_JsDoc(); init_ts_NavigateTo(); init_ts_NavigationBar(); init_ts_OrganizeImports(); init_ts_OutliningElementsCollector(); init_ts_refactor(); init_ts_Rename(); init_ts_SignatureHelp(); init_ts_SmartSelectionRange(); init_ts_SymbolDisplay(); init_ts_textChanges(); init_ts_formatting(); } }); function getTypeScriptVersion() { return typeScriptVersion2 != null ? typeScriptVersion2 : typeScriptVersion2 = new Version(version); } function formatDeprecationMessage(name, error, errorAfter, since, message) { let deprecationMessage = error ? "DeprecationError: " : "DeprecationWarning: "; deprecationMessage += `"${name}" `; deprecationMessage += since ? `has been deprecated since v${since}` : "is deprecated"; deprecationMessage += error ? " and can no longer be used." : errorAfter ? ` and will no longer be usable after v${errorAfter}.` : "."; deprecationMessage += message ? ` ${formatStringFromArgs(message, [name], 0)}` : ""; return deprecationMessage; } function createErrorDeprecation(name, errorAfter, since, message) { const deprecationMessage = formatDeprecationMessage(name, 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, false, errorAfter, since, message)); hasWrittenDeprecation = true; } }; } function createDeprecation(name, options = {}) { var _a2, _b; const version2 = typeof options.typeScriptVersion === "string" ? new Version(options.typeScriptVersion) : (_a2 = options.typeScriptVersion) != null ? _a2 : 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) : (_b = options.since) != null ? _b : warnAfter; const error = options.error || errorAfter && version2.compareTo(errorAfter) >= 0; const warn = !warnAfter || version2.compareTo(warnAfter) >= 0; return error ? createErrorDeprecation(name, errorAfter, since, options.message) : warn ? createWarningDeprecation(name, errorAfter, since, options.message) : noop; } function wrapFunction(deprecation, func) { return function() { deprecation(); return func.apply(this, arguments); }; } function deprecate(func, options) { var _a2; const deprecation = createDeprecation((_a2 = options == null ? void 0 : options.name) != null ? _a2 : Debug.getFunctionName(func), options); return wrapFunction(deprecation, func); } var enableDeprecationWarnings, typeScriptVersion2; var init_deprecate = __esm({ "src/deprecatedCompat/deprecate.ts"() { "use strict"; init_ts5(); enableDeprecationWarnings = true; } }); 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 init_deprecations = __esm({ "src/deprecatedCompat/deprecations.ts"() { "use strict"; init_ts5(); init_deprecate(); } }); var init_identifierProperties = __esm({ "src/deprecatedCompat/5.0/identifierProperties.ts"() { "use strict"; init_ts5(); init_deprecate(); addObjectAllocatorPatcher((objectAllocator2) => { const Identifier73 = objectAllocator2.getIdentifierConstructor(); if (!hasProperty(Identifier73.prototype, "originalKeywordKind")) { Object.defineProperty(Identifier73.prototype, "originalKeywordKind", { get: deprecate(function() { return identifierToKeywordKind(this); }, { name: "originalKeywordKind", since: "5.0", warnAfter: "5.1", errorAfter: "5.2", message: "Use "identifierToKeywordKind(identifier)" instead." }) }); } if (!hasProperty(Identifier73.prototype, "isInJSDocNamespace")) { Object.defineProperty(Identifier73.prototype, "isInJSDocNamespace", { get: deprecate(function() { return this.flags & 2048 ? true : void 0; }, { name: "isInJSDocNamespace", since: "5.0", warnAfter: "5.1", errorAfter: "5.2", message: "Use ".parent" or the surrounding context to determine this instead." }) }); } }); } }); var init_ts5 = __esm({ "src/deprecatedCompat/_namespaces/ts.ts"() { "use strict"; init_ts2(); init_deprecations(); init_identifierProperties(); } }); var ts_exports3 = {}; __export2(ts_exports3, { ANONYMOUS: () => ANONYMOUS, AccessFlags: () => AccessFlags, AssertionLevel: () => AssertionLevel, AssignmentDeclarationKind: () => AssignmentDeclarationKind, AssignmentKind: () => AssignmentKind, Associativity: () => Associativity, BreakpointResolver: () => ts_BreakpointResolver_exports, BuilderFileEmit: () => BuilderFileEmit, BuilderProgramKind: () => BuilderProgramKind, BuilderState: () => BuilderState, BundleFileSectionKind: () => BundleFileSectionKind, 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, ConfigFileProgramReloadLevel: () => ConfigFileProgramReloadLevel, ContextFlags: () => ContextFlags, CoreServicesShimHostAdapter: () => CoreServicesShimHostAdapter, Debug: () => Debug, DiagnosticCategory: () => DiagnosticCategory, Diagnostics: () => Diagnostics, DocumentHighlights: () => DocumentHighlights, ElementFlags: () => ElementFlags, EmitFlags: () => EmitFlags, EmitHint: () => EmitHint, EmitOnly: () => EmitOnly, EndOfLineState: () => EndOfLineState2, EnumKind: () => EnumKind, 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, ImportKind: () => ImportKind, ImportsNotUsedAsValues: () => ImportsNotUsedAsValues, IndentStyle: () => IndentStyle2, IndexKind: () => IndexKind, InferenceFlags: () => InferenceFlags, InferencePriority: () => InferencePriority, InlayHintKind: () => InlayHintKind, InlayHints: () => ts_InlayHints_exports, InternalEmitFlags: () => InternalEmitFlags, InternalSymbolName: () => InternalSymbolName, InvalidatedProjectKind: () => InvalidatedProjectKind, JsDoc: () => ts_JsDoc_exports, JsTyping: () => ts_JsTyping_exports, JsxEmit: () => JsxEmit, JsxFlags: () => JsxFlags, JsxReferenceKind: () => JsxReferenceKind, LanguageServiceMode: () => LanguageServiceMode, LanguageServiceShimHostAdapter: () => LanguageServiceShimHostAdapter, LanguageVariant: () => LanguageVariant, LexicalEnvironmentFlags: () => LexicalEnvironmentFlags, ListFormat: () => ListFormat, LogLevel: () => LogLevel, 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, QuotePreference: () => QuotePreference, RelationComparisonResult: () => RelationComparisonResult, Rename: () => ts_Rename_exports, ScriptElementKind: () => ScriptElementKind, ScriptElementKindModifier: () => ScriptElementKindModifier, ScriptKind: () => ScriptKind2, ScriptSnapshot: () => ScriptSnapshot, ScriptTarget: () => ScriptTarget2, SemanticClassificationFormat: () => SemanticClassificationFormat, SemanticMeaning: () => SemanticMeaning, SemicolonPreference: () => SemicolonPreference, SignatureCheckMode: () => SignatureCheckMode, SignatureFlags: () => SignatureFlags, SignatureHelp: () => ts_SignatureHelp_exports, SignatureKind: () => SignatureKind, SmartSelectionRange: () => ts_SmartSelectionRange_exports, SnippetKind: () => SnippetKind, SortKind: () => SortKind, StructureIsReused: () => StructureIsReused, SymbolAccessibility: () => SymbolAccessibility, SymbolDisplay: () => ts_SymbolDisplay_exports, SymbolDisplayPartKind: () => SymbolDisplayPartKind, SymbolFlags: () => SymbolFlags, SymbolFormatFlags: () => SymbolFormatFlags, SyntaxKind: () => SyntaxKind, SyntheticSymbolKind: () => SyntheticSymbolKind, Ternary: () => Ternary, ThrottledCancellationToken: () => ThrottledCancellationToken, TokenClass: () => TokenClass2, TokenFlags: () => TokenFlags, TransformFlags: () => TransformFlags, TypeFacts: () => TypeFacts, TypeFlags: () => TypeFlags, TypeFormatFlags: () => TypeFormatFlags, TypeMapKind: () => TypeMapKind, TypePredicateKind: () => TypePredicateKind, TypeReferenceSerializationKind: () => TypeReferenceSerializationKind, TypeScriptServicesFactory: () => TypeScriptServicesFactory, UnionReduction: () => UnionReduction, UpToDateStatusType: () => UpToDateStatusType, VarianceFlags: () => VarianceFlags, Version: () => Version, VersionRange: () => VersionRange, WatchDirectoryFlags: () => WatchDirectoryFlags, WatchDirectoryKind: () => WatchDirectoryKind, WatchFileKind: () => WatchFileKind, WatchLogLevel: () => WatchLogLevel, WatchType: () => WatchType, accessPrivateIdentifier: () => accessPrivateIdentifier, 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, canJsonReportNoInputFiles: () => canJsonReportNoInputFiles, canProduceDiagnostics: () => canProduceDiagnostics, canUsePropertyAccess: () => canUsePropertyAccess, canWatchDirectoryOrFile: () => canWatchDirectoryOrFile, cartesianProduct: () => cartesianProduct, cast: () => cast, chainBundle: () => chainBundle, chainDiagnosticMessages: () => chainDiagnosticMessages, changeAnyExtension: () => changeAnyExtension, changeCompilerHostLikeToUseCache: () => changeCompilerHostLikeToUseCache, changeExtension: () => changeExtension, changesAffectModuleResolution: () => changesAffectModuleResolution, changesAffectingProgramStructure: () => changesAffectingProgramStructure, childIsDecorated: () => childIsDecorated, classElementOrClassElementParameterIsDecorated: () => classElementOrClassElementParameterIsDecorated, 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, 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, concatenate: () => concatenate, concatenateDiagnosticMessageChains: () => concatenateDiagnosticMessageChains, consumesNodeCoreModules: () => consumesNodeCoreModules, contains: () => contains, containsIgnoredPath: () => containsIgnoredPath, containsObjectRestOrSpread: () => containsObjectRestOrSpread, containsParseError: () => containsParseError, containsPath: () => containsPath, convertCompilerOptionsForTelemetry: () => convertCompilerOptionsForTelemetry, convertCompilerOptionsFromJson: () => convertCompilerOptionsFromJson, convertJsonOption: () => convertJsonOption, convertToBase64: () => convertToBase64, convertToObject: () => convertToObject, convertToObjectWorker: () => convertToObjectWorker, 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, createClassifier: () => createClassifier2, 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, createExpressionForJsxElement: () => createExpressionForJsxElement, createExpressionForJsxFragment: () => createExpressionForJsxFragment, createExpressionForObjectLiteralElementLike: () => createExpressionForObjectLiteralElementLike, createExpressionForPropertyName: () => createExpressionForPropertyName, createExpressionFromEntityName: () => createExpressionFromEntityName, createExternalHelpersImportDeclarationIfNeeded: () => createExternalHelpersImportDeclarationIfNeeded, createFileDiagnostic: () => createFileDiagnostic, createFileDiagnosticFromMessageChain: () => createFileDiagnosticFromMessageChain, createForOfBindingStatement: () => createForOfBindingStatement, createGetCanonicalFileName: () => createGetCanonicalFileName, createGetSourceFile: () => createGetSourceFile, createGetSymbolAccessibilityDiagnosticForNode: () => createGetSymbolAccessibilityDiagnosticForNode, createGetSymbolAccessibilityDiagnosticForNodeName: () => createGetSymbolAccessibilityDiagnosticForNodeName, createGetSymbolWalker: () => createGetSymbolWalker, createIncrementalCompilerHost: () => createIncrementalCompilerHost, createIncrementalProgram: () => createIncrementalProgram, createInputFiles: () => createInputFiles, createInputFilesWithFilePaths: () => createInputFilesWithFilePaths, createInputFilesWithFileTexts: () => createInputFilesWithFileTexts, createJsxFactoryExpression: () => createJsxFactoryExpression, createLanguageService: () => createLanguageService2, createLanguageServiceSourceFile: () => createLanguageServiceSourceFile, createMemberAccessForPropertyName: () => createMemberAccessForPropertyName, createModeAwareCache: () => createModeAwareCache, createModeAwareCacheKey: () => createModeAwareCacheKey, createModuleResolutionCache: () => createModuleResolutionCache, createModuleResolutionLoader: () => createModuleResolutionLoader, createModuleSpecifierResolutionHost: () => createModuleSpecifierResolutionHost, createMultiMap: () => createMultiMap, createNodeConverters: () => createNodeConverters, createNodeFactory: () => createNodeFactory, createOptionNameMap: () => createOptionNameMap, createOverload: () => createOverload, createPackageJsonImportFilter: () => createPackageJsonImportFilter, createPackageJsonInfo: () => createPackageJsonInfo, createParenthesizerRules: () => createParenthesizerRules, createPatternMatcher: () => createPatternMatcher, createPrependNodes: () => createPrependNodes, 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, 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, createUnderscoreEscapedMultiMap: () => createUnderscoreEscapedMultiMap, createUnparsedSourceFile: () => createUnparsedSourceFile, 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, detectSortCaseSensitivity: () => detectSortCaseSensitivity, diagnosticCategoryName: () => diagnosticCategoryName, diagnosticToString: () => diagnosticToString, directoryProbablyExists: () => directoryProbablyExists, directorySeparator: () => directorySeparator, displayPart: () => displayPart, displayPartsToString: () => displayPartsToString2, disposeEmitNodes: () => disposeEmitNodes, 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, emitSkippedWithNoDiagnostics: () => emitSkippedWithNoDiagnostics, emitUsingBuildInfo: () => emitUsingBuildInfo, 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: () => escapeString, every: () => every, expandPreOrPostfixIncrementOrDecrementExpression: () => expandPreOrPostfixIncrementOrDecrementExpression, explainFiles: () => explainFiles, explainIfFileIsRedirectAndImpliedFormat: () => explainIfFileIsRedirectAndImpliedFormat, exportAssignmentIsAlias: () => exportAssignmentIsAlias, exportStarHelper: () => exportStarHelper, expressionResultIsUnused: () => expressionResultIsUnused, extend: () => extend, extendsHelper: () => extendsHelper, extensionFromPath: () => extensionFromPath, extensionIsTS: () => extensionIsTS, externalHelpersModuleNameText: () => externalHelpersModuleNameText, factory: () => factory, fileExtensionIs: () => fileExtensionIs, fileExtensionIsOneOf: () => fileExtensionIsOneOf, fileIncludeReasonToDiagnostics: () => fileIncludeReasonToDiagnostics, filter: () => filter, filterMutate: () => filterMutate, filterSemanticDiagnostics: () => filterSemanticDiagnostics, find: () => find, findAncestor: () => findAncestor, findBestPatternMatch: () => findBestPatternMatch, findChildOfKind: () => findChildOfKind, findComputedPropertyNameCacheAssignment: () => findComputedPropertyNameCacheAssignment, findConfigFile: () => findConfigFile, 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, findSuperStatementIndex: () => findSuperStatementIndex, 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: () => flattenDiagnosticMessageText2, 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, forEachResolvedProjectReference: () => forEachResolvedProjectReference, forEachReturnStatement: () => forEachReturnStatement, forEachRight: () => forEachRight, forEachTrailingCommentRange: () => forEachTrailingCommentRange, 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, getAllUnscopedEmitHelpers: () => getAllUnscopedEmitHelpers, getAllowJSCompilerOption: () => getAllowJSCompilerOption, getAllowSyntheticDefaultImports: () => getAllowSyntheticDefaultImports, getAncestor: () => getAncestor, getAnyExtensionFromPath: () => getAnyExtensionFromPath, getAreDeclarationMapsEnabled: () => getAreDeclarationMapsEnabled, getAssignedExpandoInitializer: () => getAssignedExpandoInitializer, getAssignedName: () => getAssignedName, getAssignmentDeclarationKind: () => getAssignmentDeclarationKind, getAssignmentDeclarationPropertyAccessKind: () => getAssignmentDeclarationPropertyAccessKind, getAssignmentTargetKind: () => getAssignmentTargetKind, getAutomaticTypeDirectiveNames: () => getAutomaticTypeDirectiveNames, getBaseFileName: () => getBaseFileName, getBinaryOperatorPrecedence: () => getBinaryOperatorPrecedence, getBuildInfo: () => getBuildInfo, getBuildInfoFileVersionMap: () => getBuildInfoFileVersionMap, getBuildInfoText: () => getBuildInfoText, getBuildOrderFromAnyBuildOrder: () => getBuildOrderFromAnyBuildOrder, getBuilderCreationParameters: () => getBuilderCreationParameters, getBuilderFileEmit: () => getBuilderFileEmit, 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, getContainerNode: () => getContainerNode, getContainingClass: () => getContainingClass, 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, getDeclarationFromName: () => getDeclarationFromName, getDeclarationModifierFlagsFromSymbol: () => getDeclarationModifierFlagsFromSymbol, getDeclarationOfKind: () => getDeclarationOfKind, getDeclarationsOfKind: () => getDeclarationsOfKind, getDeclaredExpandoInitializer: () => getDeclaredExpandoInitializer, getDecorators: () => getDecorators, getDefaultCompilerOptions: () => getDefaultCompilerOptions2, getDefaultExportInfoWorker: () => getDefaultExportInfoWorker, getDefaultFormatCodeSettings: () => getDefaultFormatCodeSettings, getDefaultLibFileName: () => getDefaultLibFileName, getDefaultLibFilePath: () => getDefaultLibFilePath, getDefaultLikeExportInfo: () => getDefaultLikeExportInfo, getDiagnosticText: () => getDiagnosticText, getDiagnosticsWithinSpan: () => getDiagnosticsWithinSpan, getDirectoryPath: () => getDirectoryPath, getDocumentPositionMapper: () => getDocumentPositionMapper, 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, getEnclosingBlockScopeContainer: () => getEnclosingBlockScopeContainer, getEncodedSemanticClassifications: () => getEncodedSemanticClassifications, getEncodedSyntacticClassifications: () => getEncodedSyntacticClassifications, getEndLinePosition: () => getEndLinePosition, getEntityNameFromTypeNode: () => getEntityNameFromTypeNode, getEntrypointsFromPackageJsonInfo: () => getEntrypointsFromPackageJsonInfo, getErrorCountForSummary: () => getErrorCountForSummary, getErrorSpanForNode: () => getErrorSpanForNode, getErrorSummaryText: () => getErrorSummaryText, getEscapedTextOfIdentifierOrLiteral: () => getEscapedTextOfIdentifierOrLiteral, 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: () => getIndentString, 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, 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, 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, getNameFromIndexInfo: () => getNameFromIndexInfo, getNameFromPropertyName: () => getNameFromPropertyName, getNameOfAccessExpression: () => getNameOfAccessExpression, getNameOfCompilerOptionValue: () => getNameOfCompilerOptionValue, getNameOfDeclaration: () => getNameOfDeclaration, getNameOfExpando: () => getNameOfExpando, getNameOfJSDocTypedef: () => getNameOfJSDocTypedef, getNameOrArgument: () => getNameOrArgument, getNameTable: () => getNameTable, getNamesForExportedSymbol: () => getNamesForExportedSymbol, getNamespaceDeclarationNode: () => getNamespaceDeclarationNode, getNewLineCharacter: () => getNewLineCharacter, getNewLineKind: () => getNewLineKind, getNewLineOrDefaultFromHost: () => getNewLineOrDefaultFromHost, getNewTargetContainer: () => getNewTargetContainer, getNextJSDocCommentLocation: () => getNextJSDocCommentLocation, 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, getOptionsNameMap: () => getOptionsNameMap, getOrCreateEmitNode: () => getOrCreateEmitNode, getOrCreateExternalHelpersModuleNameIfNeeded: () => getOrCreateExternalHelpersModuleNameIfNeeded, getOrUpdate: () => getOrUpdate, getOriginalNode: () => getOriginalNode, getOriginalNodeId: () => getOriginalNodeId, getOriginalSourceFile: () => getOriginalSourceFile, getOutputDeclarationFileName: () => getOutputDeclarationFileName, getOutputExtension: () => getOutputExtension, getOutputFileNames: () => getOutputFileNames, 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, getPropertyAssignment: () => getPropertyAssignment, getPropertyAssignmentAliasLikeExpression: () => getPropertyAssignmentAliasLikeExpression, getPropertyNameForPropertyNameNode: () => getPropertyNameForPropertyNameNode, getPropertyNameForUniqueESSymbol: () => getPropertyNameForUniqueESSymbol, 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, getResolutionModeOverrideForClause: () => getResolutionModeOverrideForClause, getResolveJsonModule: () => getResolveJsonModule, getResolvePackageJsonExports: () => getResolvePackageJsonExports, getResolvePackageJsonImports: () => getResolvePackageJsonImports, getResolvedExternalModuleName: () => getResolvedExternalModuleName, getResolvedModule: () => getResolvedModule, getResolvedTypeReferenceDirective: () => getResolvedTypeReferenceDirective, getRestIndicatorOfBindingOrAssignmentElement: () => getRestIndicatorOfBindingOrAssignmentElement, getRestParameterElementType: () => getRestParameterElementType, getRightMostAssignedExpression: () => getRightMostAssignedExpression, getRootDeclaration: () => getRootDeclaration, getRootLength: () => getRootLength, 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, getSuperCallFromStatement: () => getSuperCallFromStatement, getSuperContainer: () => getSuperContainer, getSupportedCodeFixes: () => getSupportedCodeFixes, getSupportedExtensions: () => getSupportedExtensions, getSupportedExtensionsWithJsonIfResolveJsonModule: () => getSupportedExtensionsWithJsonIfResolveJsonModule, getSwitchedType: () => getSwitchedType, getSymbolId: () => getSymbolId, getSymbolNameForPrivateIdentifier: () => getSymbolNameForPrivateIdentifier, 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, 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, getTsConfigPropArray: () => getTsConfigPropArray, 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, 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, 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, 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: () => identity, identitySourceMapConsumer: () => identitySourceMapConsumer, ignoreSourceNewlines: () => ignoreSourceNewlines, ignoredPaths: () => ignoredPaths, importDefaultHelper: () => importDefaultHelper, importFromModuleSpecifier: () => importFromModuleSpecifier, importNameElisionDisabled: () => importNameElisionDisabled, importStarHelper: () => importStarHelper, indexOfAnyCharCode: () => indexOfAnyCharCode, indexOfNode: () => indexOfNode, indicesOf: () => indicesOf, inferredTypesContainingFile: () => inferredTypesContainingFile, insertImports: () => insertImports, insertLeadingStatement: () => insertLeadingStatement, insertSorted: () => insertSorted, insertStatementAfterCustomPrologue: () => insertStatementAfterCustomPrologue, insertStatementAfterStandardPrologue: () => insertStatementAfterStandardPrologue, insertStatementsAfterCustomPrologue: () => insertStatementsAfterCustomPrologue, insertStatementsAfterStandardPrologue: () => insertStatementsAfterStandardPrologue, intersperse: () => intersperse, 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, isAnyImportSyntax: () => isAnyImportSyntax, isAnySupportedFileExtension: () => isAnySupportedFileExtension, isApplicableVersionedTypesKey: () => isApplicableVersionedTypesKey, isArgumentExpressionOfElementAccess: () => isArgumentExpressionOfElementAccess, isArray: () => isArray, isArrayBindingElement: () => isArrayBindingElement, isArrayBindingOrAssignmentElement: () => isArrayBindingOrAssignmentElement, isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern, isArrayBindingPattern: () => isArrayBindingPattern, isArrayLiteralExpression: () => isArrayLiteralExpression, isArrayLiteralOrObjectLiteralDestructuringPattern: () => isArrayLiteralOrObjectLiteralDestructuringPattern, isArrayTypeNode: () => isArrayTypeNode, isArrowFunction: () => isArrowFunction, isAsExpression: () => isAsExpression, isAssertClause: () => isAssertClause, isAssertEntry: () => isAssertEntry, isAssertionExpression: () => isAssertionExpression, isAssertionKey: () => isAssertionKey, isAssertsKeyword: () => isAssertsKeyword, isAssignmentDeclaration: () => isAssignmentDeclaration, isAssignmentExpression: () => isAssignmentExpression, isAssignmentOperator: () => isAssignmentOperator, isAssignmentPattern: () => isAssignmentPattern, isAssignmentTarget: () => isAssignmentTarget, isAsteriskToken: () => isAsteriskToken, isAsyncFunction: () => isAsyncFunction, isAsyncModifier: () => isAsyncModifier, isAutoAccessorPropertyDeclaration: () => isAutoAccessorPropertyDeclaration, isAwaitExpression: () => isAwaitExpression, isAwaitKeyword: () => isAwaitKeyword, isBigIntLiteral: () => isBigIntLiteral, 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, isBlockOrCatchScoped: () => isBlockOrCatchScoped, isBlockScope: () => isBlockScope, isBlockScopedContainerTopLevel: () => isBlockScopedContainerTopLevel, isBooleanLiteral: () => isBooleanLiteral, isBreakOrContinueStatement: () => isBreakOrContinueStatement, isBreakStatement: () => isBreakStatement, isBuildInfoFile: () => isBuildInfoFile, isBuilderProgram: () => isBuilderProgram2, isBundle: () => isBundle, isBundleFileTextLike: () => isBundleFileTextLike, isCallChain: () => isCallChain, isCallExpression: () => isCallExpression, isCallExpressionTarget: () => isCallExpressionTarget, isCallLikeExpression: () => isCallLikeExpression, isCallOrNewExpression: () => isCallOrNewExpression, 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, isClassLike: () => isClassLike, isClassMemberModifier: () => isClassMemberModifier, isClassOrTypeElement: () => isClassOrTypeElement, isClassStaticBlockDeclaration: () => isClassStaticBlockDeclaration, isCollapsedRange: () => isCollapsedRange, isColonToken: () => isColonToken, isCommaExpression: () => isCommaExpression, isCommaListExpression: () => isCommaListExpression, isCommaSequence: () => isCommaSequence, isCommaToken: () => isCommaToken, isComment: () => isComment, isCommonJsExportPropertyAssignment: () => isCommonJsExportPropertyAssignment, isCommonJsExportedExpression: () => isCommonJsExportedExpression, isCompoundAssignment: () => isCompoundAssignment, isComputedNonLiteralName: () => isComputedNonLiteralName, isComputedPropertyName: () => isComputedPropertyName, isConciseBody: () => isConciseBody, isConditionalExpression: () => isConditionalExpression, isConditionalTypeNode: () => isConditionalTypeNode, 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, 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: () => isEmptyStringLiteral, isEndOfDeclarationMarker: () => isEndOfDeclarationMarker, isEntityName: () => isEntityName, isEntityNameExpression: () => isEntityNameExpression, isEnumConst: () => isEnumConst, isEnumDeclaration: () => isEnumDeclaration, isEnumMember: () => isEnumMember, isEqualityOperatorKind: () => isEqualityOperatorKind, isEqualsGreaterThanToken: () => isEqualsGreaterThanToken, isExclamationToken: () => isExclamationToken, isExcludedFile: () => isExcludedFile, isExclusivelyTypeOnlyImportOrExport: () => isExclusivelyTypeOnlyImportOrExport, 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: () => isExpressionStatement, isExpressionWithTypeArguments: () => isExpressionWithTypeArguments, isExpressionWithTypeArgumentsInClassExtendsClause: () => isExpressionWithTypeArgumentsInClassExtendsClause, isExternalModule: () => isExternalModule, isExternalModuleAugmentation: () => isExternalModuleAugmentation, isExternalModuleImportEqualsDeclaration: () => isExternalModuleImportEqualsDeclaration, isExternalModuleIndicator: () => isExternalModuleIndicator, isExternalModuleNameRelative: () => isExternalModuleNameRelative, isExternalModuleReference: () => isExternalModuleReference, isExternalModuleSymbol: () => isExternalModuleSymbol, isExternalOrCommonJsModule: () => isExternalOrCommonJsModule, isFileLevelUniqueName: () => isFileLevelUniqueName, isFileProbablyExternalModule: () => isFileProbablyExternalModule, isFirstDeclarationOfSymbolParameter: () => isFirstDeclarationOfSymbolParameter, isFixablePromiseHandler: () => isFixablePromiseHandler, isForInOrOfStatement: () => isForInOrOfStatement, isForInStatement: () => isForInStatement, isForInitializer: () => isForInitializer, isForOfStatement: () => isForOfStatement, isForStatement: () => isForStatement, 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, isGrammarError: () => isGrammarError, isHeritageClause: () => isHeritageClause, isHoistedFunction: () => isHoistedFunction, isHoistedVariableStatement: () => isHoistedVariableStatement, isIdentifier: () => isIdentifier, isIdentifierANonContextualKeyword: () => isIdentifierANonContextualKeyword, isIdentifierName: () => isIdentifierName, isIdentifierOrThisTypeNode: () => isIdentifierOrThisTypeNode, isIdentifierPart: () => isIdentifierPart, isIdentifierStart: () => isIdentifierStart, isIdentifierText: () => isIdentifierText, isIdentifierTypePredicate: () => isIdentifierTypePredicate, isIdentifierTypeReference: () => isIdentifierTypeReference, isIfStatement: () => isIfStatement, isIgnoredFileFromWildCardWatching: () => isIgnoredFileFromWildCardWatching, isImplicitGlob: () => isImplicitGlob, 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, isInExpressionContext: () => isInExpressionContext, isInJSDoc: () => isInJSDoc, isInJSFile: () => isInJSFile, isInJSXText: () => isInJSXText, isInJsonFile: () => isInJsonFile, isInNonReferenceComment: () => isInNonReferenceComment, isInReferenceComment: () => isInReferenceComment, isInRightSideOfInternalImportEqualsDeclaration: () => isInRightSideOfInternalImportEqualsDeclaration, isInString: () => isInString, isInTemplateString: () => isInTemplateString, isInTopLevelContext: () => isInTopLevelContext, isIncrementalCompilation: () => isIncrementalCompilation, isIndexSignatureDeclaration: () => isIndexSignatureDeclaration, isIndexedAccessTypeNode: () => isIndexedAccessTypeNode, isInferTypeNode: () => isInferTypeNode, isInfinityOrNaNString: () => isInfinityOrNaNString, isInitializedProperty: () => isInitializedProperty, isInitializedVariable: () => isInitializedVariable, isInsideJsxElement: () => isInsideJsxElement, isInsideJsxElementOrAttribute: () => isInsideJsxElementOrAttribute, isInsideNodeModules: () => isInsideNodeModules, isInsideTemplateLiteral: () => isInsideTemplateLiteral, 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, 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, isJsxAttributes: () => isJsxAttributes, isJsxChild: () => isJsxChild, isJsxClosingElement: () => isJsxClosingElement, isJsxClosingFragment: () => isJsxClosingFragment, isJsxElement: () => isJsxElement, isJsxExpression: () => isJsxExpression, isJsxFragment: () => isJsxFragment, isJsxOpeningElement: () => isJsxOpeningElement, isJsxOpeningFragment: () => isJsxOpeningFragment, isJsxOpeningLikeElement: () => isJsxOpeningLikeElement, isJsxOpeningLikeElementTagName: () => isJsxOpeningLikeElementTagName, isJsxSelfClosingElement: () => isJsxSelfClosingElement, isJsxSpreadAttribute: () => isJsxSpreadAttribute, isJsxTagNameExpression: () => isJsxTagNameExpression, isJsxText: () => isJsxText, isJumpStatementTarget: () => isJumpStatementTarget, isKeyword: () => isKeyword, 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, isMergeDeclarationMarker: () => isMergeDeclarationMarker, isMetaProperty: () => isMetaProperty, isMethodDeclaration: () => isMethodDeclaration, isMethodOrAccessor: () => isMethodOrAccessor, isMethodSignature: () => isMethodSignature, isMinusToken: () => isMinusToken, isMissingDeclaration: () => isMissingDeclaration, 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: () => isNewExpression, isNewExpressionTarget: () => isNewExpressionTarget, isNightly: () => isNightly, isNoSubstitutionTemplateLiteral: () => isNoSubstitutionTemplateLiteral, isNode: () => isNode, 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: () => isNumber, 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, isPackedArrayLiteral: () => isPackedArrayLiteral, isParameter: () => isParameter, isParameterDeclaration: () => isParameterDeclaration, isParameterOrCatchClauseVariable: () => isParameterOrCatchClauseVariable, isParameterPropertyDeclaration: () => isParameterPropertyDeclaration, isParameterPropertyModifier: () => isParameterPropertyModifier, isParenthesizedExpression: () => isParenthesizedExpression, isParenthesizedTypeNode: () => isParenthesizedTypeNode, isParseTreeNode: () => isParseTreeNode, isPartOfTypeNode: () => isPartOfTypeNode, isPartOfTypeQuery: () => isPartOfTypeQuery, isPartiallyEmittedExpression: () => isPartiallyEmittedExpression, isPatternMatch: () => isPatternMatch, isPinnedComment: () => isPinnedComment, isPlainJsFile: () => isPlainJsFile, isPlusToken: () => isPlusToken, isPossiblyTypeArgumentPosition: () => isPossiblyTypeArgumentPosition, isPostfixUnaryExpression: () => isPostfixUnaryExpression, isPrefixUnaryExpression: () => isPrefixUnaryExpression, 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, isRightSideOfPropertyAccess: () => isRightSideOfPropertyAccess, isRightSideOfQualifiedName: () => isRightSideOfQualifiedName, isRightSideOfQualifiedNameOrPropertyAccess: () => isRightSideOfQualifiedNameOrPropertyAccess, isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName: () => isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName, isRootedDiskPath: () => isRootedDiskPath, isSameEntityName: () => isSameEntityName, isSatisfiesExpression: () => isSatisfiesExpression, isScopeMarker: () => isScopeMarker, isSemicolonClassElement: () => isSemicolonClassElement, isSetAccessor: () => isSetAccessor, isSetAccessorDeclaration: () => isSetAccessorDeclaration, isShebangTrivia: () => isShebangTrivia, isShorthandAmbientModuleSymbol: () => isShorthandAmbientModuleSymbol, isShorthandPropertyAssignment: () => isShorthandPropertyAssignment, isSignedNumericLiteral: () => isSignedNumericLiteral, isSimpleCopiableExpression: () => isSimpleCopiableExpression, isSimpleInlineableExpression: () => isSimpleInlineableExpression, 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: () => isString, isStringAKeyword: () => isStringAKeyword, isStringANonContextualKeyword: () => isStringANonContextualKeyword, isStringAndEmptyAnonymousObjectIntersection: () => isStringAndEmptyAnonymousObjectIntersection, isStringDoubleQuoted: () => isStringDoubleQuoted, isStringLiteral: () => isStringLiteral, 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, isUMDExportSymbol: () => isUMDExportSymbol, isUnaryExpression: () => isUnaryExpression, isUnaryExpressionWithWrite: () => isUnaryExpressionWithWrite, isUnicodeIdentifierStart: () => isUnicodeIdentifierStart, isUnionTypeNode: () => isUnionTypeNode, isUnparsedNode: () => isUnparsedNode, isUnparsedPrepend: () => isUnparsedPrepend, isUnparsedSource: () => isUnparsedSource, isUnparsedTextLike: () => isUnparsedTextLike, isUrl: () => isUrl, isValidBigIntString: () => isValidBigIntString, isValidESSymbolDeclaration: () => isValidESSymbolDeclaration, isValidTypeOnlyAliasUseSite: () => isValidTypeOnlyAliasUseSite, isValueSignatureDeclaration: () => isValueSignatureDeclaration, isVarConst: () => isVarConst, 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, makeImportIfNecessary: () => makeImportIfNecessary, 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, moduleSpecifiers: () => ts_moduleSpecifiers_exports, moveEmitHelpers: () => moveEmitHelpers, moveRangeEnd: () => moveRangeEnd, moveRangePastDecorators: () => moveRangePastDecorators, moveRangePastModifiers: () => moveRangePastModifiers, moveRangePos: () => moveRangePos, moveSyntheticComments: () => moveSyntheticComments, mutateMap: () => mutateMap, mutateMapSkippingNewValues: () => mutateMapSkippingNewValues, needsParentheses: () => needsParentheses, 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: () => noop, noopFileWatcher: () => noopFileWatcher, noopPush: () => noopPush, 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, outFile: () => outFile, packageIdToPackageName: () => packageIdToPackageName, packageIdToString: () => packageIdToString, padLeft: () => padLeft, padRight: () => padRight, 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, 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, realizeDiagnostics: () => realizeDiagnostics, reduceEachLeadingCommentRange: () => reduceEachLeadingCommentRange, reduceEachTrailingCommentRange: () => reduceEachTrailingCommentRange, reduceLeft: () => reduceLeft, reduceLeftIterator: () => reduceLeftIterator, reducePathComponents: () => reducePathComponents, refactor: () => ts_refactor_exports, regExpEscape: () => regExpEscape, 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, resolutionExtensionIsTSOrJson: () => resolutionExtensionIsTSOrJson, resolveConfigFileProjectName: () => resolveConfigFileProjectName, resolveJSModule: () => resolveJSModule, 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_exports, 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, setNodeFlags: () => setNodeFlags, setObjectAllocator: () => setObjectAllocator, setOriginalNode: () => setOriginalNode, setParent: () => setParent, setParentRecursive: () => setParentRecursive, setPrivateIdentifier: () => setPrivateIdentifier, setResolvedModule: () => setResolvedModule, setResolvedTypeReferenceDirective: () => setResolvedTypeReferenceDirective, 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: () => startsWith, startsWithDirectory: () => startsWithDirectory, startsWithUnderscore: () => startsWithUnderscore, startsWithUseStrict: () => startsWithUseStrict, stringContains: () => stringContains, 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: () => toPath, 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, transformES5: () => transformES5, transformESDecorators: () => transformESDecorators, transformESNext: () => transformESNext, transformGenerators: () => transformGenerators, transformJsx: () => transformJsx, transformLegacyDecorators: () => transformLegacyDecorators, transformModule: () => transformModule, transformNodeModule: () => transformNodeModule, transformNodes: () => transformNodes, transformSystemModule: () => transformSystemModule, transformTypeScript: () => transformTypeScript, transpile: () => transpile, transpileModule: () => transpileModule, transpileOptionValueCompilerOptions: () => transpileOptionValueCompilerOptions, trimString: () => trimString, trimStringEnd: () => trimStringEnd, trimStringStart: () => trimStringStart, 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, 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, typeReferenceResolutionNameAndModeGetter: () => typeReferenceResolutionNameAndModeGetter, typeToDisplayParts: () => typeToDisplayParts, unchangedPollThresholds: () => unchangedPollThresholds, unchangedTextChangeRange: () => unchangedTextChangeRange, unescapeLeadingUnderscores: () => unescapeLeadingUnderscores, unmangleScopedPackageName: () => unmangleScopedPackageName, unorderedRemoveItem: () => unorderedRemoveItem, unorderedRemoveItemAt: () => unorderedRemoveItemAt, unreachableCodeIsError: () => unreachableCodeIsError, unusedLabelIsError: () => unusedLabelIsError, unwrapInnermostStatementOfLabel: () => unwrapInnermostStatementOfLabel, updateErrorForNoInputFiles: () => updateErrorForNoInputFiles, updateLanguageServiceSourceFile: () => updateLanguageServiceSourceFile, updateMissingFilePathsWatch: () => updateMissingFilePathsWatch, updatePackageJsonWatch: () => updatePackageJsonWatch, 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, zipToModeAwareCache: () => zipToModeAwareCache, zipWith: () => zipWith }); var init_ts6 = __esm({ "src/typescript/_namespaces/ts.ts"() { "use strict"; init_ts2(); init_ts3(); init_ts4(); init_ts5(); } }); var require_typescript = __commonJS({ "src/typescript/typescript.ts"(exports, module2) { init_ts6(); init_ts6(); 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); } } }; } module2.exports = ts_exports3; } }); return require_typescript(); })(); if (typeof ts_worker_module !== "undefined" && ts_worker_module.exports) { ts_worker_module.exports = ts; } var createClassifier = ts.createClassifier; var createLanguageService = ts.createLanguageService; var displayPartsToString = ts.displayPartsToString; var EndOfLineState = ts.EndOfLineState; var flattenDiagnosticMessageText = ts.flattenDiagnosticMessageText; var IndentStyle = ts.IndentStyle; var ScriptKind = ts.ScriptKind; var ScriptTarget = ts.ScriptTarget; var TokenClass = ts.TokenClass; var typescript = ts; // src/language/typescript/lib/lib.ts var libFileMap = {}; libFileMap["lib.d.ts"] = "/*! ***************************************************************************** Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 THIS CODE IS PROVIDED ON AN *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION ANY IMPLIED WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE, MERCHANTABLITY OR NON-INFRINGEMENT. See the Apache Version 2.0 License for specific language governing permissions and limitations under the License. ***************************************************************************** */ /// /// /// /// /// "; libFileMap["lib.decorators.d.ts"] = "/*! ***************************************************************************** Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 THIS CODE IS PROVIDED ON AN *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION ANY IMPLIED WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE, MERCHANTABLITY OR NON-INFRINGEMENT. See the Apache Version 2.0 License for specific language governing permissions and limitations under the License. ***************************************************************************** */ /// /** * The decorator context types provided to class element decorators. */ type ClassMemberDecoratorContext = | ClassMethodDecoratorContext | ClassGetterDecoratorContext | ClassSetterDecoratorContext | ClassFieldDecoratorContext | ClassAccessorDecoratorContext ; /** * The decorator context types provided to any decorator. */ type DecoratorContext = | ClassDecoratorContext | ClassMemberDecoratorContext ; /** * Context provided to a class decorator. * @template Class The type of the decorated class associated with this context. */ interface ClassDecoratorContext< Class extends abstract new (...args: any) => any = abstract new (...args: any) => any, > { /** The kind of element that was decorated. */ readonly kind: "class"; /** The name of the decorated class. */ readonly name: string | undefined; /** * Adds a callback to be invoked after the class definition has been finalized. * * @example * ```ts * function customElement(name: string): ClassDecoratorFunction { * return (target, context) => { * context.addInitializer(function () { * customElements.define(name, this); * }); * } * } * * @customElement("my-element") * class MyElement {} * ``` */ addInitializer(initializer: (this: Class) => void): void; } /** * Context provided to a class method decorator. * @template This The type on which the class element will be defined. For a static class element, this will be * the type of the constructor. For a non-static class element, this will be the type of the instance. * @template Value The type of the decorated class method. */ interface ClassMethodDecoratorContext< This = unknown, Value extends (this: This, ...args: any) => any = (this: This, ...args: any) => any, > { /** The kind of class element that was decorated. */ readonly kind: "method"; /** The name of the decorated class element. */ readonly name: string | symbol; /** A value indicating whether the class element is a static (`true`) or instance (`false`) element. */ readonly static: boolean; /** A value indicating whether the class element has a private name. */ readonly private: boolean; /** An object that can be used to access the current value of the class element at runtime. */ readonly access: { /** * Determines whether an object has a property with the same name as the decorated element. */ has(object: This): boolean; /** * Gets the current value of the method from the provided object. * * @example * let fn = context.access.get(instance); */ get(object: This): Value; }; /** * Adds a callback to be invoked either before static initializers are run (when * decorating a `static` element), or before instance initializers are run (when * decorating a non-`static` element). * * @example * ```ts * const bound: ClassMethodDecoratorFunction = (value, context) { * if (context.private) throw new TypeError("Not supported on private methods."); * context.addInitializer(function () { * this[context.name] = this[context.name].bind(this); * }); * } * * class C { * message = "Hello"; * * @bound * m() { * console.log(this.message); * } * } * ``` */ addInitializer(initializer: (this: This) => void): void; } /** * Context provided to a class getter decorator. * @template This The type on which the class element will be defined. For a static class element, this will be * the type of the constructor. For a non-static class element, this will be the type of the instance. * @template Value The property type of the decorated class getter. */ interface ClassGetterDecoratorContext< This = unknown, Value = unknown, > { /** The kind of class element that was decorated. */ readonly kind: "getter"; /** The name of the decorated class element. */ readonly name: string | symbol; /** A value indicating whether the class element is a static (`true`) or instance (`false`) element. */ readonly static: boolean; /** A value indicating whether the class element has a private name. */ readonly private: boolean; /** An object that can be used to access the current value of the class element at runtime. */ readonly access: { /** * Determines whether an object has a property with the same name as the decorated element. */ has(object: This): boolean; /** * Invokes the getter on the provided object. * * @example * let value = context.access.get(instance); */ get(object: This): Value; }; /** * Adds a callback to be invoked either before static initializers are run (when * decorating a `static` element), or before instance initializers are run (when * decorating a non-`static` element). */ addInitializer(initializer: (this: This) => void): void; } /** * Context provided to a class setter decorator. * @template This The type on which the class element will be defined. For a static class element, this will be * the type of the constructor. For a non-static class element, this will be the type of the instance. * @template Value The type of the decorated class setter. */ interface ClassSetterDecoratorContext< This = unknown, Value = unknown, > { /** The kind of class element that was decorated. */ readonly kind: "setter"; /** The name of the decorated class element. */ readonly name: string | symbol; /** A value indicating whether the class element is a static (`true`) or instance (`false`) element. */ readonly static: boolean; /** A value indicating whether the class element has a private name. */ readonly private: boolean; /** An object that can be used to access the current value of the class element at runtime. */ readonly access: { /** * Determines whether an object has a property with the same name as the decorated element. */ has(object: This): boolean; /** * Invokes the setter on the provided object. * * @example * context.access.set(instance, value); */ set(object: This, value: Value): void; }; /** * Adds a callback to be invoked either before static initializers are run (when * decorating a `static` element), or before instance initializers are run (when * decorating a non-`static` element). */ addInitializer(initializer: (this: This) => void): void; } /** * Context provided to a class `accessor` field decorator. * @template This The type on which the class element will be defined. For a static class element, this will be * the type of the constructor. For a non-static class element, this will be the type of the instance. * @template Value The type of decorated class field. */ interface ClassAccessorDecoratorContext< This = unknown, Value = unknown, > { /** The kind of class element that was decorated. */ readonly kind: "accessor"; /** The name of the decorated class element. */ readonly name: string | symbol; /** A value indicating whether the class element is a static (`true`) or instance (`false`) element. */ readonly static: boolean; /** A value indicating whether the class element has a private name. */ readonly private: boolean; /** An object that can be used to access the current value of the class element at runtime. */ readonly access: { /** * Determines whether an object has a property with the same name as the decorated element. */ has(object: This): boolean; /** * Invokes the getter on the provided object. * * @example * let value = context.access.get(instance); */ get(object: This): Value; /** * Invokes the setter on the provided object. * * @example * context.access.set(instance, value); */ set(object: This, value: Value): void; }; /** * Adds a callback to be invoked either before static initializers are run (when * decorating a `static` element), or before instance initializers are run (when * decorating a non-`static` element). */ addInitializer(initializer: (this: This) => void): void; } /** * Describes the target provided to class `accessor` field decorators. * @template This The `this` type to which the target applies. * @template Value The property type for the class `accessor` field. */ interface ClassAccessorDecoratorTarget { /** * Invokes the getter that was defined prior to decorator application. * * @example * let value = target.get.call(instance); */ get(this: This): Value; /** * Invokes the setter that was defined prior to decorator application. * * @example * target.set.call(instance, value); */ set(this: This, value: Value): void; } /** * Describes the allowed return value from a class `accessor` field decorator. * @template This The `this` type to which the target applies. * @template Value The property type for the class `accessor` field. */ interface ClassAccessorDecoratorResult { /** * An optional replacement getter function. If not provided, the existing getter function is used instead. */ get?(this: This): Value; /** * An optional replacement setter function. If not provided, the existing setter function is used instead. */ set?(this: This, value: Value): void; /** * An optional initializer mutator that is invoked when the underlying field initializer is evaluated. * @param value The incoming initializer value. * @returns The replacement initializer value. */ init?(this: This, value: Value): Value; } /** * Context provided to a class field decorator. * @template This The type on which the class element will be defined. For a static class element, this will be * the type of the constructor. For a non-static class element, this will be the type of the instance. * @template Value The type of the decorated class field. */ interface ClassFieldDecoratorContext< This = unknown, Value = unknown, > { /** The kind of class element that was decorated. */ readonly kind: "field"; /** The name of the decorated class element. */ readonly name: string | symbol; /** A value indicating whether the class element is a static (`true`) or instance (`false`) element. */ readonly static: boolean; /** A value indicating whether the class element has a private name. */ readonly private: boolean; /** An object that can be used to access the current value of the class element at runtime. */ readonly access: { /** * Determines whether an object has a property with the same name as the decorated element. */ has(object: This): boolean; /** * Gets the value of the field on the provided object. */ get(object: This): Value; /** * Sets the value of the field on the provided object. */ set(object: This, value: Value): void; }; /** * Adds a callback to be invoked either before static initializers are run (when * decorating a `static` element), or before instance initializers are run (when * decorating a non-`static` element). */ addInitializer(initializer: (this: This) => void): void; } "; libFileMap["lib.decorators.legacy.d.ts"] = "/*! ***************************************************************************** Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 THIS CODE IS PROVIDED ON AN *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION ANY IMPLIED WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE, MERCHANTABLITY OR NON-INFRINGEMENT. See the Apache Version 2.0 License for specific language governing permissions and limitations under the License. ***************************************************************************** */ /// declare type ClassDecorator = (target: TFunction) => TFunction | void; declare type PropertyDecorator = (target: Object, propertyKey: string | symbol) => void; declare type MethodDecorator = (target: Object, propertyKey: string | symbol, descriptor: TypedPropertyDescriptor) => TypedPropertyDescriptor | void; declare type ParameterDecorator = (target: Object, propertyKey: string | symbol, parameterIndex: number) => void; "; libFileMap["lib.dom.d.ts"] = `/*! ***************************************************************************** Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 THIS CODE IS PROVIDED ON AN *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION ANY IMPLIED WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE, MERCHANTABLITY OR NON-INFRINGEMENT. See the Apache Version 2.0 License for specific language governing permissions and limitations under the License. ***************************************************************************** */ /// ///////////////////////////// /// Window APIs ///////////////////////////// interface AddEventListenerOptions extends EventListenerOptions { once?: boolean; passive?: boolean; signal?: AbortSignal; } interface AesCbcParams extends Algorithm { iv: BufferSource; } interface AesCtrParams extends Algorithm { counter: BufferSource; length: number; } interface AesDerivedKeyParams extends Algorithm { length: number; } interface AesGcmParams extends Algorithm { additionalData?: BufferSource; iv: BufferSource; tagLength?: number; } interface AesKeyAlgorithm extends KeyAlgorithm { length: number; } interface AesKeyGenParams extends Algorithm { length: number; } interface Algorithm { name: string; } interface AnalyserOptions extends AudioNodeOptions { fftSize?: number; maxDecibels?: number; minDecibels?: number; smoothingTimeConstant?: number; } interface AnimationEventInit extends EventInit { animationName?: string; elapsedTime?: number; pseudoElement?: string; } interface AnimationPlaybackEventInit extends EventInit { currentTime?: CSSNumberish | null; timelineTime?: CSSNumberish | null; } interface AssignedNodesOptions { flatten?: boolean; } interface AudioBufferOptions { length: number; numberOfChannels?: number; sampleRate: number; } interface AudioBufferSourceOptions { buffer?: AudioBuffer | null; detune?: number; loop?: boolean; loopEnd?: number; loopStart?: number; playbackRate?: number; } interface AudioConfiguration { bitrate?: number; channels?: string; contentType: string; samplerate?: number; spatialRendering?: boolean; } interface AudioContextOptions { latencyHint?: AudioContextLatencyCategory | number; sampleRate?: number; } interface AudioNodeOptions { channelCount?: number; channelCountMode?: ChannelCountMode; channelInterpretation?: ChannelInterpretation; } interface AudioProcessingEventInit extends EventInit { inputBuffer: AudioBuffer; outputBuffer: AudioBuffer; playbackTime: number; } interface AudioTimestamp { contextTime?: number; performanceTime?: DOMHighResTimeStamp; } interface AudioWorkletNodeOptions extends AudioNodeOptions { numberOfInputs?: number; numberOfOutputs?: number; outputChannelCount?: number[]; parameterData?: Record; processorOptions?: any; } interface AuthenticationExtensionsClientInputs { appid?: string; credProps?: boolean; hmacCreateSecret?: boolean; } interface AuthenticationExtensionsClientOutputs { appid?: boolean; credProps?: CredentialPropertiesOutput; hmacCreateSecret?: boolean; } interface AuthenticatorSelectionCriteria { authenticatorAttachment?: AuthenticatorAttachment; requireResidentKey?: boolean; residentKey?: ResidentKeyRequirement; userVerification?: UserVerificationRequirement; } interface BiquadFilterOptions extends AudioNodeOptions { Q?: number; detune?: number; frequency?: number; gain?: number; type?: BiquadFilterType; } interface BlobEventInit { data: Blob; timecode?: DOMHighResTimeStamp; } interface BlobPropertyBag { endings?: EndingType; type?: string; } interface CSSStyleSheetInit { baseURL?: string; disabled?: boolean; media?: MediaList | string; } interface CacheQueryOptions { ignoreMethod?: boolean; ignoreSearch?: boolean; ignoreVary?: boolean; } interface CanvasRenderingContext2DSettings { alpha?: boolean; colorSpace?: PredefinedColorSpace; desynchronized?: boolean; willReadFrequently?: boolean; } interface ChannelMergerOptions extends AudioNodeOptions { numberOfInputs?: number; } interface ChannelSplitterOptions extends AudioNodeOptions { numberOfOutputs?: number; } interface CheckVisibilityOptions { checkOpacity?: boolean; checkVisibilityCSS?: boolean; } interface ClientQueryOptions { includeUncontrolled?: boolean; type?: ClientTypes; } interface ClipboardEventInit extends EventInit { clipboardData?: DataTransfer | null; } interface ClipboardItemOptions { presentationStyle?: PresentationStyle; } interface CloseEventInit extends EventInit { code?: number; reason?: string; wasClean?: boolean; } interface CompositionEventInit extends UIEventInit { data?: string; } interface ComputedEffectTiming extends EffectTiming { activeDuration?: CSSNumberish; currentIteration?: number | null; endTime?: CSSNumberish; localTime?: CSSNumberish | null; progress?: number | null; startTime?: CSSNumberish; } interface ComputedKeyframe { composite: CompositeOperationOrAuto; computedOffset: number; easing: string; offset: number | null; [property: string]: string | number | null | undefined; } interface ConstantSourceOptions { offset?: number; } interface ConstrainBooleanParameters { exact?: boolean; ideal?: boolean; } interface ConstrainDOMStringParameters { exact?: string | string[]; ideal?: string | string[]; } interface ConstrainDoubleRange extends DoubleRange { exact?: number; ideal?: number; } interface ConstrainULongRange extends ULongRange { exact?: number; ideal?: number; } interface ConvolverOptions extends AudioNodeOptions { buffer?: AudioBuffer | null; disableNormalization?: boolean; } interface CredentialCreationOptions { publicKey?: PublicKeyCredentialCreationOptions; signal?: AbortSignal; } interface CredentialPropertiesOutput { rk?: boolean; } interface CredentialRequestOptions { mediation?: CredentialMediationRequirement; publicKey?: PublicKeyCredentialRequestOptions; signal?: AbortSignal; } interface CryptoKeyPair { privateKey: CryptoKey; publicKey: CryptoKey; } interface CustomEventInit extends EventInit { detail?: T; } interface DOMMatrix2DInit { a?: number; b?: number; c?: number; d?: number; e?: number; f?: number; m11?: number; m12?: number; m21?: number; m22?: number; m41?: number; m42?: number; } interface DOMMatrixInit extends DOMMatrix2DInit { is2D?: boolean; m13?: number; m14?: number; m23?: number; m24?: number; m31?: number; m32?: number; m33?: number; m34?: number; m43?: number; m44?: number; } interface DOMPointInit { w?: number; x?: number; y?: number; z?: number; } interface DOMQuadInit { p1?: DOMPointInit; p2?: DOMPointInit; p3?: DOMPointInit; p4?: DOMPointInit; } interface DOMRectInit { height?: number; width?: number; x?: number; y?: number; } interface DelayOptions extends AudioNodeOptions { delayTime?: number; maxDelayTime?: number; } interface DeviceMotionEventAccelerationInit { x?: number | null; y?: number | null; z?: number | null; } interface DeviceMotionEventInit extends EventInit { acceleration?: DeviceMotionEventAccelerationInit; accelerationIncludingGravity?: DeviceMotionEventAccelerationInit; interval?: number; rotationRate?: DeviceMotionEventRotationRateInit; } interface DeviceMotionEventRotationRateInit { alpha?: number | null; beta?: number | null; gamma?: number | null; } interface DeviceOrientationEventInit extends EventInit { absolute?: boolean; alpha?: number | null; beta?: number | null; gamma?: number | null; } interface DisplayMediaStreamOptions { audio?: boolean | MediaTrackConstraints; video?: boolean | MediaTrackConstraints; } interface DocumentTimelineOptions { originTime?: DOMHighResTimeStamp; } interface DoubleRange { max?: number; min?: number; } interface DragEventInit extends MouseEventInit { dataTransfer?: DataTransfer | null; } interface DynamicsCompressorOptions extends AudioNodeOptions { attack?: number; knee?: number; ratio?: number; release?: number; threshold?: number; } interface EcKeyAlgorithm extends KeyAlgorithm { namedCurve: NamedCurve; } interface EcKeyGenParams extends Algorithm { namedCurve: NamedCurve; } interface EcKeyImportParams extends Algorithm { namedCurve: NamedCurve; } interface EcdhKeyDeriveParams extends Algorithm { public: CryptoKey; } interface EcdsaParams extends Algorithm { hash: HashAlgorithmIdentifier; } interface EffectTiming { delay?: number; direction?: PlaybackDirection; duration?: number | string; easing?: string; endDelay?: number; fill?: FillMode; iterationStart?: number; iterations?: number; playbackRate?: number; } interface ElementCreationOptions { is?: string; } interface ElementDefinitionOptions { extends?: string; } interface ErrorEventInit extends EventInit { colno?: number; error?: any; filename?: string; lineno?: number; message?: string; } interface EventInit { bubbles?: boolean; cancelable?: boolean; composed?: boolean; } interface EventListenerOptions { capture?: boolean; } interface EventModifierInit extends UIEventInit { altKey?: boolean; ctrlKey?: boolean; metaKey?: boolean; modifierAltGraph?: boolean; modifierCapsLock?: boolean; modifierFn?: boolean; modifierFnLock?: boolean; modifierHyper?: boolean; modifierNumLock?: boolean; modifierScrollLock?: boolean; modifierSuper?: boolean; modifierSymbol?: boolean; modifierSymbolLock?: boolean; shiftKey?: boolean; } interface EventSourceInit { withCredentials?: boolean; } interface FilePropertyBag extends BlobPropertyBag { lastModified?: number; } interface FileSystemFlags { create?: boolean; exclusive?: boolean; } interface FileSystemGetDirectoryOptions { create?: boolean; } interface FileSystemGetFileOptions { create?: boolean; } interface FileSystemRemoveOptions { recursive?: boolean; } interface FocusEventInit extends UIEventInit { relatedTarget?: EventTarget | null; } interface FocusOptions { preventScroll?: boolean; } interface FontFaceDescriptors { ascentOverride?: string; descentOverride?: string; display?: FontDisplay; featureSettings?: string; lineGapOverride?: string; stretch?: string; style?: string; unicodeRange?: string; variant?: string; weight?: string; } interface FontFaceSetLoadEventInit extends EventInit { fontfaces?: FontFace[]; } interface FormDataEventInit extends EventInit { formData: FormData; } interface FullscreenOptions { navigationUI?: FullscreenNavigationUI; } interface GainOptions extends AudioNodeOptions { gain?: number; } interface GamepadEventInit extends EventInit { gamepad: Gamepad; } interface GetAnimationsOptions { subtree?: boolean; } interface GetNotificationOptions { tag?: string; } interface GetRootNodeOptions { composed?: boolean; } interface HashChangeEventInit extends EventInit { newURL?: string; oldURL?: string; } interface HkdfParams extends Algorithm { hash: HashAlgorithmIdentifier; info: BufferSource; salt: BufferSource; } interface HmacImportParams extends Algorithm { hash: HashAlgorithmIdentifier; length?: number; } interface HmacKeyAlgorithm extends KeyAlgorithm { hash: KeyAlgorithm; length: number; } interface HmacKeyGenParams extends Algorithm { hash: HashAlgorithmIdentifier; length?: number; } interface IDBDatabaseInfo { name?: string; version?: number; } interface IDBIndexParameters { multiEntry?: boolean; unique?: boolean; } interface IDBObjectStoreParameters { autoIncrement?: boolean; keyPath?: string | string[] | null; } interface IDBTransactionOptions { durability?: IDBTransactionDurability; } interface IDBVersionChangeEventInit extends EventInit { newVersion?: number | null; oldVersion?: number; } interface IIRFilterOptions extends AudioNodeOptions { feedback: number[]; feedforward: number[]; } interface IdleRequestOptions { timeout?: number; } interface ImageBitmapOptions { colorSpaceConversion?: ColorSpaceConversion; imageOrientation?: ImageOrientation; premultiplyAlpha?: PremultiplyAlpha; resizeHeight?: number; resizeQuality?: ResizeQuality; resizeWidth?: number; } interface ImageBitmapRenderingContextSettings { alpha?: boolean; } interface ImageDataSettings { colorSpace?: PredefinedColorSpace; } interface ImageEncodeOptions { quality?: number; type?: string; } interface ImportMeta { url: string; } interface InputEventInit extends UIEventInit { data?: string | null; dataTransfer?: DataTransfer | null; inputType?: string; isComposing?: boolean; targetRanges?: StaticRange[]; } interface IntersectionObserverEntryInit { boundingClientRect: DOMRectInit; intersectionRatio: number; intersectionRect: DOMRectInit; isIntersecting: boolean; rootBounds: DOMRectInit | null; target: Element; time: DOMHighResTimeStamp; } interface IntersectionObserverInit { root?: Element | Document | null; rootMargin?: string; threshold?: number | number[]; } interface JsonWebKey { alg?: string; crv?: string; d?: string; dp?: string; dq?: string; e?: string; ext?: boolean; k?: string; key_ops?: string[]; kty?: string; n?: string; oth?: RsaOtherPrimesInfo[]; p?: string; q?: string; qi?: string; use?: string; x?: string; y?: string; } interface KeyAlgorithm { name: string; } interface KeyboardEventInit extends EventModifierInit { /** @deprecated */ charCode?: number; code?: string; isComposing?: boolean; key?: string; /** @deprecated */ keyCode?: number; location?: number; repeat?: boolean; } interface Keyframe { composite?: CompositeOperationOrAuto; easing?: string; offset?: number | null; [property: string]: string | number | null | undefined; } interface KeyframeAnimationOptions extends KeyframeEffectOptions { id?: string; } interface KeyframeEffectOptions extends EffectTiming { composite?: CompositeOperation; iterationComposite?: IterationCompositeOperation; pseudoElement?: string | null; } interface LockInfo { clientId?: string; mode?: LockMode; name?: string; } interface LockManagerSnapshot { held?: LockInfo[]; pending?: LockInfo[]; } interface LockOptions { ifAvailable?: boolean; mode?: LockMode; signal?: AbortSignal; steal?: boolean; } interface MIDIConnectionEventInit extends EventInit { port?: MIDIPort; } interface MIDIMessageEventInit extends EventInit { data?: Uint8Array; } interface MIDIOptions { software?: boolean; sysex?: boolean; } interface MediaCapabilitiesDecodingInfo extends MediaCapabilitiesInfo { configuration?: MediaDecodingConfiguration; } interface MediaCapabilitiesEncodingInfo extends MediaCapabilitiesInfo { configuration?: MediaEncodingConfiguration; } interface MediaCapabilitiesInfo { powerEfficient: boolean; smooth: boolean; supported: boolean; } interface MediaConfiguration { audio?: AudioConfiguration; video?: VideoConfiguration; } interface MediaDecodingConfiguration extends MediaConfiguration { type: MediaDecodingType; } interface MediaElementAudioSourceOptions { mediaElement: HTMLMediaElement; } interface MediaEncodingConfiguration extends MediaConfiguration { type: MediaEncodingType; } interface MediaEncryptedEventInit extends EventInit { initData?: ArrayBuffer | null; initDataType?: string; } interface MediaImage { sizes?: string; src: string; type?: string; } interface MediaKeyMessageEventInit extends EventInit { message: ArrayBuffer; messageType: MediaKeyMessageType; } interface MediaKeySystemConfiguration { audioCapabilities?: MediaKeySystemMediaCapability[]; distinctiveIdentifier?: MediaKeysRequirement; initDataTypes?: string[]; label?: string; persistentState?: MediaKeysRequirement; sessionTypes?: string[]; videoCapabilities?: MediaKeySystemMediaCapability[]; } interface MediaKeySystemMediaCapability { contentType?: string; encryptionScheme?: string | null; robustness?: string; } interface MediaMetadataInit { album?: string; artist?: string; artwork?: MediaImage[]; title?: string; } interface MediaPositionState { duration?: number; playbackRate?: number; position?: number; } interface MediaQueryListEventInit extends EventInit { matches?: boolean; media?: string; } interface MediaRecorderOptions { audioBitsPerSecond?: number; bitsPerSecond?: number; mimeType?: string; videoBitsPerSecond?: number; } interface MediaSessionActionDetails { action: MediaSessionAction; fastSeek?: boolean; seekOffset?: number; seekTime?: number; } interface MediaStreamAudioSourceOptions { mediaStream: MediaStream; } interface MediaStreamConstraints { audio?: boolean | MediaTrackConstraints; peerIdentity?: string; preferCurrentTab?: boolean; video?: boolean | MediaTrackConstraints; } interface MediaStreamTrackEventInit extends EventInit { track: MediaStreamTrack; } interface MediaTrackCapabilities { aspectRatio?: DoubleRange; autoGainControl?: boolean[]; channelCount?: ULongRange; deviceId?: string; displaySurface?: string; echoCancellation?: boolean[]; facingMode?: string[]; frameRate?: DoubleRange; groupId?: string; height?: ULongRange; noiseSuppression?: boolean[]; sampleRate?: ULongRange; sampleSize?: ULongRange; width?: ULongRange; } interface MediaTrackConstraintSet { aspectRatio?: ConstrainDouble; autoGainControl?: ConstrainBoolean; channelCount?: ConstrainULong; deviceId?: ConstrainDOMString; displaySurface?: ConstrainDOMString; echoCancellation?: ConstrainBoolean; facingMode?: ConstrainDOMString; frameRate?: ConstrainDouble; groupId?: ConstrainDOMString; height?: ConstrainULong; noiseSuppression?: ConstrainBoolean; sampleRate?: ConstrainULong; sampleSize?: ConstrainULong; width?: ConstrainULong; } interface MediaTrackConstraints extends MediaTrackConstraintSet { advanced?: MediaTrackConstraintSet[]; } interface MediaTrackSettings { aspectRatio?: number; autoGainControl?: boolean; channelCount?: number; deviceId?: string; displaySurface?: string; echoCancellation?: boolean; facingMode?: string; frameRate?: number; groupId?: string; height?: number; noiseSuppression?: boolean; sampleRate?: number; sampleSize?: number; width?: number; } interface MediaTrackSupportedConstraints { aspectRatio?: boolean; autoGainControl?: boolean; channelCount?: boolean; deviceId?: boolean; displaySurface?: boolean; echoCancellation?: boolean; facingMode?: boolean; frameRate?: boolean; groupId?: boolean; height?: boolean; noiseSuppression?: boolean; sampleRate?: boolean; sampleSize?: boolean; width?: boolean; } interface MessageEventInit extends EventInit { data?: T; lastEventId?: string; origin?: string; ports?: MessagePort[]; source?: MessageEventSource | null; } interface MouseEventInit extends EventModifierInit { button?: number; buttons?: number; clientX?: number; clientY?: number; movementX?: number; movementY?: number; relatedTarget?: EventTarget | null; screenX?: number; screenY?: number; } interface MultiCacheQueryOptions extends CacheQueryOptions { cacheName?: string; } interface MutationObserverInit { /** Set to a list of attribute local names (without namespace) if not all attribute mutations need to be observed and attributes is true or omitted. */ attributeFilter?: string[]; /** Set to true if attributes is true or omitted and target"s attribute value before the mutation needs to be recorded. */ attributeOldValue?: boolean; /** Set to true if mutations to target"s attributes are to be observed. Can be omitted if attributeOldValue or attributeFilter is specified. */ attributes?: boolean; /** Set to true if mutations to target"s data are to be observed. Can be omitted if characterDataOldValue is specified. */ characterData?: boolean; /** Set to true if characterData is set to true or omitted and target"s data before the mutation needs to be recorded. */ characterDataOldValue?: boolean; /** Set to true if mutations to target"s children are to be observed. */ childList?: boolean; /** Set to true if mutations to not just target, but also target"s descendants are to be observed. */ subtree?: boolean; } interface NavigationPreloadState { enabled?: boolean; headerValue?: string; } interface NotificationAction { action: string; icon?: string; title: string; } interface NotificationOptions { actions?: NotificationAction[]; badge?: string; body?: string; data?: any; dir?: NotificationDirection; icon?: string; image?: string; lang?: string; renotify?: boolean; requireInteraction?: boolean; silent?: boolean; tag?: string; timestamp?: EpochTimeStamp; vibrate?: VibratePattern; } interface OfflineAudioCompletionEventInit extends EventInit { renderedBuffer: AudioBuffer; } interface OfflineAudioContextOptions { length: number; numberOfChannels?: number; sampleRate: number; } interface OptionalEffectTiming { delay?: number; direction?: PlaybackDirection; duration?: number | string; easing?: string; endDelay?: number; fill?: FillMode; iterationStart?: number; iterations?: number; playbackRate?: number; } interface OscillatorOptions extends AudioNodeOptions { detune?: number; frequency?: number; periodicWave?: PeriodicWave; type?: OscillatorType; } interface PageTransitionEventInit extends EventInit { persisted?: boolean; } interface PannerOptions extends AudioNodeOptions { coneInnerAngle?: number; coneOuterAngle?: number; coneOuterGain?: number; distanceModel?: DistanceModelType; maxDistance?: number; orientationX?: number; orientationY?: number; orientationZ?: number; panningModel?: PanningModelType; positionX?: number; positionY?: number; positionZ?: number; refDistance?: number; rolloffFactor?: number; } interface PaymentCurrencyAmount { currency: string; value: string; } interface PaymentDetailsBase { displayItems?: PaymentItem[]; modifiers?: PaymentDetailsModifier[]; } interface PaymentDetailsInit extends PaymentDetailsBase { id?: string; total: PaymentItem; } interface PaymentDetailsModifier { additionalDisplayItems?: PaymentItem[]; data?: any; supportedMethods: string; total?: PaymentItem; } interface PaymentDetailsUpdate extends PaymentDetailsBase { paymentMethodErrors?: any; total?: PaymentItem; } interface PaymentItem { amount: PaymentCurrencyAmount; label: string; pending?: boolean; } interface PaymentMethodChangeEventInit extends PaymentRequestUpdateEventInit { methodDetails?: any; methodName?: string; } interface PaymentMethodData { data?: any; supportedMethods: string; } interface PaymentRequestUpdateEventInit extends EventInit { } interface PaymentValidationErrors { error?: string; paymentMethod?: any; } interface Pbkdf2Params extends Algorithm { hash: HashAlgorithmIdentifier; iterations: number; salt: BufferSource; } interface PerformanceMarkOptions { detail?: any; startTime?: DOMHighResTimeStamp; } interface PerformanceMeasureOptions { detail?: any; duration?: DOMHighResTimeStamp; end?: string | DOMHighResTimeStamp; start?: string | DOMHighResTimeStamp; } interface PerformanceObserverInit { buffered?: boolean; entryTypes?: string[]; type?: string; } interface PeriodicWaveConstraints { disableNormalization?: boolean; } interface PeriodicWaveOptions extends PeriodicWaveConstraints { imag?: number[] | Float32Array; real?: number[] | Float32Array; } interface PermissionDescriptor { name: PermissionName; } interface PictureInPictureEventInit extends EventInit { pictureInPictureWindow: PictureInPictureWindow; } interface PointerEventInit extends MouseEventInit { coalescedEvents?: PointerEvent[]; height?: number; isPrimary?: boolean; pointerId?: number; pointerType?: string; predictedEvents?: PointerEvent[]; pressure?: number; tangentialPressure?: number; tiltX?: number; tiltY?: number; twist?: number; width?: number; } interface PopStateEventInit extends EventInit { state?: any; } interface PositionOptions { enableHighAccuracy?: boolean; maximumAge?: number; timeout?: number; } interface ProgressEventInit extends EventInit { lengthComputable?: boolean; loaded?: number; total?: number; } interface PromiseRejectionEventInit extends EventInit { promise: Promise; reason?: any; } interface PropertyIndexedKeyframes { composite?: CompositeOperationOrAuto | CompositeOperationOrAuto[]; easing?: string | string[]; offset?: number | (number | null)[]; [property: string]: string | string[] | number | null | (number | null)[] | undefined; } interface PublicKeyCredentialCreationOptions { attestation?: AttestationConveyancePreference; authenticatorSelection?: AuthenticatorSelectionCriteria; challenge: BufferSource; excludeCredentials?: PublicKeyCredentialDescriptor[]; extensions?: AuthenticationExtensionsClientInputs; pubKeyCredParams: PublicKeyCredentialParameters[]; rp: PublicKeyCredentialRpEntity; timeout?: number; user: PublicKeyCredentialUserEntity; } interface PublicKeyCredentialDescriptor { id: BufferSource; transports?: AuthenticatorTransport[]; type: PublicKeyCredentialType; } interface PublicKeyCredentialEntity { name: string; } interface PublicKeyCredentialParameters { alg: COSEAlgorithmIdentifier; type: PublicKeyCredentialType; } interface PublicKeyCredentialRequestOptions { allowCredentials?: PublicKeyCredentialDescriptor[]; challenge: BufferSource; extensions?: AuthenticationExtensionsClientInputs; rpId?: string; timeout?: number; userVerification?: UserVerificationRequirement; } interface PublicKeyCredentialRpEntity extends PublicKeyCredentialEntity { id?: string; } interface PublicKeyCredentialUserEntity extends PublicKeyCredentialEntity { displayName: string; id: BufferSource; } interface PushSubscriptionJSON { endpoint?: string; expirationTime?: EpochTimeStamp | null; keys?: Record; } interface PushSubscriptionOptionsInit { applicationServerKey?: BufferSource | string | null; userVisibleOnly?: boolean; } interface QueuingStrategy { highWaterMark?: number; size?: QueuingStrategySize; } interface QueuingStrategyInit { /** * Creates a new ByteLengthQueuingStrategy with the provided high water mark. * * Note that the provided high water mark will not be validated ahead of time. Instead, if it is negative, NaN, or not a number, the resulting ByteLengthQueuingStrategy will cause the corresponding stream constructor to throw. */ highWaterMark: number; } interface RTCAnswerOptions extends RTCOfferAnswerOptions { } interface RTCCertificateExpiration { expires?: number; } interface RTCConfiguration { bundlePolicy?: RTCBundlePolicy; certificates?: RTCCertificate[]; iceCandidatePoolSize?: number; iceServers?: RTCIceServer[]; iceTransportPolicy?: RTCIceTransportPolicy; rtcpMuxPolicy?: RTCRtcpMuxPolicy; } interface RTCDTMFToneChangeEventInit extends EventInit { tone?: string; } interface RTCDataChannelEventInit extends EventInit { channel: RTCDataChannel; } interface RTCDataChannelInit { id?: number; maxPacketLifeTime?: number; maxRetransmits?: number; negotiated?: boolean; ordered?: boolean; protocol?: string; } interface RTCDtlsFingerprint { algorithm?: string; value?: string; } interface RTCEncodedAudioFrameMetadata { contributingSources?: number[]; synchronizationSource?: number; } interface RTCEncodedVideoFrameMetadata { contributingSources?: number[]; dependencies?: number[]; frameId?: number; height?: number; spatialIndex?: number; synchronizationSource?: number; temporalIndex?: number; width?: number; } interface RTCErrorEventInit extends EventInit { error: RTCError; } interface RTCErrorInit { errorDetail: RTCErrorDetailType; httpRequestStatusCode?: number; receivedAlert?: number; sctpCauseCode?: number; sdpLineNumber?: number; sentAlert?: number; } interface RTCIceCandidateInit { candidate?: string; sdpMLineIndex?: number | null; sdpMid?: string | null; usernameFragment?: string | null; } interface RTCIceCandidatePairStats extends RTCStats { availableIncomingBitrate?: number; availableOutgoingBitrate?: number; bytesReceived?: number; bytesSent?: number; currentRoundTripTime?: number; lastPacketReceivedTimestamp?: DOMHighResTimeStamp; lastPacketSentTimestamp?: DOMHighResTimeStamp; localCandidateId: string; nominated?: boolean; remoteCandidateId: string; requestsReceived?: number; requestsSent?: number; responsesReceived?: number; responsesSent?: number; state: RTCStatsIceCandidatePairState; totalRoundTripTime?: number; transportId: string; } interface RTCIceServer { credential?: string; urls: string | string[]; username?: string; } interface RTCInboundRtpStreamStats extends RTCReceivedRtpStreamStats { audioLevel?: number; bytesReceived?: number; concealedSamples?: number; concealmentEvents?: number; decoderImplementation?: string; estimatedPlayoutTimestamp?: DOMHighResTimeStamp; fecPacketsDiscarded?: number; fecPacketsReceived?: number; firCount?: number; frameHeight?: number; frameWidth?: number; framesDecoded?: number; framesDropped?: number; framesPerSecond?: number; framesReceived?: number; headerBytesReceived?: number; insertedSamplesForDeceleration?: number; jitterBufferDelay?: number; jitterBufferEmittedCount?: number; keyFramesDecoded?: number; kind: string; lastPacketReceivedTimestamp?: DOMHighResTimeStamp; nackCount?: number; packetsDiscarded?: number; pliCount?: number; qpSum?: number; remoteId?: string; removedSamplesForAcceleration?: number; silentConcealedSamples?: number; totalAudioEnergy?: number; totalDecodeTime?: number; totalInterFrameDelay?: number; totalProcessingDelay?: number; totalSamplesDuration?: number; totalSamplesReceived?: number; totalSquaredInterFrameDelay?: number; } interface RTCLocalSessionDescriptionInit { sdp?: string; type?: RTCSdpType; } interface RTCOfferAnswerOptions { } interface RTCOfferOptions extends RTCOfferAnswerOptions { iceRestart?: boolean; offerToReceiveAudio?: boolean; offerToReceiveVideo?: boolean; } interface RTCOutboundRtpStreamStats extends RTCSentRtpStreamStats { firCount?: number; frameHeight?: number; frameWidth?: number; framesEncoded?: number; framesPerSecond?: number; framesSent?: number; headerBytesSent?: number; hugeFramesSent?: number; keyFramesEncoded?: number; mediaSourceId?: string; nackCount?: number; pliCount?: number; qpSum?: number; qualityLimitationResolutionChanges?: number; remoteId?: string; retransmittedBytesSent?: number; retransmittedPacketsSent?: number; rid?: string; targetBitrate?: number; totalEncodeTime?: number; totalEncodedBytesTarget?: number; totalPacketSendDelay?: number; } interface RTCPeerConnectionIceErrorEventInit extends EventInit { address?: string | null; errorCode: number; errorText?: string; port?: number | null; url?: string; } interface RTCPeerConnectionIceEventInit extends EventInit { candidate?: RTCIceCandidate | null; url?: string | null; } interface RTCReceivedRtpStreamStats extends RTCRtpStreamStats { jitter?: number; packetsLost?: number; packetsReceived?: number; } interface RTCRtcpParameters { cname?: string; reducedSize?: boolean; } interface RTCRtpCapabilities { codecs: RTCRtpCodecCapability[]; headerExtensions: RTCRtpHeaderExtensionCapability[]; } interface RTCRtpCodecCapability { channels?: number; clockRate: number; mimeType: string; sdpFmtpLine?: string; } interface RTCRtpCodecParameters { channels?: number; clockRate: number; mimeType: string; payloadType: number; sdpFmtpLine?: string; } interface RTCRtpCodingParameters { rid?: string; } interface RTCRtpContributingSource { audioLevel?: number; rtpTimestamp: number; source: number; timestamp: DOMHighResTimeStamp; } interface RTCRtpEncodingParameters extends RTCRtpCodingParameters { active?: boolean; maxBitrate?: number; maxFramerate?: number; networkPriority?: RTCPriorityType; priority?: RTCPriorityType; scaleResolutionDownBy?: number; } interface RTCRtpHeaderExtensionCapability { uri?: string; } interface RTCRtpHeaderExtensionParameters { encrypted?: boolean; id: number; uri: string; } interface RTCRtpParameters { codecs: RTCRtpCodecParameters[]; headerExtensions: RTCRtpHeaderExtensionParameters[]; rtcp: RTCRtcpParameters; } interface RTCRtpReceiveParameters extends RTCRtpParameters { } interface RTCRtpSendParameters extends RTCRtpParameters { degradationPreference?: RTCDegradationPreference; encodings: RTCRtpEncodingParameters[]; transactionId: string; } interface RTCRtpStreamStats extends RTCStats { codecId?: string; kind: string; ssrc: number; transportId?: string; } interface RTCRtpSynchronizationSource extends RTCRtpContributingSource { } interface RTCRtpTransceiverInit { direction?: RTCRtpTransceiverDirection; sendEncodings?: RTCRtpEncodingParameters[]; streams?: MediaStream[]; } interface RTCSentRtpStreamStats extends RTCRtpStreamStats { bytesSent?: number; packetsSent?: number; } interface RTCSessionDescriptionInit { sdp?: string; type: RTCSdpType; } interface RTCStats { id: string; timestamp: DOMHighResTimeStamp; type: RTCStatsType; } interface RTCTrackEventInit extends EventInit { receiver: RTCRtpReceiver; streams?: MediaStream[]; track: MediaStreamTrack; transceiver: RTCRtpTransceiver; } interface RTCTransportStats extends RTCStats { bytesReceived?: number; bytesSent?: number; dtlsCipher?: string; dtlsState: RTCDtlsTransportState; localCertificateId?: string; remoteCertificateId?: string; selectedCandidatePairId?: string; srtpCipher?: string; tlsVersion?: string; } interface ReadableStreamGetReaderOptions { /** * Creates a ReadableStreamBYOBReader and locks the stream to the new reader. * * This call behaves the same way as the no-argument variant, except that it only works on readable byte streams, i.e. streams which were constructed specifically with the ability to handle "bring your own buffer" reading. The returned BYOB reader provides the ability to directly read individual chunks from the stream via its read() method, into developer-supplied buffers, allowing more precise control over allocation. */ mode?: ReadableStreamReaderMode; } interface ReadableStreamReadDoneResult { done: true; value?: T; } interface ReadableStreamReadValueResult { done: false; value: T; } interface ReadableWritablePair { readable: ReadableStream; /** * Provides a convenient, chainable way of piping this readable stream through a transform stream (or any other { writable, readable } pair). It simply pipes the stream into the writable side of the supplied pair, and returns the readable side for further use. * * Piping a stream will lock it for the duration of the pipe, preventing any other consumer from acquiring a reader. */ writable: WritableStream; } interface RegistrationOptions { scope?: string; type?: WorkerType; updateViaCache?: ServiceWorkerUpdateViaCache; } interface RequestInit { /** A BodyInit object or null to set request"s body. */ body?: BodyInit | null; /** A string indicating how the request will interact with the browser"s cache to set request"s cache. */ cache?: RequestCache; /** A string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. Sets request"s credentials. */ credentials?: RequestCredentials; /** A Headers object, an object literal, or an array of two-item arrays to set request"s headers. */ headers?: HeadersInit; /** A cryptographic hash of the resource to be fetched by request. Sets request"s integrity. */ integrity?: string; /** A boolean to set request"s keepalive. */ keepalive?: boolean; /** A string to set request"s method. */ method?: string; /** A string to indicate whether the request will use CORS, or will be restricted to same-origin URLs. Sets request"s mode. */ mode?: RequestMode; /** A string indicating whether request follows redirects, results in an error upon encountering a redirect, or returns the redirect (in an opaque fashion). Sets request"s redirect. */ redirect?: RequestRedirect; /** A string whose value is a same-origin URL, "about:client", or the empty string, to set request"s referrer. */ referrer?: string; /** A referrer policy to set request"s referrerPolicy. */ referrerPolicy?: ReferrerPolicy; /** An AbortSignal to set request"s signal. */ signal?: AbortSignal | null; /** Can only be null. Used to disassociate request from any Window. */ window?: null; } interface ResizeObserverOptions { box?: ResizeObserverBoxOptions; } interface ResponseInit { headers?: HeadersInit; status?: number; statusText?: string; } interface RsaHashedImportParams extends Algorithm { hash: HashAlgorithmIdentifier; } interface RsaHashedKeyAlgorithm extends RsaKeyAlgorithm { hash: KeyAlgorithm; } interface RsaHashedKeyGenParams extends RsaKeyGenParams { hash: HashAlgorithmIdentifier; } interface RsaKeyAlgorithm extends KeyAlgorithm { modulusLength: number; publicExponent: BigInteger; } interface RsaKeyGenParams extends Algorithm { modulusLength: number; publicExponent: BigInteger; } interface RsaOaepParams extends Algorithm { label?: BufferSource; } interface RsaOtherPrimesInfo { d?: string; r?: string; t?: string; } interface RsaPssParams extends Algorithm { saltLength: number; } interface SVGBoundingBoxOptions { clipped?: boolean; fill?: boolean; markers?: boolean; stroke?: boolean; } interface ScrollIntoViewOptions extends ScrollOptions { block?: ScrollLogicalPosition; inline?: ScrollLogicalPosition; } interface ScrollOptions { behavior?: ScrollBehavior; } interface ScrollToOptions extends ScrollOptions { left?: number; top?: number; } interface SecurityPolicyViolationEventInit extends EventInit { blockedURI?: string; columnNumber?: number; disposition: SecurityPolicyViolationEventDisposition; documentURI: string; effectiveDirective: string; lineNumber?: number; originalPolicy: string; referrer?: string; sample?: string; sourceFile?: string; statusCode: number; violatedDirective: string; } interface ShadowRootInit { delegatesFocus?: boolean; mode: ShadowRootMode; slotAssignment?: SlotAssignmentMode; } interface ShareData { files?: File[]; text?: string; title?: string; url?: string; } interface SpeechSynthesisErrorEventInit extends SpeechSynthesisEventInit { error: SpeechSynthesisErrorCode; } interface SpeechSynthesisEventInit extends EventInit { charIndex?: number; charLength?: number; elapsedTime?: number; name?: string; utterance: SpeechSynthesisUtterance; } interface StaticRangeInit { endContainer: Node; endOffset: number; startContainer: Node; startOffset: number; } interface StereoPannerOptions extends AudioNodeOptions { pan?: number; } interface StorageEstimate { quota?: number; usage?: number; } interface StorageEventInit extends EventInit { key?: string | null; newValue?: string | null; oldValue?: string | null; storageArea?: Storage | null; url?: string; } interface StreamPipeOptions { preventAbort?: boolean; preventCancel?: boolean; /** * Pipes this readable stream to a given writable stream destination. The way in which the piping process behaves under various error conditions can be customized with a number of passed options. It returns a promise that fulfills when the piping process completes successfully, or rejects if any errors were encountered. * * Piping a stream will lock it for the duration of the pipe, preventing any other consumer from acquiring a reader. * * Errors and closures of the source and destination streams propagate as follows: * * An error in this source readable stream will abort destination, unless preventAbort is truthy. The returned promise will be rejected with the source"s error, or with any error that occurs during aborting the destination. * * An error in destination will cancel this source readable stream, unless preventCancel is truthy. The returned promise will be rejected with the destination"s error, or with any error that occurs during canceling the source. * * When this source readable stream closes, destination will be closed, unless preventClose is truthy. The returned promise will be fulfilled once this process completes, unless an error is encountered while closing the destination, in which case it will be rejected with that error. * * If destination starts out closed or closing, this source readable stream will be canceled, unless preventCancel is true. The returned promise will be rejected with an error indicating piping to a closed stream failed, or with any error that occurs during canceling the source. * * The signal option can be set to an AbortSignal to allow aborting an ongoing pipe operation via the corresponding AbortController. In this case, this source readable stream will be canceled, and destination aborted, unless the respective options preventCancel or preventAbort are set. */ preventClose?: boolean; signal?: AbortSignal; } interface StructuredSerializeOptions { transfer?: Transferable[]; } interface SubmitEventInit extends EventInit { submitter?: HTMLElement | null; } interface TextDecodeOptions { stream?: boolean; } interface TextDecoderOptions { fatal?: boolean; ignoreBOM?: boolean; } interface TextEncoderEncodeIntoResult { read?: number; written?: number; } interface TouchEventInit extends EventModifierInit { changedTouches?: Touch[]; targetTouches?: Touch[]; touches?: Touch[]; } interface TouchInit { altitudeAngle?: number; azimuthAngle?: number; clientX?: number; clientY?: number; force?: number; identifier: number; pageX?: number; pageY?: number; radiusX?: number; radiusY?: number; rotationAngle?: number; screenX?: number; screenY?: number; target: EventTarget; touchType?: TouchType; } interface TrackEventInit extends EventInit { track?: TextTrack | null; } interface Transformer { flush?: TransformerFlushCallback; readableType?: undefined; start?: TransformerStartCallback; transform?: TransformerTransformCallback; writableType?: undefined; } interface TransitionEventInit extends EventInit { elapsedTime?: number; propertyName?: string; pseudoElement?: string; } interface UIEventInit extends EventInit { detail?: number; view?: Window | null; /** @deprecated */ which?: number; } interface ULongRange { max?: number; min?: number; } interface UnderlyingByteSource { autoAllocateChunkSize?: number; cancel?: UnderlyingSourceCancelCallback; pull?: (controller: ReadableByteStreamController) => void | PromiseLike; start?: (controller: ReadableByteStreamController) => any; type: "bytes"; } interface UnderlyingDefaultSource { cancel?: UnderlyingSourceCancelCallback; pull?: (controller: ReadableStreamDefaultController) => void | PromiseLike; start?: (controller: ReadableStreamDefaultController) => any; type?: undefined; } interface UnderlyingSink { abort?: UnderlyingSinkAbortCallback; close?: UnderlyingSinkCloseCallback; start?: UnderlyingSinkStartCallback; type?: undefined; write?: UnderlyingSinkWriteCallback; } interface UnderlyingSource { autoAllocateChunkSize?: number; cancel?: UnderlyingSourceCancelCallback; pull?: UnderlyingSourcePullCallback; start?: UnderlyingSourceStartCallback; type?: ReadableStreamType; } interface ValidityStateFlags { badInput?: boolean; customError?: boolean; patternMismatch?: boolean; rangeOverflow?: boolean; rangeUnderflow?: boolean; stepMismatch?: boolean; tooLong?: boolean; tooShort?: boolean; typeMismatch?: boolean; valueMissing?: boolean; } interface VideoColorSpaceInit { fullRange?: boolean | null; matrix?: VideoMatrixCoefficients | null; primaries?: VideoColorPrimaries | null; transfer?: VideoTransferCharacteristics | null; } interface VideoConfiguration { bitrate: number; colorGamut?: ColorGamut; contentType: string; framerate: number; hdrMetadataType?: HdrMetadataType; height: number; scalabilityMode?: string; transferFunction?: TransferFunction; width: number; } interface VideoFrameCallbackMetadata { captureTime?: DOMHighResTimeStamp; expectedDisplayTime: DOMHighResTimeStamp; height: number; mediaTime: number; presentationTime: DOMHighResTimeStamp; presentedFrames: number; processingDuration?: number; receiveTime?: DOMHighResTimeStamp; rtpTimestamp?: number; width: number; } interface WaveShaperOptions extends AudioNodeOptions { curve?: number[] | Float32Array; oversample?: OverSampleType; } interface WebGLContextAttributes { alpha?: boolean; antialias?: boolean; depth?: boolean; desynchronized?: boolean; failIfMajorPerformanceCaveat?: boolean; powerPreference?: WebGLPowerPreference; premultipliedAlpha?: boolean; preserveDrawingBuffer?: boolean; stencil?: boolean; } interface WebGLContextEventInit extends EventInit { statusMessage?: string; } interface WheelEventInit extends MouseEventInit { deltaMode?: number; deltaX?: number; deltaY?: number; deltaZ?: number; } interface WindowPostMessageOptions extends StructuredSerializeOptions { targetOrigin?: string; } interface WorkerOptions { credentials?: RequestCredentials; name?: string; type?: WorkerType; } interface WorkletOptions { credentials?: RequestCredentials; } type NodeFilter = ((node: Node) => number) | { acceptNode(node: Node): number; }; declare var NodeFilter: { readonly FILTER_ACCEPT: 1; readonly FILTER_REJECT: 2; readonly FILTER_SKIP: 3; readonly SHOW_ALL: 0xFFFFFFFF; readonly SHOW_ELEMENT: 0x1; readonly SHOW_ATTRIBUTE: 0x2; readonly SHOW_TEXT: 0x4; readonly SHOW_CDATA_SECTION: 0x8; readonly SHOW_ENTITY_REFERENCE: 0x10; readonly SHOW_ENTITY: 0x20; readonly SHOW_PROCESSING_INSTRUCTION: 0x40; readonly SHOW_COMMENT: 0x80; readonly SHOW_DOCUMENT: 0x100; readonly SHOW_DOCUMENT_TYPE: 0x200; readonly SHOW_DOCUMENT_FRAGMENT: 0x400; readonly SHOW_NOTATION: 0x800; }; type XPathNSResolver = ((prefix: string | null) => string | null) | { lookupNamespaceURI(prefix: string | null): string | null; }; /** The ANGLE_instanced_arrays extension is part of the WebGL API and allows to draw the same object, or groups of similar objects multiple times, if they share the same vertex data, primitive count and type. */ interface ANGLE_instanced_arrays { drawArraysInstancedANGLE(mode: GLenum, first: GLint, count: GLsizei, primcount: GLsizei): void; drawElementsInstancedANGLE(mode: GLenum, count: GLsizei, type: GLenum, offset: GLintptr, primcount: GLsizei): void; vertexAttribDivisorANGLE(index: GLuint, divisor: GLuint): void; readonly VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE: 0x88FE; } interface ARIAMixin { ariaAtomic: string | null; ariaAutoComplete: string | null; ariaBusy: string | null; ariaChecked: string | null; ariaColCount: string | null; ariaColIndex: string | null; ariaColSpan: string | null; ariaCurrent: string | null; ariaDisabled: string | null; ariaExpanded: string | null; ariaHasPopup: string | null; ariaHidden: string | null; ariaInvalid: string | null; ariaKeyShortcuts: string | null; ariaLabel: string | null; ariaLevel: string | null; ariaLive: string | null; ariaModal: string | null; ariaMultiLine: string | null; ariaMultiSelectable: string | null; ariaOrientation: string | null; ariaPlaceholder: string | null; ariaPosInSet: string | null; ariaPressed: string | null; ariaReadOnly: string | null; ariaRequired: string | null; ariaRoleDescription: string | null; ariaRowCount: string | null; ariaRowIndex: string | null; ariaRowSpan: string | null; ariaSelected: string | null; ariaSetSize: string | null; ariaSort: string | null; ariaValueMax: string | null; ariaValueMin: string | null; ariaValueNow: string | null; ariaValueText: string | null; role: string | null; } /** A controller object that allows you to abort one or more DOM requests as and when desired. */ interface AbortController { /** Returns the AbortSignal object associated with this object. */ readonly signal: AbortSignal; /** Invoking this method will set this object"s AbortSignal"s aborted flag and signal to any observers that the associated activity is to be aborted. */ abort(reason?: any): void; } declare var AbortController: { prototype: AbortController; new(): AbortController; }; interface AbortSignalEventMap { "abort": Event; } /** A signal object that allows you to communicate with a DOM request (such as a Fetch) and abort it if required via an AbortController object. */ interface AbortSignal extends EventTarget { /** Returns true if this AbortSignal"s AbortController has signaled to abort, and false otherwise. */ readonly aborted: boolean; onabort: ((this: AbortSignal, ev: Event) => any) | null; readonly reason: any; throwIfAborted(): void; addEventListener(type: K, listener: (this: AbortSignal, ev: AbortSignalEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: AbortSignal, ev: AbortSignalEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var AbortSignal: { prototype: AbortSignal; new(): AbortSignal; abort(reason?: any): AbortSignal; timeout(milliseconds: number): AbortSignal; }; interface AbstractRange { /** Returns true if range is collapsed, and false otherwise. */ readonly collapsed: boolean; /** Returns range"s end node. */ readonly endContainer: Node; /** Returns range"s end offset. */ readonly endOffset: number; /** Returns range"s start node. */ readonly startContainer: Node; /** Returns range"s start offset. */ readonly startOffset: number; } declare var AbstractRange: { prototype: AbstractRange; new(): AbstractRange; }; interface AbstractWorkerEventMap { "error": ErrorEvent; } interface AbstractWorker { onerror: ((this: AbstractWorker, ev: ErrorEvent) => any) | null; addEventListener(type: K, listener: (this: AbstractWorker, ev: AbstractWorkerEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: AbstractWorker, ev: AbstractWorkerEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } /** A node able to provide real-time frequency and time-domain analysis information. It is an AudioNode that passes the audio stream unchanged from the input to the output, but allows you to take the generated data, process it, and create audio visualizations. */ interface AnalyserNode extends AudioNode { fftSize: number; readonly frequencyBinCount: number; maxDecibels: number; minDecibels: number; smoothingTimeConstant: number; getByteFrequencyData(array: Uint8Array): void; getByteTimeDomainData(array: Uint8Array): void; getFloatFrequencyData(array: Float32Array): void; getFloatTimeDomainData(array: Float32Array): void; } declare var AnalyserNode: { prototype: AnalyserNode; new(context: BaseAudioContext, options?: AnalyserOptions): AnalyserNode; }; interface Animatable { animate(keyframes: Keyframe[] | PropertyIndexedKeyframes | null, options?: number | KeyframeAnimationOptions): Animation; getAnimations(options?: GetAnimationsOptions): Animation[]; } interface AnimationEventMap { "cancel": AnimationPlaybackEvent; "finish": AnimationPlaybackEvent; "remove": Event; } interface Animation extends EventTarget { currentTime: CSSNumberish | null; effect: AnimationEffect | null; readonly finished: Promise; id: string; oncancel: ((this: Animation, ev: AnimationPlaybackEvent) => any) | null; onfinish: ((this: Animation, ev: AnimationPlaybackEvent) => any) | null; onremove: ((this: Animation, ev: Event) => any) | null; readonly pending: boolean; readonly playState: AnimationPlayState; playbackRate: number; readonly ready: Promise; readonly replaceState: AnimationReplaceState; startTime: CSSNumberish | null; timeline: AnimationTimeline | null; cancel(): void; commitStyles(): void; finish(): void; pause(): void; persist(): void; play(): void; reverse(): void; updatePlaybackRate(playbackRate: number): void; addEventListener(type: K, listener: (this: Animation, ev: AnimationEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: Animation, ev: AnimationEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var Animation: { prototype: Animation; new(effect?: AnimationEffect | null, timeline?: AnimationTimeline | null): Animation; }; interface AnimationEffect { getComputedTiming(): ComputedEffectTiming; getTiming(): EffectTiming; updateTiming(timing?: OptionalEffectTiming): void; } declare var AnimationEffect: { prototype: AnimationEffect; new(): AnimationEffect; }; /** Events providing information related to animations. */ interface AnimationEvent extends Event { readonly animationName: string; readonly elapsedTime: number; readonly pseudoElement: string; } declare var AnimationEvent: { prototype: AnimationEvent; new(type: string, animationEventInitDict?: AnimationEventInit): AnimationEvent; }; interface AnimationFrameProvider { cancelAnimationFrame(handle: number): void; requestAnimationFrame(callback: FrameRequestCallback): number; } interface AnimationPlaybackEvent extends Event { readonly currentTime: CSSNumberish | null; readonly timelineTime: CSSNumberish | null; } declare var AnimationPlaybackEvent: { prototype: AnimationPlaybackEvent; new(type: string, eventInitDict?: AnimationPlaybackEventInit): AnimationPlaybackEvent; }; interface AnimationTimeline { readonly currentTime: number | null; } declare var AnimationTimeline: { prototype: AnimationTimeline; new(): AnimationTimeline; }; /** A DOM element"s attribute as an object. In most DOM methods, you will probably directly retrieve the attribute as a string (e.g., Element.getAttribute(), but certain functions (e.g., Element.getAttributeNode()) or means of iterating give Attr types. */ interface Attr extends Node { readonly localName: string; readonly name: string; readonly namespaceURI: string | null; readonly ownerDocument: Document; readonly ownerElement: Element | null; readonly prefix: string | null; /** @deprecated */ readonly specified: boolean; value: string; } declare var Attr: { prototype: Attr; new(): Attr; }; /** A short audio asset residing in memory, created from an audio file using the AudioContext.decodeAudioData() method, or from raw data using AudioContext.createBuffer(). Once put into an AudioBuffer, the audio can then be played by being passed into an AudioBufferSourceNode. */ interface AudioBuffer { readonly duration: number; readonly length: number; readonly numberOfChannels: number; readonly sampleRate: number; copyFromChannel(destination: Float32Array, channelNumber: number, bufferOffset?: number): void; copyToChannel(source: Float32Array, channelNumber: number, bufferOffset?: number): void; getChannelData(channel: number): Float32Array; } declare var AudioBuffer: { prototype: AudioBuffer; new(options: AudioBufferOptions): AudioBuffer; }; /** An AudioScheduledSourceNode which represents an audio source consisting of in-memory audio data, stored in an AudioBuffer. It"s especially useful for playing back audio which has particularly stringent timing accuracy requirements, such as for sounds that must match a specific rhythm and can be kept in memory rather than being played from disk or the network. */ interface AudioBufferSourceNode extends AudioScheduledSourceNode { buffer: AudioBuffer | null; readonly detune: AudioParam; loop: boolean; loopEnd: number; loopStart: number; readonly playbackRate: AudioParam; start(when?: number, offset?: number, duration?: number): void; addEventListener(type: K, listener: (this: AudioBufferSourceNode, ev: AudioScheduledSourceNodeEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: AudioBufferSourceNode, ev: AudioScheduledSourceNodeEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var AudioBufferSourceNode: { prototype: AudioBufferSourceNode; new(context: BaseAudioContext, options?: AudioBufferSourceOptions): AudioBufferSourceNode; }; /** An audio-processing graph built from audio modules linked together, each represented by an AudioNode. */ interface AudioContext extends BaseAudioContext { readonly baseLatency: number; readonly outputLatency: number; close(): Promise; createMediaElementSource(mediaElement: HTMLMediaElement): MediaElementAudioSourceNode; createMediaStreamDestination(): MediaStreamAudioDestinationNode; createMediaStreamSource(mediaStream: MediaStream): MediaStreamAudioSourceNode; getOutputTimestamp(): AudioTimestamp; resume(): Promise; suspend(): Promise; addEventListener(type: K, listener: (this: AudioContext, ev: BaseAudioContextEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: AudioContext, ev: BaseAudioContextEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var AudioContext: { prototype: AudioContext; new(contextOptions?: AudioContextOptions): AudioContext; }; /** AudioDestinationNode has no output (as it is the output, no more AudioNode can be linked after it in the audio graph) and one input. The number of channels in the input must be between 0 and the maxChannelCount value or an exception is raised. */ interface AudioDestinationNode extends AudioNode { readonly maxChannelCount: number; } declare var AudioDestinationNode: { prototype: AudioDestinationNode; new(): AudioDestinationNode; }; /** The position and orientation of the unique person listening to the audio scene, and is used in audio spatialization. All PannerNodes spatialize in relation to the AudioListener stored in the BaseAudioContext.listener attribute. */ interface AudioListener { readonly forwardX: AudioParam; readonly forwardY: AudioParam; readonly forwardZ: AudioParam; readonly positionX: AudioParam; readonly positionY: AudioParam; readonly positionZ: AudioParam; readonly upX: AudioParam; readonly upY: AudioParam; readonly upZ: AudioParam; /** @deprecated */ setOrientation(x: number, y: number, z: number, xUp: number, yUp: number, zUp: number): void; /** @deprecated */ setPosition(x: number, y: number, z: number): void; } declare var AudioListener: { prototype: AudioListener; new(): AudioListener; }; /** A generic interface for representing an audio processing module. Examples include: */ interface AudioNode extends EventTarget { channelCount: number; channelCountMode: ChannelCountMode; channelInterpretation: ChannelInterpretation; readonly context: BaseAudioContext; readonly numberOfInputs: number; readonly numberOfOutputs: number; connect(destinationNode: AudioNode, output?: number, input?: number): AudioNode; connect(destinationParam: AudioParam, output?: number): void; disconnect(): void; disconnect(output: number): void; disconnect(destinationNode: AudioNode): void; disconnect(destinationNode: AudioNode, output: number): void; disconnect(destinationNode: AudioNode, output: number, input: number): void; disconnect(destinationParam: AudioParam): void; disconnect(destinationParam: AudioParam, output: number): void; } declare var AudioNode: { prototype: AudioNode; new(): AudioNode; }; /** The Web Audio API"s AudioParam interface represents an audio-related parameter, usually a parameter of an AudioNode (such as GainNode.gain). */ interface AudioParam { automationRate: AutomationRate; readonly defaultValue: number; readonly maxValue: number; readonly minValue: number; value: number; cancelAndHoldAtTime(cancelTime: number): AudioParam; cancelScheduledValues(cancelTime: number): AudioParam; exponentialRampToValueAtTime(value: number, endTime: number): AudioParam; linearRampToValueAtTime(value: number, endTime: number): AudioParam; setTargetAtTime(target: number, startTime: number, timeConstant: number): AudioParam; setValueAtTime(value: number, startTime: number): AudioParam; setValueCurveAtTime(values: number[] | Float32Array, startTime: number, duration: number): AudioParam; } declare var AudioParam: { prototype: AudioParam; new(): AudioParam; }; interface AudioParamMap { forEach(callbackfn: (value: AudioParam, key: string, parent: AudioParamMap) => void, thisArg?: any): void; } declare var AudioParamMap: { prototype: AudioParamMap; new(): AudioParamMap; }; /** * The Web Audio API events that occur when a ScriptProcessorNode input buffer is ready to be processed. * @deprecated As of the August 29 2014 Web Audio API spec publication, this feature has been marked as deprecated, and is soon to be replaced by AudioWorklet. */ interface AudioProcessingEvent extends Event { /** @deprecated */ readonly inputBuffer: AudioBuffer; /** @deprecated */ readonly outputBuffer: AudioBuffer; /** @deprecated */ readonly playbackTime: number; } /** @deprecated */ declare var AudioProcessingEvent: { prototype: AudioProcessingEvent; new(type: string, eventInitDict: AudioProcessingEventInit): AudioProcessingEvent; }; interface AudioScheduledSourceNodeEventMap { "ended": Event; } interface AudioScheduledSourceNode extends AudioNode { onended: ((this: AudioScheduledSourceNode, ev: Event) => any) | null; start(when?: number): void; stop(when?: number): void; addEventListener(type: K, listener: (this: AudioScheduledSourceNode, ev: AudioScheduledSourceNodeEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: AudioScheduledSourceNode, ev: AudioScheduledSourceNodeEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var AudioScheduledSourceNode: { prototype: AudioScheduledSourceNode; new(): AudioScheduledSourceNode; }; /** Available only in secure contexts. */ interface AudioWorklet extends Worklet { } declare var AudioWorklet: { prototype: AudioWorklet; new(): AudioWorklet; }; interface AudioWorkletNodeEventMap { "processorerror": Event; } /** Available only in secure contexts. */ interface AudioWorkletNode extends AudioNode { onprocessorerror: ((this: AudioWorkletNode, ev: Event) => any) | null; readonly parameters: AudioParamMap; readonly port: MessagePort; addEventListener(type: K, listener: (this: AudioWorkletNode, ev: AudioWorkletNodeEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: AudioWorkletNode, ev: AudioWorkletNodeEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var AudioWorkletNode: { prototype: AudioWorkletNode; new(context: BaseAudioContext, name: string, options?: AudioWorkletNodeOptions): AudioWorkletNode; }; /** Available only in secure contexts. */ interface AuthenticatorAssertionResponse extends AuthenticatorResponse { readonly authenticatorData: ArrayBuffer; readonly signature: ArrayBuffer; readonly userHandle: ArrayBuffer | null; } declare var AuthenticatorAssertionResponse: { prototype: AuthenticatorAssertionResponse; new(): AuthenticatorAssertionResponse; }; /** Available only in secure contexts. */ interface AuthenticatorAttestationResponse extends AuthenticatorResponse { readonly attestationObject: ArrayBuffer; getAuthenticatorData(): ArrayBuffer; getPublicKey(): ArrayBuffer | null; getPublicKeyAlgorithm(): COSEAlgorithmIdentifier; getTransports(): string[]; } declare var AuthenticatorAttestationResponse: { prototype: AuthenticatorAttestationResponse; new(): AuthenticatorAttestationResponse; }; /** Available only in secure contexts. */ interface AuthenticatorResponse { readonly clientDataJSON: ArrayBuffer; } declare var AuthenticatorResponse: { prototype: AuthenticatorResponse; new(): AuthenticatorResponse; }; interface BarProp { readonly visible: boolean; } declare var BarProp: { prototype: BarProp; new(): BarProp; }; interface BaseAudioContextEventMap { "statechange": Event; } interface BaseAudioContext extends EventTarget { /** Available only in secure contexts. */ readonly audioWorklet: AudioWorklet; readonly currentTime: number; readonly destination: AudioDestinationNode; readonly listener: AudioListener; onstatechange: ((this: BaseAudioContext, ev: Event) => any) | null; readonly sampleRate: number; readonly state: AudioContextState; createAnalyser(): AnalyserNode; createBiquadFilter(): BiquadFilterNode; createBuffer(numberOfChannels: number, length: number, sampleRate: number): AudioBuffer; createBufferSource(): AudioBufferSourceNode; createChannelMerger(numberOfInputs?: number): ChannelMergerNode; createChannelSplitter(numberOfOutputs?: number): ChannelSplitterNode; createConstantSource(): ConstantSourceNode; createConvolver(): ConvolverNode; createDelay(maxDelayTime?: number): DelayNode; createDynamicsCompressor(): DynamicsCompressorNode; createGain(): GainNode; createIIRFilter(feedforward: number[], feedback: number[]): IIRFilterNode; createOscillator(): OscillatorNode; createPanner(): PannerNode; createPeriodicWave(real: number[] | Float32Array, imag: number[] | Float32Array, constraints?: PeriodicWaveConstraints): PeriodicWave; /** @deprecated */ createScriptProcessor(bufferSize?: number, numberOfInputChannels?: number, numberOfOutputChannels?: number): ScriptProcessorNode; createStereoPanner(): StereoPannerNode; createWaveShaper(): WaveShaperNode; decodeAudioData(audioData: ArrayBuffer, successCallback?: DecodeSuccessCallback | null, errorCallback?: DecodeErrorCallback | null): Promise; addEventListener(type: K, listener: (this: BaseAudioContext, ev: BaseAudioContextEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: BaseAudioContext, ev: BaseAudioContextEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var BaseAudioContext: { prototype: BaseAudioContext; new(): BaseAudioContext; }; /** The beforeunload event is fired when the window, the document and its resources are about to be unloaded. */ interface BeforeUnloadEvent extends Event { returnValue: any; } declare var BeforeUnloadEvent: { prototype: BeforeUnloadEvent; new(): BeforeUnloadEvent; }; /** A simple low-order filter, and is created using the AudioContext.createBiquadFilter() method. It is an AudioNode that can represent different kinds of filters, tone control devices, and graphic equalizers. */ interface BiquadFilterNode extends AudioNode { readonly Q: AudioParam; readonly detune: AudioParam; readonly frequency: AudioParam; readonly gain: AudioParam; type: BiquadFilterType; getFrequencyResponse(frequencyHz: Float32Array, magResponse: Float32Array, phaseResponse: Float32Array): void; } declare var BiquadFilterNode: { prototype: BiquadFilterNode; new(context: BaseAudioContext, options?: BiquadFilterOptions): BiquadFilterNode; }; /** A file-like object of immutable, raw data. Blobs represent data that isn"t necessarily in a JavaScript-native format. The File interface is based on Blob, inheriting blob functionality and expanding it to support files on the user"s system. */ interface Blob { readonly size: number; readonly type: string; arrayBuffer(): Promise; slice(start?: number, end?: number, contentType?: string): Blob; stream(): ReadableStream; text(): Promise; } declare var Blob: { prototype: Blob; new(blobParts?: BlobPart[], options?: BlobPropertyBag): Blob; }; interface BlobEvent extends Event { readonly data: Blob; readonly timecode: DOMHighResTimeStamp; } declare var BlobEvent: { prototype: BlobEvent; new(type: string, eventInitDict: BlobEventInit): BlobEvent; }; interface Body { readonly body: ReadableStream | null; readonly bodyUsed: boolean; arrayBuffer(): Promise; blob(): Promise; formData(): Promise; json(): Promise; text(): Promise; } interface BroadcastChannelEventMap { "message": MessageEvent; "messageerror": MessageEvent; } interface BroadcastChannel extends EventTarget { /** Returns the channel name (as passed to the constructor). */ readonly name: string; onmessage: ((this: BroadcastChannel, ev: MessageEvent) => any) | null; onmessageerror: ((this: BroadcastChannel, ev: MessageEvent) => any) | null; /** Closes the BroadcastChannel object, opening it up to garbage collection. */ close(): void; /** Sends the given message to other BroadcastChannel objects set up for this channel. Messages can be structured objects, e.g. nested objects and arrays. */ postMessage(message: any): void; addEventListener(type: K, listener: (this: BroadcastChannel, ev: BroadcastChannelEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: BroadcastChannel, ev: BroadcastChannelEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var BroadcastChannel: { prototype: BroadcastChannel; new(name: string): BroadcastChannel; }; /** This Streams API interface providesxA0a built-in byte length queuing strategy that can be used when constructing streams. */ interface ByteLengthQueuingStrategy extends QueuingStrategy { readonly highWaterMark: number; readonly size: QueuingStrategySize; } declare var ByteLengthQueuingStrategy: { prototype: ByteLengthQueuingStrategy; new(init: QueuingStrategyInit): ByteLengthQueuingStrategy; }; /** A CDATA section that can be used within XML to include extended portions of unescaped text. The symbols < and & donu2019t need escaping as they normally do when inside a CDATA section. */ interface CDATASection extends Text { } declare var CDATASection: { prototype: CDATASection; new(): CDATASection; }; interface CSSAnimation extends Animation { readonly animationName: string; addEventListener(type: K, listener: (this: CSSAnimation, ev: AnimationEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: CSSAnimation, ev: AnimationEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var CSSAnimation: { prototype: CSSAnimation; new(): CSSAnimation; }; /** A single condition CSS at-rule, which consists of a condition and a statement block. It is a child of CSSGroupingRule. */ interface CSSConditionRule extends CSSGroupingRule { readonly conditionText: string; } declare var CSSConditionRule: { prototype: CSSConditionRule; new(): CSSConditionRule; }; interface CSSContainerRule extends CSSConditionRule { } declare var CSSContainerRule: { prototype: CSSContainerRule; new(): CSSContainerRule; }; interface CSSCounterStyleRule extends CSSRule { additiveSymbols: string; fallback: string; name: string; negative: string; pad: string; prefix: string; range: string; speakAs: string; suffix: string; symbols: string; system: string; } declare var CSSCounterStyleRule: { prototype: CSSCounterStyleRule; new(): CSSCounterStyleRule; }; interface CSSFontFaceRule extends CSSRule { readonly style: CSSStyleDeclaration; } declare var CSSFontFaceRule: { prototype: CSSFontFaceRule; new(): CSSFontFaceRule; }; interface CSSFontFeatureValuesRule extends CSSRule { fontFamily: string; } declare var CSSFontFeatureValuesRule: { prototype: CSSFontFeatureValuesRule; new(): CSSFontFeatureValuesRule; }; interface CSSFontPaletteValuesRule extends CSSRule { readonly basePalette: string; readonly fontFamily: string; readonly name: string; readonly overrideColors: string; } declare var CSSFontPaletteValuesRule: { prototype: CSSFontPaletteValuesRule; new(): CSSFontPaletteValuesRule; }; /** Any CSS at-rule that contains other rules nested within it. */ interface CSSGroupingRule extends CSSRule { readonly cssRules: CSSRuleList; deleteRule(index: number): void; insertRule(rule: string, index?: number): number; } declare var CSSGroupingRule: { prototype: CSSGroupingRule; new(): CSSGroupingRule; }; interface CSSImportRule extends CSSRule { readonly href: string; readonly layerName: string | null; readonly media: MediaList; readonly styleSheet: CSSStyleSheet; } declare var CSSImportRule: { prototype: CSSImportRule; new(): CSSImportRule; }; /** An object representing a set of style for a given keyframe. It corresponds to the contains of a single keyframe of a @keyframes at-rule. It implements the CSSRule interface with a type value of 8 (CSSRule.KEYFRAME_RULE). */ interface CSSKeyframeRule extends CSSRule { keyText: string; readonly style: CSSStyleDeclaration; } declare var CSSKeyframeRule: { prototype: CSSKeyframeRule; new(): CSSKeyframeRule; }; /** An object representing a complete set of keyframes for a CSS animation. It corresponds to the contains of a whole @keyframes at-rule. It implements the CSSRule interface with a type value of 7 (CSSRule.KEYFRAMES_RULE). */ interface CSSKeyframesRule extends CSSRule { readonly cssRules: CSSRuleList; name: string; appendRule(rule: string): void; deleteRule(select: string): void; findRule(select: string): CSSKeyframeRule | null; [index: number]: CSSKeyframeRule; } declare var CSSKeyframesRule: { prototype: CSSKeyframesRule; new(): CSSKeyframesRule; }; interface CSSLayerBlockRule extends CSSGroupingRule { readonly name: string; } declare var CSSLayerBlockRule: { prototype: CSSLayerBlockRule; new(): CSSLayerBlockRule; }; interface CSSLayerStatementRule extends CSSRule { readonly nameList: ReadonlyArray; } declare var CSSLayerStatementRule: { prototype: CSSLayerStatementRule; new(): CSSLayerStatementRule; }; /** A single CSS @media rule. It implements the CSSConditionRule interface, and therefore the CSSGroupingRule and the CSSRule interface with a type value of 4 (CSSRule.MEDIA_RULE). */ interface CSSMediaRule extends CSSConditionRule { readonly media: MediaList; } declare var CSSMediaRule: { prototype: CSSMediaRule; new(): CSSMediaRule; }; /** An object representing a single CSS @namespace at-rule. It implements the CSSRule interface, with a type value of 10 (CSSRule.NAMESPACE_RULE). */ interface CSSNamespaceRule extends CSSRule { readonly namespaceURI: string; readonly prefix: string; } declare var CSSNamespaceRule: { prototype: CSSNamespaceRule; new(): CSSNamespaceRule; }; /** CSSPageRule is an interface representing a single CSS @page rule. It implements the CSSRule interface with a type value of 6 (CSSRule.PAGE_RULE). */ interface CSSPageRule extends CSSGroupingRule { selectorText: string; readonly style: CSSStyleDeclaration; } declare var CSSPageRule: { prototype: CSSPageRule; new(): CSSPageRule; }; /** A single CSS rule. There are several types of rules, listed in the Type constants section below. */ interface CSSRule { cssText: string; readonly parentRule: CSSRule | null; readonly parentStyleSheet: CSSStyleSheet | null; /** @deprecated */ readonly type: number; readonly STYLE_RULE: 1; readonly CHARSET_RULE: 2; readonly IMPORT_RULE: 3; readonly MEDIA_RULE: 4; readonly FONT_FACE_RULE: 5; readonly PAGE_RULE: 6; readonly NAMESPACE_RULE: 10; readonly KEYFRAMES_RULE: 7; readonly KEYFRAME_RULE: 8; readonly SUPPORTS_RULE: 12; } declare var CSSRule: { prototype: CSSRule; new(): CSSRule; readonly STYLE_RULE: 1; readonly CHARSET_RULE: 2; readonly IMPORT_RULE: 3; readonly MEDIA_RULE: 4; readonly FONT_FACE_RULE: 5; readonly PAGE_RULE: 6; readonly NAMESPACE_RULE: 10; readonly KEYFRAMES_RULE: 7; readonly KEYFRAME_RULE: 8; readonly SUPPORTS_RULE: 12; }; /** A CSSRuleList is an (indirect-modify only) array-like object containing an ordered collection of CSSRule objects. */ interface CSSRuleList { readonly length: number; item(index: number): CSSRule | null; [index: number]: CSSRule; } declare var CSSRuleList: { prototype: CSSRuleList; new(): CSSRuleList; }; /** An object that is a CSS declaration block, and exposes style information and various style-related methods and properties. */ interface CSSStyleDeclaration { accentColor: string; alignContent: string; alignItems: string; alignSelf: string; alignmentBaseline: string; all: string; animation: string; animationDelay: string; animationDirection: string; animationDuration: string; animationFillMode: string; animationIterationCount: string; animationName: string; animationPlayState: string; animationTimingFunction: string; appearance: string; aspectRatio: string; backdropFilter: string; backfaceVisibility: string; background: string; backgroundAttachment: string; backgroundBlendMode: string; backgroundClip: string; backgroundColor: string; backgroundImage: string; backgroundOrigin: string; backgroundPosition: string; backgroundPositionX: string; backgroundPositionY: string; backgroundRepeat: string; backgroundSize: string; baselineShift: string; blockSize: string; border: string; borderBlock: string; borderBlockColor: string; borderBlockEnd: string; borderBlockEndColor: string; borderBlockEndStyle: string; borderBlockEndWidth: string; borderBlockStart: string; borderBlockStartColor: string; borderBlockStartStyle: string; borderBlockStartWidth: string; borderBlockStyle: string; borderBlockWidth: string; borderBottom: string; borderBottomColor: string; borderBottomLeftRadius: string; borderBottomRightRadius: string; borderBottomStyle: string; borderBottomWidth: string; borderCollapse: string; borderColor: string; borderEndEndRadius: string; borderEndStartRadius: string; borderImage: string; borderImageOutset: string; borderImageRepeat: string; borderImageSlice: string; borderImageSource: string; borderImageWidth: string; borderInline: string; borderInlineColor: string; borderInlineEnd: string; borderInlineEndColor: string; borderInlineEndStyle: string; borderInlineEndWidth: string; borderInlineStart: string; borderInlineStartColor: string; borderInlineStartStyle: string; borderInlineStartWidth: string; borderInlineStyle: string; borderInlineWidth: string; borderLeft: string; borderLeftColor: string; borderLeftStyle: string; borderLeftWidth: string; borderRadius: string; borderRight: string; borderRightColor: string; borderRightStyle: string; borderRightWidth: string; borderSpacing: string; borderStartEndRadius: string; borderStartStartRadius: string; borderStyle: string; borderTop: string; borderTopColor: string; borderTopLeftRadius: string; borderTopRightRadius: string; borderTopStyle: string; borderTopWidth: string; borderWidth: string; bottom: string; boxShadow: string; boxSizing: string; breakAfter: string; breakBefore: string; breakInside: string; captionSide: string; caretColor: string; clear: string; /** @deprecated */ clip: string; clipPath: string; clipRule: string; color: string; colorInterpolation: string; colorInterpolationFilters: string; colorScheme: string; columnCount: string; columnFill: string; columnGap: string; columnRule: string; columnRuleColor: string; columnRuleStyle: string; columnRuleWidth: string; columnSpan: string; columnWidth: string; columns: string; contain: string; containIntrinsicBlockSize: string; containIntrinsicHeight: string; containIntrinsicInlineSize: string; containIntrinsicSize: string; containIntrinsicWidth: string; container: string; containerName: string; containerType: string; content: string; contentVisibility: string; counterIncrement: string; counterReset: string; counterSet: string; cssFloat: string; cssText: string; cursor: string; direction: string; display: string; dominantBaseline: string; emptyCells: string; fill: string; fillOpacity: string; fillRule: string; filter: string; flex: string; flexBasis: string; flexDirection: string; flexFlow: string; flexGrow: string; flexShrink: string; flexWrap: string; float: string; floodColor: string; floodOpacity: string; font: string; fontFamily: string; fontFeatureSettings: string; fontKerning: string; fontOpticalSizing: string; fontPalette: string; fontSize: string; fontSizeAdjust: string; fontStretch: string; fontStyle: string; fontSynthesis: string; fontVariant: string; fontVariantAlternates: string; fontVariantCaps: string; fontVariantEastAsian: string; fontVariantLigatures: string; fontVariantNumeric: string; fontVariantPosition: string; fontVariationSettings: string; fontWeight: string; gap: string; grid: string; gridArea: string; gridAutoColumns: string; gridAutoFlow: string; gridAutoRows: string; gridColumn: string; gridColumnEnd: string; /** @deprecated This is a legacy alias of `columnGap`. */ gridColumnGap: string; gridColumnStart: string; /** @deprecated This is a legacy alias of `gap`. */ gridGap: string; gridRow: string; gridRowEnd: string; /** @deprecated This is a legacy alias of `rowGap`. */ gridRowGap: string; gridRowStart: string; gridTemplate: string; gridTemplateAreas: string; gridTemplateColumns: string; gridTemplateRows: string; height: string; hyphenateCharacter: string; hyphens: string; /** @deprecated */ imageOrientation: string; imageRendering: string; inlineSize: string; inset: string; insetBlock: string; insetBlockEnd: string; insetBlockStart: string; insetInline: string; insetInlineEnd: string; insetInlineStart: string; isolation: string; justifyContent: string; justifyItems: string; justifySelf: string; left: string; readonly length: number; letterSpacing: string; lightingColor: string; lineBreak: string; lineHeight: string; listStyle: string; listStyleImage: string; listStylePosition: string; listStyleType: string; margin: string; marginBlock: string; marginBlockEnd: string; marginBlockStart: string; marginBottom: string; marginInline: string; marginInlineEnd: string; marginInlineStart: string; marginLeft: string; marginRight: string; marginTop: string; marker: string; markerEnd: string; markerMid: string; markerStart: string; mask: string; maskClip: string; maskComposite: string; maskImage: string; maskMode: string; maskOrigin: string; maskPosition: string; maskRepeat: string; maskSize: string; maskType: string; mathStyle: string; maxBlockSize: string; maxHeight: string; maxInlineSize: string; maxWidth: string; minBlockSize: string; minHeight: string; minInlineSize: string; minWidth: string; mixBlendMode: string; objectFit: string; objectPosition: string; offset: string; offsetDistance: string; offsetPath: string; offsetRotate: string; opacity: string; order: string; orphans: string; outline: string; outlineColor: string; outlineOffset: string; outlineStyle: string; outlineWidth: string; overflow: string; overflowAnchor: string; overflowClipMargin: string; overflowWrap: string; overflowX: string; overflowY: string; overscrollBehavior: string; overscrollBehaviorBlock: string; overscrollBehaviorInline: string; overscrollBehaviorX: string; overscrollBehaviorY: string; padding: string; paddingBlock: string; paddingBlockEnd: string; paddingBlockStart: string; paddingBottom: string; paddingInline: string; paddingInlineEnd: string; paddingInlineStart: string; paddingLeft: string; paddingRight: string; paddingTop: string; pageBreakAfter: string; pageBreakBefore: string; pageBreakInside: string; paintOrder: string; readonly parentRule: CSSRule | null; perspective: string; perspectiveOrigin: string; placeContent: string; placeItems: string; placeSelf: string; pointerEvents: string; position: string; printColorAdjust: string; quotes: string; resize: string; right: string; rotate: string; rowGap: string; rubyPosition: string; scale: string; scrollBehavior: string; scrollMargin: string; scrollMarginBlock: string; scrollMarginBlockEnd: string; scrollMarginBlockStart: string; scrollMarginBottom: string; scrollMarginInline: string; scrollMarginInlineEnd: string; scrollMarginInlineStart: string; scrollMarginLeft: string; scrollMarginRight: string; scrollMarginTop: string; scrollPadding: string; scrollPaddingBlock: string; scrollPaddingBlockEnd: string; scrollPaddingBlockStart: string; scrollPaddingBottom: string; scrollPaddingInline: string; scrollPaddingInlineEnd: string; scrollPaddingInlineStart: string; scrollPaddingLeft: string; scrollPaddingRight: string; scrollPaddingTop: string; scrollSnapAlign: string; scrollSnapStop: string; scrollSnapType: string; scrollbarGutter: string; shapeImageThreshold: string; shapeMargin: string; shapeOutside: string; shapeRendering: string; stopColor: string; stopOpacity: string; stroke: string; strokeDasharray: string; strokeDashoffset: string; strokeLinecap: string; strokeLinejoin: string; strokeMiterlimit: string; strokeOpacity: string; strokeWidth: string; tabSize: string; tableLayout: string; textAlign: string; textAlignLast: string; textAnchor: string; textCombineUpright: string; textDecoration: string; textDecorationColor: string; textDecorationLine: string; textDecorationSkipInk: string; textDecorationStyle: string; textDecorationThickness: string; textEmphasis: string; textEmphasisColor: string; textEmphasisPosition: string; textEmphasisStyle: string; textIndent: string; textOrientation: string; textOverflow: string; textRendering: string; textShadow: string; textTransform: string; textUnderlineOffset: string; textUnderlinePosition: string; top: string; touchAction: string; transform: string; transformBox: string; transformOrigin: string; transformStyle: string; transition: string; transitionDelay: string; transitionDuration: string; transitionProperty: string; transitionTimingFunction: string; translate: string; unicodeBidi: string; userSelect: string; verticalAlign: string; visibility: string; /** @deprecated This is a legacy alias of `alignContent`. */ webkitAlignContent: string; /** @deprecated This is a legacy alias of `alignItems`. */ webkitAlignItems: string; /** @deprecated This is a legacy alias of `alignSelf`. */ webkitAlignSelf: string; /** @deprecated This is a legacy alias of `animation`. */ webkitAnimation: string; /** @deprecated This is a legacy alias of `animationDelay`. */ webkitAnimationDelay: string; /** @deprecated This is a legacy alias of `animationDirection`. */ webkitAnimationDirection: string; /** @deprecated This is a legacy alias of `animationDuration`. */ webkitAnimationDuration: string; /** @deprecated This is a legacy alias of `animationFillMode`. */ webkitAnimationFillMode: string; /** @deprecated This is a legacy alias of `animationIterationCount`. */ webkitAnimationIterationCount: string; /** @deprecated This is a legacy alias of `animationName`. */ webkitAnimationName: string; /** @deprecated This is a legacy alias of `animationPlayState`. */ webkitAnimationPlayState: string; /** @deprecated This is a legacy alias of `animationTimingFunction`. */ webkitAnimationTimingFunction: string; /** @deprecated This is a legacy alias of `appearance`. */ webkitAppearance: string; /** @deprecated This is a legacy alias of `backfaceVisibility`. */ webkitBackfaceVisibility: string; /** @deprecated This is a legacy alias of `backgroundClip`. */ webkitBackgroundClip: string; /** @deprecated This is a legacy alias of `backgroundOrigin`. */ webkitBackgroundOrigin: string; /** @deprecated This is a legacy alias of `backgroundSize`. */ webkitBackgroundSize: string; /** @deprecated This is a legacy alias of `borderBottomLeftRadius`. */ webkitBorderBottomLeftRadius: string; /** @deprecated This is a legacy alias of `borderBottomRightRadius`. */ webkitBorderBottomRightRadius: string; /** @deprecated This is a legacy alias of `borderRadius`. */ webkitBorderRadius: string; /** @deprecated This is a legacy alias of `borderTopLeftRadius`. */ webkitBorderTopLeftRadius: string; /** @deprecated This is a legacy alias of `borderTopRightRadius`. */ webkitBorderTopRightRadius: string; /** @deprecated This is a legacy alias of `boxAlign`. */ webkitBoxAlign: string; /** @deprecated This is a legacy alias of `boxFlex`. */ webkitBoxFlex: string; /** @deprecated This is a legacy alias of `boxOrdinalGroup`. */ webkitBoxOrdinalGroup: string; /** @deprecated This is a legacy alias of `boxOrient`. */ webkitBoxOrient: string; /** @deprecated This is a legacy alias of `boxPack`. */ webkitBoxPack: string; /** @deprecated This is a legacy alias of `boxShadow`. */ webkitBoxShadow: string; /** @deprecated This is a legacy alias of `boxSizing`. */ webkitBoxSizing: string; /** @deprecated This is a legacy alias of `filter`. */ webkitFilter: string; /** @deprecated This is a legacy alias of `flex`. */ webkitFlex: string; /** @deprecated This is a legacy alias of `flexBasis`. */ webkitFlexBasis: string; /** @deprecated This is a legacy alias of `flexDirection`. */ webkitFlexDirection: string; /** @deprecated This is a legacy alias of `flexFlow`. */ webkitFlexFlow: string; /** @deprecated This is a legacy alias of `flexGrow`. */ webkitFlexGrow: string; /** @deprecated This is a legacy alias of `flexShrink`. */ webkitFlexShrink: string; /** @deprecated This is a legacy alias of `flexWrap`. */ webkitFlexWrap: string; /** @deprecated This is a legacy alias of `justifyContent`. */ webkitJustifyContent: string; webkitLineClamp: string; /** @deprecated This is a legacy alias of `mask`. */ webkitMask: string; /** @deprecated This is a legacy alias of `maskBorder`. */ webkitMaskBoxImage: string; /** @deprecated This is a legacy alias of `maskBorderOutset`. */ webkitMaskBoxImageOutset: string; /** @deprecated This is a legacy alias of `maskBorderRepeat`. */ webkitMaskBoxImageRepeat: string; /** @deprecated This is a legacy alias of `maskBorderSlice`. */ webkitMaskBoxImageSlice: string; /** @deprecated This is a legacy alias of `maskBorderSource`. */ webkitMaskBoxImageSource: string; /** @deprecated This is a legacy alias of `maskBorderWidth`. */ webkitMaskBoxImageWidth: string; /** @deprecated This is a legacy alias of `maskClip`. */ webkitMaskClip: string; webkitMaskComposite: string; /** @deprecated This is a legacy alias of `maskImage`. */ webkitMaskImage: string; /** @deprecated This is a legacy alias of `maskOrigin`. */ webkitMaskOrigin: string; /** @deprecated This is a legacy alias of `maskPosition`. */ webkitMaskPosition: string; /** @deprecated This is a legacy alias of `maskRepeat`. */ webkitMaskRepeat: string; /** @deprecated This is a legacy alias of `maskSize`. */ webkitMaskSize: string; /** @deprecated This is a legacy alias of `order`. */ webkitOrder: string; /** @deprecated This is a legacy alias of `perspective`. */ webkitPerspective: string; /** @deprecated This is a legacy alias of `perspectiveOrigin`. */ webkitPerspectiveOrigin: string; webkitTextFillColor: string; /** @deprecated This is a legacy alias of `textSizeAdjust`. */ webkitTextSizeAdjust: string; webkitTextStroke: string; webkitTextStrokeColor: string; webkitTextStrokeWidth: string; /** @deprecated This is a legacy alias of `transform`. */ webkitTransform: string; /** @deprecated This is a legacy alias of `transformOrigin`. */ webkitTransformOrigin: string; /** @deprecated This is a legacy alias of `transformStyle`. */ webkitTransformStyle: string; /** @deprecated This is a legacy alias of `transition`. */ webkitTransition: string; /** @deprecated This is a legacy alias of `transitionDelay`. */ webkitTransitionDelay: string; /** @deprecated This is a legacy alias of `transitionDuration`. */ webkitTransitionDuration: string; /** @deprecated This is a legacy alias of `transitionProperty`. */ webkitTransitionProperty: string; /** @deprecated This is a legacy alias of `transitionTimingFunction`. */ webkitTransitionTimingFunction: string; /** @deprecated This is a legacy alias of `userSelect`. */ webkitUserSelect: string; whiteSpace: string; widows: string; width: string; willChange: string; wordBreak: string; wordSpacing: string; /** @deprecated */ wordWrap: string; writingMode: string; zIndex: string; getPropertyPriority(property: string): string; getPropertyValue(property: string): string; item(index: number): string; removeProperty(property: string): string; setProperty(property: string, value: string | null, priority?: string): void; [index: number]: string; } declare var CSSStyleDeclaration: { prototype: CSSStyleDeclaration; new(): CSSStyleDeclaration; }; /** CSSStyleRule represents a single CSS style rule. It implements the CSSRule interface with a type value of 1 (CSSRule.STYLE_RULE). */ interface CSSStyleRule extends CSSRule { selectorText: string; readonly style: CSSStyleDeclaration; } declare var CSSStyleRule: { prototype: CSSStyleRule; new(): CSSStyleRule; }; /** A single CSS style sheet. It inherits properties and methods from its parent, StyleSheet. */ interface CSSStyleSheet extends StyleSheet { readonly cssRules: CSSRuleList; readonly ownerRule: CSSRule | null; /** @deprecated */ readonly rules: CSSRuleList; /** @deprecated */ addRule(selector?: string, style?: string, index?: number): number; deleteRule(index: number): void; insertRule(rule: string, index?: number): number; /** @deprecated */ removeRule(index?: number): void; replace(text: string): Promise; replaceSync(text: string): void; } declare var CSSStyleSheet: { prototype: CSSStyleSheet; new(options?: CSSStyleSheetInit): CSSStyleSheet; }; /** An object representing a single CSS @supports at-rule. It implements the CSSConditionRule interface, and therefore the CSSRule and CSSGroupingRule interfaces with a type value of 12 (CSSRule.SUPPORTS_RULE). */ interface CSSSupportsRule extends CSSConditionRule { } declare var CSSSupportsRule: { prototype: CSSSupportsRule; new(): CSSSupportsRule; }; interface CSSTransition extends Animation { readonly transitionProperty: string; addEventListener(type: K, listener: (this: CSSTransition, ev: AnimationEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: CSSTransition, ev: AnimationEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var CSSTransition: { prototype: CSSTransition; new(): CSSTransition; }; /** * Provides a storage mechanism for Request / Response object pairs that are cached, for example as part of the ServiceWorker life cycle. Note that the Cache interface is exposed to windowed scopes as well as workers. You don"t have to use it in conjunction with service workers, even though it is defined in the service worker spec. * Available only in secure contexts. */ interface Cache { add(request: RequestInfo | URL): Promise; addAll(requests: RequestInfo[]): Promise; delete(request: RequestInfo | URL, options?: CacheQueryOptions): Promise; keys(request?: RequestInfo | URL, options?: CacheQueryOptions): Promise>; match(request: RequestInfo | URL, options?: CacheQueryOptions): Promise; matchAll(request?: RequestInfo | URL, options?: CacheQueryOptions): Promise>; put(request: RequestInfo | URL, response: Response): Promise; } declare var Cache: { prototype: Cache; new(): Cache; }; /** * The storage for Cache objects. * Available only in secure contexts. */ interface CacheStorage { delete(cacheName: string): Promise; has(cacheName: string): Promise; keys(): Promise; match(request: RequestInfo | URL, options?: MultiCacheQueryOptions): Promise; open(cacheName: string): Promise; } declare var CacheStorage: { prototype: CacheStorage; new(): CacheStorage; }; interface CanvasCaptureMediaStreamTrack extends MediaStreamTrack { readonly canvas: HTMLCanvasElement; requestFrame(): void; addEventListener(type: K, listener: (this: CanvasCaptureMediaStreamTrack, ev: MediaStreamTrackEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: CanvasCaptureMediaStreamTrack, ev: MediaStreamTrackEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var CanvasCaptureMediaStreamTrack: { prototype: CanvasCaptureMediaStreamTrack; new(): CanvasCaptureMediaStreamTrack; }; interface CanvasCompositing { globalAlpha: number; globalCompositeOperation: GlobalCompositeOperation; } interface CanvasDrawImage { drawImage(image: CanvasImageSource, dx: number, dy: number): void; drawImage(image: CanvasImageSource, dx: number, dy: number, dw: number, dh: number): void; drawImage(image: CanvasImageSource, sx: number, sy: number, sw: number, sh: number, dx: number, dy: number, dw: number, dh: number): void; } interface CanvasDrawPath { beginPath(): void; clip(fillRule?: CanvasFillRule): void; clip(path: Path2D, fillRule?: CanvasFillRule): void; fill(fillRule?: CanvasFillRule): void; fill(path: Path2D, fillRule?: CanvasFillRule): void; isPointInPath(x: number, y: number, fillRule?: CanvasFillRule): boolean; isPointInPath(path: Path2D, x: number, y: number, fillRule?: CanvasFillRule): boolean; isPointInStroke(x: number, y: number): boolean; isPointInStroke(path: Path2D, x: number, y: number): boolean; stroke(): void; stroke(path: Path2D): void; } interface CanvasFillStrokeStyles { fillStyle: string | CanvasGradient | CanvasPattern; strokeStyle: string | CanvasGradient | CanvasPattern; createConicGradient(startAngle: number, x: number, y: number): CanvasGradient; createLinearGradient(x0: number, y0: number, x1: number, y1: number): CanvasGradient; createPattern(image: CanvasImageSource, repetition: string | null): CanvasPattern | null; createRadialGradient(x0: number, y0: number, r0: number, x1: number, y1: number, r1: number): CanvasGradient; } interface CanvasFilters { filter: string; } /** An opaque object describing a gradient. It is returned by the methods CanvasRenderingContext2D.createLinearGradient() or CanvasRenderingContext2D.createRadialGradient(). */ interface CanvasGradient { /** * Adds a color stop with the given color to the gradient at the given offset. 0.0 is the offset at one end of the gradient, 1.0 is the offset at the other end. * * Throws an "IndexSizeError" DOMException if the offset is out of range. Throws a "SyntaxError" DOMException if the color cannot be parsed. */ addColorStop(offset: number, color: string): void; } declare var CanvasGradient: { prototype: CanvasGradient; new(): CanvasGradient; }; interface CanvasImageData { createImageData(sw: number, sh: number, settings?: ImageDataSettings): ImageData; createImageData(imagedata: ImageData): ImageData; getImageData(sx: number, sy: number, sw: number, sh: number, settings?: ImageDataSettings): ImageData; putImageData(imagedata: ImageData, dx: number, dy: number): void; putImageData(imagedata: ImageData, dx: number, dy: number, dirtyX: number, dirtyY: number, dirtyWidth: number, dirtyHeight: number): void; } interface CanvasImageSmoothing { imageSmoothingEnabled: boolean; imageSmoothingQuality: ImageSmoothingQuality; } interface CanvasPath { arc(x: number, y: number, radius: number, startAngle: number, endAngle: number, counterclockwise?: boolean): void; arcTo(x1: number, y1: number, x2: number, y2: number, radius: number): void; bezierCurveTo(cp1x: number, cp1y: number, cp2x: number, cp2y: number, x: number, y: number): void; closePath(): void; ellipse(x: number, y: number, radiusX: number, radiusY: number, rotation: number, startAngle: number, endAngle: number, counterclockwise?: boolean): void; lineTo(x: number, y: number): void; moveTo(x: number, y: number): void; quadraticCurveTo(cpx: number, cpy: number, x: number, y: number): void; rect(x: number, y: number, w: number, h: number): void; roundRect(x: number, y: number, w: number, h: number, radii?: number | DOMPointInit | (number | DOMPointInit)[]): void; } interface CanvasPathDrawingStyles { lineCap: CanvasLineCap; lineDashOffset: number; lineJoin: CanvasLineJoin; lineWidth: number; miterLimit: number; getLineDash(): number[]; setLineDash(segments: number[]): void; } /** An opaque object describing a pattern, based on an image, a canvas, or a video, created by the CanvasRenderingContext2D.createPattern() method. */ interface CanvasPattern { /** Sets the transformation matrix that will be used when rendering the pattern during a fill or stroke painting operation. */ setTransform(transform?: DOMMatrix2DInit): void; } declare var CanvasPattern: { prototype: CanvasPattern; new(): CanvasPattern; }; interface CanvasRect { clearRect(x: number, y: number, w: number, h: number): void; fillRect(x: number, y: number, w: number, h: number): void; strokeRect(x: number, y: number, w: number, h: number): void; } /** The CanvasRenderingContext2D interface, part of the Canvas API, provides the 2D rendering context for the drawing surface of a element. It is used for drawing shapes, text, images, and other objects. */ interface CanvasRenderingContext2D extends CanvasCompositing, CanvasDrawImage, CanvasDrawPath, CanvasFillStrokeStyles, CanvasFilters, CanvasImageData, CanvasImageSmoothing, CanvasPath, CanvasPathDrawingStyles, CanvasRect, CanvasShadowStyles, CanvasState, CanvasText, CanvasTextDrawingStyles, CanvasTransform, CanvasUserInterface { readonly canvas: HTMLCanvasElement; getContextAttributes(): CanvasRenderingContext2DSettings; } declare var CanvasRenderingContext2D: { prototype: CanvasRenderingContext2D; new(): CanvasRenderingContext2D; }; interface CanvasShadowStyles { shadowBlur: number; shadowColor: string; shadowOffsetX: number; shadowOffsetY: number; } interface CanvasState { restore(): void; save(): void; } interface CanvasText { fillText(text: string, x: number, y: number, maxWidth?: number): void; measureText(text: string): TextMetrics; strokeText(text: string, x: number, y: number, maxWidth?: number): void; } interface CanvasTextDrawingStyles { direction: CanvasDirection; font: string; fontKerning: CanvasFontKerning; textAlign: CanvasTextAlign; textBaseline: CanvasTextBaseline; } interface CanvasTransform { getTransform(): DOMMatrix; resetTransform(): void; rotate(angle: number): void; scale(x: number, y: number): void; setTransform(a: number, b: number, c: number, d: number, e: number, f: number): void; setTransform(transform?: DOMMatrix2DInit): void; transform(a: number, b: number, c: number, d: number, e: number, f: number): void; translate(x: number, y: number): void; } interface CanvasUserInterface { drawFocusIfNeeded(element: Element): void; drawFocusIfNeeded(path: Path2D, element: Element): void; } /** The ChannelMergerNode interface, often used in conjunction with its opposite, ChannelSplitterNode, reunites different mono inputs into a single output. Each input is used to fill a channel of the output. This is useful for accessing each channels separately, e.g. for performing channel mixing where gain must be separately controlled on each channel. */ interface ChannelMergerNode extends AudioNode { } declare var ChannelMergerNode: { prototype: ChannelMergerNode; new(context: BaseAudioContext, options?: ChannelMergerOptions): ChannelMergerNode; }; /** The ChannelSplitterNode interface, often used in conjunction with its opposite, ChannelMergerNode, separates the different channels of an audio source into a set of mono outputs. This is useful for accessing each channel separately, e.g. for performing channel mixing where gain must be separately controlled on each channel. */ interface ChannelSplitterNode extends AudioNode { } declare var ChannelSplitterNode: { prototype: ChannelSplitterNode; new(context: BaseAudioContext, options?: ChannelSplitterOptions): ChannelSplitterNode; }; /** The CharacterData abstract interface represents a Node object that contains characters. This is an abstract interface, meaning there aren"t any object of type CharacterData: it is implemented by other interfaces, like Text, Comment, or ProcessingInstruction which aren"t abstract. */ interface CharacterData extends Node, ChildNode, NonDocumentTypeChildNode { data: string; readonly length: number; readonly ownerDocument: Document; appendData(data: string): void; deleteData(offset: number, count: number): void; insertData(offset: number, data: string): void; replaceData(offset: number, count: number, data: string): void; substringData(offset: number, count: number): string; } declare var CharacterData: { prototype: CharacterData; new(): CharacterData; }; interface ChildNode extends Node { /** * Inserts nodes just after node, while replacing strings in nodes with equivalent Text nodes. * * Throws a "HierarchyRequestError" DOMException if the constraints of the node tree are violated. */ after(...nodes: (Node | string)[]): void; /** * Inserts nodes just before node, while replacing strings in nodes with equivalent Text nodes. * * Throws a "HierarchyRequestError" DOMException if the constraints of the node tree are violated. */ before(...nodes: (Node | string)[]): void; /** Removes node. */ remove(): void; /** * Replaces node with nodes, while replacing strings in nodes with equivalent Text nodes. * * Throws a "HierarchyRequestError" DOMException if the constraints of the node tree are violated. */ replaceWith(...nodes: (Node | string)[]): void; } /** @deprecated */ interface ClientRect extends DOMRect { } /** Available only in secure contexts. */ interface Clipboard extends EventTarget { read(): Promise; readText(): Promise; write(data: ClipboardItems): Promise; writeText(data: string): Promise; } declare var Clipboard: { prototype: Clipboard; new(): Clipboard; }; /** Events providing information related to modification of the clipboard, that is cut, copy, and paste events. */ interface ClipboardEvent extends Event { readonly clipboardData: DataTransfer | null; } declare var ClipboardEvent: { prototype: ClipboardEvent; new(type: string, eventInitDict?: ClipboardEventInit): ClipboardEvent; }; /** Available only in secure contexts. */ interface ClipboardItem { readonly presentationStyle: PresentationStyle; readonly types: ReadonlyArray; getType(type: string): Promise; } declare var ClipboardItem: { prototype: ClipboardItem; new(items: Record>, options?: ClipboardItemOptions): ClipboardItem; }; /** A CloseEvent is sent to clients using WebSockets when the connection is closed. This is delivered to the listener indicated by the WebSocket object"s onclose attribute. */ interface CloseEvent extends Event { /** Returns the WebSocket connection close code provided by the server. */ readonly code: number; /** Returns the WebSocket connection close reason provided by the server. */ readonly reason: string; /** Returns true if the connection closed cleanly; false otherwise. */ readonly wasClean: boolean; } declare var CloseEvent: { prototype: CloseEvent; new(type: string, eventInitDict?: CloseEventInit): CloseEvent; }; /** Textual notations within markup; although it is generally not visually shown, such comments are available to be read in the source view. */ interface Comment extends CharacterData { } declare var Comment: { prototype: Comment; new(data?: string): Comment; }; /** The DOM CompositionEvent represents events that occur due to the user indirectly entering text. */ interface CompositionEvent extends UIEvent { readonly data: string; /** @deprecated */ initCompositionEvent(typeArg: string, bubblesArg?: boolean, cancelableArg?: boolean, viewArg?: WindowProxy | null, dataArg?: string): void; } declare var CompositionEvent: { prototype: CompositionEvent; new(type: string, eventInitDict?: CompositionEventInit): CompositionEvent; }; interface ConstantSourceNode extends AudioScheduledSourceNode { readonly offset: AudioParam; addEventListener(type: K, listener: (this: ConstantSourceNode, ev: AudioScheduledSourceNodeEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: ConstantSourceNode, ev: AudioScheduledSourceNodeEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var ConstantSourceNode: { prototype: ConstantSourceNode; new(context: BaseAudioContext, options?: ConstantSourceOptions): ConstantSourceNode; }; /** An AudioNode that performs a Linear Convolution on a given AudioBuffer, often used to achieve a reverb effect. A ConvolverNode always has exactly one input and one output. */ interface ConvolverNode extends AudioNode { buffer: AudioBuffer | null; normalize: boolean; } declare var ConvolverNode: { prototype: ConvolverNode; new(context: BaseAudioContext, options?: ConvolverOptions): ConvolverNode; }; /** This Streams API interface providesxA0a built-in byte length queuing strategy that can be used when constructing streams. */ interface CountQueuingStrategy extends QueuingStrategy { readonly highWaterMark: number; readonly size: QueuingStrategySize; } declare var CountQueuingStrategy: { prototype: CountQueuingStrategy; new(init: QueuingStrategyInit): CountQueuingStrategy; }; /** Available only in secure contexts. */ interface Credential { readonly id: string; readonly type: string; } declare var Credential: { prototype: Credential; new(): Credential; }; /** Available only in secure contexts. */ interface CredentialsContainer { create(options?: CredentialCreationOptions): Promise; get(options?: CredentialRequestOptions): Promise; preventSilentAccess(): Promise; store(credential: Credential): Promise; } declare var CredentialsContainer: { prototype: CredentialsContainer; new(): CredentialsContainer; }; /** Basic cryptography features available in the current context. It allows access to a cryptographically strong random number generator and to cryptographic primitives. */ interface Crypto { /** Available only in secure contexts. */ readonly subtle: SubtleCrypto; getRandomValues(array: T): T; /** Available only in secure contexts. */ randomUUID(): `${string}-${string}-${string}-${string}-${string}`; } declare var Crypto: { prototype: Crypto; new(): Crypto; }; /** * The CryptoKey dictionary of the Web Crypto API represents a cryptographic key. * Available only in secure contexts. */ interface CryptoKey { readonly algorithm: KeyAlgorithm; readonly extractable: boolean; readonly type: KeyType; readonly usages: KeyUsage[]; } declare var CryptoKey: { prototype: CryptoKey; new(): CryptoKey; }; interface CustomElementRegistry { define(name: string, constructor: CustomElementConstructor, options?: ElementDefinitionOptions): void; get(name: string): CustomElementConstructor | undefined; upgrade(root: Node): void; whenDefined(name: string): Promise; } declare var CustomElementRegistry: { prototype: CustomElementRegistry; new(): CustomElementRegistry; }; interface CustomEvent extends Event { /** Returns any custom data event was created with. Typically used for synthetic events. */ readonly detail: T; /** @deprecated */ initCustomEvent(type: string, bubbles?: boolean, cancelable?: boolean, detail?: T): void; } declare var CustomEvent: { prototype: CustomEvent; new(type: string, eventInitDict?: CustomEventInit): CustomEvent; }; /** An abnormal event (called an exception) which occurs as a result of calling a method or accessing a property of a web API. */ interface DOMException extends Error { /** @deprecated */ readonly code: number; readonly message: string; readonly name: string; readonly INDEX_SIZE_ERR: 1; readonly DOMSTRING_SIZE_ERR: 2; readonly HIERARCHY_REQUEST_ERR: 3; readonly WRONG_DOCUMENT_ERR: 4; readonly INVALID_CHARACTER_ERR: 5; readonly NO_DATA_ALLOWED_ERR: 6; readonly NO_MODIFICATION_ALLOWED_ERR: 7; readonly NOT_FOUND_ERR: 8; readonly NOT_SUPPORTED_ERR: 9; readonly INUSE_ATTRIBUTE_ERR: 10; readonly INVALID_STATE_ERR: 11; readonly SYNTAX_ERR: 12; readonly INVALID_MODIFICATION_ERR: 13; readonly NAMESPACE_ERR: 14; readonly INVALID_ACCESS_ERR: 15; readonly VALIDATION_ERR: 16; readonly TYPE_MISMATCH_ERR: 17; readonly SECURITY_ERR: 18; readonly NETWORK_ERR: 19; readonly ABORT_ERR: 20; readonly URL_MISMATCH_ERR: 21; readonly QUOTA_EXCEEDED_ERR: 22; readonly TIMEOUT_ERR: 23; readonly INVALID_NODE_TYPE_ERR: 24; readonly DATA_CLONE_ERR: 25; } declare var DOMException: { prototype: DOMException; new(message?: string, name?: string): DOMException; readonly INDEX_SIZE_ERR: 1; readonly DOMSTRING_SIZE_ERR: 2; readonly HIERARCHY_REQUEST_ERR: 3; readonly WRONG_DOCUMENT_ERR: 4; readonly INVALID_CHARACTER_ERR: 5; readonly NO_DATA_ALLOWED_ERR: 6; readonly NO_MODIFICATION_ALLOWED_ERR: 7; readonly NOT_FOUND_ERR: 8; readonly NOT_SUPPORTED_ERR: 9; readonly INUSE_ATTRIBUTE_ERR: 10; readonly INVALID_STATE_ERR: 11; readonly SYNTAX_ERR: 12; readonly INVALID_MODIFICATION_ERR: 13; readonly NAMESPACE_ERR: 14; readonly INVALID_ACCESS_ERR: 15; readonly VALIDATION_ERR: 16; readonly TYPE_MISMATCH_ERR: 17; readonly SECURITY_ERR: 18; readonly NETWORK_ERR: 19; readonly ABORT_ERR: 20; readonly URL_MISMATCH_ERR: 21; readonly QUOTA_EXCEEDED_ERR: 22; readonly TIMEOUT_ERR: 23; readonly INVALID_NODE_TYPE_ERR: 24; readonly DATA_CLONE_ERR: 25; }; /** An object providing methods which are not dependent on any particular document. Such an object is returned by the Document.implementation property. */ interface DOMImplementation { createDocument(namespace: string | null, qualifiedName: string | null, doctype?: DocumentType | null): XMLDocument; createDocumentType(qualifiedName: string, publicId: string, systemId: string): DocumentType; createHTMLDocument(title?: string): Document; /** @deprecated */ hasFeature(...args: any[]): true; } declare var DOMImplementation: { prototype: DOMImplementation; new(): DOMImplementation; }; interface DOMMatrix extends DOMMatrixReadOnly { a: number; b: number; c: number; d: number; e: number; f: number; m11: number; m12: number; m13: number; m14: number; m21: number; m22: number; m23: number; m24: number; m31: number; m32: number; m33: number; m34: number; m41: number; m42: number; m43: number; m44: number; invertSelf(): DOMMatrix; multiplySelf(other?: DOMMatrixInit): DOMMatrix; preMultiplySelf(other?: DOMMatrixInit): DOMMatrix; rotateAxisAngleSelf(x?: number, y?: number, z?: number, angle?: number): DOMMatrix; rotateFromVectorSelf(x?: number, y?: number): DOMMatrix; rotateSelf(rotX?: number, rotY?: number, rotZ?: number): DOMMatrix; scale3dSelf(scale?: number, originX?: number, originY?: number, originZ?: number): DOMMatrix; scaleSelf(scaleX?: number, scaleY?: number, scaleZ?: number, originX?: number, originY?: number, originZ?: number): DOMMatrix; setMatrixValue(transformList: string): DOMMatrix; skewXSelf(sx?: number): DOMMatrix; skewYSelf(sy?: number): DOMMatrix; translateSelf(tx?: number, ty?: number, tz?: number): DOMMatrix; } declare var DOMMatrix: { prototype: DOMMatrix; new(init?: string | number[]): DOMMatrix; fromFloat32Array(array32: Float32Array): DOMMatrix; fromFloat64Array(array64: Float64Array): DOMMatrix; fromMatrix(other?: DOMMatrixInit): DOMMatrix; }; type SVGMatrix = DOMMatrix; declare var SVGMatrix: typeof DOMMatrix; type WebKitCSSMatrix = DOMMatrix; declare var WebKitCSSMatrix: typeof DOMMatrix; interface DOMMatrixReadOnly { readonly a: number; readonly b: number; readonly c: number; readonly d: number; readonly e: number; readonly f: number; readonly is2D: boolean; readonly isIdentity: boolean; readonly m11: number; readonly m12: number; readonly m13: number; readonly m14: number; readonly m21: number; readonly m22: number; readonly m23: number; readonly m24: number; readonly m31: number; readonly m32: number; readonly m33: number; readonly m34: number; readonly m41: number; readonly m42: number; readonly m43: number; readonly m44: number; flipX(): DOMMatrix; flipY(): DOMMatrix; inverse(): DOMMatrix; multiply(other?: DOMMatrixInit): DOMMatrix; rotate(rotX?: number, rotY?: number, rotZ?: number): DOMMatrix; rotateAxisAngle(x?: number, y?: number, z?: number, angle?: number): DOMMatrix; rotateFromVector(x?: number, y?: number): DOMMatrix; scale(scaleX?: number, scaleY?: number, scaleZ?: number, originX?: number, originY?: number, originZ?: number): DOMMatrix; scale3d(scale?: number, originX?: number, originY?: number, originZ?: number): DOMMatrix; /** @deprecated */ scaleNonUniform(scaleX?: number, scaleY?: number): DOMMatrix; skewX(sx?: number): DOMMatrix; skewY(sy?: number): DOMMatrix; toFloat32Array(): Float32Array; toFloat64Array(): Float64Array; toJSON(): any; transformPoint(point?: DOMPointInit): DOMPoint; translate(tx?: number, ty?: number, tz?: number): DOMMatrix; toString(): string; } declare var DOMMatrixReadOnly: { prototype: DOMMatrixReadOnly; new(init?: string | number[]): DOMMatrixReadOnly; fromFloat32Array(array32: Float32Array): DOMMatrixReadOnly; fromFloat64Array(array64: Float64Array): DOMMatrixReadOnly; fromMatrix(other?: DOMMatrixInit): DOMMatrixReadOnly; toString(): string; }; /** Provides the ability to parse XML or HTML source code from a string into a DOM Document. */ interface DOMParser { /** * Parses string using either the HTML or XML parser, according to type, and returns the resulting Document. type can be "text/html" (which will invoke the HTML parser), or any of "text/xml", "application/xml", "application/xhtml+xml", or "image/svg+xml" (which will invoke the XML parser). * * For the XML parser, if string cannot be parsed, then the returned Document will contain elements describing the resulting error. * * Note that script elements are not evaluated during parsing, and the resulting document"s encoding will always be UTF-8. * * Values other than the above for type will cause a TypeError exception to be thrown. */ parseFromString(string: string, type: DOMParserSupportedType): Document; } declare var DOMParser: { prototype: DOMParser; new(): DOMParser; }; interface DOMPoint extends DOMPointReadOnly { w: number; x: number; y: number; z: number; } declare var DOMPoint: { prototype: DOMPoint; new(x?: number, y?: number, z?: number, w?: number): DOMPoint; fromPoint(other?: DOMPointInit): DOMPoint; }; type SVGPoint = DOMPoint; declare var SVGPoint: typeof DOMPoint; interface DOMPointReadOnly { readonly w: number; readonly x: number; readonly y: number; readonly z: number; matrixTransform(matrix?: DOMMatrixInit): DOMPoint; toJSON(): any; } declare var DOMPointReadOnly: { prototype: DOMPointReadOnly; new(x?: number, y?: number, z?: number, w?: number): DOMPointReadOnly; fromPoint(other?: DOMPointInit): DOMPointReadOnly; }; interface DOMQuad { readonly p1: DOMPoint; readonly p2: DOMPoint; readonly p3: DOMPoint; readonly p4: DOMPoint; getBounds(): DOMRect; toJSON(): any; } declare var DOMQuad: { prototype: DOMQuad; new(p1?: DOMPointInit, p2?: DOMPointInit, p3?: DOMPointInit, p4?: DOMPointInit): DOMQuad; fromQuad(other?: DOMQuadInit): DOMQuad; fromRect(other?: DOMRectInit): DOMQuad; }; interface DOMRect extends DOMRectReadOnly { height: number; width: number; x: number; y: number; } declare var DOMRect: { prototype: DOMRect; new(x?: number, y?: number, width?: number, height?: number): DOMRect; fromRect(other?: DOMRectInit): DOMRect; }; type SVGRect = DOMRect; declare var SVGRect: typeof DOMRect; interface DOMRectList { readonly length: number; item(index: number): DOMRect | null; [index: number]: DOMRect; } declare var DOMRectList: { prototype: DOMRectList; new(): DOMRectList; }; interface DOMRectReadOnly { readonly bottom: number; readonly height: number; readonly left: number; readonly right: number; readonly top: number; readonly width: number; readonly x: number; readonly y: number; toJSON(): any; } declare var DOMRectReadOnly: { prototype: DOMRectReadOnly; new(x?: number, y?: number, width?: number, height?: number): DOMRectReadOnly; fromRect(other?: DOMRectInit): DOMRectReadOnly; }; /** A type returned by some APIs which contains a list of DOMString (strings). */ interface DOMStringList { /** Returns the number of strings in strings. */ readonly length: number; /** Returns true if strings contains string, and false otherwise. */ contains(string: string): boolean; /** Returns the string with index index from strings. */ item(index: number): string | null; [index: number]: string; } declare var DOMStringList: { prototype: DOMStringList; new(): DOMStringList; }; /** Used by the datasetxA0HTMLxA0attribute to represent data for custom attributes added to elements. */ interface DOMStringMap { [name: string]: string | undefined; } declare var DOMStringMap: { prototype: DOMStringMap; new(): DOMStringMap; }; /** A set of space-separated tokens. Such a set is returned by Element.classList, HTMLLinkElement.relList, HTMLAnchorElement.relList, HTMLAreaElement.relList, HTMLIframeElement.sandbox, or HTMLOutputElement.htmlFor. It is indexed beginning with 0 as with JavaScript Array objects. DOMTokenList is always case-sensitive. */ interface DOMTokenList { /** Returns the number of tokens. */ readonly length: number; /** * Returns the associated set as string. * * Can be set, to change the associated attribute. */ value: string; toString(): string; /** * Adds all arguments passed, except those already present. * * Throws a "SyntaxError" DOMException if one of the arguments is the empty string. * * Throws an "InvalidCharacterError" DOMException if one of the arguments contains any ASCII whitespace. */ add(...tokens: string[]): void; /** Returns true if token is present, and false otherwise. */ contains(token: string): boolean; /** Returns the token with index index. */ item(index: number): string | null; /** * Removes arguments passed, if they are present. * * Throws a "SyntaxError" DOMException if one of the arguments is the empty string. * * Throws an "InvalidCharacterError" DOMException if one of the arguments contains any ASCII whitespace. */ remove(...tokens: string[]): void; /** * Replaces token with newToken. * * Returns true if token was replaced with newToken, and false otherwise. * * Throws a "SyntaxError" DOMException if one of the arguments is the empty string. * * Throws an "InvalidCharacterError" DOMException if one of the arguments contains any ASCII whitespace. */ replace(token: string, newToken: string): boolean; /** * Returns true if token is in the associated attribute"s supported tokens. Returns false otherwise. * * Throws a TypeError if the associated attribute has no supported tokens defined. */ supports(token: string): boolean; /** * If force is not given, "toggles" token, removing it if it"s present and adding it if it"s not present. If force is true, adds token (same as add()). If force is false, removes token (same as remove()). * * Returns true if token is now present, and false otherwise. * * Throws a "SyntaxError" DOMException if token is empty. * * Throws an "InvalidCharacterError" DOMException if token contains any spaces. */ toggle(token: string, force?: boolean): boolean; forEach(callbackfn: (value: string, key: number, parent: DOMTokenList) => void, thisArg?: any): void; [index: number]: string; } declare var DOMTokenList: { prototype: DOMTokenList; new(): DOMTokenList; }; /** Used to hold the data that is being dragged during a drag and drop operation. It may hold one or more data items, each of one or more data types. For more information about drag and drop, see HTML Drag and Drop API. */ interface DataTransfer { /** * Returns the kind of operation that is currently selected. If the kind of operation isn"t one of those that is allowed by the effectAllowed attribute, then the operation will fail. * * Can be set, to change the selected operation. * * The possible values are "none", "copy", "link", and "move". */ dropEffect: "none" | "copy" | "link" | "move"; /** * Returns the kinds of operations that are to be allowed. * * Can be set (during the dragstart event), to change the allowed operations. * * The possible values are "none", "copy", "copyLink", "copyMove", "link", "linkMove", "move", "all", and "uninitialized", */ effectAllowed: "none" | "copy" | "copyLink" | "copyMove" | "link" | "linkMove" | "move" | "all" | "uninitialized"; /** Returns a FileList of the files being dragged, if any. */ readonly files: FileList; /** Returns a DataTransferItemList object, with the drag data. */ readonly items: DataTransferItemList; /** Returns a frozen array listing the formats that were set in the dragstart event. In addition, if any files are being dragged, then one of the types will be the string "Files". */ readonly types: ReadonlyArray; /** Removes the data of the specified formats. Removes all data if the argument is omitted. */ clearData(format?: string): void; /** Returns the specified data. If there is no such data, returns the empty string. */ getData(format: string): string; /** Adds the specified data. */ setData(format: string, data: string): void; /** Uses the given element to update the drag feedback, replacing any previously specified feedback. */ setDragImage(image: Element, x: number, y: number): void; } declare var DataTransfer: { prototype: DataTransfer; new(): DataTransfer; }; /** One drag data item. During a drag operation, each drag event has a dataTransfer property which contains a list of drag data items. Each item in the list is a DataTransferItem object. */ interface DataTransferItem { /** Returns the drag data item kind, one of: "string", "file". */ readonly kind: string; /** Returns the drag data item type string. */ readonly type: string; /** Returns a File object, if the drag data item kind is File. */ getAsFile(): File | null; /** Invokes the callback with the string data as the argument, if the drag data item kind is text. */ getAsString(callback: FunctionStringCallback | null): void; webkitGetAsEntry(): FileSystemEntry | null; } declare var DataTransferItem: { prototype: DataTransferItem; new(): DataTransferItem; }; /** A list of DataTransferItem objects representing items being dragged. During a drag operation, each DragEvent has a dataTransfer property and that property is a DataTransferItemList. */ interface DataTransferItemList { /** Returns the number of items in the drag data store. */ readonly length: number; /** Adds a new entry for the given data to the drag data store. If the data is plain text then a type string has to be provided also. */ add(data: string, type: string): DataTransferItem | null; add(data: File): DataTransferItem | null; /** Removes all the entries in the drag data store. */ clear(): void; /** Removes the indexth entry in the drag data store. */ remove(index: number): void; [index: number]: DataTransferItem; } declare var DataTransferItemList: { prototype: DataTransferItemList; new(): DataTransferItemList; }; /** A delay-line; an AudioNode audio-processing module that causes a delay between the arrival of an input data and its propagation to the output. */ interface DelayNode extends AudioNode { readonly delayTime: AudioParam; } declare var DelayNode: { prototype: DelayNode; new(context: BaseAudioContext, options?: DelayOptions): DelayNode; }; /** * The DeviceMotionEvent provides web developers with information about the speed of changes for the device"s position and orientation. * Available only in secure contexts. */ interface DeviceMotionEvent extends Event { readonly acceleration: DeviceMotionEventAcceleration | null; readonly accelerationIncludingGravity: DeviceMotionEventAcceleration | null; readonly interval: number; readonly rotationRate: DeviceMotionEventRotationRate | null; } declare var DeviceMotionEvent: { prototype: DeviceMotionEvent; new(type: string, eventInitDict?: DeviceMotionEventInit): DeviceMotionEvent; }; /** Available only in secure contexts. */ interface DeviceMotionEventAcceleration { readonly x: number | null; readonly y: number | null; readonly z: number | null; } /** Available only in secure contexts. */ interface DeviceMotionEventRotationRate { readonly alpha: number | null; readonly beta: number | null; readonly gamma: number | null; } /** * The DeviceOrientationEvent provides web developers with information from the physical orientation of the device running the web page. * Available only in secure contexts. */ interface DeviceOrientationEvent extends Event { readonly absolute: boolean; readonly alpha: number | null; readonly beta: number | null; readonly gamma: number | null; } declare var DeviceOrientationEvent: { prototype: DeviceOrientationEvent; new(type: string, eventInitDict?: DeviceOrientationEventInit): DeviceOrientationEvent; }; interface DocumentEventMap extends GlobalEventHandlersEventMap { "DOMContentLoaded": Event; "fullscreenchange": Event; "fullscreenerror": Event; "pointerlockchange": Event; "pointerlockerror": Event; "readystatechange": Event; "visibilitychange": Event; } /** Any web page loaded in the browser and serves as an entry point into the web page"s content, which is the DOM tree. */ interface Document extends Node, DocumentOrShadowRoot, FontFaceSource, GlobalEventHandlers, NonElementParentNode, ParentNode, XPathEvaluatorBase { /** Sets or gets the URL for the current document. */ readonly URL: string; /** * Sets or gets the color of all active links in the document. * @deprecated */ alinkColor: string; /** * Returns a reference to the collection of elements contained by the object. * @deprecated */ readonly all: HTMLAllCollection; /** * Retrieves a collection of all a objects that have a name and/or id property. Objects in this collection are in HTML source order. * @deprecated */ readonly anchors: HTMLCollectionOf; /** * Retrieves a collection of all applet objects in the document. * @deprecated */ readonly applets: HTMLCollection; /** * Deprecated. Sets or retrieves a value that indicates the background color behind the object. * @deprecated */ bgColor: string; /** Specifies the beginning and end of the document body. */ body: HTMLElement; /** Returns document"s encoding. */ readonly characterSet: string; /** * Gets or sets the character set used to encode the object. * @deprecated This is a legacy alias of `characterSet`. */ readonly charset: string; /** Gets a value that indicates whether standards-compliant mode is switched on for the object. */ readonly compatMode: string; /** Returns document"s content type. */ readonly contentType: string; /** * Returns the HTTP cookies that apply to the Document. If there are no cookies or cookies can"t be applied to this resource, the empty string will be returned. * * Can be set, to add a new cookie to the element"s set of HTTP cookies. * * If the contents are sandboxed into a unique origin (e.g. in an iframe with the sandbox attribute), a "SecurityError" DOMException will be thrown on getting and setting. */ cookie: string; /** * Returns the script element, or the SVG script element, that is currently executing, as long as the element represents a classic script. In the case of reentrant script execution, returns the one that most recently started executing amongst those that have not yet finished executing. * * Returns null if the Document is not currently executing a script or SVG script element (e.g., because the running script is an event handler, or a timeout), or if the currently executing script or SVG script element represents a module script. */ readonly currentScript: HTMLOrSVGScriptElement | null; /** Returns the Window object of the active document. */ readonly defaultView: (WindowProxy & typeof globalThis) | null; /** Sets or gets a value that indicates whether the document can be edited. */ designMode: string; /** Sets or retrieves a value that indicates the reading order of the object. */ dir: string; /** Gets an object representing the document type declaration associated with the current document. */ readonly doctype: DocumentType | null; /** Gets a reference to the root node of the document. */ readonly documentElement: HTMLElement; /** Returns document"s URL. */ readonly documentURI: string; /** * Sets or gets the security domain of the document. * @deprecated */ domain: string; /** Retrieves a collection of all embed objects in the document. */ readonly embeds: HTMLCollectionOf; /** * Sets or gets the foreground (text) color of the document. * @deprecated */ fgColor: string; /** Retrieves a collection, in source order, of all form objects in the document. */ readonly forms: HTMLCollectionOf; /** @deprecated */ readonly fullscreen: boolean; /** Returns true if document has the ability to display elements fullscreen and fullscreen is supported, or false otherwise. */ readonly fullscreenEnabled: boolean; /** Returns the head element. */ readonly head: HTMLHeadElement; readonly hidden: boolean; /** Retrieves a collection, in source order, of img objects in the document. */ readonly images: HTMLCollectionOf; /** Gets the implementation object of the current document. */ readonly implementation: DOMImplementation; /** * Returns the character encoding used to create the webpage that is loaded into the document object. * @deprecated This is a legacy alias of `characterSet`. */ readonly inputEncoding: string; /** Gets the date that the page was last modified, if the page supplies one. */ readonly lastModified: string; /** * Sets or gets the color of the document links. * @deprecated */ linkColor: string; /** Retrieves a collection of all a objects that specify the href property and all area objects in the document. */ readonly links: HTMLCollectionOf; /** Contains information about the current URL. */ get location(): Location; set location(href: string | Location); onfullscreenchange: ((this: Document, ev: Event) => any) | null; onfullscreenerror: ((this: Document, ev: Event) => any) | null; onpointerlockchange: ((this: Document, ev: Event) => any) | null; onpointerlockerror: ((this: Document, ev: Event) => any) | null; /** * Fires when the state of the object has changed. * @param ev The event */ onreadystatechange: ((this: Document, ev: Event) => any) | null; onvisibilitychange: ((this: Document, ev: Event) => any) | null; readonly ownerDocument: null; readonly pictureInPictureEnabled: boolean; /** Return an HTMLCollection of the embed elements in the Document. */ readonly plugins: HTMLCollectionOf; /** Retrieves a value that indicates the current state of the object. */ readonly readyState: DocumentReadyState; /** Gets the URL of the location that referred the user to the current page. */ readonly referrer: string; /** @deprecated */ readonly rootElement: SVGSVGElement | null; /** Retrieves a collection of all script objects in the document. */ readonly scripts: HTMLCollectionOf; readonly scrollingElement: Element | null; readonly timeline: DocumentTimeline; /** Contains the title of the document. */ title: string; readonly visibilityState: DocumentVisibilityState; /** * Sets or gets the color of the links that the user has visited. * @deprecated */ vlinkColor: string; /** * Moves node from another document and returns it. * * If node is a document, throws a "NotSupportedError" DOMException or, if node is a shadow root, throws a "HierarchyRequestError" DOMException. */ adoptNode(node: T): T; /** @deprecated */ captureEvents(): void; /** @deprecated */ caretRangeFromPoint(x: number, y: number): Range | null; /** @deprecated */ clear(): void; /** Closes an output stream and forces the sent data to display. */ close(): void; /** * Creates an attribute object with a specified name. * @param name String that sets the attribute object"s name. */ createAttribute(localName: string): Attr; createAttributeNS(namespace: string | null, qualifiedName: string): Attr; /** Returns a CDATASection node whose data is data. */ createCDATASection(data: string): CDATASection; /** * Creates a comment object with the specified data. * @param data Sets the comment object"s data. */ createComment(data: string): Comment; /** Creates a new document. */ createDocumentFragment(): DocumentFragment; /** * Creates an instance of the element for the specified tag. * @param tagName The name of an element. */ createElement(tagName: K, options?: ElementCreationOptions): HTMLElementTagNameMap[K]; /** @deprecated */ createElement(tagName: K, options?: ElementCreationOptions): HTMLElementDeprecatedTagNameMap[K]; createElement(tagName: string, options?: ElementCreationOptions): HTMLElement; /** * Returns an element with namespace namespace. Its namespace prefix will be everything before ":" (U+003E) in qualifiedName or null. Its local name will be everything after ":" (U+003E) in qualifiedName or qualifiedName. * * If localName does not match the Name production an "InvalidCharacterError" DOMException will be thrown. * * If one of the following conditions is true a "NamespaceError" DOMException will be thrown: * * localName does not match the QName production. * Namespace prefix is not null and namespace is the empty string. * Namespace prefix is "xml" and namespace is not the XML namespace. * qualifiedName or namespace prefix is "xmlns" and namespace is not the XMLNS namespace. * namespace is the XMLNS namespace and neither qualifiedName nor namespace prefix is "xmlns". * * When supplied, options"s is can be used to create a customized built-in element. */ createElementNS(namespaceURI: "http://www.w3.org/1999/xhtml", qualifiedName: string): HTMLElement; createElementNS(namespaceURI: "http://www.w3.org/2000/svg", qualifiedName: K): SVGElementTagNameMap[K]; createElementNS(namespaceURI: "http://www.w3.org/2000/svg", qualifiedName: string): SVGElement; createElementNS(namespaceURI: "http://www.w3.org/1998/Math/MathML", qualifiedName: K): MathMLElementTagNameMap[K]; createElementNS(namespaceURI: "http://www.w3.org/1998/Math/MathML", qualifiedName: string): MathMLElement; createElementNS(namespaceURI: string | null, qualifiedName: string, options?: ElementCreationOptions): Element; createElementNS(namespace: string | null, qualifiedName: string, options?: string | ElementCreationOptions): Element; createEvent(eventInterface: "AnimationEvent"): AnimationEvent; createEvent(eventInterface: "AnimationPlaybackEvent"): AnimationPlaybackEvent; createEvent(eventInterface: "AudioProcessingEvent"): AudioProcessingEvent; createEvent(eventInterface: "BeforeUnloadEvent"): BeforeUnloadEvent; createEvent(eventInterface: "BlobEvent"): BlobEvent; createEvent(eventInterface: "ClipboardEvent"): ClipboardEvent; createEvent(eventInterface: "CloseEvent"): CloseEvent; createEvent(eventInterface: "CompositionEvent"): CompositionEvent; createEvent(eventInterface: "CustomEvent"): CustomEvent; createEvent(eventInterface: "DeviceMotionEvent"): DeviceMotionEvent; createEvent(eventInterface: "DeviceOrientationEvent"): DeviceOrientationEvent; createEvent(eventInterface: "DragEvent"): DragEvent; createEvent(eventInterface: "ErrorEvent"): ErrorEvent; createEvent(eventInterface: "Event"): Event; createEvent(eventInterface: "Events"): Event; createEvent(eventInterface: "FocusEvent"): FocusEvent; createEvent(eventInterface: "FontFaceSetLoadEvent"): FontFaceSetLoadEvent; createEvent(eventInterface: "FormDataEvent"): FormDataEvent; createEvent(eventInterface: "GamepadEvent"): GamepadEvent; createEvent(eventInterface: "HashChangeEvent"): HashChangeEvent; createEvent(eventInterface: "IDBVersionChangeEvent"): IDBVersionChangeEvent; createEvent(eventInterface: "InputEvent"): InputEvent; createEvent(eventInterface: "KeyboardEvent"): KeyboardEvent; createEvent(eventInterface: "MIDIConnectionEvent"): MIDIConnectionEvent; createEvent(eventInterface: "MIDIMessageEvent"): MIDIMessageEvent; createEvent(eventInterface: "MediaEncryptedEvent"): MediaEncryptedEvent; createEvent(eventInterface: "MediaKeyMessageEvent"): MediaKeyMessageEvent; createEvent(eventInterface: "MediaQueryListEvent"): MediaQueryListEvent; createEvent(eventInterface: "MediaStreamTrackEvent"): MediaStreamTrackEvent; createEvent(eventInterface: "MessageEvent"): MessageEvent; createEvent(eventInterface: "MouseEvent"): MouseEvent; createEvent(eventInterface: "MouseEvents"): MouseEvent; createEvent(eventInterface: "MutationEvent"): MutationEvent; createEvent(eventInterface: "MutationEvents"): MutationEvent; createEvent(eventInterface: "OfflineAudioCompletionEvent"): OfflineAudioCompletionEvent; createEvent(eventInterface: "PageTransitionEvent"): PageTransitionEvent; createEvent(eventInterface: "PaymentMethodChangeEvent"): PaymentMethodChangeEvent; createEvent(eventInterface: "PaymentRequestUpdateEvent"): PaymentRequestUpdateEvent; createEvent(eventInterface: "PictureInPictureEvent"): PictureInPictureEvent; createEvent(eventInterface: "PointerEvent"): PointerEvent; createEvent(eventInterface: "PopStateEvent"): PopStateEvent; createEvent(eventInterface: "ProgressEvent"): ProgressEvent; createEvent(eventInterface: "PromiseRejectionEvent"): PromiseRejectionEvent; createEvent(eventInterface: "RTCDTMFToneChangeEvent"): RTCDTMFToneChangeEvent; createEvent(eventInterface: "RTCDataChannelEvent"): RTCDataChannelEvent; createEvent(eventInterface: "RTCErrorEvent"): RTCErrorEvent; createEvent(eventInterface: "RTCPeerConnectionIceErrorEvent"): RTCPeerConnectionIceErrorEvent; createEvent(eventInterface: "RTCPeerConnectionIceEvent"): RTCPeerConnectionIceEvent; createEvent(eventInterface: "RTCTrackEvent"): RTCTrackEvent; createEvent(eventInterface: "SecurityPolicyViolationEvent"): SecurityPolicyViolationEvent; createEvent(eventInterface: "SpeechSynthesisErrorEvent"): SpeechSynthesisErrorEvent; createEvent(eventInterface: "SpeechSynthesisEvent"): SpeechSynthesisEvent; createEvent(eventInterface: "StorageEvent"): StorageEvent; createEvent(eventInterface: "SubmitEvent"): SubmitEvent; createEvent(eventInterface: "TouchEvent"): TouchEvent; createEvent(eventInterface: "TrackEvent"): TrackEvent; createEvent(eventInterface: "TransitionEvent"): TransitionEvent; createEvent(eventInterface: "UIEvent"): UIEvent; createEvent(eventInterface: "UIEvents"): UIEvent; createEvent(eventInterface: "WebGLContextEvent"): WebGLContextEvent; createEvent(eventInterface: "WheelEvent"): WheelEvent; createEvent(eventInterface: string): Event; /** * Creates a NodeIterator object that you can use to traverse filtered lists of nodes or elements in a document. * @param root The root element or node to start traversing on. * @param whatToShow The type of nodes or elements to appear in the node list * @param filter A custom NodeFilter function to use. For more information, see filter. Use null for no filter. */ createNodeIterator(root: Node, whatToShow?: number, filter?: NodeFilter | null): NodeIterator; /** Returns a ProcessingInstruction node whose target is target and data is data. If target does not match the Name production an "InvalidCharacterError" DOMException will be thrown. If data contains "?>" an "InvalidCharacterError" DOMException will be thrown. */ createProcessingInstruction(target: string, data: string): ProcessingInstruction; /** Returns an empty range object that has both of its boundary points positioned at the beginning of the document. */ createRange(): Range; /** * Creates a text string from the specified value. * @param data String that specifies the nodeValue property of the text node. */ createTextNode(data: string): Text; /** * Creates a TreeWalker object that you can use to traverse filtered lists of nodes or elements in a document. * @param root The root element or node to start traversing on. * @param whatToShow The type of nodes or elements to appear in the node list. For more information, see whatToShow. * @param filter A custom NodeFilter function to use. */ createTreeWalker(root: Node, whatToShow?: number, filter?: NodeFilter | null): TreeWalker; /** * Executes a command on the current document, current selection, or the given range. * @param commandId String that specifies the command to execute. This command can be any of the command identifiers that can be executed in script. * @param showUI Display the user interface, defaults to false. * @param value Value to assign. * @deprecated */ execCommand(commandId: string, showUI?: boolean, value?: string): boolean; /** Stops document"s fullscreen element from being displayed fullscreen and resolves promise when done. */ exitFullscreen(): Promise; exitPictureInPicture(): Promise; exitPointerLock(): void; /** * Returns a reference to the first object with the specified value of the ID attribute. * @param elementId String that specifies the ID value. */ getElementById(elementId: string): HTMLElement | null; /** Returns a HTMLCollection of the elements in the object on which the method was invoked (a document or an element) that have all the classes given by classNames. The classNames argument is interpreted as a space-separated list of classes. */ getElementsByClassName(classNames: string): HTMLCollectionOf; /** * Gets a collection of objects based on the value of the NAME or ID attribute. * @param elementName Gets a collection of objects based on the value of the NAME or ID attribute. */ getElementsByName(elementName: string): NodeListOf; /** * Retrieves a collection of objects based on the specified element name. * @param name Specifies the name of an element. */ getElementsByTagName(qualifiedName: K): HTMLCollectionOf; getElementsByTagName(qualifiedName: K): HTMLCollectionOf; getElementsByTagName(qualifiedName: K): HTMLCollectionOf; /** @deprecated */ getElementsByTagName(qualifiedName: K): HTMLCollectionOf; getElementsByTagName(qualifiedName: string): HTMLCollectionOf; /** * If namespace and localName are "*" returns a HTMLCollection of all descendant elements. * * If only namespace is "*" returns a HTMLCollection of all descendant elements whose local name is localName. * * If only localName is "*" returns a HTMLCollection of all descendant elements whose namespace is namespace. * * Otherwise, returns a HTMLCollection of all descendant elements whose namespace is namespace and local name is localName. */ getElementsByTagNameNS(namespaceURI: "http://www.w3.org/1999/xhtml", localName: string): HTMLCollectionOf; getElementsByTagNameNS(namespaceURI: "http://www.w3.org/2000/svg", localName: string): HTMLCollectionOf; getElementsByTagNameNS(namespaceURI: "http://www.w3.org/1998/Math/MathML", localName: string): HTMLCollectionOf; getElementsByTagNameNS(namespace: string | null, localName: string): HTMLCollectionOf; /** Returns an object representing the current selection of the document that is loaded into the object displaying a webpage. */ getSelection(): Selection | null; /** Gets a value indicating whether the object currently has focus. */ hasFocus(): boolean; hasStorageAccess(): Promise; /** * Returns a copy of node. If deep is true, the copy also includes the node"s descendants. * * If node is a document or a shadow root, throws a "NotSupportedError" DOMException. */ importNode(node: T, deep?: boolean): T; /** * Opens a new window and loads a document specified by a given URL. Also, opens a new window that uses the url parameter and the name parameter to collect the output of the write method and the writeln method. * @param url Specifies a MIME type for the document. * @param name Specifies the name of the window. This name is used as the value for the TARGET attribute on a form or an anchor element. * @param features Contains a list of items separated by commas. Each item consists of an option and a value, separated by an equals sign (for example, "fullscreen=yes, toolbar=yes"). The following values are supported. * @param replace Specifies whether the existing entry for the document is replaced in the history list. */ open(unused1?: string, unused2?: string): Document; open(url: string | URL, name: string, features: string): WindowProxy | null; /** * Returns a Boolean value that indicates whether a specified command can be successfully executed using execCommand, given the current state of the document. * @param commandId Specifies a command identifier. * @deprecated */ queryCommandEnabled(commandId: string): boolean; /** * Returns a Boolean value that indicates whether the specified command is in the indeterminate state. * @param commandId String that specifies a command identifier. * @deprecated */ queryCommandIndeterm(commandId: string): boolean; /** * Returns a Boolean value that indicates the current state of the command. * @param commandId String that specifies a command identifier. * @deprecated */ queryCommandState(commandId: string): boolean; /** * Returns a Boolean value that indicates whether the current command is supported on the current range. * @param commandId Specifies a command identifier. * @deprecated */ queryCommandSupported(commandId: string): boolean; /** * Returns the current value of the document, range, or current selection for the given command. * @param commandId String that specifies a command identifier. * @deprecated */ queryCommandValue(commandId: string): string; /** @deprecated */ releaseEvents(): void; requestStorageAccess(): Promise; /** * Writes one or more HTML expressions to a document in the specified window. * @param content Specifies the text and HTML tags to write. */ write(...text: string[]): void; /** * Writes one or more HTML expressions, followed by a carriage return, to a document in the specified window. * @param content The text and HTML tags to write. */ writeln(...text: string[]): void; addEventListener(type: K, listener: (this: Document, ev: DocumentEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: Document, ev: DocumentEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var Document: { prototype: Document; new(): Document; }; /** A minimal document object that has no parent. It is used as a lightweight version of Document that stores a segment of a document structure comprised of nodes just like a standard document. The key difference is that because the document fragment isn"t part of the active document tree structure, changes made to the fragment don"t affect the document, cause reflow, or incur any performance impact that can occur when changes are made. */ interface DocumentFragment extends Node, NonElementParentNode, ParentNode { readonly ownerDocument: Document; getElementById(elementId: string): HTMLElement | null; } declare var DocumentFragment: { prototype: DocumentFragment; new(): DocumentFragment; }; interface DocumentOrShadowRoot { /** * Returns the deepest element in the document through which or to which key events are being routed. This is, roughly speaking, the focused element in the document. * * For the purposes of this API, when a child browsing context is focused, its container is focused in the parent browsing context. For example, if the user moves the focus to a text control in an iframe, the iframe is the element returned by the activeElement API in the iframe"s node document. * * Similarly, when the focused element is in a different node tree than documentOrShadowRoot, the element returned will be the host that"s located in the same node tree as documentOrShadowRoot if documentOrShadowRoot is a shadow-including inclusive ancestor of the focused element, and null if not. */ readonly activeElement: Element | null; adoptedStyleSheets: CSSStyleSheet[]; /** Returns document"s fullscreen element. */ readonly fullscreenElement: Element | null; readonly pictureInPictureElement: Element | null; readonly pointerLockElement: Element | null; /** Retrieves a collection of styleSheet objects representing the style sheets that correspond to each instance of a link or style object in the document. */ readonly styleSheets: StyleSheetList; /** * Returns the element for the specified x coordinate and the specified y coordinate. * @param x The x-offset * @param y The y-offset */ elementFromPoint(x: number, y: number): Element | null; elementsFromPoint(x: number, y: number): Element[]; getAnimations(): Animation[]; } interface DocumentTimeline extends AnimationTimeline { } declare var DocumentTimeline: { prototype: DocumentTimeline; new(options?: DocumentTimelineOptions): DocumentTimeline; }; /** A Node containing a doctype. */ interface DocumentType extends Node, ChildNode { readonly name: string; readonly ownerDocument: Document; readonly publicId: string; readonly systemId: string; } declare var DocumentType: { prototype: DocumentType; new(): DocumentType; }; /** A DOM event that represents a drag and drop interaction. The user initiates a drag by placing a pointer device (such as a mouse) on the touch surface and then dragging the pointer to a new location (such as another DOM element). Applications are free to interpret a drag and drop interaction in an application-specific way. */ interface DragEvent extends MouseEvent { /** Returns the DataTransfer object for the event. */ readonly dataTransfer: DataTransfer | null; } declare var DragEvent: { prototype: DragEvent; new(type: string, eventInitDict?: DragEventInit): DragEvent; }; /** Inherits properties from its parent, AudioNode. */ interface DynamicsCompressorNode extends AudioNode { readonly attack: AudioParam; readonly knee: AudioParam; readonly ratio: AudioParam; readonly reduction: number; readonly release: AudioParam; readonly threshold: AudioParam; } declare var DynamicsCompressorNode: { prototype: DynamicsCompressorNode; new(context: BaseAudioContext, options?: DynamicsCompressorOptions): DynamicsCompressorNode; }; interface EXT_blend_minmax { readonly MIN_EXT: 0x8007; readonly MAX_EXT: 0x8008; } interface EXT_color_buffer_float { } interface EXT_color_buffer_half_float { readonly RGBA16F_EXT: 0x881A; readonly RGB16F_EXT: 0x881B; readonly FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE_EXT: 0x8211; readonly UNSIGNED_NORMALIZED_EXT: 0x8C17; } interface EXT_float_blend { } /** The EXT_frag_depth extension is part of the WebGL API and enables to set a depth value of a fragment from within the fragment shader. */ interface EXT_frag_depth { } interface EXT_sRGB { readonly SRGB_EXT: 0x8C40; readonly SRGB_ALPHA_EXT: 0x8C42; readonly SRGB8_ALPHA8_EXT: 0x8C43; readonly FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING_EXT: 0x8210; } interface EXT_shader_texture_lod { } interface EXT_texture_compression_bptc { readonly COMPRESSED_RGBA_BPTC_UNORM_EXT: 0x8E8C; readonly COMPRESSED_SRGB_ALPHA_BPTC_UNORM_EXT: 0x8E8D; readonly COMPRESSED_RGB_BPTC_SIGNED_FLOAT_EXT: 0x8E8E; readonly COMPRESSED_RGB_BPTC_UNSIGNED_FLOAT_EXT: 0x8E8F; } interface EXT_texture_compression_rgtc { readonly COMPRESSED_RED_RGTC1_EXT: 0x8DBB; readonly COMPRESSED_SIGNED_RED_RGTC1_EXT: 0x8DBC; readonly COMPRESSED_RED_GREEN_RGTC2_EXT: 0x8DBD; readonly COMPRESSED_SIGNED_RED_GREEN_RGTC2_EXT: 0x8DBE; } /** The EXT_texture_filter_anisotropic extension is part of the WebGL API and exposes two constants for anisotropic filtering (AF). */ interface EXT_texture_filter_anisotropic { readonly TEXTURE_MAX_ANISOTROPY_EXT: 0x84FE; readonly MAX_TEXTURE_MAX_ANISOTROPY_EXT: 0x84FF; } interface EXT_texture_norm16 { readonly R16_EXT: 0x822A; readonly RG16_EXT: 0x822C; readonly RGB16_EXT: 0x8054; readonly RGBA16_EXT: 0x805B; readonly R16_SNORM_EXT: 0x8F98; readonly RG16_SNORM_EXT: 0x8F99; readonly RGB16_SNORM_EXT: 0x8F9A; readonly RGBA16_SNORM_EXT: 0x8F9B; } interface ElementEventMap { "fullscreenchange": Event; "fullscreenerror": Event; } /** Element is the most general base class from which all objects in a Document inherit. It only has methods and properties common to all kinds of elements. More specific classes inherit from Element. */ interface Element extends Node, ARIAMixin, Animatable, ChildNode, InnerHTML, NonDocumentTypeChildNode, ParentNode, Slottable { readonly attributes: NamedNodeMap; /** Allows for manipulation of element"s class content attribute as a set of whitespace-separated tokens through a DOMTokenList object. */ readonly classList: DOMTokenList; /** Returns the value of element"s class content attribute. Can be set to change it. */ className: string; readonly clientHeight: number; readonly clientLeft: number; readonly clientTop: number; readonly clientWidth: number; /** Returns the value of element"s id content attribute. Can be set to change it. */ id: string; /** Returns the local name. */ readonly localName: string; /** Returns the namespace. */ readonly namespaceURI: string | null; onfullscreenchange: ((this: Element, ev: Event) => any) | null; onfullscreenerror: ((this: Element, ev: Event) => any) | null; outerHTML: string; readonly ownerDocument: Document; readonly part: DOMTokenList; /** Returns the namespace prefix. */ readonly prefix: string | null; readonly scrollHeight: number; scrollLeft: number; scrollTop: number; readonly scrollWidth: number; /** Returns element"s shadow root, if any, and if shadow root"s mode is "open", and null otherwise. */ readonly shadowRoot: ShadowRoot | null; /** Returns the value of element"s slot content attribute. Can be set to change it. */ slot: string; /** Returns the HTML-uppercased qualified name. */ readonly tagName: string; /** Creates a shadow root for element and returns it. */ attachShadow(init: ShadowRootInit): ShadowRoot; checkVisibility(options?: CheckVisibilityOptions): boolean; /** Returns the first (starting at element) inclusive ancestor that matches selectors, and null otherwise. */ closest(selector: K): HTMLElementTagNameMap[K] | null; closest(selector: K): SVGElementTagNameMap[K] | null; closest(selector: K): MathMLElementTagNameMap[K] | null; closest(selectors: string): E | null; /** Returns element"s first attribute whose qualified name is qualifiedName, and null if there is no such attribute otherwise. */ getAttribute(qualifiedName: string): string | null; /** Returns element"s attribute whose namespace is namespace and local name is localName, and null if there is no such attribute otherwise. */ getAttributeNS(namespace: string | null, localName: string): string | null; /** Returns the qualified names of all element"s attributes. Can contain duplicates. */ getAttributeNames(): string[]; getAttributeNode(qualifiedName: string): Attr | null; getAttributeNodeNS(namespace: string | null, localName: string): Attr | null; getBoundingClientRect(): DOMRect; getClientRects(): DOMRectList; /** Returns a HTMLCollection of the elements in the object on which the method was invoked (a document or an element) that have all the classes given by classNames. The classNames argument is interpreted as a space-separated list of classes. */ getElementsByClassName(classNames: string): HTMLCollectionOf; getElementsByTagName(qualifiedName: K): HTMLCollectionOf; getElementsByTagName(qualifiedName: K): HTMLCollectionOf; getElementsByTagName(qualifiedName: K): HTMLCollectionOf; /** @deprecated */ getElementsByTagName(qualifiedName: K): HTMLCollectionOf; getElementsByTagName(qualifiedName: string): HTMLCollectionOf; getElementsByTagNameNS(namespaceURI: "http://www.w3.org/1999/xhtml", localName: string): HTMLCollectionOf; getElementsByTagNameNS(namespaceURI: "http://www.w3.org/2000/svg", localName: string): HTMLCollectionOf; getElementsByTagNameNS(namespaceURI: "http://www.w3.org/1998/Math/MathML", localName: string): HTMLCollectionOf; getElementsByTagNameNS(namespace: string | null, localName: string): HTMLCollectionOf; /** Returns true if element has an attribute whose qualified name is qualifiedName, and false otherwise. */ hasAttribute(qualifiedName: string): boolean; /** Returns true if element has an attribute whose namespace is namespace and local name is localName. */ hasAttributeNS(namespace: string | null, localName: string): boolean; /** Returns true if element has attributes, and false otherwise. */ hasAttributes(): boolean; hasPointerCapture(pointerId: number): boolean; insertAdjacentElement(where: InsertPosition, element: Element): Element | null; insertAdjacentHTML(position: InsertPosition, text: string): void; insertAdjacentText(where: InsertPosition, data: string): void; /** Returns true if matching selectors against element"s root yields element, and false otherwise. */ matches(selectors: string): boolean; releasePointerCapture(pointerId: number): void; /** Removes element"s first attribute whose qualified name is qualifiedName. */ removeAttribute(qualifiedName: string): void; /** Removes element"s attribute whose namespace is namespace and local name is localName. */ removeAttributeNS(namespace: string | null, localName: string): void; removeAttributeNode(attr: Attr): Attr; /** * Displays element fullscreen and resolves promise when done. * * When supplied, options"s navigationUI member indicates whether showing navigation UI while in fullscreen is preferred or not. If set to "show", navigation simplicity is preferred over screen space, and if set to "hide", more screen space is preferred. User agents are always free to honor user preference over the application"s. The default value "auto" indicates no application preference. */ requestFullscreen(options?: FullscreenOptions): Promise; requestPointerLock(): void; scroll(options?: ScrollToOptions): void; scroll(x: number, y: number): void; scrollBy(options?: ScrollToOptions): void; scrollBy(x: number, y: number): void; scrollIntoView(arg?: boolean | ScrollIntoViewOptions): void; scrollTo(options?: ScrollToOptions): void; scrollTo(x: number, y: number): void; /** Sets the value of element"s first attribute whose qualified name is qualifiedName to value. */ setAttribute(qualifiedName: string, value: string): void; /** Sets the value of element"s attribute whose namespace is namespace and local name is localName to value. */ setAttributeNS(namespace: string | null, qualifiedName: string, value: string): void; setAttributeNode(attr: Attr): Attr | null; setAttributeNodeNS(attr: Attr): Attr | null; setPointerCapture(pointerId: number): void; /** * If force is not given, "toggles" qualifiedName, removing it if it is present and adding it if it is not present. If force is true, adds qualifiedName. If force is false, removes qualifiedName. * * Returns true if qualifiedName is now present, and false otherwise. */ toggleAttribute(qualifiedName: string, force?: boolean): boolean; /** @deprecated This is a legacy alias of `matches`. */ webkitMatchesSelector(selectors: string): boolean; addEventListener(type: K, listener: (this: Element, ev: ElementEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: Element, ev: ElementEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var Element: { prototype: Element; new(): Element; }; interface ElementCSSInlineStyle { readonly style: CSSStyleDeclaration; } interface ElementContentEditable { contentEditable: string; enterKeyHint: string; inputMode: string; readonly isContentEditable: boolean; } interface ElementInternals extends ARIAMixin { /** Returns the form owner of internals"s target element. */ readonly form: HTMLFormElement | null; /** Returns a NodeList of all the label elements that internals"s target element is associated with. */ readonly labels: NodeList; /** Returns the ShadowRoot for internals"s target element, if the target element is a shadow host, or null otherwise. */ readonly shadowRoot: ShadowRoot | null; /** Returns the error message that would be shown to the user if internals"s target element was to be checked for validity. */ readonly validationMessage: string; /** Returns the ValidityState object for internals"s target element. */ readonly validity: ValidityState; /** Returns true if internals"s target element will be validated when the form is submitted; false otherwise. */ readonly willValidate: boolean; /** Returns true if internals"s target element has no validity problems; false otherwise. Fires an invalid event at the element in the latter case. */ checkValidity(): boolean; /** Returns true if internals"s target element has no validity problems; otherwise, returns false, fires an invalid event at the element, and (if the event isn"t canceled) reports the problem to the user. */ reportValidity(): boolean; /** * Sets both the state and submission value of internals"s target element to value. * * If value is null, the element won"t participate in form submission. */ setFormValue(value: File | string | FormData | null, state?: File | string | FormData | null): void; /** Marks internals"s target element as suffering from the constraints indicated by the flags argument, and sets the element"s validation message to message. If anchor is specified, the user agent might use it to indicate problems with the constraints of internals"s target element when the form owner is validated interactively or reportValidity() is called. */ setValidity(flags?: ValidityStateFlags, message?: string, anchor?: HTMLElement): void; } declare var ElementInternals: { prototype: ElementInternals; new(): ElementInternals; }; /** Events providing information related to errors in scripts or in files. */ interface ErrorEvent extends Event { readonly colno: number; readonly error: any; readonly filename: string; readonly lineno: number; readonly message: string; } declare var ErrorEvent: { prototype: ErrorEvent; new(type: string, eventInitDict?: ErrorEventInit): ErrorEvent; }; /** An event which takes place in the DOM. */ interface Event { /** Returns true or false depending on how event was initialized. True if event goes through its target"s ancestors in reverse tree order, and false otherwise. */ readonly bubbles: boolean; /** @deprecated */ cancelBubble: boolean; /** Returns true or false depending on how event was initialized. Its return value does not always carry meaning, but true can indicate that part of the operation during which event was dispatched, can be canceled by invoking the preventDefault() method. */ readonly cancelable: boolean; /** Returns true or false depending on how event was initialized. True if event invokes listeners past a ShadowRoot node that is the root of its target, and false otherwise. */ readonly composed: boolean; /** Returns the object whose event listener"s callback is currently being invoked. */ readonly currentTarget: EventTarget | null; /** Returns true if preventDefault() was invoked successfully to indicate cancelation, and false otherwise. */ readonly defaultPrevented: boolean; /** Returns the event"s phase, which is one of NONE, CAPTURING_PHASE, AT_TARGET, and BUBBLING_PHASE. */ readonly eventPhase: number; /** Returns true if event was dispatched by the user agent, and false otherwise. */ readonly isTrusted: boolean; /** @deprecated */ returnValue: boolean; /** @deprecated */ readonly srcElement: EventTarget | null; /** Returns the object to which event is dispatched (its target). */ readonly target: EventTarget | null; /** Returns the event"s timestamp as the number of milliseconds measured relative to the time origin. */ readonly timeStamp: DOMHighResTimeStamp; /** Returns the type of event, e.g. "click", "hashchange", or "submit". */ readonly type: string; /** Returns the invocation target objects of event"s path (objects on which listeners will be invoked), except for any nodes in shadow trees of which the shadow root"s mode is "closed" that are not reachable from event"s currentTarget. */ composedPath(): EventTarget[]; /** @deprecated */ initEvent(type: string, bubbles?: boolean, cancelable?: boolean): void; /** If invoked when the cancelable attribute value is true, and while executing a listener for the event with passive set to false, signals to the operation that caused event to be dispatched that it needs to be canceled. */ preventDefault(): void; /** Invoking this method prevents event from reaching any registered event listeners after the current one finishes running and, when dispatched in a tree, also prevents event from reaching any other objects. */ stopImmediatePropagation(): void; /** When dispatched in a tree, invoking this method prevents event from reaching any objects other than the current object. */ stopPropagation(): void; readonly NONE: 0; readonly CAPTURING_PHASE: 1; readonly AT_TARGET: 2; readonly BUBBLING_PHASE: 3; } declare var Event: { prototype: Event; new(type: string, eventInitDict?: EventInit): Event; readonly NONE: 0; readonly CAPTURING_PHASE: 1; readonly AT_TARGET: 2; readonly BUBBLING_PHASE: 3; }; interface EventCounts { forEach(callbackfn: (value: number, key: string, parent: EventCounts) => void, thisArg?: any): void; } declare var EventCounts: { prototype: EventCounts; new(): EventCounts; }; interface EventListener { (evt: Event): void; } interface EventListenerObject { handleEvent(object: Event): void; } interface EventSourceEventMap { "error": Event; "message": MessageEvent; "open": Event; } interface EventSource extends EventTarget { onerror: ((this: EventSource, ev: Event) => any) | null; onmessage: ((this: EventSource, ev: MessageEvent) => any) | null; onopen: ((this: EventSource, ev: Event) => any) | null; /** Returns the state of this EventSource object"s connection. It can have the values described below. */ readonly readyState: number; /** Returns the URL providing the event stream. */ readonly url: string; /** Returns true if the credentials mode for connection requests to the URL providing the event stream is set to "include", and false otherwise. */ readonly withCredentials: boolean; /** Aborts any instances of the fetch algorithm started for this EventSource object, and sets the readyState attribute to CLOSED. */ close(): void; readonly CONNECTING: 0; readonly OPEN: 1; readonly CLOSED: 2; addEventListener(type: K, listener: (this: EventSource, ev: EventSourceEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: (this: EventSource, event: MessageEvent) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: EventSource, ev: EventSourceEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: (this: EventSource, event: MessageEvent) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var EventSource: { prototype: EventSource; new(url: string | URL, eventSourceInitDict?: EventSourceInit): EventSource; readonly CONNECTING: 0; readonly OPEN: 1; readonly CLOSED: 2; }; /** EventTarget is a DOM interface implemented by objects that can receive events and may have listeners for them. */ interface EventTarget { /** * Appends an event listener for events whose type attribute value is type. The callback argument sets the callback that will be invoked when the event is dispatched. * * The options argument sets listener-specific options. For compatibility this can be a boolean, in which case the method behaves exactly as if the value was specified as options"s capture. * * When set to true, options"s capture prevents callback from being invoked when the event"s eventPhase attribute value is BUBBLING_PHASE. When false (or not present), callback will not be invoked when event"s eventPhase attribute value is CAPTURING_PHASE. Either way, callback will be invoked if event"s eventPhase attribute value is AT_TARGET. * * When set to true, options"s passive indicates that the callback will not cancel the event by invoking preventDefault(). This is used to enable performance optimizations described in xA7 2.8 Observing event listeners. * * When set to true, options"s once indicates that the callback will only be invoked once after which the event listener will be removed. * * If an AbortSignal is passed for options"s signal, then the event listener will be removed when signal is aborted. * * The event listener is appended to target"s event listener list and is not appended if it has the same type, callback, and capture. */ addEventListener(type: string, callback: EventListenerOrEventListenerObject | null, options?: AddEventListenerOptions | boolean): void; /** Dispatches a synthetic event event to target and returns true if either event"s cancelable attribute value is false or its preventDefault() method was not invoked, and false otherwise. */ dispatchEvent(event: Event): boolean; /** Removes the event listener in target"s event listener list with the same type, callback, and options. */ removeEventListener(type: string, callback: EventListenerOrEventListenerObject | null, options?: EventListenerOptions | boolean): void; } declare var EventTarget: { prototype: EventTarget; new(): EventTarget; }; /** @deprecated */ interface External { /** @deprecated */ AddSearchProvider(): void; /** @deprecated */ IsSearchProviderInstalled(): void; } /** @deprecated */ declare var External: { prototype: External; new(): External; }; /** Provides information about files and allows JavaScript in a web page to access their content. */ interface File extends Blob { readonly lastModified: number; readonly name: string; readonly webkitRelativePath: string; } declare var File: { prototype: File; new(fileBits: BlobPart[], fileName: string, options?: FilePropertyBag): File; }; /** An object of this type is returned by the files property of the HTML element; this lets you access the list of files selected with the element. It"s also used for a list of files dropped into web content when using the drag and drop API; see the DataTransfer object for details on this usage. */ interface FileList { readonly length: number; item(index: number): File | null; [index: number]: File; } declare var FileList: { prototype: FileList; new(): FileList; }; interface FileReaderEventMap { "abort": ProgressEvent; "error": ProgressEvent; "load": ProgressEvent; "loadend": ProgressEvent; "loadstart": ProgressEvent; "progress": ProgressEvent; } /** Lets web applications asynchronously read the contents of files (or raw data buffers) stored on the user"s computer, using File or Blob objects to specify the file or data to read. */ interface FileReader extends EventTarget { readonly error: DOMException | null; onabort: ((this: FileReader, ev: ProgressEvent) => any) | null; onerror: ((this: FileReader, ev: ProgressEvent) => any) | null; onload: ((this: FileReader, ev: ProgressEvent) => any) | null; onloadend: ((this: FileReader, ev: ProgressEvent) => any) | null; onloadstart: ((this: FileReader, ev: ProgressEvent) => any) | null; onprogress: ((this: FileReader, ev: ProgressEvent) => any) | null; readonly readyState: typeof FileReader.EMPTY | typeof FileReader.LOADING | typeof FileReader.DONE; readonly result: string | ArrayBuffer | null; abort(): void; readAsArrayBuffer(blob: Blob): void; readAsBinaryString(blob: Blob): void; readAsDataURL(blob: Blob): void; readAsText(blob: Blob, encoding?: string): void; readonly EMPTY: 0; readonly LOADING: 1; readonly DONE: 2; addEventListener(type: K, listener: (this: FileReader, ev: FileReaderEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: FileReader, ev: FileReaderEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var FileReader: { prototype: FileReader; new(): FileReader; readonly EMPTY: 0; readonly LOADING: 1; readonly DONE: 2; }; interface FileSystem { readonly name: string; readonly root: FileSystemDirectoryEntry; } declare var FileSystem: { prototype: FileSystem; new(): FileSystem; }; interface FileSystemDirectoryEntry extends FileSystemEntry { createReader(): FileSystemDirectoryReader; getDirectory(path?: string | null, options?: FileSystemFlags, successCallback?: FileSystemEntryCallback, errorCallback?: ErrorCallback): void; getFile(path?: string | null, options?: FileSystemFlags, successCallback?: FileSystemEntryCallback, errorCallback?: ErrorCallback): void; } declare var FileSystemDirectoryEntry: { prototype: FileSystemDirectoryEntry; new(): FileSystemDirectoryEntry; }; /** Available only in secure contexts. */ interface FileSystemDirectoryHandle extends FileSystemHandle { readonly kind: "directory"; getDirectoryHandle(name: string, options?: FileSystemGetDirectoryOptions): Promise; getFileHandle(name: string, options?: FileSystemGetFileOptions): Promise; removeEntry(name: string, options?: FileSystemRemoveOptions): Promise; resolve(possibleDescendant: FileSystemHandle): Promise; } declare var FileSystemDirectoryHandle: { prototype: FileSystemDirectoryHandle; new(): FileSystemDirectoryHandle; }; interface FileSystemDirectoryReader { readEntries(successCallback: FileSystemEntriesCallback, errorCallback?: ErrorCallback): void; } declare var FileSystemDirectoryReader: { prototype: FileSystemDirectoryReader; new(): FileSystemDirectoryReader; }; interface FileSystemEntry { readonly filesystem: FileSystem; readonly fullPath: string; readonly isDirectory: boolean; readonly isFile: boolean; readonly name: string; getParent(successCallback?: FileSystemEntryCallback, errorCallback?: ErrorCallback): void; } declare var FileSystemEntry: { prototype: FileSystemEntry; new(): FileSystemEntry; }; interface FileSystemFileEntry extends FileSystemEntry { file(successCallback: FileCallback, errorCallback?: ErrorCallback): void; } declare var FileSystemFileEntry: { prototype: FileSystemFileEntry; new(): FileSystemFileEntry; }; /** Available only in secure contexts. */ interface FileSystemFileHandle extends FileSystemHandle { readonly kind: "file"; getFile(): Promise; } declare var FileSystemFileHandle: { prototype: FileSystemFileHandle; new(): FileSystemFileHandle; }; /** Available only in secure contexts. */ interface FileSystemHandle { readonly kind: FileSystemHandleKind; readonly name: string; isSameEntry(other: FileSystemHandle): Promise; } declare var FileSystemHandle: { prototype: FileSystemHandle; new(): FileSystemHandle; }; /** Focus-related events like focus, blur, focusin, or focusout. */ interface FocusEvent extends UIEvent { readonly relatedTarget: EventTarget | null; } declare var FocusEvent: { prototype: FocusEvent; new(type: string, eventInitDict?: FocusEventInit): FocusEvent; }; interface FontFace { ascentOverride: string; descentOverride: string; display: FontDisplay; family: string; featureSettings: string; lineGapOverride: string; readonly loaded: Promise; readonly status: FontFaceLoadStatus; stretch: string; style: string; unicodeRange: string; variant: string; weight: string; load(): Promise; } declare var FontFace: { prototype: FontFace; new(family: string, source: string | BinaryData, descriptors?: FontFaceDescriptors): FontFace; }; interface FontFaceSetEventMap { "loading": Event; "loadingdone": Event; "loadingerror": Event; } interface FontFaceSet extends EventTarget { onloading: ((this: FontFaceSet, ev: Event) => any) | null; onloadingdone: ((this: FontFaceSet, ev: Event) => any) | null; onloadingerror: ((this: FontFaceSet, ev: Event) => any) | null; readonly ready: Promise; readonly status: FontFaceSetLoadStatus; check(font: string, text?: string): boolean; load(font: string, text?: string): Promise; forEach(callbackfn: (value: FontFace, key: FontFace, parent: FontFaceSet) => void, thisArg?: any): void; addEventListener(type: K, listener: (this: FontFaceSet, ev: FontFaceSetEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: FontFaceSet, ev: FontFaceSetEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var FontFaceSet: { prototype: FontFaceSet; new(initialFaces: FontFace[]): FontFaceSet; }; interface FontFaceSetLoadEvent extends Event { readonly fontfaces: ReadonlyArray; } declare var FontFaceSetLoadEvent: { prototype: FontFaceSetLoadEvent; new(type: string, eventInitDict?: FontFaceSetLoadEventInit): FontFaceSetLoadEvent; }; interface FontFaceSource { readonly fonts: FontFaceSet; } /** Provides a way to easily construct a set of key/value pairs representing form fields and their values, which can then be easily sent using the XMLHttpRequest.send() method. It uses the same format a form would use if the encoding type were set to "multipart/form-data". */ interface FormData { append(name: string, value: string | Blob, fileName?: string): void; delete(name: string): void; get(name: string): FormDataEntryValue | null; getAll(name: string): FormDataEntryValue[]; has(name: string): boolean; set(name: string, value: string | Blob, fileName?: string): void; forEach(callbackfn: (value: FormDataEntryValue, key: string, parent: FormData) => void, thisArg?: any): void; } declare var FormData: { prototype: FormData; new(form?: HTMLFormElement): FormData; }; interface FormDataEvent extends Event { /** Returns a FormData object representing names and values of elements associated to the target form. Operations on the FormData object will affect form data to be submitted. */ readonly formData: FormData; } declare var FormDataEvent: { prototype: FormDataEvent; new(type: string, eventInitDict: FormDataEventInit): FormDataEvent; }; /** A change in volume. It is an AudioNode audio-processing module that causes a given gain to be applied to the input data before its propagation to the output. A GainNode always has exactly one input and one output, both with the same number of channels. */ interface GainNode extends AudioNode { readonly gain: AudioParam; } declare var GainNode: { prototype: GainNode; new(context: BaseAudioContext, options?: GainOptions): GainNode; }; /** * This Gamepad API interface defines an individual gamepad or other controller, allowing access to information such as button presses, axis positions, and id. * Available only in secure contexts. */ interface Gamepad { readonly axes: ReadonlyArray; readonly buttons: ReadonlyArray; readonly connected: boolean; readonly hapticActuators: ReadonlyArray; readonly id: string; readonly index: number; readonly mapping: GamepadMappingType; readonly timestamp: DOMHighResTimeStamp; } declare var Gamepad: { prototype: Gamepad; new(): Gamepad; }; /** * An individual button of a gamepad or other controller, allowing access to the current state of different types of buttons available on the control device. * Available only in secure contexts. */ interface GamepadButton { readonly pressed: boolean; readonly touched: boolean; readonly value: number; } declare var GamepadButton: { prototype: GamepadButton; new(): GamepadButton; }; /** * This Gamepad API interface contains references to gamepads connected to the system, which is what the gamepad events Window.gamepadconnected and Window.gamepaddisconnected are fired in response to. * Available only in secure contexts. */ interface GamepadEvent extends Event { readonly gamepad: Gamepad; } declare var GamepadEvent: { prototype: GamepadEvent; new(type: string, eventInitDict: GamepadEventInit): GamepadEvent; }; /** This Gamepad API interface represents hardware in the controller designed to provide haptic feedback to the user (if available), most commonly vibration hardware. */ interface GamepadHapticActuator { readonly type: GamepadHapticActuatorType; } declare var GamepadHapticActuator: { prototype: GamepadHapticActuator; new(): GamepadHapticActuator; }; interface GenericTransformStream { readonly readable: ReadableStream; readonly writable: WritableStream; } /** An object able to programmatically obtain the position of the device. It gives Web content access to the location of the device. This allows a Web site or app to offer customized results based on the user"s location. */ interface Geolocation { clearWatch(watchId: number): void; getCurrentPosition(successCallback: PositionCallback, errorCallback?: PositionErrorCallback | null, options?: PositionOptions): void; watchPosition(successCallback: PositionCallback, errorCallback?: PositionErrorCallback | null, options?: PositionOptions): number; } declare var Geolocation: { prototype: Geolocation; new(): Geolocation; }; /** Available only in secure contexts. */ interface GeolocationCoordinates { readonly accuracy: number; readonly altitude: number | null; readonly altitudeAccuracy: number | null; readonly heading: number | null; readonly latitude: number; readonly longitude: number; readonly speed: number | null; } declare var GeolocationCoordinates: { prototype: GeolocationCoordinates; new(): GeolocationCoordinates; }; /** Available only in secure contexts. */ interface GeolocationPosition { readonly coords: GeolocationCoordinates; readonly timestamp: EpochTimeStamp; } declare var GeolocationPosition: { prototype: GeolocationPosition; new(): GeolocationPosition; }; interface GeolocationPositionError { readonly code: number; readonly message: string; readonly PERMISSION_DENIED: 1; readonly POSITION_UNAVAILABLE: 2; readonly TIMEOUT: 3; } declare var GeolocationPositionError: { prototype: GeolocationPositionError; new(): GeolocationPositionError; readonly PERMISSION_DENIED: 1; readonly POSITION_UNAVAILABLE: 2; readonly TIMEOUT: 3; }; interface GlobalEventHandlersEventMap { "abort": UIEvent; "animationcancel": AnimationEvent; "animationend": AnimationEvent; "animationiteration": AnimationEvent; "animationstart": AnimationEvent; "auxclick": MouseEvent; "beforeinput": InputEvent; "blur": FocusEvent; "cancel": Event; "canplay": Event; "canplaythrough": Event; "change": Event; "click": MouseEvent; "close": Event; "compositionend": CompositionEvent; "compositionstart": CompositionEvent; "compositionupdate": CompositionEvent; "contextmenu": MouseEvent; "copy": ClipboardEvent; "cuechange": Event; "cut": ClipboardEvent; "dblclick": MouseEvent; "drag": DragEvent; "dragend": DragEvent; "dragenter": DragEvent; "dragleave": DragEvent; "dragover": DragEvent; "dragstart": DragEvent; "drop": DragEvent; "durationchange": Event; "emptied": Event; "ended": Event; "error": ErrorEvent; "focus": FocusEvent; "focusin": FocusEvent; "focusout": FocusEvent; "formdata": FormDataEvent; "gotpointercapture": PointerEvent; "input": Event; "invalid": Event; "keydown": KeyboardEvent; "keypress": KeyboardEvent; "keyup": KeyboardEvent; "load": Event; "loadeddata": Event; "loadedmetadata": Event; "loadstart": Event; "lostpointercapture": PointerEvent; "mousedown": MouseEvent; "mouseenter": MouseEvent; "mouseleave": MouseEvent; "mousemove": MouseEvent; "mouseout": MouseEvent; "mouseover": MouseEvent; "mouseup": MouseEvent; "paste": ClipboardEvent; "pause": Event; "play": Event; "playing": Event; "pointercancel": PointerEvent; "pointerdown": PointerEvent; "pointerenter": PointerEvent; "pointerleave": PointerEvent; "pointermove": PointerEvent; "pointerout": PointerEvent; "pointerover": PointerEvent; "pointerup": PointerEvent; "progress": ProgressEvent; "ratechange": Event; "reset": Event; "resize": UIEvent; "scroll": Event; "securitypolicyviolation": SecurityPolicyViolationEvent; "seeked": Event; "seeking": Event; "select": Event; "selectionchange": Event; "selectstart": Event; "slotchange": Event; "stalled": Event; "submit": SubmitEvent; "suspend": Event; "timeupdate": Event; "toggle": Event; "touchcancel": TouchEvent; "touchend": TouchEvent; "touchmove": TouchEvent; "touchstart": TouchEvent; "transitioncancel": TransitionEvent; "transitionend": TransitionEvent; "transitionrun": TransitionEvent; "transitionstart": TransitionEvent; "volumechange": Event; "waiting": Event; "webkitanimationend": Event; "webkitanimationiteration": Event; "webkitanimationstart": Event; "webkittransitionend": Event; "wheel": WheelEvent; } interface GlobalEventHandlers { /** * Fires when the user aborts the download. * @param ev The event. */ onabort: ((this: GlobalEventHandlers, ev: UIEvent) => any) | null; onanimationcancel: ((this: GlobalEventHandlers, ev: AnimationEvent) => any) | null; onanimationend: ((this: GlobalEventHandlers, ev: AnimationEvent) => any) | null; onanimationiteration: ((this: GlobalEventHandlers, ev: AnimationEvent) => any) | null; onanimationstart: ((this: GlobalEventHandlers, ev: AnimationEvent) => any) | null; onauxclick: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; onbeforeinput: ((this: GlobalEventHandlers, ev: InputEvent) => any) | null; /** * Fires when the object loses the input focus. * @param ev The focus event. */ onblur: ((this: GlobalEventHandlers, ev: FocusEvent) => any) | null; oncancel: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when playback is possible, but would require further buffering. * @param ev The event. */ oncanplay: ((this: GlobalEventHandlers, ev: Event) => any) | null; oncanplaythrough: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when the contents of the object or selection have changed. * @param ev The event. */ onchange: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when the user clicks the left mouse button on the object * @param ev The mouse event. */ onclick: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; onclose: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when the user clicks the right mouse button in the client area, opening the context menu. * @param ev The mouse event. */ oncontextmenu: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; oncopy: ((this: GlobalEventHandlers, ev: ClipboardEvent) => any) | null; oncuechange: ((this: GlobalEventHandlers, ev: Event) => any) | null; oncut: ((this: GlobalEventHandlers, ev: ClipboardEvent) => any) | null; /** * Fires when the user double-clicks the object. * @param ev The mouse event. */ ondblclick: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; /** * Fires on the source object continuously during a drag operation. * @param ev The event. */ ondrag: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; /** * Fires on the source object when the user releases the mouse at the close of a drag operation. * @param ev The event. */ ondragend: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; /** * Fires on the target element when the user drags the object to a valid drop target. * @param ev The drag event. */ ondragenter: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; /** * Fires on the target object when the user moves the mouse out of a valid drop target during a drag operation. * @param ev The drag event. */ ondragleave: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; /** * Fires on the target element continuously while the user drags the object over a valid drop target. * @param ev The event. */ ondragover: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; /** * Fires on the source object when the user starts to drag a text selection or selected object. * @param ev The event. */ ondragstart: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; ondrop: ((this: GlobalEventHandlers, ev: DragEvent) => any) | null; /** * Occurs when the duration attribute is updated. * @param ev The event. */ ondurationchange: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the media element is reset to its initial state. * @param ev The event. */ onemptied: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the end of playback is reached. * @param ev The event */ onended: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when an error occurs during object loading. * @param ev The event. */ onerror: OnErrorEventHandler; /** * Fires when the object receives focus. * @param ev The event. */ onfocus: ((this: GlobalEventHandlers, ev: FocusEvent) => any) | null; onformdata: ((this: GlobalEventHandlers, ev: FormDataEvent) => any) | null; ongotpointercapture: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; oninput: ((this: GlobalEventHandlers, ev: Event) => any) | null; oninvalid: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when the user presses a key. * @param ev The keyboard event */ onkeydown: ((this: GlobalEventHandlers, ev: KeyboardEvent) => any) | null; /** * Fires when the user presses an alphanumeric key. * @param ev The event. * @deprecated */ onkeypress: ((this: GlobalEventHandlers, ev: KeyboardEvent) => any) | null; /** * Fires when the user releases a key. * @param ev The keyboard event */ onkeyup: ((this: GlobalEventHandlers, ev: KeyboardEvent) => any) | null; /** * Fires immediately after the browser loads the object. * @param ev The event. */ onload: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when media data is loaded at the current playback position. * @param ev The event. */ onloadeddata: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the duration and dimensions of the media have been determined. * @param ev The event. */ onloadedmetadata: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when Internet Explorer begins looking for media data. * @param ev The event. */ onloadstart: ((this: GlobalEventHandlers, ev: Event) => any) | null; onlostpointercapture: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; /** * Fires when the user clicks the object with either mouse button. * @param ev The mouse event. */ onmousedown: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; onmouseenter: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; onmouseleave: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; /** * Fires when the user moves the mouse over the object. * @param ev The mouse event. */ onmousemove: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; /** * Fires when the user moves the mouse pointer outside the boundaries of the object. * @param ev The mouse event. */ onmouseout: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; /** * Fires when the user moves the mouse pointer into the object. * @param ev The mouse event. */ onmouseover: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; /** * Fires when the user releases a mouse button while the mouse is over the object. * @param ev The mouse event. */ onmouseup: ((this: GlobalEventHandlers, ev: MouseEvent) => any) | null; onpaste: ((this: GlobalEventHandlers, ev: ClipboardEvent) => any) | null; /** * Occurs when playback is paused. * @param ev The event. */ onpause: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the play method is requested. * @param ev The event. */ onplay: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the audio or video has started playing. * @param ev The event. */ onplaying: ((this: GlobalEventHandlers, ev: Event) => any) | null; onpointercancel: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointerdown: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointerenter: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointerleave: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointermove: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointerout: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointerover: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; onpointerup: ((this: GlobalEventHandlers, ev: PointerEvent) => any) | null; /** * Occurs to indicate progress while downloading media data. * @param ev The event. */ onprogress: ((this: GlobalEventHandlers, ev: ProgressEvent) => any) | null; /** * Occurs when the playback rate is increased or decreased. * @param ev The event. */ onratechange: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when the user resets a form. * @param ev The event. */ onreset: ((this: GlobalEventHandlers, ev: Event) => any) | null; onresize: ((this: GlobalEventHandlers, ev: UIEvent) => any) | null; /** * Fires when the user repositions the scroll box in the scroll bar on the object. * @param ev The event. */ onscroll: ((this: GlobalEventHandlers, ev: Event) => any) | null; onsecuritypolicyviolation: ((this: GlobalEventHandlers, ev: SecurityPolicyViolationEvent) => any) | null; /** * Occurs when the seek operation ends. * @param ev The event. */ onseeked: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the current playback position is moved. * @param ev The event. */ onseeking: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Fires when the current selection changes. * @param ev The event. */ onselect: ((this: GlobalEventHandlers, ev: Event) => any) | null; onselectionchange: ((this: GlobalEventHandlers, ev: Event) => any) | null; onselectstart: ((this: GlobalEventHandlers, ev: Event) => any) | null; onslotchange: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when the download has stopped. * @param ev The event. */ onstalled: ((this: GlobalEventHandlers, ev: Event) => any) | null; onsubmit: ((this: GlobalEventHandlers, ev: SubmitEvent) => any) | null; /** * Occurs if the load operation has been intentionally halted. * @param ev The event. */ onsuspend: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs to indicate the current playback position. * @param ev The event. */ ontimeupdate: ((this: GlobalEventHandlers, ev: Event) => any) | null; ontoggle: ((this: GlobalEventHandlers, ev: Event) => any) | null; ontouchcancel?: ((this: GlobalEventHandlers, ev: TouchEvent) => any) | null | undefined; ontouchend?: ((this: GlobalEventHandlers, ev: TouchEvent) => any) | null | undefined; ontouchmove?: ((this: GlobalEventHandlers, ev: TouchEvent) => any) | null | undefined; ontouchstart?: ((this: GlobalEventHandlers, ev: TouchEvent) => any) | null | undefined; ontransitioncancel: ((this: GlobalEventHandlers, ev: TransitionEvent) => any) | null; ontransitionend: ((this: GlobalEventHandlers, ev: TransitionEvent) => any) | null; ontransitionrun: ((this: GlobalEventHandlers, ev: TransitionEvent) => any) | null; ontransitionstart: ((this: GlobalEventHandlers, ev: TransitionEvent) => any) | null; /** * Occurs when the volume is changed, or playback is muted or unmuted. * @param ev The event. */ onvolumechange: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** * Occurs when playback stops because the next frame of a video resource is not available. * @param ev The event. */ onwaiting: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** @deprecated This is a legacy alias of `onanimationend`. */ onwebkitanimationend: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** @deprecated This is a legacy alias of `onanimationiteration`. */ onwebkitanimationiteration: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** @deprecated This is a legacy alias of `onanimationstart`. */ onwebkitanimationstart: ((this: GlobalEventHandlers, ev: Event) => any) | null; /** @deprecated This is a legacy alias of `ontransitionend`. */ onwebkittransitionend: ((this: GlobalEventHandlers, ev: Event) => any) | null; onwheel: ((this: GlobalEventHandlers, ev: WheelEvent) => any) | null; addEventListener(type: K, listener: (this: GlobalEventHandlers, ev: GlobalEventHandlersEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: GlobalEventHandlers, ev: GlobalEventHandlersEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } interface HTMLAllCollection { /** Returns the number of elements in the collection. */ readonly length: number; /** Returns the item with index index from the collection (determined by tree order). */ item(nameOrIndex?: string): HTMLCollection | Element | null; /** * Returns the item with ID or name name from the collection. * * If there are multiple matching items, then an HTMLCollection object containing all those elements is returned. * * Only button, form, iframe, input, map, meta, object, select, and textarea elements can have a name for the purpose of this method; their name is given by the value of their name attribute. */ namedItem(name: string): HTMLCollection | Element | null; [index: number]: Element; } declare var HTMLAllCollection: { prototype: HTMLAllCollection; new(): HTMLAllCollection; }; /** Hyperlink elements and provides special properties and methods (beyond those of the regular HTMLElement object interface that they inherit from) for manipulating the layout and presentation of such elements. */ interface HTMLAnchorElement extends HTMLElement, HTMLHyperlinkElementUtils { /** * Sets or retrieves the character set used to encode the object. * @deprecated */ charset: string; /** * Sets or retrieves the coordinates of the object. * @deprecated */ coords: string; download: string; /** Sets or retrieves the language code of the object. */ hreflang: string; /** * Sets or retrieves the shape of the object. * @deprecated */ name: string; ping: string; referrerPolicy: string; /** Sets or retrieves the relationship between the object and the destination of the link. */ rel: string; readonly relList: DOMTokenList; /** * Sets or retrieves the relationship between the object and the destination of the link. * @deprecated */ rev: string; /** * Sets or retrieves the shape of the object. * @deprecated */ shape: string; /** Sets or retrieves the window or frame at which to target content. */ target: string; /** Retrieves or sets the text of the object as a string. */ text: string; type: string; addEventListener(type: K, listener: (this: HTMLAnchorElement, ev: HTMLElementEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: HTMLAnchorElement, ev: HTMLElementEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var HTMLAnchorElement: { prototype: HTMLAnchorElement; new(): HTMLAnchorElement; }; /** Provides special properties and methods (beyond those of the regular object HTMLElement interface it also has available to it by inheritance) for manipulating the layout and presentation of elements. */ interface HTMLAreaElement extends HTMLElement, HTMLHyperlinkElementUtils { /** Sets or retrieves a text alternative to the graphic. */ alt: string; /** Sets or retrieves the coordinates of the object. */ coords: string; download: string; /** * Sets or gets whether clicks in this region cause action. * @deprecated */ noHref: boolean; ping: string; referrerPolicy: string; rel: string; readonly relList: DOMTokenList; /** Sets or retrieves the shape of the object. */ shape: string; /** Sets or retrieves the window or frame at which to target content. */ target: string; addEventListener(type: K, listener: (this: HTMLAreaElement, ev: HTMLElementEventMap[K]) => any, options?: boolean | AddEventListenerOptions): void; addEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | AddEventListenerOptions): void; removeEventListener(type: K, listener: (this: HTMLAreaElement, ev: HTMLElementEventMap[K]) => any, options?: boolean | EventListenerOptions): void; removeEventListener(type: string, listener: EventListenerOrEventListenerObject, options?: boolean | EventListenerOptions): void; } declare var HTMLAreaElement: { prototype: HTMLAreaElement; new(): HTMLAreaElement; }; /** Provides access to the properties of