summaryrefslogtreecommitdiff
path: root/node_modules/sucrase/dist/parser/traverser
diff options
context:
space:
mode:
Diffstat (limited to 'node_modules/sucrase/dist/parser/traverser')
-rw-r--r--node_modules/sucrase/dist/parser/traverser/base.js60
-rw-r--r--node_modules/sucrase/dist/parser/traverser/expression.js1022
-rw-r--r--node_modules/sucrase/dist/parser/traverser/index.js18
-rw-r--r--node_modules/sucrase/dist/parser/traverser/lval.js159
-rw-r--r--node_modules/sucrase/dist/parser/traverser/statement.js1332
-rw-r--r--node_modules/sucrase/dist/parser/traverser/util.js104
6 files changed, 2695 insertions, 0 deletions
diff --git a/node_modules/sucrase/dist/parser/traverser/base.js b/node_modules/sucrase/dist/parser/traverser/base.js
new file mode 100644
index 0000000..85c9c17
--- /dev/null
+++ b/node_modules/sucrase/dist/parser/traverser/base.js
@@ -0,0 +1,60 @@
+"use strict";Object.defineProperty(exports, "__esModule", {value: true}); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }var _state = require('../tokenizer/state'); var _state2 = _interopRequireDefault(_state);
+var _charcodes = require('../util/charcodes');
+
+ exports.isJSXEnabled;
+ exports.isTypeScriptEnabled;
+ exports.isFlowEnabled;
+ exports.state;
+ exports.input;
+ exports.nextContextId;
+
+ function getNextContextId() {
+ return exports.nextContextId++;
+} exports.getNextContextId = getNextContextId;
+
+// eslint-disable-next-line @typescript-eslint/no-explicit-any
+ function augmentError(error) {
+ if ("pos" in error) {
+ const loc = locationForIndex(error.pos);
+ error.message += ` (${loc.line}:${loc.column})`;
+ error.loc = loc;
+ }
+ return error;
+} exports.augmentError = augmentError;
+
+ class Loc {
+
+
+ constructor(line, column) {
+ this.line = line;
+ this.column = column;
+ }
+} exports.Loc = Loc;
+
+ function locationForIndex(pos) {
+ let line = 1;
+ let column = 1;
+ for (let i = 0; i < pos; i++) {
+ if (exports.input.charCodeAt(i) === _charcodes.charCodes.lineFeed) {
+ line++;
+ column = 1;
+ } else {
+ column++;
+ }
+ }
+ return new Loc(line, column);
+} exports.locationForIndex = locationForIndex;
+
+ function initParser(
+ inputCode,
+ isJSXEnabledArg,
+ isTypeScriptEnabledArg,
+ isFlowEnabledArg,
+) {
+ exports.input = inputCode;
+ exports.state = new (0, _state2.default)();
+ exports.nextContextId = 1;
+ exports.isJSXEnabled = isJSXEnabledArg;
+ exports.isTypeScriptEnabled = isTypeScriptEnabledArg;
+ exports.isFlowEnabled = isFlowEnabledArg;
+} exports.initParser = initParser;
diff --git a/node_modules/sucrase/dist/parser/traverser/expression.js b/node_modules/sucrase/dist/parser/traverser/expression.js
new file mode 100644
index 0000000..d0011e3
--- /dev/null
+++ b/node_modules/sucrase/dist/parser/traverser/expression.js
@@ -0,0 +1,1022 @@
+"use strict";Object.defineProperty(exports, "__esModule", {value: true});/* eslint max-len: 0 */
+
+// A recursive descent parser operates by defining functions for all
+// syntactic elements, and recursively calling those, each function
+// advancing the input stream and returning an AST node. Precedence
+// of constructs (for example, the fact that `!x[1]` means `!(x[1])`
+// instead of `(!x)[1]` is handled by the fact that the parser
+// function that parses unary prefix operators is called first, and
+// in turn calls the function that parses `[]` subscripts — that
+// way, it'll receive the node for `x[1]` already parsed, and wraps
+// *that* in the unary operator node.
+//
+// Acorn uses an [operator precedence parser][opp] to handle binary
+// operator precedence, because it is much more compact than using
+// the technique outlined above, which uses different, nesting
+// functions to specify precedence, for all of the ten binary
+// precedence levels that JavaScript defines.
+//
+// [opp]: http://en.wikipedia.org/wiki/Operator-precedence_parser
+
+
+
+
+
+
+
+
+
+
+
+var _flow = require('../plugins/flow');
+var _index = require('../plugins/jsx/index');
+var _types = require('../plugins/types');
+
+
+
+
+
+
+
+
+
+var _typescript = require('../plugins/typescript');
+
+
+
+
+
+
+
+
+
+
+
+
+var _index3 = require('../tokenizer/index');
+var _keywords = require('../tokenizer/keywords');
+var _state = require('../tokenizer/state');
+var _types3 = require('../tokenizer/types');
+var _charcodes = require('../util/charcodes');
+var _identifier = require('../util/identifier');
+var _base = require('./base');
+
+
+
+
+
+
+var _lval = require('./lval');
+
+
+
+
+
+
+
+var _statement = require('./statement');
+
+
+
+
+
+
+
+
+
+var _util = require('./util');
+
+ class StopState {
+
+ constructor(stop) {
+ this.stop = stop;
+ }
+} exports.StopState = StopState;
+
+// ### Expression parsing
+
+// These nest, from the most general expression type at the top to
+// 'atomic', nondivisible expression types at the bottom. Most of
+// the functions will simply let the function (s) below them parse,
+// and, *if* the syntactic construct they handle is present, wrap
+// the AST node that the inner parser gave them in another node.
+ function parseExpression(noIn = false) {
+ parseMaybeAssign(noIn);
+ if (_index3.match.call(void 0, _types3.TokenType.comma)) {
+ while (_index3.eat.call(void 0, _types3.TokenType.comma)) {
+ parseMaybeAssign(noIn);
+ }
+ }
+} exports.parseExpression = parseExpression;
+
+/**
+ * noIn is used when parsing a for loop so that we don't interpret a following "in" as the binary
+ * operatior.
+ * isWithinParens is used to indicate that we're parsing something that might be a comma expression
+ * or might be an arrow function or might be a Flow type assertion (which requires explicit parens).
+ * In these cases, we should allow : and ?: after the initial "left" part.
+ */
+ function parseMaybeAssign(noIn = false, isWithinParens = false) {
+ if (_base.isTypeScriptEnabled) {
+ return _typescript.tsParseMaybeAssign.call(void 0, noIn, isWithinParens);
+ } else if (_base.isFlowEnabled) {
+ return _flow.flowParseMaybeAssign.call(void 0, noIn, isWithinParens);
+ } else {
+ return baseParseMaybeAssign(noIn, isWithinParens);
+ }
+} exports.parseMaybeAssign = parseMaybeAssign;
+
+// Parse an assignment expression. This includes applications of
+// operators like `+=`.
+// Returns true if the expression was an arrow function.
+ function baseParseMaybeAssign(noIn, isWithinParens) {
+ if (_index3.match.call(void 0, _types3.TokenType._yield)) {
+ parseYield();
+ return false;
+ }
+
+ if (_index3.match.call(void 0, _types3.TokenType.parenL) || _index3.match.call(void 0, _types3.TokenType.name) || _index3.match.call(void 0, _types3.TokenType._yield)) {
+ _base.state.potentialArrowAt = _base.state.start;
+ }
+
+ const wasArrow = parseMaybeConditional(noIn);
+ if (isWithinParens) {
+ parseParenItem();
+ }
+ if (_base.state.type & _types3.TokenType.IS_ASSIGN) {
+ _index3.next.call(void 0, );
+ parseMaybeAssign(noIn);
+ return false;
+ }
+ return wasArrow;
+} exports.baseParseMaybeAssign = baseParseMaybeAssign;
+
+// Parse a ternary conditional (`?:`) operator.
+// Returns true if the expression was an arrow function.
+function parseMaybeConditional(noIn) {
+ const wasArrow = parseExprOps(noIn);
+ if (wasArrow) {
+ return true;
+ }
+ parseConditional(noIn);
+ return false;
+}
+
+function parseConditional(noIn) {
+ if (_base.isTypeScriptEnabled || _base.isFlowEnabled) {
+ _types.typedParseConditional.call(void 0, noIn);
+ } else {
+ baseParseConditional(noIn);
+ }
+}
+
+ function baseParseConditional(noIn) {
+ if (_index3.eat.call(void 0, _types3.TokenType.question)) {
+ parseMaybeAssign();
+ _util.expect.call(void 0, _types3.TokenType.colon);
+ parseMaybeAssign(noIn);
+ }
+} exports.baseParseConditional = baseParseConditional;
+
+// Start the precedence parser.
+// Returns true if this was an arrow function
+function parseExprOps(noIn) {
+ const startTokenIndex = _base.state.tokens.length;
+ const wasArrow = parseMaybeUnary();
+ if (wasArrow) {
+ return true;
+ }
+ parseExprOp(startTokenIndex, -1, noIn);
+ return false;
+}
+
+// Parse binary operators with the operator precedence parsing
+// algorithm. `left` is the left-hand side of the operator.
+// `minPrec` provides context that allows the function to stop and
+// defer further parser to one of its callers when it encounters an
+// operator that has a lower precedence than the set it is parsing.
+function parseExprOp(startTokenIndex, minPrec, noIn) {
+ if (
+ _base.isTypeScriptEnabled &&
+ (_types3.TokenType._in & _types3.TokenType.PRECEDENCE_MASK) > minPrec &&
+ !_util.hasPrecedingLineBreak.call(void 0, ) &&
+ (_util.eatContextual.call(void 0, _keywords.ContextualKeyword._as) || _util.eatContextual.call(void 0, _keywords.ContextualKeyword._satisfies))
+ ) {
+ const oldIsType = _index3.pushTypeContext.call(void 0, 1);
+ _typescript.tsParseType.call(void 0, );
+ _index3.popTypeContext.call(void 0, oldIsType);
+ _index3.rescan_gt.call(void 0, );
+ parseExprOp(startTokenIndex, minPrec, noIn);
+ return;
+ }
+
+ const prec = _base.state.type & _types3.TokenType.PRECEDENCE_MASK;
+ if (prec > 0 && (!noIn || !_index3.match.call(void 0, _types3.TokenType._in))) {
+ if (prec > minPrec) {
+ const op = _base.state.type;
+ _index3.next.call(void 0, );
+ if (op === _types3.TokenType.nullishCoalescing) {
+ _base.state.tokens[_base.state.tokens.length - 1].nullishStartIndex = startTokenIndex;
+ }
+
+ const rhsStartTokenIndex = _base.state.tokens.length;
+ parseMaybeUnary();
+ // Extend the right operand of this operator if possible.
+ parseExprOp(rhsStartTokenIndex, op & _types3.TokenType.IS_RIGHT_ASSOCIATIVE ? prec - 1 : prec, noIn);
+ if (op === _types3.TokenType.nullishCoalescing) {
+ _base.state.tokens[startTokenIndex].numNullishCoalesceStarts++;
+ _base.state.tokens[_base.state.tokens.length - 1].numNullishCoalesceEnds++;
+ }
+ // Continue with any future operator holding this expression as the left operand.
+ parseExprOp(startTokenIndex, minPrec, noIn);
+ }
+ }
+}
+
+// Parse unary operators, both prefix and postfix.
+// Returns true if this was an arrow function.
+ function parseMaybeUnary() {
+ if (_base.isTypeScriptEnabled && !_base.isJSXEnabled && _index3.eat.call(void 0, _types3.TokenType.lessThan)) {
+ _typescript.tsParseTypeAssertion.call(void 0, );
+ return false;
+ }
+ if (
+ _util.isContextual.call(void 0, _keywords.ContextualKeyword._module) &&
+ _index3.lookaheadCharCode.call(void 0, ) === _charcodes.charCodes.leftCurlyBrace &&
+ !_util.hasFollowingLineBreak.call(void 0, )
+ ) {
+ parseModuleExpression();
+ return false;
+ }
+ if (_base.state.type & _types3.TokenType.IS_PREFIX) {
+ _index3.next.call(void 0, );
+ parseMaybeUnary();
+ return false;
+ }
+
+ const wasArrow = parseExprSubscripts();
+ if (wasArrow) {
+ return true;
+ }
+ while (_base.state.type & _types3.TokenType.IS_POSTFIX && !_util.canInsertSemicolon.call(void 0, )) {
+ // The tokenizer calls everything a preincrement, so make it a postincrement when
+ // we see it in that context.
+ if (_base.state.type === _types3.TokenType.preIncDec) {
+ _base.state.type = _types3.TokenType.postIncDec;
+ }
+ _index3.next.call(void 0, );
+ }
+ return false;
+} exports.parseMaybeUnary = parseMaybeUnary;
+
+// Parse call, dot, and `[]`-subscript expressions.
+// Returns true if this was an arrow function.
+ function parseExprSubscripts() {
+ const startTokenIndex = _base.state.tokens.length;
+ const wasArrow = parseExprAtom();
+ if (wasArrow) {
+ return true;
+ }
+ parseSubscripts(startTokenIndex);
+ // If there was any optional chain operation, the start token would be marked
+ // as such, so also mark the end now.
+ if (_base.state.tokens.length > startTokenIndex && _base.state.tokens[startTokenIndex].isOptionalChainStart) {
+ _base.state.tokens[_base.state.tokens.length - 1].isOptionalChainEnd = true;
+ }
+ return false;
+} exports.parseExprSubscripts = parseExprSubscripts;
+
+function parseSubscripts(startTokenIndex, noCalls = false) {
+ if (_base.isFlowEnabled) {
+ _flow.flowParseSubscripts.call(void 0, startTokenIndex, noCalls);
+ } else {
+ baseParseSubscripts(startTokenIndex, noCalls);
+ }
+}
+
+ function baseParseSubscripts(startTokenIndex, noCalls = false) {
+ const stopState = new StopState(false);
+ do {
+ parseSubscript(startTokenIndex, noCalls, stopState);
+ } while (!stopState.stop && !_base.state.error);
+} exports.baseParseSubscripts = baseParseSubscripts;
+
+function parseSubscript(startTokenIndex, noCalls, stopState) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseSubscript.call(void 0, startTokenIndex, noCalls, stopState);
+ } else if (_base.isFlowEnabled) {
+ _flow.flowParseSubscript.call(void 0, startTokenIndex, noCalls, stopState);
+ } else {
+ baseParseSubscript(startTokenIndex, noCalls, stopState);
+ }
+}
+
+/** Set 'state.stop = true' to indicate that we should stop parsing subscripts. */
+ function baseParseSubscript(
+ startTokenIndex,
+ noCalls,
+ stopState,
+) {
+ if (!noCalls && _index3.eat.call(void 0, _types3.TokenType.doubleColon)) {
+ parseNoCallExpr();
+ stopState.stop = true;
+ // Propagate startTokenIndex so that `a::b?.()` will keep `a` as the first token. We may want
+ // to revisit this in the future when fully supporting bind syntax.
+ parseSubscripts(startTokenIndex, noCalls);
+ } else if (_index3.match.call(void 0, _types3.TokenType.questionDot)) {
+ _base.state.tokens[startTokenIndex].isOptionalChainStart = true;
+ if (noCalls && _index3.lookaheadType.call(void 0, ) === _types3.TokenType.parenL) {
+ stopState.stop = true;
+ return;
+ }
+ _index3.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].subscriptStartIndex = startTokenIndex;
+
+ if (_index3.eat.call(void 0, _types3.TokenType.bracketL)) {
+ parseExpression();
+ _util.expect.call(void 0, _types3.TokenType.bracketR);
+ } else if (_index3.eat.call(void 0, _types3.TokenType.parenL)) {
+ parseCallExpressionArguments();
+ } else {
+ parseMaybePrivateName();
+ }
+ } else if (_index3.eat.call(void 0, _types3.TokenType.dot)) {
+ _base.state.tokens[_base.state.tokens.length - 1].subscriptStartIndex = startTokenIndex;
+ parseMaybePrivateName();
+ } else if (_index3.eat.call(void 0, _types3.TokenType.bracketL)) {
+ _base.state.tokens[_base.state.tokens.length - 1].subscriptStartIndex = startTokenIndex;
+ parseExpression();
+ _util.expect.call(void 0, _types3.TokenType.bracketR);
+ } else if (!noCalls && _index3.match.call(void 0, _types3.TokenType.parenL)) {
+ if (atPossibleAsync()) {
+ // We see "async", but it's possible it's a usage of the name "async". Parse as if it's a
+ // function call, and if we see an arrow later, backtrack and re-parse as a parameter list.
+ const snapshot = _base.state.snapshot();
+ const asyncStartTokenIndex = _base.state.tokens.length;
+ _index3.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].subscriptStartIndex = startTokenIndex;
+
+ const callContextId = _base.getNextContextId.call(void 0, );
+
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = callContextId;
+ parseCallExpressionArguments();
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = callContextId;
+
+ if (shouldParseAsyncArrow()) {
+ // We hit an arrow, so backtrack and start again parsing function parameters.
+ _base.state.restoreFromSnapshot(snapshot);
+ stopState.stop = true;
+ _base.state.scopeDepth++;
+
+ _statement.parseFunctionParams.call(void 0, );
+ parseAsyncArrowFromCallExpression(asyncStartTokenIndex);
+ }
+ } else {
+ _index3.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].subscriptStartIndex = startTokenIndex;
+ const callContextId = _base.getNextContextId.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = callContextId;
+ parseCallExpressionArguments();
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = callContextId;
+ }
+ } else if (_index3.match.call(void 0, _types3.TokenType.backQuote)) {
+ // Tagged template expression.
+ parseTemplate();
+ } else {
+ stopState.stop = true;
+ }
+} exports.baseParseSubscript = baseParseSubscript;
+
+ function atPossibleAsync() {
+ // This was made less strict than the original version to avoid passing around nodes, but it
+ // should be safe to have rare false positives here.
+ return (
+ _base.state.tokens[_base.state.tokens.length - 1].contextualKeyword === _keywords.ContextualKeyword._async &&
+ !_util.canInsertSemicolon.call(void 0, )
+ );
+} exports.atPossibleAsync = atPossibleAsync;
+
+ function parseCallExpressionArguments() {
+ let first = true;
+ while (!_index3.eat.call(void 0, _types3.TokenType.parenR) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ _util.expect.call(void 0, _types3.TokenType.comma);
+ if (_index3.eat.call(void 0, _types3.TokenType.parenR)) {
+ break;
+ }
+ }
+
+ parseExprListItem(false);
+ }
+} exports.parseCallExpressionArguments = parseCallExpressionArguments;
+
+function shouldParseAsyncArrow() {
+ return _index3.match.call(void 0, _types3.TokenType.colon) || _index3.match.call(void 0, _types3.TokenType.arrow);
+}
+
+function parseAsyncArrowFromCallExpression(startTokenIndex) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsStartParseAsyncArrowFromCallExpression.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ _flow.flowStartParseAsyncArrowFromCallExpression.call(void 0, );
+ }
+ _util.expect.call(void 0, _types3.TokenType.arrow);
+ parseArrowExpression(startTokenIndex);
+}
+
+// Parse a no-call expression (like argument of `new` or `::` operators).
+
+function parseNoCallExpr() {
+ const startTokenIndex = _base.state.tokens.length;
+ parseExprAtom();
+ parseSubscripts(startTokenIndex, true);
+}
+
+// Parse an atomic expression — either a single token that is an
+// expression, an expression started by a keyword like `function` or
+// `new`, or an expression wrapped in punctuation like `()`, `[]`,
+// or `{}`.
+// Returns true if the parsed expression was an arrow function.
+ function parseExprAtom() {
+ if (_index3.eat.call(void 0, _types3.TokenType.modulo)) {
+ // V8 intrinsic expression. Just parse the identifier, and the function invocation is parsed
+ // naturally.
+ parseIdentifier();
+ return false;
+ }
+
+ if (_index3.match.call(void 0, _types3.TokenType.jsxText) || _index3.match.call(void 0, _types3.TokenType.jsxEmptyText)) {
+ parseLiteral();
+ return false;
+ } else if (_index3.match.call(void 0, _types3.TokenType.lessThan) && _base.isJSXEnabled) {
+ _base.state.type = _types3.TokenType.jsxTagStart;
+ _index.jsxParseElement.call(void 0, );
+ _index3.next.call(void 0, );
+ return false;
+ }
+
+ const canBeArrow = _base.state.potentialArrowAt === _base.state.start;
+ switch (_base.state.type) {
+ case _types3.TokenType.slash:
+ case _types3.TokenType.assign:
+ _index3.retokenizeSlashAsRegex.call(void 0, );
+ // Fall through.
+
+ case _types3.TokenType._super:
+ case _types3.TokenType._this:
+ case _types3.TokenType.regexp:
+ case _types3.TokenType.num:
+ case _types3.TokenType.bigint:
+ case _types3.TokenType.decimal:
+ case _types3.TokenType.string:
+ case _types3.TokenType._null:
+ case _types3.TokenType._true:
+ case _types3.TokenType._false:
+ _index3.next.call(void 0, );
+ return false;
+
+ case _types3.TokenType._import:
+ _index3.next.call(void 0, );
+ if (_index3.match.call(void 0, _types3.TokenType.dot)) {
+ // import.meta
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types3.TokenType.name;
+ _index3.next.call(void 0, );
+ parseIdentifier();
+ }
+ return false;
+
+ case _types3.TokenType.name: {
+ const startTokenIndex = _base.state.tokens.length;
+ const functionStart = _base.state.start;
+ const contextualKeyword = _base.state.contextualKeyword;
+ parseIdentifier();
+ if (contextualKeyword === _keywords.ContextualKeyword._await) {
+ parseAwait();
+ return false;
+ } else if (
+ contextualKeyword === _keywords.ContextualKeyword._async &&
+ _index3.match.call(void 0, _types3.TokenType._function) &&
+ !_util.canInsertSemicolon.call(void 0, )
+ ) {
+ _index3.next.call(void 0, );
+ _statement.parseFunction.call(void 0, functionStart, false);
+ return false;
+ } else if (
+ canBeArrow &&
+ contextualKeyword === _keywords.ContextualKeyword._async &&
+ !_util.canInsertSemicolon.call(void 0, ) &&
+ _index3.match.call(void 0, _types3.TokenType.name)
+ ) {
+ _base.state.scopeDepth++;
+ _lval.parseBindingIdentifier.call(void 0, false);
+ _util.expect.call(void 0, _types3.TokenType.arrow);
+ // let foo = async bar => {};
+ parseArrowExpression(startTokenIndex);
+ return true;
+ } else if (_index3.match.call(void 0, _types3.TokenType._do) && !_util.canInsertSemicolon.call(void 0, )) {
+ _index3.next.call(void 0, );
+ _statement.parseBlock.call(void 0, );
+ return false;
+ }
+
+ if (canBeArrow && !_util.canInsertSemicolon.call(void 0, ) && _index3.match.call(void 0, _types3.TokenType.arrow)) {
+ _base.state.scopeDepth++;
+ _lval.markPriorBindingIdentifier.call(void 0, false);
+ _util.expect.call(void 0, _types3.TokenType.arrow);
+ parseArrowExpression(startTokenIndex);
+ return true;
+ }
+
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = _index3.IdentifierRole.Access;
+ return false;
+ }
+
+ case _types3.TokenType._do: {
+ _index3.next.call(void 0, );
+ _statement.parseBlock.call(void 0, );
+ return false;
+ }
+
+ case _types3.TokenType.parenL: {
+ const wasArrow = parseParenAndDistinguishExpression(canBeArrow);
+ return wasArrow;
+ }
+
+ case _types3.TokenType.bracketL:
+ _index3.next.call(void 0, );
+ parseExprList(_types3.TokenType.bracketR, true);
+ return false;
+
+ case _types3.TokenType.braceL:
+ parseObj(false, false);
+ return false;
+
+ case _types3.TokenType._function:
+ parseFunctionExpression();
+ return false;
+
+ case _types3.TokenType.at:
+ _statement.parseDecorators.call(void 0, );
+ // Fall through.
+
+ case _types3.TokenType._class:
+ _statement.parseClass.call(void 0, false);
+ return false;
+
+ case _types3.TokenType._new:
+ parseNew();
+ return false;
+
+ case _types3.TokenType.backQuote:
+ parseTemplate();
+ return false;
+
+ case _types3.TokenType.doubleColon: {
+ _index3.next.call(void 0, );
+ parseNoCallExpr();
+ return false;
+ }
+
+ case _types3.TokenType.hash: {
+ const code = _index3.lookaheadCharCode.call(void 0, );
+ if (_identifier.IS_IDENTIFIER_START[code] || code === _charcodes.charCodes.backslash) {
+ parseMaybePrivateName();
+ } else {
+ _index3.next.call(void 0, );
+ }
+ // Smart pipeline topic reference.
+ return false;
+ }
+
+ default:
+ _util.unexpected.call(void 0, );
+ return false;
+ }
+} exports.parseExprAtom = parseExprAtom;
+
+function parseMaybePrivateName() {
+ _index3.eat.call(void 0, _types3.TokenType.hash);
+ parseIdentifier();
+}
+
+function parseFunctionExpression() {
+ const functionStart = _base.state.start;
+ parseIdentifier();
+ if (_index3.eat.call(void 0, _types3.TokenType.dot)) {
+ // function.sent
+ parseIdentifier();
+ }
+ _statement.parseFunction.call(void 0, functionStart, false);
+}
+
+ function parseLiteral() {
+ _index3.next.call(void 0, );
+} exports.parseLiteral = parseLiteral;
+
+ function parseParenExpression() {
+ _util.expect.call(void 0, _types3.TokenType.parenL);
+ parseExpression();
+ _util.expect.call(void 0, _types3.TokenType.parenR);
+} exports.parseParenExpression = parseParenExpression;
+
+// Returns true if this was an arrow expression.
+function parseParenAndDistinguishExpression(canBeArrow) {
+ // Assume this is a normal parenthesized expression, but if we see an arrow, we'll bail and
+ // start over as a parameter list.
+ const snapshot = _base.state.snapshot();
+
+ const startTokenIndex = _base.state.tokens.length;
+ _util.expect.call(void 0, _types3.TokenType.parenL);
+
+ let first = true;
+
+ while (!_index3.match.call(void 0, _types3.TokenType.parenR) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ _util.expect.call(void 0, _types3.TokenType.comma);
+ if (_index3.match.call(void 0, _types3.TokenType.parenR)) {
+ break;
+ }
+ }
+
+ if (_index3.match.call(void 0, _types3.TokenType.ellipsis)) {
+ _lval.parseRest.call(void 0, false /* isBlockScope */);
+ parseParenItem();
+ break;
+ } else {
+ parseMaybeAssign(false, true);
+ }
+ }
+
+ _util.expect.call(void 0, _types3.TokenType.parenR);
+
+ if (canBeArrow && shouldParseArrow()) {
+ const wasArrow = parseArrow();
+ if (wasArrow) {
+ // It was an arrow function this whole time, so start over and parse it as params so that we
+ // get proper token annotations.
+ _base.state.restoreFromSnapshot(snapshot);
+ _base.state.scopeDepth++;
+ // Don't specify a context ID because arrow functions don't need a context ID.
+ _statement.parseFunctionParams.call(void 0, );
+ parseArrow();
+ parseArrowExpression(startTokenIndex);
+ if (_base.state.error) {
+ // Nevermind! This must have been something that looks very much like an
+ // arrow function but where its "parameter list" isn't actually a valid
+ // parameter list. Force non-arrow parsing.
+ // See https://github.com/alangpierce/sucrase/issues/666 for an example.
+ _base.state.restoreFromSnapshot(snapshot);
+ parseParenAndDistinguishExpression(false);
+ return false;
+ }
+ return true;
+ }
+ }
+
+ return false;
+}
+
+function shouldParseArrow() {
+ return _index3.match.call(void 0, _types3.TokenType.colon) || !_util.canInsertSemicolon.call(void 0, );
+}
+
+// Returns whether there was an arrow token.
+ function parseArrow() {
+ if (_base.isTypeScriptEnabled) {
+ return _typescript.tsParseArrow.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ return _flow.flowParseArrow.call(void 0, );
+ } else {
+ return _index3.eat.call(void 0, _types3.TokenType.arrow);
+ }
+} exports.parseArrow = parseArrow;
+
+function parseParenItem() {
+ if (_base.isTypeScriptEnabled || _base.isFlowEnabled) {
+ _types.typedParseParenItem.call(void 0, );
+ }
+}
+
+// New's precedence is slightly tricky. It must allow its argument to
+// be a `[]` or dot subscript expression, but not a call — at least,
+// not without wrapping it in parentheses. Thus, it uses the noCalls
+// argument to parseSubscripts to prevent it from consuming the
+// argument list.
+function parseNew() {
+ _util.expect.call(void 0, _types3.TokenType._new);
+ if (_index3.eat.call(void 0, _types3.TokenType.dot)) {
+ // new.target
+ parseIdentifier();
+ return;
+ }
+ parseNewCallee();
+ if (_base.isFlowEnabled) {
+ _flow.flowStartParseNewArguments.call(void 0, );
+ }
+ if (_index3.eat.call(void 0, _types3.TokenType.parenL)) {
+ parseExprList(_types3.TokenType.parenR);
+ }
+}
+
+function parseNewCallee() {
+ parseNoCallExpr();
+ _index3.eat.call(void 0, _types3.TokenType.questionDot);
+}
+
+ function parseTemplate() {
+ // Finish `, read quasi
+ _index3.nextTemplateToken.call(void 0, );
+ // Finish quasi, read ${
+ _index3.nextTemplateToken.call(void 0, );
+ while (!_index3.match.call(void 0, _types3.TokenType.backQuote) && !_base.state.error) {
+ _util.expect.call(void 0, _types3.TokenType.dollarBraceL);
+ parseExpression();
+ // Finish }, read quasi
+ _index3.nextTemplateToken.call(void 0, );
+ // Finish quasi, read either ${ or `
+ _index3.nextTemplateToken.call(void 0, );
+ }
+ _index3.next.call(void 0, );
+} exports.parseTemplate = parseTemplate;
+
+// Parse an object literal or binding pattern.
+ function parseObj(isPattern, isBlockScope) {
+ // Attach a context ID to the object open and close brace and each object key.
+ const contextId = _base.getNextContextId.call(void 0, );
+ let first = true;
+
+ _index3.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+
+ while (!_index3.eat.call(void 0, _types3.TokenType.braceR) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ _util.expect.call(void 0, _types3.TokenType.comma);
+ if (_index3.eat.call(void 0, _types3.TokenType.braceR)) {
+ break;
+ }
+ }
+
+ let isGenerator = false;
+ if (_index3.match.call(void 0, _types3.TokenType.ellipsis)) {
+ const previousIndex = _base.state.tokens.length;
+ _lval.parseSpread.call(void 0, );
+ if (isPattern) {
+ // Mark role when the only thing being spread over is an identifier.
+ if (_base.state.tokens.length === previousIndex + 2) {
+ _lval.markPriorBindingIdentifier.call(void 0, isBlockScope);
+ }
+ if (_index3.eat.call(void 0, _types3.TokenType.braceR)) {
+ break;
+ }
+ }
+ continue;
+ }
+
+ if (!isPattern) {
+ isGenerator = _index3.eat.call(void 0, _types3.TokenType.star);
+ }
+
+ if (!isPattern && _util.isContextual.call(void 0, _keywords.ContextualKeyword._async)) {
+ if (isGenerator) _util.unexpected.call(void 0, );
+
+ parseIdentifier();
+ if (
+ _index3.match.call(void 0, _types3.TokenType.colon) ||
+ _index3.match.call(void 0, _types3.TokenType.parenL) ||
+ _index3.match.call(void 0, _types3.TokenType.braceR) ||
+ _index3.match.call(void 0, _types3.TokenType.eq) ||
+ _index3.match.call(void 0, _types3.TokenType.comma)
+ ) {
+ // This is a key called "async" rather than an async function.
+ } else {
+ if (_index3.match.call(void 0, _types3.TokenType.star)) {
+ _index3.next.call(void 0, );
+ isGenerator = true;
+ }
+ parsePropertyName(contextId);
+ }
+ } else {
+ parsePropertyName(contextId);
+ }
+
+ parseObjPropValue(isPattern, isBlockScope, contextId);
+ }
+
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+} exports.parseObj = parseObj;
+
+function isGetterOrSetterMethod(isPattern) {
+ // We go off of the next and don't bother checking if the node key is actually "get" or "set".
+ // This lets us avoid generating a node, and should only make the validation worse.
+ return (
+ !isPattern &&
+ (_index3.match.call(void 0, _types3.TokenType.string) || // get "string"() {}
+ _index3.match.call(void 0, _types3.TokenType.num) || // get 1() {}
+ _index3.match.call(void 0, _types3.TokenType.bracketL) || // get ["string"]() {}
+ _index3.match.call(void 0, _types3.TokenType.name) || // get foo() {}
+ !!(_base.state.type & _types3.TokenType.IS_KEYWORD)) // get debugger() {}
+ );
+}
+
+// Returns true if this was a method.
+function parseObjectMethod(isPattern, objectContextId) {
+ // We don't need to worry about modifiers because object methods can't have optional bodies, so
+ // the start will never be used.
+ const functionStart = _base.state.start;
+ if (_index3.match.call(void 0, _types3.TokenType.parenL)) {
+ if (isPattern) _util.unexpected.call(void 0, );
+ parseMethod(functionStart, /* isConstructor */ false);
+ return true;
+ }
+
+ if (isGetterOrSetterMethod(isPattern)) {
+ parsePropertyName(objectContextId);
+ parseMethod(functionStart, /* isConstructor */ false);
+ return true;
+ }
+ return false;
+}
+
+function parseObjectProperty(isPattern, isBlockScope) {
+ if (_index3.eat.call(void 0, _types3.TokenType.colon)) {
+ if (isPattern) {
+ _lval.parseMaybeDefault.call(void 0, isBlockScope);
+ } else {
+ parseMaybeAssign(false);
+ }
+ return;
+ }
+
+ // Since there's no colon, we assume this is an object shorthand.
+
+ // If we're in a destructuring, we've now discovered that the key was actually an assignee, so
+ // we need to tag it as a declaration with the appropriate scope. Otherwise, we might need to
+ // transform it on access, so mark it as a normal object shorthand.
+ let identifierRole;
+ if (isPattern) {
+ if (_base.state.scopeDepth === 0) {
+ identifierRole = _index3.IdentifierRole.ObjectShorthandTopLevelDeclaration;
+ } else if (isBlockScope) {
+ identifierRole = _index3.IdentifierRole.ObjectShorthandBlockScopedDeclaration;
+ } else {
+ identifierRole = _index3.IdentifierRole.ObjectShorthandFunctionScopedDeclaration;
+ }
+ } else {
+ identifierRole = _index3.IdentifierRole.ObjectShorthand;
+ }
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = identifierRole;
+
+ // Regardless of whether we know this to be a pattern or if we're in an ambiguous context, allow
+ // parsing as if there's a default value.
+ _lval.parseMaybeDefault.call(void 0, isBlockScope, true);
+}
+
+function parseObjPropValue(
+ isPattern,
+ isBlockScope,
+ objectContextId,
+) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsStartParseObjPropValue.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ _flow.flowStartParseObjPropValue.call(void 0, );
+ }
+ const wasMethod = parseObjectMethod(isPattern, objectContextId);
+ if (!wasMethod) {
+ parseObjectProperty(isPattern, isBlockScope);
+ }
+}
+
+ function parsePropertyName(objectContextId) {
+ if (_base.isFlowEnabled) {
+ _flow.flowParseVariance.call(void 0, );
+ }
+ if (_index3.eat.call(void 0, _types3.TokenType.bracketL)) {
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = objectContextId;
+ parseMaybeAssign();
+ _util.expect.call(void 0, _types3.TokenType.bracketR);
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = objectContextId;
+ } else {
+ if (_index3.match.call(void 0, _types3.TokenType.num) || _index3.match.call(void 0, _types3.TokenType.string) || _index3.match.call(void 0, _types3.TokenType.bigint) || _index3.match.call(void 0, _types3.TokenType.decimal)) {
+ parseExprAtom();
+ } else {
+ parseMaybePrivateName();
+ }
+
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = _index3.IdentifierRole.ObjectKey;
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = objectContextId;
+ }
+} exports.parsePropertyName = parsePropertyName;
+
+// Parse object or class method.
+ function parseMethod(functionStart, isConstructor) {
+ const funcContextId = _base.getNextContextId.call(void 0, );
+
+ _base.state.scopeDepth++;
+ const startTokenIndex = _base.state.tokens.length;
+ const allowModifiers = isConstructor; // For TypeScript parameter properties
+ _statement.parseFunctionParams.call(void 0, allowModifiers, funcContextId);
+ parseFunctionBodyAndFinish(functionStart, funcContextId);
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(startTokenIndex, endTokenIndex, true));
+ _base.state.scopeDepth--;
+} exports.parseMethod = parseMethod;
+
+// Parse arrow function expression.
+// If the parameters are provided, they will be converted to an
+// assignable list.
+ function parseArrowExpression(startTokenIndex) {
+ parseFunctionBody(true);
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(startTokenIndex, endTokenIndex, true));
+ _base.state.scopeDepth--;
+} exports.parseArrowExpression = parseArrowExpression;
+
+ function parseFunctionBodyAndFinish(functionStart, funcContextId = 0) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseFunctionBodyAndFinish.call(void 0, functionStart, funcContextId);
+ } else if (_base.isFlowEnabled) {
+ _flow.flowParseFunctionBodyAndFinish.call(void 0, funcContextId);
+ } else {
+ parseFunctionBody(false, funcContextId);
+ }
+} exports.parseFunctionBodyAndFinish = parseFunctionBodyAndFinish;
+
+ function parseFunctionBody(allowExpression, funcContextId = 0) {
+ const isExpression = allowExpression && !_index3.match.call(void 0, _types3.TokenType.braceL);
+
+ if (isExpression) {
+ parseMaybeAssign();
+ } else {
+ _statement.parseBlock.call(void 0, true /* isFunctionScope */, funcContextId);
+ }
+} exports.parseFunctionBody = parseFunctionBody;
+
+// Parses a comma-separated list of expressions, and returns them as
+// an array. `close` is the token type that ends the list, and
+// `allowEmpty` can be turned on to allow subsequent commas with
+// nothing in between them to be parsed as `null` (which is needed
+// for array literals).
+
+function parseExprList(close, allowEmpty = false) {
+ let first = true;
+ while (!_index3.eat.call(void 0, close) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ _util.expect.call(void 0, _types3.TokenType.comma);
+ if (_index3.eat.call(void 0, close)) break;
+ }
+ parseExprListItem(allowEmpty);
+ }
+}
+
+function parseExprListItem(allowEmpty) {
+ if (allowEmpty && _index3.match.call(void 0, _types3.TokenType.comma)) {
+ // Empty item; nothing more to parse for this item.
+ } else if (_index3.match.call(void 0, _types3.TokenType.ellipsis)) {
+ _lval.parseSpread.call(void 0, );
+ parseParenItem();
+ } else if (_index3.match.call(void 0, _types3.TokenType.question)) {
+ // Partial function application proposal.
+ _index3.next.call(void 0, );
+ } else {
+ parseMaybeAssign(false, true);
+ }
+}
+
+// Parse the next token as an identifier.
+ function parseIdentifier() {
+ _index3.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types3.TokenType.name;
+} exports.parseIdentifier = parseIdentifier;
+
+// Parses await expression inside async function.
+function parseAwait() {
+ parseMaybeUnary();
+}
+
+// Parses yield expression inside generator.
+function parseYield() {
+ _index3.next.call(void 0, );
+ if (!_index3.match.call(void 0, _types3.TokenType.semi) && !_util.canInsertSemicolon.call(void 0, )) {
+ _index3.eat.call(void 0, _types3.TokenType.star);
+ parseMaybeAssign();
+ }
+}
+
+// https://github.com/tc39/proposal-js-module-blocks
+function parseModuleExpression() {
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._module);
+ _util.expect.call(void 0, _types3.TokenType.braceL);
+ // For now, just call parseBlockBody to parse the block. In the future when we
+ // implement full support, we'll want to emit scopes and possibly other
+ // information.
+ _statement.parseBlockBody.call(void 0, _types3.TokenType.braceR);
+}
diff --git a/node_modules/sucrase/dist/parser/traverser/index.js b/node_modules/sucrase/dist/parser/traverser/index.js
new file mode 100644
index 0000000..72e4130
--- /dev/null
+++ b/node_modules/sucrase/dist/parser/traverser/index.js
@@ -0,0 +1,18 @@
+"use strict";Object.defineProperty(exports, "__esModule", {value: true});
+var _index = require('../tokenizer/index');
+var _charcodes = require('../util/charcodes');
+var _base = require('./base');
+var _statement = require('./statement');
+
+ function parseFile() {
+ // If enabled, skip leading hashbang line.
+ if (
+ _base.state.pos === 0 &&
+ _base.input.charCodeAt(0) === _charcodes.charCodes.numberSign &&
+ _base.input.charCodeAt(1) === _charcodes.charCodes.exclamationMark
+ ) {
+ _index.skipLineComment.call(void 0, 2);
+ }
+ _index.nextToken.call(void 0, );
+ return _statement.parseTopLevel.call(void 0, );
+} exports.parseFile = parseFile;
diff --git a/node_modules/sucrase/dist/parser/traverser/lval.js b/node_modules/sucrase/dist/parser/traverser/lval.js
new file mode 100644
index 0000000..9057497
--- /dev/null
+++ b/node_modules/sucrase/dist/parser/traverser/lval.js
@@ -0,0 +1,159 @@
+"use strict";Object.defineProperty(exports, "__esModule", {value: true});var _flow = require('../plugins/flow');
+var _typescript = require('../plugins/typescript');
+
+
+
+
+
+
+
+var _index = require('../tokenizer/index');
+var _keywords = require('../tokenizer/keywords');
+var _types = require('../tokenizer/types');
+var _base = require('./base');
+var _expression = require('./expression');
+var _util = require('./util');
+
+ function parseSpread() {
+ _index.next.call(void 0, );
+ _expression.parseMaybeAssign.call(void 0, false);
+} exports.parseSpread = parseSpread;
+
+ function parseRest(isBlockScope) {
+ _index.next.call(void 0, );
+ parseBindingAtom(isBlockScope);
+} exports.parseRest = parseRest;
+
+ function parseBindingIdentifier(isBlockScope) {
+ _expression.parseIdentifier.call(void 0, );
+ markPriorBindingIdentifier(isBlockScope);
+} exports.parseBindingIdentifier = parseBindingIdentifier;
+
+ function parseImportedIdentifier() {
+ _expression.parseIdentifier.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = _index.IdentifierRole.ImportDeclaration;
+} exports.parseImportedIdentifier = parseImportedIdentifier;
+
+ function markPriorBindingIdentifier(isBlockScope) {
+ let identifierRole;
+ if (_base.state.scopeDepth === 0) {
+ identifierRole = _index.IdentifierRole.TopLevelDeclaration;
+ } else if (isBlockScope) {
+ identifierRole = _index.IdentifierRole.BlockScopedDeclaration;
+ } else {
+ identifierRole = _index.IdentifierRole.FunctionScopedDeclaration;
+ }
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = identifierRole;
+} exports.markPriorBindingIdentifier = markPriorBindingIdentifier;
+
+// Parses lvalue (assignable) atom.
+ function parseBindingAtom(isBlockScope) {
+ switch (_base.state.type) {
+ case _types.TokenType._this: {
+ // In TypeScript, "this" may be the name of a parameter, so allow it.
+ const oldIsType = _index.pushTypeContext.call(void 0, 0);
+ _index.next.call(void 0, );
+ _index.popTypeContext.call(void 0, oldIsType);
+ return;
+ }
+
+ case _types.TokenType._yield:
+ case _types.TokenType.name: {
+ _base.state.type = _types.TokenType.name;
+ parseBindingIdentifier(isBlockScope);
+ return;
+ }
+
+ case _types.TokenType.bracketL: {
+ _index.next.call(void 0, );
+ parseBindingList(_types.TokenType.bracketR, isBlockScope, true /* allowEmpty */);
+ return;
+ }
+
+ case _types.TokenType.braceL:
+ _expression.parseObj.call(void 0, true, isBlockScope);
+ return;
+
+ default:
+ _util.unexpected.call(void 0, );
+ }
+} exports.parseBindingAtom = parseBindingAtom;
+
+ function parseBindingList(
+ close,
+ isBlockScope,
+ allowEmpty = false,
+ allowModifiers = false,
+ contextId = 0,
+) {
+ let first = true;
+
+ let hasRemovedComma = false;
+ const firstItemTokenIndex = _base.state.tokens.length;
+
+ while (!_index.eat.call(void 0, close) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ _util.expect.call(void 0, _types.TokenType.comma);
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+ // After a "this" type in TypeScript, we need to set the following comma (if any) to also be
+ // a type token so that it will be removed.
+ if (!hasRemovedComma && _base.state.tokens[firstItemTokenIndex].isType) {
+ _base.state.tokens[_base.state.tokens.length - 1].isType = true;
+ hasRemovedComma = true;
+ }
+ }
+ if (allowEmpty && _index.match.call(void 0, _types.TokenType.comma)) {
+ // Empty item; nothing further to parse for this item.
+ } else if (_index.eat.call(void 0, close)) {
+ break;
+ } else if (_index.match.call(void 0, _types.TokenType.ellipsis)) {
+ parseRest(isBlockScope);
+ parseAssignableListItemTypes();
+ // Support rest element trailing commas allowed by TypeScript <2.9.
+ _index.eat.call(void 0, _types.TokenType.comma);
+ _util.expect.call(void 0, close);
+ break;
+ } else {
+ parseAssignableListItem(allowModifiers, isBlockScope);
+ }
+ }
+} exports.parseBindingList = parseBindingList;
+
+function parseAssignableListItem(allowModifiers, isBlockScope) {
+ if (allowModifiers) {
+ _typescript.tsParseModifiers.call(void 0, [
+ _keywords.ContextualKeyword._public,
+ _keywords.ContextualKeyword._protected,
+ _keywords.ContextualKeyword._private,
+ _keywords.ContextualKeyword._readonly,
+ _keywords.ContextualKeyword._override,
+ ]);
+ }
+
+ parseMaybeDefault(isBlockScope);
+ parseAssignableListItemTypes();
+ parseMaybeDefault(isBlockScope, true /* leftAlreadyParsed */);
+}
+
+function parseAssignableListItemTypes() {
+ if (_base.isFlowEnabled) {
+ _flow.flowParseAssignableListItemTypes.call(void 0, );
+ } else if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseAssignableListItemTypes.call(void 0, );
+ }
+}
+
+// Parses assignment pattern around given atom if possible.
+ function parseMaybeDefault(isBlockScope, leftAlreadyParsed = false) {
+ if (!leftAlreadyParsed) {
+ parseBindingAtom(isBlockScope);
+ }
+ if (!_index.eat.call(void 0, _types.TokenType.eq)) {
+ return;
+ }
+ const eqIndex = _base.state.tokens.length - 1;
+ _expression.parseMaybeAssign.call(void 0, );
+ _base.state.tokens[eqIndex].rhsEndIndex = _base.state.tokens.length;
+} exports.parseMaybeDefault = parseMaybeDefault;
diff --git a/node_modules/sucrase/dist/parser/traverser/statement.js b/node_modules/sucrase/dist/parser/traverser/statement.js
new file mode 100644
index 0000000..6be3391
--- /dev/null
+++ b/node_modules/sucrase/dist/parser/traverser/statement.js
@@ -0,0 +1,1332 @@
+"use strict";Object.defineProperty(exports, "__esModule", {value: true});/* eslint max-len: 0 */
+
+var _index = require('../index');
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+var _flow = require('../plugins/flow');
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+var _typescript = require('../plugins/typescript');
+
+
+
+
+
+
+
+
+
+
+
+
+var _tokenizer = require('../tokenizer');
+var _keywords = require('../tokenizer/keywords');
+var _state = require('../tokenizer/state');
+var _types = require('../tokenizer/types');
+var _charcodes = require('../util/charcodes');
+var _base = require('./base');
+
+
+
+
+
+
+
+
+
+
+
+
+var _expression = require('./expression');
+
+
+
+
+
+var _lval = require('./lval');
+
+
+
+
+
+
+
+
+
+
+
+
+var _util = require('./util');
+
+ function parseTopLevel() {
+ parseBlockBody(_types.TokenType.eof);
+ _base.state.scopes.push(new (0, _state.Scope)(0, _base.state.tokens.length, true));
+ if (_base.state.scopeDepth !== 0) {
+ throw new Error(`Invalid scope depth at end of file: ${_base.state.scopeDepth}`);
+ }
+ return new (0, _index.File)(_base.state.tokens, _base.state.scopes);
+} exports.parseTopLevel = parseTopLevel;
+
+// Parse a single statement.
+//
+// If expecting a statement and finding a slash operator, parse a
+// regular expression literal. This is to handle cases like
+// `if (foo) /blah/.exec(foo)`, where looking at the previous token
+// does not help.
+
+ function parseStatement(declaration) {
+ if (_base.isFlowEnabled) {
+ if (_flow.flowTryParseStatement.call(void 0, )) {
+ return;
+ }
+ }
+ if (_tokenizer.match.call(void 0, _types.TokenType.at)) {
+ parseDecorators();
+ }
+ parseStatementContent(declaration);
+} exports.parseStatement = parseStatement;
+
+function parseStatementContent(declaration) {
+ if (_base.isTypeScriptEnabled) {
+ if (_typescript.tsTryParseStatementContent.call(void 0, )) {
+ return;
+ }
+ }
+
+ const starttype = _base.state.type;
+
+ // Most types of statements are recognized by the keyword they
+ // start with. Many are trivial to parse, some require a bit of
+ // complexity.
+
+ switch (starttype) {
+ case _types.TokenType._break:
+ case _types.TokenType._continue:
+ parseBreakContinueStatement();
+ return;
+ case _types.TokenType._debugger:
+ parseDebuggerStatement();
+ return;
+ case _types.TokenType._do:
+ parseDoStatement();
+ return;
+ case _types.TokenType._for:
+ parseForStatement();
+ return;
+ case _types.TokenType._function:
+ if (_tokenizer.lookaheadType.call(void 0, ) === _types.TokenType.dot) break;
+ if (!declaration) _util.unexpected.call(void 0, );
+ parseFunctionStatement();
+ return;
+
+ case _types.TokenType._class:
+ if (!declaration) _util.unexpected.call(void 0, );
+ parseClass(true);
+ return;
+
+ case _types.TokenType._if:
+ parseIfStatement();
+ return;
+ case _types.TokenType._return:
+ parseReturnStatement();
+ return;
+ case _types.TokenType._switch:
+ parseSwitchStatement();
+ return;
+ case _types.TokenType._throw:
+ parseThrowStatement();
+ return;
+ case _types.TokenType._try:
+ parseTryStatement();
+ return;
+
+ case _types.TokenType._let:
+ case _types.TokenType._const:
+ if (!declaration) _util.unexpected.call(void 0, ); // NOTE: falls through to _var
+
+ case _types.TokenType._var:
+ parseVarStatement(starttype !== _types.TokenType._var);
+ return;
+
+ case _types.TokenType._while:
+ parseWhileStatement();
+ return;
+ case _types.TokenType.braceL:
+ parseBlock();
+ return;
+ case _types.TokenType.semi:
+ parseEmptyStatement();
+ return;
+ case _types.TokenType._export:
+ case _types.TokenType._import: {
+ const nextType = _tokenizer.lookaheadType.call(void 0, );
+ if (nextType === _types.TokenType.parenL || nextType === _types.TokenType.dot) {
+ break;
+ }
+ _tokenizer.next.call(void 0, );
+ if (starttype === _types.TokenType._import) {
+ parseImport();
+ } else {
+ parseExport();
+ }
+ return;
+ }
+ case _types.TokenType.name:
+ if (_base.state.contextualKeyword === _keywords.ContextualKeyword._async) {
+ const functionStart = _base.state.start;
+ // peek ahead and see if next token is a function
+ const snapshot = _base.state.snapshot();
+ _tokenizer.next.call(void 0, );
+ if (_tokenizer.match.call(void 0, _types.TokenType._function) && !_util.canInsertSemicolon.call(void 0, )) {
+ _util.expect.call(void 0, _types.TokenType._function);
+ parseFunction(functionStart, true);
+ return;
+ } else {
+ _base.state.restoreFromSnapshot(snapshot);
+ }
+ } else if (
+ _base.state.contextualKeyword === _keywords.ContextualKeyword._using &&
+ !_util.hasFollowingLineBreak.call(void 0, ) &&
+ // Statements like `using[0]` and `using in foo` aren't actual using
+ // declarations.
+ _tokenizer.lookaheadType.call(void 0, ) === _types.TokenType.name
+ ) {
+ parseVarStatement(true);
+ return;
+ } else if (startsAwaitUsing()) {
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._await);
+ parseVarStatement(true);
+ return;
+ }
+ default:
+ // Do nothing.
+ break;
+ }
+
+ // If the statement does not start with a statement keyword or a
+ // brace, it's an ExpressionStatement or LabeledStatement. We
+ // simply start parsing an expression, and afterwards, if the
+ // next token is a colon and the expression was a simple
+ // Identifier node, we switch to interpreting it as a label.
+ const initialTokensLength = _base.state.tokens.length;
+ _expression.parseExpression.call(void 0, );
+ let simpleName = null;
+ if (_base.state.tokens.length === initialTokensLength + 1) {
+ const token = _base.state.tokens[_base.state.tokens.length - 1];
+ if (token.type === _types.TokenType.name) {
+ simpleName = token.contextualKeyword;
+ }
+ }
+ if (simpleName == null) {
+ _util.semicolon.call(void 0, );
+ return;
+ }
+ if (_tokenizer.eat.call(void 0, _types.TokenType.colon)) {
+ parseLabeledStatement();
+ } else {
+ // This was an identifier, so we might want to handle flow/typescript-specific cases.
+ parseIdentifierStatement(simpleName);
+ }
+}
+
+/**
+ * Determine if we're positioned at an `await using` declaration.
+ *
+ * Note that this can happen either in place of a regular variable declaration
+ * or in a loop body, and in both places, there are similar-looking cases where
+ * we need to return false.
+ *
+ * Examples returning true:
+ * await using foo = bar();
+ * for (await using a of b) {}
+ *
+ * Examples returning false:
+ * await using
+ * await using + 1
+ * await using instanceof T
+ * for (await using;;) {}
+ *
+ * For now, we early return if we don't see `await`, then do a simple
+ * backtracking-based lookahead for the `using` and identifier tokens. In the
+ * future, this could be optimized with a character-based approach.
+ */
+function startsAwaitUsing() {
+ if (!_util.isContextual.call(void 0, _keywords.ContextualKeyword._await)) {
+ return false;
+ }
+ const snapshot = _base.state.snapshot();
+ // await
+ _tokenizer.next.call(void 0, );
+ if (!_util.isContextual.call(void 0, _keywords.ContextualKeyword._using) || _util.hasPrecedingLineBreak.call(void 0, )) {
+ _base.state.restoreFromSnapshot(snapshot);
+ return false;
+ }
+ // using
+ _tokenizer.next.call(void 0, );
+ if (!_tokenizer.match.call(void 0, _types.TokenType.name) || _util.hasPrecedingLineBreak.call(void 0, )) {
+ _base.state.restoreFromSnapshot(snapshot);
+ return false;
+ }
+ _base.state.restoreFromSnapshot(snapshot);
+ return true;
+}
+
+ function parseDecorators() {
+ while (_tokenizer.match.call(void 0, _types.TokenType.at)) {
+ parseDecorator();
+ }
+} exports.parseDecorators = parseDecorators;
+
+function parseDecorator() {
+ _tokenizer.next.call(void 0, );
+ if (_tokenizer.eat.call(void 0, _types.TokenType.parenL)) {
+ _expression.parseExpression.call(void 0, );
+ _util.expect.call(void 0, _types.TokenType.parenR);
+ } else {
+ _expression.parseIdentifier.call(void 0, );
+ while (_tokenizer.eat.call(void 0, _types.TokenType.dot)) {
+ _expression.parseIdentifier.call(void 0, );
+ }
+ parseMaybeDecoratorArguments();
+ }
+}
+
+function parseMaybeDecoratorArguments() {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseMaybeDecoratorArguments.call(void 0, );
+ } else {
+ baseParseMaybeDecoratorArguments();
+ }
+}
+
+ function baseParseMaybeDecoratorArguments() {
+ if (_tokenizer.eat.call(void 0, _types.TokenType.parenL)) {
+ _expression.parseCallExpressionArguments.call(void 0, );
+ }
+} exports.baseParseMaybeDecoratorArguments = baseParseMaybeDecoratorArguments;
+
+function parseBreakContinueStatement() {
+ _tokenizer.next.call(void 0, );
+ if (!_util.isLineTerminator.call(void 0, )) {
+ _expression.parseIdentifier.call(void 0, );
+ _util.semicolon.call(void 0, );
+ }
+}
+
+function parseDebuggerStatement() {
+ _tokenizer.next.call(void 0, );
+ _util.semicolon.call(void 0, );
+}
+
+function parseDoStatement() {
+ _tokenizer.next.call(void 0, );
+ parseStatement(false);
+ _util.expect.call(void 0, _types.TokenType._while);
+ _expression.parseParenExpression.call(void 0, );
+ _tokenizer.eat.call(void 0, _types.TokenType.semi);
+}
+
+function parseForStatement() {
+ _base.state.scopeDepth++;
+ const startTokenIndex = _base.state.tokens.length;
+ parseAmbiguousForStatement();
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(startTokenIndex, endTokenIndex, false));
+ _base.state.scopeDepth--;
+}
+
+/**
+ * Determine if this token is a `using` declaration (explicit resource
+ * management) as part of a loop.
+ * https://github.com/tc39/proposal-explicit-resource-management
+ */
+function isUsingInLoop() {
+ if (!_util.isContextual.call(void 0, _keywords.ContextualKeyword._using)) {
+ return false;
+ }
+ // This must be `for (using of`, where `using` is the name of the loop
+ // variable.
+ if (_util.isLookaheadContextual.call(void 0, _keywords.ContextualKeyword._of)) {
+ return false;
+ }
+ return true;
+}
+
+// Disambiguating between a `for` and a `for`/`in` or `for`/`of`
+// loop is non-trivial. Basically, we have to parse the init `var`
+// statement or expression, disallowing the `in` operator (see
+// the second parameter to `parseExpression`), and then check
+// whether the next token is `in` or `of`. When there is no init
+// part (semicolon immediately after the opening parenthesis), it
+// is a regular `for` loop.
+function parseAmbiguousForStatement() {
+ _tokenizer.next.call(void 0, );
+
+ let forAwait = false;
+ if (_util.isContextual.call(void 0, _keywords.ContextualKeyword._await)) {
+ forAwait = true;
+ _tokenizer.next.call(void 0, );
+ }
+ _util.expect.call(void 0, _types.TokenType.parenL);
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.semi)) {
+ if (forAwait) {
+ _util.unexpected.call(void 0, );
+ }
+ parseFor();
+ return;
+ }
+
+ const isAwaitUsing = startsAwaitUsing();
+ if (isAwaitUsing || _tokenizer.match.call(void 0, _types.TokenType._var) || _tokenizer.match.call(void 0, _types.TokenType._let) || _tokenizer.match.call(void 0, _types.TokenType._const) || isUsingInLoop()) {
+ if (isAwaitUsing) {
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._await);
+ }
+ _tokenizer.next.call(void 0, );
+ parseVar(true, _base.state.type !== _types.TokenType._var);
+ if (_tokenizer.match.call(void 0, _types.TokenType._in) || _util.isContextual.call(void 0, _keywords.ContextualKeyword._of)) {
+ parseForIn(forAwait);
+ return;
+ }
+ parseFor();
+ return;
+ }
+
+ _expression.parseExpression.call(void 0, true);
+ if (_tokenizer.match.call(void 0, _types.TokenType._in) || _util.isContextual.call(void 0, _keywords.ContextualKeyword._of)) {
+ parseForIn(forAwait);
+ return;
+ }
+ if (forAwait) {
+ _util.unexpected.call(void 0, );
+ }
+ parseFor();
+}
+
+function parseFunctionStatement() {
+ const functionStart = _base.state.start;
+ _tokenizer.next.call(void 0, );
+ parseFunction(functionStart, true);
+}
+
+function parseIfStatement() {
+ _tokenizer.next.call(void 0, );
+ _expression.parseParenExpression.call(void 0, );
+ parseStatement(false);
+ if (_tokenizer.eat.call(void 0, _types.TokenType._else)) {
+ parseStatement(false);
+ }
+}
+
+function parseReturnStatement() {
+ _tokenizer.next.call(void 0, );
+
+ // In `return` (and `break`/`continue`), the keywords with
+ // optional arguments, we eagerly look for a semicolon or the
+ // possibility to insert one.
+
+ if (!_util.isLineTerminator.call(void 0, )) {
+ _expression.parseExpression.call(void 0, );
+ _util.semicolon.call(void 0, );
+ }
+}
+
+function parseSwitchStatement() {
+ _tokenizer.next.call(void 0, );
+ _expression.parseParenExpression.call(void 0, );
+ _base.state.scopeDepth++;
+ const startTokenIndex = _base.state.tokens.length;
+ _util.expect.call(void 0, _types.TokenType.braceL);
+
+ // Don't bother validation; just go through any sequence of cases, defaults, and statements.
+ while (!_tokenizer.match.call(void 0, _types.TokenType.braceR) && !_base.state.error) {
+ if (_tokenizer.match.call(void 0, _types.TokenType._case) || _tokenizer.match.call(void 0, _types.TokenType._default)) {
+ const isCase = _tokenizer.match.call(void 0, _types.TokenType._case);
+ _tokenizer.next.call(void 0, );
+ if (isCase) {
+ _expression.parseExpression.call(void 0, );
+ }
+ _util.expect.call(void 0, _types.TokenType.colon);
+ } else {
+ parseStatement(true);
+ }
+ }
+ _tokenizer.next.call(void 0, ); // Closing brace
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(startTokenIndex, endTokenIndex, false));
+ _base.state.scopeDepth--;
+}
+
+function parseThrowStatement() {
+ _tokenizer.next.call(void 0, );
+ _expression.parseExpression.call(void 0, );
+ _util.semicolon.call(void 0, );
+}
+
+function parseCatchClauseParam() {
+ _lval.parseBindingAtom.call(void 0, true /* isBlockScope */);
+
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsTryParseTypeAnnotation.call(void 0, );
+ }
+}
+
+function parseTryStatement() {
+ _tokenizer.next.call(void 0, );
+
+ parseBlock();
+
+ if (_tokenizer.match.call(void 0, _types.TokenType._catch)) {
+ _tokenizer.next.call(void 0, );
+ let catchBindingStartTokenIndex = null;
+ if (_tokenizer.match.call(void 0, _types.TokenType.parenL)) {
+ _base.state.scopeDepth++;
+ catchBindingStartTokenIndex = _base.state.tokens.length;
+ _util.expect.call(void 0, _types.TokenType.parenL);
+ parseCatchClauseParam();
+ _util.expect.call(void 0, _types.TokenType.parenR);
+ }
+ parseBlock();
+ if (catchBindingStartTokenIndex != null) {
+ // We need a special scope for the catch binding which includes the binding itself and the
+ // catch block.
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(catchBindingStartTokenIndex, endTokenIndex, false));
+ _base.state.scopeDepth--;
+ }
+ }
+ if (_tokenizer.eat.call(void 0, _types.TokenType._finally)) {
+ parseBlock();
+ }
+}
+
+ function parseVarStatement(isBlockScope) {
+ _tokenizer.next.call(void 0, );
+ parseVar(false, isBlockScope);
+ _util.semicolon.call(void 0, );
+} exports.parseVarStatement = parseVarStatement;
+
+function parseWhileStatement() {
+ _tokenizer.next.call(void 0, );
+ _expression.parseParenExpression.call(void 0, );
+ parseStatement(false);
+}
+
+function parseEmptyStatement() {
+ _tokenizer.next.call(void 0, );
+}
+
+function parseLabeledStatement() {
+ parseStatement(true);
+}
+
+/**
+ * Parse a statement starting with an identifier of the given name. Subclasses match on the name
+ * to handle statements like "declare".
+ */
+function parseIdentifierStatement(contextualKeyword) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseIdentifierStatement.call(void 0, contextualKeyword);
+ } else if (_base.isFlowEnabled) {
+ _flow.flowParseIdentifierStatement.call(void 0, contextualKeyword);
+ } else {
+ _util.semicolon.call(void 0, );
+ }
+}
+
+// Parse a semicolon-enclosed block of statements.
+ function parseBlock(isFunctionScope = false, contextId = 0) {
+ const startTokenIndex = _base.state.tokens.length;
+ _base.state.scopeDepth++;
+ _util.expect.call(void 0, _types.TokenType.braceL);
+ if (contextId) {
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+ }
+ parseBlockBody(_types.TokenType.braceR);
+ if (contextId) {
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+ }
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(startTokenIndex, endTokenIndex, isFunctionScope));
+ _base.state.scopeDepth--;
+} exports.parseBlock = parseBlock;
+
+ function parseBlockBody(end) {
+ while (!_tokenizer.eat.call(void 0, end) && !_base.state.error) {
+ parseStatement(true);
+ }
+} exports.parseBlockBody = parseBlockBody;
+
+// Parse a regular `for` loop. The disambiguation code in
+// `parseStatement` will already have parsed the init statement or
+// expression.
+
+function parseFor() {
+ _util.expect.call(void 0, _types.TokenType.semi);
+ if (!_tokenizer.match.call(void 0, _types.TokenType.semi)) {
+ _expression.parseExpression.call(void 0, );
+ }
+ _util.expect.call(void 0, _types.TokenType.semi);
+ if (!_tokenizer.match.call(void 0, _types.TokenType.parenR)) {
+ _expression.parseExpression.call(void 0, );
+ }
+ _util.expect.call(void 0, _types.TokenType.parenR);
+ parseStatement(false);
+}
+
+// Parse a `for`/`in` and `for`/`of` loop, which are almost
+// same from parser's perspective.
+
+function parseForIn(forAwait) {
+ if (forAwait) {
+ _util.eatContextual.call(void 0, _keywords.ContextualKeyword._of);
+ } else {
+ _tokenizer.next.call(void 0, );
+ }
+ _expression.parseExpression.call(void 0, );
+ _util.expect.call(void 0, _types.TokenType.parenR);
+ parseStatement(false);
+}
+
+// Parse a list of variable declarations.
+
+function parseVar(isFor, isBlockScope) {
+ while (true) {
+ parseVarHead(isBlockScope);
+ if (_tokenizer.eat.call(void 0, _types.TokenType.eq)) {
+ const eqIndex = _base.state.tokens.length - 1;
+ _expression.parseMaybeAssign.call(void 0, isFor);
+ _base.state.tokens[eqIndex].rhsEndIndex = _base.state.tokens.length;
+ }
+ if (!_tokenizer.eat.call(void 0, _types.TokenType.comma)) {
+ break;
+ }
+ }
+}
+
+function parseVarHead(isBlockScope) {
+ _lval.parseBindingAtom.call(void 0, isBlockScope);
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsAfterParseVarHead.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ _flow.flowAfterParseVarHead.call(void 0, );
+ }
+}
+
+// Parse a function declaration or literal (depending on the
+// `isStatement` parameter).
+
+ function parseFunction(
+ functionStart,
+ isStatement,
+ optionalId = false,
+) {
+ if (_tokenizer.match.call(void 0, _types.TokenType.star)) {
+ _tokenizer.next.call(void 0, );
+ }
+
+ if (isStatement && !optionalId && !_tokenizer.match.call(void 0, _types.TokenType.name) && !_tokenizer.match.call(void 0, _types.TokenType._yield)) {
+ _util.unexpected.call(void 0, );
+ }
+
+ let nameScopeStartTokenIndex = null;
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.name)) {
+ // Expression-style functions should limit their name's scope to the function body, so we make
+ // a new function scope to enforce that.
+ if (!isStatement) {
+ nameScopeStartTokenIndex = _base.state.tokens.length;
+ _base.state.scopeDepth++;
+ }
+ _lval.parseBindingIdentifier.call(void 0, false);
+ }
+
+ const startTokenIndex = _base.state.tokens.length;
+ _base.state.scopeDepth++;
+ parseFunctionParams();
+ _expression.parseFunctionBodyAndFinish.call(void 0, functionStart);
+ const endTokenIndex = _base.state.tokens.length;
+ // In addition to the block scope of the function body, we need a separate function-style scope
+ // that includes the params.
+ _base.state.scopes.push(new (0, _state.Scope)(startTokenIndex, endTokenIndex, true));
+ _base.state.scopeDepth--;
+ if (nameScopeStartTokenIndex !== null) {
+ _base.state.scopes.push(new (0, _state.Scope)(nameScopeStartTokenIndex, endTokenIndex, true));
+ _base.state.scopeDepth--;
+ }
+} exports.parseFunction = parseFunction;
+
+ function parseFunctionParams(
+ allowModifiers = false,
+ funcContextId = 0,
+) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsStartParseFunctionParams.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ _flow.flowStartParseFunctionParams.call(void 0, );
+ }
+
+ _util.expect.call(void 0, _types.TokenType.parenL);
+ if (funcContextId) {
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = funcContextId;
+ }
+ _lval.parseBindingList.call(void 0,
+ _types.TokenType.parenR,
+ false /* isBlockScope */,
+ false /* allowEmpty */,
+ allowModifiers,
+ funcContextId,
+ );
+ if (funcContextId) {
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = funcContextId;
+ }
+} exports.parseFunctionParams = parseFunctionParams;
+
+// Parse a class declaration or literal (depending on the
+// `isStatement` parameter).
+
+ function parseClass(isStatement, optionalId = false) {
+ // Put a context ID on the class keyword, the open-brace, and the close-brace, so that later
+ // code can easily navigate to meaningful points on the class.
+ const contextId = _base.getNextContextId.call(void 0, );
+
+ _tokenizer.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+ _base.state.tokens[_base.state.tokens.length - 1].isExpression = !isStatement;
+ // Like with functions, we declare a special "name scope" from the start of the name to the end
+ // of the class, but only with expression-style classes, to represent the fact that the name is
+ // available to the body of the class but not an outer declaration.
+ let nameScopeStartTokenIndex = null;
+ if (!isStatement) {
+ nameScopeStartTokenIndex = _base.state.tokens.length;
+ _base.state.scopeDepth++;
+ }
+ parseClassId(isStatement, optionalId);
+ parseClassSuper();
+ const openBraceIndex = _base.state.tokens.length;
+ parseClassBody(contextId);
+ if (_base.state.error) {
+ return;
+ }
+ _base.state.tokens[openBraceIndex].contextId = contextId;
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = contextId;
+ if (nameScopeStartTokenIndex !== null) {
+ const endTokenIndex = _base.state.tokens.length;
+ _base.state.scopes.push(new (0, _state.Scope)(nameScopeStartTokenIndex, endTokenIndex, false));
+ _base.state.scopeDepth--;
+ }
+} exports.parseClass = parseClass;
+
+function isClassProperty() {
+ return _tokenizer.match.call(void 0, _types.TokenType.eq) || _tokenizer.match.call(void 0, _types.TokenType.semi) || _tokenizer.match.call(void 0, _types.TokenType.braceR) || _tokenizer.match.call(void 0, _types.TokenType.bang) || _tokenizer.match.call(void 0, _types.TokenType.colon);
+}
+
+function isClassMethod() {
+ return _tokenizer.match.call(void 0, _types.TokenType.parenL) || _tokenizer.match.call(void 0, _types.TokenType.lessThan);
+}
+
+function parseClassBody(classContextId) {
+ _util.expect.call(void 0, _types.TokenType.braceL);
+
+ while (!_tokenizer.eat.call(void 0, _types.TokenType.braceR) && !_base.state.error) {
+ if (_tokenizer.eat.call(void 0, _types.TokenType.semi)) {
+ continue;
+ }
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.at)) {
+ parseDecorator();
+ continue;
+ }
+ const memberStart = _base.state.start;
+ parseClassMember(memberStart, classContextId);
+ }
+}
+
+function parseClassMember(memberStart, classContextId) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseModifiers.call(void 0, [
+ _keywords.ContextualKeyword._declare,
+ _keywords.ContextualKeyword._public,
+ _keywords.ContextualKeyword._protected,
+ _keywords.ContextualKeyword._private,
+ _keywords.ContextualKeyword._override,
+ ]);
+ }
+ let isStatic = false;
+ if (_tokenizer.match.call(void 0, _types.TokenType.name) && _base.state.contextualKeyword === _keywords.ContextualKeyword._static) {
+ _expression.parseIdentifier.call(void 0, ); // eats 'static'
+ if (isClassMethod()) {
+ parseClassMethod(memberStart, /* isConstructor */ false);
+ return;
+ } else if (isClassProperty()) {
+ parseClassProperty();
+ return;
+ }
+ // otherwise something static
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types.TokenType._static;
+ isStatic = true;
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.braceL)) {
+ // This is a static block. Mark the word "static" with the class context ID for class element
+ // detection and parse as a regular block.
+ _base.state.tokens[_base.state.tokens.length - 1].contextId = classContextId;
+ parseBlock();
+ return;
+ }
+ }
+
+ parseClassMemberWithIsStatic(memberStart, isStatic, classContextId);
+}
+
+function parseClassMemberWithIsStatic(
+ memberStart,
+ isStatic,
+ classContextId,
+) {
+ if (_base.isTypeScriptEnabled) {
+ if (_typescript.tsTryParseClassMemberWithIsStatic.call(void 0, isStatic)) {
+ return;
+ }
+ }
+ if (_tokenizer.eat.call(void 0, _types.TokenType.star)) {
+ // a generator
+ parseClassPropertyName(classContextId);
+ parseClassMethod(memberStart, /* isConstructor */ false);
+ return;
+ }
+
+ // Get the identifier name so we can tell if it's actually a keyword like "async", "get", or
+ // "set".
+ parseClassPropertyName(classContextId);
+ let isConstructor = false;
+ const token = _base.state.tokens[_base.state.tokens.length - 1];
+ // We allow "constructor" as either an identifier or a string.
+ if (token.contextualKeyword === _keywords.ContextualKeyword._constructor) {
+ isConstructor = true;
+ }
+ parsePostMemberNameModifiers();
+
+ if (isClassMethod()) {
+ parseClassMethod(memberStart, isConstructor);
+ } else if (isClassProperty()) {
+ parseClassProperty();
+ } else if (token.contextualKeyword === _keywords.ContextualKeyword._async && !_util.isLineTerminator.call(void 0, )) {
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types.TokenType._async;
+ // an async method
+ const isGenerator = _tokenizer.match.call(void 0, _types.TokenType.star);
+ if (isGenerator) {
+ _tokenizer.next.call(void 0, );
+ }
+
+ // The so-called parsed name would have been "async": get the real name.
+ parseClassPropertyName(classContextId);
+ parsePostMemberNameModifiers();
+ parseClassMethod(memberStart, false /* isConstructor */);
+ } else if (
+ (token.contextualKeyword === _keywords.ContextualKeyword._get ||
+ token.contextualKeyword === _keywords.ContextualKeyword._set) &&
+ !(_util.isLineTerminator.call(void 0, ) && _tokenizer.match.call(void 0, _types.TokenType.star))
+ ) {
+ if (token.contextualKeyword === _keywords.ContextualKeyword._get) {
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types.TokenType._get;
+ } else {
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types.TokenType._set;
+ }
+ // `get\n*` is an uninitialized property named 'get' followed by a generator.
+ // a getter or setter
+ // The so-called parsed name would have been "get/set": get the real name.
+ parseClassPropertyName(classContextId);
+ parseClassMethod(memberStart, /* isConstructor */ false);
+ } else if (token.contextualKeyword === _keywords.ContextualKeyword._accessor && !_util.isLineTerminator.call(void 0, )) {
+ parseClassPropertyName(classContextId);
+ parseClassProperty();
+ } else if (_util.isLineTerminator.call(void 0, )) {
+ // an uninitialized class property (due to ASI, since we don't otherwise recognize the next token)
+ parseClassProperty();
+ } else {
+ _util.unexpected.call(void 0, );
+ }
+}
+
+function parseClassMethod(functionStart, isConstructor) {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsTryParseTypeParameters.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ if (_tokenizer.match.call(void 0, _types.TokenType.lessThan)) {
+ _flow.flowParseTypeParameterDeclaration.call(void 0, );
+ }
+ }
+ _expression.parseMethod.call(void 0, functionStart, isConstructor);
+}
+
+// Return the name of the class property, if it is a simple identifier.
+ function parseClassPropertyName(classContextId) {
+ _expression.parsePropertyName.call(void 0, classContextId);
+} exports.parseClassPropertyName = parseClassPropertyName;
+
+ function parsePostMemberNameModifiers() {
+ if (_base.isTypeScriptEnabled) {
+ const oldIsType = _tokenizer.pushTypeContext.call(void 0, 0);
+ _tokenizer.eat.call(void 0, _types.TokenType.question);
+ _tokenizer.popTypeContext.call(void 0, oldIsType);
+ }
+} exports.parsePostMemberNameModifiers = parsePostMemberNameModifiers;
+
+ function parseClassProperty() {
+ if (_base.isTypeScriptEnabled) {
+ _tokenizer.eatTypeToken.call(void 0, _types.TokenType.bang);
+ _typescript.tsTryParseTypeAnnotation.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ if (_tokenizer.match.call(void 0, _types.TokenType.colon)) {
+ _flow.flowParseTypeAnnotation.call(void 0, );
+ }
+ }
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.eq)) {
+ const equalsTokenIndex = _base.state.tokens.length;
+ _tokenizer.next.call(void 0, );
+ _expression.parseMaybeAssign.call(void 0, );
+ _base.state.tokens[equalsTokenIndex].rhsEndIndex = _base.state.tokens.length;
+ }
+ _util.semicolon.call(void 0, );
+} exports.parseClassProperty = parseClassProperty;
+
+function parseClassId(isStatement, optionalId = false) {
+ if (
+ _base.isTypeScriptEnabled &&
+ (!isStatement || optionalId) &&
+ _util.isContextual.call(void 0, _keywords.ContextualKeyword._implements)
+ ) {
+ return;
+ }
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.name)) {
+ _lval.parseBindingIdentifier.call(void 0, true);
+ }
+
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsTryParseTypeParameters.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ if (_tokenizer.match.call(void 0, _types.TokenType.lessThan)) {
+ _flow.flowParseTypeParameterDeclaration.call(void 0, );
+ }
+ }
+}
+
+// Returns true if there was a superclass.
+function parseClassSuper() {
+ let hasSuper = false;
+ if (_tokenizer.eat.call(void 0, _types.TokenType._extends)) {
+ _expression.parseExprSubscripts.call(void 0, );
+ hasSuper = true;
+ } else {
+ hasSuper = false;
+ }
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsAfterParseClassSuper.call(void 0, hasSuper);
+ } else if (_base.isFlowEnabled) {
+ _flow.flowAfterParseClassSuper.call(void 0, hasSuper);
+ }
+}
+
+// Parses module export declaration.
+
+ function parseExport() {
+ const exportIndex = _base.state.tokens.length - 1;
+ if (_base.isTypeScriptEnabled) {
+ if (_typescript.tsTryParseExport.call(void 0, )) {
+ return;
+ }
+ }
+ // export * from '...'
+ if (shouldParseExportStar()) {
+ parseExportStar();
+ } else if (isExportDefaultSpecifier()) {
+ // export default from
+ _expression.parseIdentifier.call(void 0, );
+ if (_tokenizer.match.call(void 0, _types.TokenType.comma) && _tokenizer.lookaheadType.call(void 0, ) === _types.TokenType.star) {
+ _util.expect.call(void 0, _types.TokenType.comma);
+ _util.expect.call(void 0, _types.TokenType.star);
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._as);
+ _expression.parseIdentifier.call(void 0, );
+ } else {
+ parseExportSpecifiersMaybe();
+ }
+ parseExportFrom();
+ } else if (_tokenizer.eat.call(void 0, _types.TokenType._default)) {
+ // export default ...
+ parseExportDefaultExpression();
+ } else if (shouldParseExportDeclaration()) {
+ parseExportDeclaration();
+ } else {
+ // export { x, y as z } [from '...']
+ parseExportSpecifiers();
+ parseExportFrom();
+ }
+ _base.state.tokens[exportIndex].rhsEndIndex = _base.state.tokens.length;
+} exports.parseExport = parseExport;
+
+function parseExportDefaultExpression() {
+ if (_base.isTypeScriptEnabled) {
+ if (_typescript.tsTryParseExportDefaultExpression.call(void 0, )) {
+ return;
+ }
+ }
+ if (_base.isFlowEnabled) {
+ if (_flow.flowTryParseExportDefaultExpression.call(void 0, )) {
+ return;
+ }
+ }
+ const functionStart = _base.state.start;
+ if (_tokenizer.eat.call(void 0, _types.TokenType._function)) {
+ parseFunction(functionStart, true, true);
+ } else if (_util.isContextual.call(void 0, _keywords.ContextualKeyword._async) && _tokenizer.lookaheadType.call(void 0, ) === _types.TokenType._function) {
+ // async function declaration
+ _util.eatContextual.call(void 0, _keywords.ContextualKeyword._async);
+ _tokenizer.eat.call(void 0, _types.TokenType._function);
+ parseFunction(functionStart, true, true);
+ } else if (_tokenizer.match.call(void 0, _types.TokenType._class)) {
+ parseClass(true, true);
+ } else if (_tokenizer.match.call(void 0, _types.TokenType.at)) {
+ parseDecorators();
+ parseClass(true, true);
+ } else {
+ _expression.parseMaybeAssign.call(void 0, );
+ _util.semicolon.call(void 0, );
+ }
+}
+
+function parseExportDeclaration() {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseExportDeclaration.call(void 0, );
+ } else if (_base.isFlowEnabled) {
+ _flow.flowParseExportDeclaration.call(void 0, );
+ } else {
+ parseStatement(true);
+ }
+}
+
+function isExportDefaultSpecifier() {
+ if (_base.isTypeScriptEnabled && _typescript.tsIsDeclarationStart.call(void 0, )) {
+ return false;
+ } else if (_base.isFlowEnabled && _flow.flowShouldDisallowExportDefaultSpecifier.call(void 0, )) {
+ return false;
+ }
+ if (_tokenizer.match.call(void 0, _types.TokenType.name)) {
+ return _base.state.contextualKeyword !== _keywords.ContextualKeyword._async;
+ }
+
+ if (!_tokenizer.match.call(void 0, _types.TokenType._default)) {
+ return false;
+ }
+
+ const _next = _tokenizer.nextTokenStart.call(void 0, );
+ const lookahead = _tokenizer.lookaheadTypeAndKeyword.call(void 0, );
+ const hasFrom =
+ lookahead.type === _types.TokenType.name && lookahead.contextualKeyword === _keywords.ContextualKeyword._from;
+ if (lookahead.type === _types.TokenType.comma) {
+ return true;
+ }
+ // lookahead again when `export default from` is seen
+ if (hasFrom) {
+ const nextAfterFrom = _base.input.charCodeAt(_tokenizer.nextTokenStartSince.call(void 0, _next + 4));
+ return nextAfterFrom === _charcodes.charCodes.quotationMark || nextAfterFrom === _charcodes.charCodes.apostrophe;
+ }
+ return false;
+}
+
+function parseExportSpecifiersMaybe() {
+ if (_tokenizer.eat.call(void 0, _types.TokenType.comma)) {
+ parseExportSpecifiers();
+ }
+}
+
+ function parseExportFrom() {
+ if (_util.eatContextual.call(void 0, _keywords.ContextualKeyword._from)) {
+ _expression.parseExprAtom.call(void 0, );
+ maybeParseImportAttributes();
+ }
+ _util.semicolon.call(void 0, );
+} exports.parseExportFrom = parseExportFrom;
+
+function shouldParseExportStar() {
+ if (_base.isFlowEnabled) {
+ return _flow.flowShouldParseExportStar.call(void 0, );
+ } else {
+ return _tokenizer.match.call(void 0, _types.TokenType.star);
+ }
+}
+
+function parseExportStar() {
+ if (_base.isFlowEnabled) {
+ _flow.flowParseExportStar.call(void 0, );
+ } else {
+ baseParseExportStar();
+ }
+}
+
+ function baseParseExportStar() {
+ _util.expect.call(void 0, _types.TokenType.star);
+
+ if (_util.isContextual.call(void 0, _keywords.ContextualKeyword._as)) {
+ parseExportNamespace();
+ } else {
+ parseExportFrom();
+ }
+} exports.baseParseExportStar = baseParseExportStar;
+
+function parseExportNamespace() {
+ _tokenizer.next.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].type = _types.TokenType._as;
+ _expression.parseIdentifier.call(void 0, );
+ parseExportSpecifiersMaybe();
+ parseExportFrom();
+}
+
+function shouldParseExportDeclaration() {
+ return (
+ (_base.isTypeScriptEnabled && _typescript.tsIsDeclarationStart.call(void 0, )) ||
+ (_base.isFlowEnabled && _flow.flowShouldParseExportDeclaration.call(void 0, )) ||
+ _base.state.type === _types.TokenType._var ||
+ _base.state.type === _types.TokenType._const ||
+ _base.state.type === _types.TokenType._let ||
+ _base.state.type === _types.TokenType._function ||
+ _base.state.type === _types.TokenType._class ||
+ _util.isContextual.call(void 0, _keywords.ContextualKeyword._async) ||
+ _tokenizer.match.call(void 0, _types.TokenType.at)
+ );
+}
+
+// Parses a comma-separated list of module exports.
+ function parseExportSpecifiers() {
+ let first = true;
+
+ // export { x, y as z } [from '...']
+ _util.expect.call(void 0, _types.TokenType.braceL);
+
+ while (!_tokenizer.eat.call(void 0, _types.TokenType.braceR) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ _util.expect.call(void 0, _types.TokenType.comma);
+ if (_tokenizer.eat.call(void 0, _types.TokenType.braceR)) {
+ break;
+ }
+ }
+ parseExportSpecifier();
+ }
+} exports.parseExportSpecifiers = parseExportSpecifiers;
+
+function parseExportSpecifier() {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseExportSpecifier.call(void 0, );
+ return;
+ }
+ _expression.parseIdentifier.call(void 0, );
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = _tokenizer.IdentifierRole.ExportAccess;
+ if (_util.eatContextual.call(void 0, _keywords.ContextualKeyword._as)) {
+ _expression.parseIdentifier.call(void 0, );
+ }
+}
+
+/**
+ * Starting at the `module` token in an import, determine if it was truly an
+ * import reflection token or just looks like one.
+ *
+ * Returns true for:
+ * import module foo from "foo";
+ * import module from from "foo";
+ *
+ * Returns false for:
+ * import module from "foo";
+ * import module, {bar} from "foo";
+ */
+function isImportReflection() {
+ const snapshot = _base.state.snapshot();
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._module);
+ if (_util.eatContextual.call(void 0, _keywords.ContextualKeyword._from)) {
+ if (_util.isContextual.call(void 0, _keywords.ContextualKeyword._from)) {
+ _base.state.restoreFromSnapshot(snapshot);
+ return true;
+ } else {
+ _base.state.restoreFromSnapshot(snapshot);
+ return false;
+ }
+ } else if (_tokenizer.match.call(void 0, _types.TokenType.comma)) {
+ _base.state.restoreFromSnapshot(snapshot);
+ return false;
+ } else {
+ _base.state.restoreFromSnapshot(snapshot);
+ return true;
+ }
+}
+
+/**
+ * Eat the "module" token from the import reflection proposal.
+ * https://github.com/tc39/proposal-import-reflection
+ */
+function parseMaybeImportReflection() {
+ // isImportReflection does snapshot/restore, so only run it if we see the word
+ // "module".
+ if (_util.isContextual.call(void 0, _keywords.ContextualKeyword._module) && isImportReflection()) {
+ _tokenizer.next.call(void 0, );
+ }
+}
+
+// Parses import declaration.
+
+ function parseImport() {
+ if (_base.isTypeScriptEnabled && _tokenizer.match.call(void 0, _types.TokenType.name) && _tokenizer.lookaheadType.call(void 0, ) === _types.TokenType.eq) {
+ _typescript.tsParseImportEqualsDeclaration.call(void 0, );
+ return;
+ }
+ if (_base.isTypeScriptEnabled && _util.isContextual.call(void 0, _keywords.ContextualKeyword._type)) {
+ const lookahead = _tokenizer.lookaheadTypeAndKeyword.call(void 0, );
+ if (lookahead.type === _types.TokenType.name && lookahead.contextualKeyword !== _keywords.ContextualKeyword._from) {
+ // One of these `import type` cases:
+ // import type T = require('T');
+ // import type A from 'A';
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._type);
+ if (_tokenizer.lookaheadType.call(void 0, ) === _types.TokenType.eq) {
+ _typescript.tsParseImportEqualsDeclaration.call(void 0, );
+ return;
+ }
+ // If this is an `import type...from` statement, then we already ate the
+ // type token, so proceed to the regular import parser.
+ } else if (lookahead.type === _types.TokenType.star || lookahead.type === _types.TokenType.braceL) {
+ // One of these `import type` cases, in which case we can eat the type token
+ // and proceed as normal:
+ // import type * as A from 'A';
+ // import type {a} from 'A';
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._type);
+ }
+ // Otherwise, we are importing the name "type".
+ }
+
+ // import '...'
+ if (_tokenizer.match.call(void 0, _types.TokenType.string)) {
+ _expression.parseExprAtom.call(void 0, );
+ } else {
+ parseMaybeImportReflection();
+ parseImportSpecifiers();
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._from);
+ _expression.parseExprAtom.call(void 0, );
+ }
+ maybeParseImportAttributes();
+ _util.semicolon.call(void 0, );
+} exports.parseImport = parseImport;
+
+// eslint-disable-next-line no-unused-vars
+function shouldParseDefaultImport() {
+ return _tokenizer.match.call(void 0, _types.TokenType.name);
+}
+
+function parseImportSpecifierLocal() {
+ _lval.parseImportedIdentifier.call(void 0, );
+}
+
+// Parses a comma-separated list of module imports.
+function parseImportSpecifiers() {
+ if (_base.isFlowEnabled) {
+ _flow.flowStartParseImportSpecifiers.call(void 0, );
+ }
+
+ let first = true;
+ if (shouldParseDefaultImport()) {
+ // import defaultObj, { x, y as z } from '...'
+ parseImportSpecifierLocal();
+
+ if (!_tokenizer.eat.call(void 0, _types.TokenType.comma)) return;
+ }
+
+ if (_tokenizer.match.call(void 0, _types.TokenType.star)) {
+ _tokenizer.next.call(void 0, );
+ _util.expectContextual.call(void 0, _keywords.ContextualKeyword._as);
+
+ parseImportSpecifierLocal();
+
+ return;
+ }
+
+ _util.expect.call(void 0, _types.TokenType.braceL);
+ while (!_tokenizer.eat.call(void 0, _types.TokenType.braceR) && !_base.state.error) {
+ if (first) {
+ first = false;
+ } else {
+ // Detect an attempt to deep destructure
+ if (_tokenizer.eat.call(void 0, _types.TokenType.colon)) {
+ _util.unexpected.call(void 0,
+ "ES2015 named imports do not destructure. Use another statement for destructuring after the import.",
+ );
+ }
+
+ _util.expect.call(void 0, _types.TokenType.comma);
+ if (_tokenizer.eat.call(void 0, _types.TokenType.braceR)) {
+ break;
+ }
+ }
+
+ parseImportSpecifier();
+ }
+}
+
+function parseImportSpecifier() {
+ if (_base.isTypeScriptEnabled) {
+ _typescript.tsParseImportSpecifier.call(void 0, );
+ return;
+ }
+ if (_base.isFlowEnabled) {
+ _flow.flowParseImportSpecifier.call(void 0, );
+ return;
+ }
+ _lval.parseImportedIdentifier.call(void 0, );
+ if (_util.isContextual.call(void 0, _keywords.ContextualKeyword._as)) {
+ _base.state.tokens[_base.state.tokens.length - 1].identifierRole = _tokenizer.IdentifierRole.ImportAccess;
+ _tokenizer.next.call(void 0, );
+ _lval.parseImportedIdentifier.call(void 0, );
+ }
+}
+
+/**
+ * Parse import attributes like `with {type: "json"}`, or the legacy form
+ * `assert {type: "json"}`.
+ *
+ * Import attributes technically have their own syntax, but are always parseable
+ * as a plain JS object, so just do that for simplicity.
+ */
+function maybeParseImportAttributes() {
+ if (_tokenizer.match.call(void 0, _types.TokenType._with) || (_util.isContextual.call(void 0, _keywords.ContextualKeyword._assert) && !_util.hasPrecedingLineBreak.call(void 0, ))) {
+ _tokenizer.next.call(void 0, );
+ _expression.parseObj.call(void 0, false, false);
+ }
+}
diff --git a/node_modules/sucrase/dist/parser/traverser/util.js b/node_modules/sucrase/dist/parser/traverser/util.js
new file mode 100644
index 0000000..8ade800
--- /dev/null
+++ b/node_modules/sucrase/dist/parser/traverser/util.js
@@ -0,0 +1,104 @@
+"use strict";Object.defineProperty(exports, "__esModule", {value: true});var _index = require('../tokenizer/index');
+
+var _types = require('../tokenizer/types');
+var _charcodes = require('../util/charcodes');
+var _base = require('./base');
+
+// ## Parser utilities
+
+// Tests whether parsed token is a contextual keyword.
+ function isContextual(contextualKeyword) {
+ return _base.state.contextualKeyword === contextualKeyword;
+} exports.isContextual = isContextual;
+
+ function isLookaheadContextual(contextualKeyword) {
+ const l = _index.lookaheadTypeAndKeyword.call(void 0, );
+ return l.type === _types.TokenType.name && l.contextualKeyword === contextualKeyword;
+} exports.isLookaheadContextual = isLookaheadContextual;
+
+// Consumes contextual keyword if possible.
+ function eatContextual(contextualKeyword) {
+ return _base.state.contextualKeyword === contextualKeyword && _index.eat.call(void 0, _types.TokenType.name);
+} exports.eatContextual = eatContextual;
+
+// Asserts that following token is given contextual keyword.
+ function expectContextual(contextualKeyword) {
+ if (!eatContextual(contextualKeyword)) {
+ unexpected();
+ }
+} exports.expectContextual = expectContextual;
+
+// Test whether a semicolon can be inserted at the current position.
+ function canInsertSemicolon() {
+ return _index.match.call(void 0, _types.TokenType.eof) || _index.match.call(void 0, _types.TokenType.braceR) || hasPrecedingLineBreak();
+} exports.canInsertSemicolon = canInsertSemicolon;
+
+ function hasPrecedingLineBreak() {
+ const prevToken = _base.state.tokens[_base.state.tokens.length - 1];
+ const lastTokEnd = prevToken ? prevToken.end : 0;
+ for (let i = lastTokEnd; i < _base.state.start; i++) {
+ const code = _base.input.charCodeAt(i);
+ if (
+ code === _charcodes.charCodes.lineFeed ||
+ code === _charcodes.charCodes.carriageReturn ||
+ code === 0x2028 ||
+ code === 0x2029
+ ) {
+ return true;
+ }
+ }
+ return false;
+} exports.hasPrecedingLineBreak = hasPrecedingLineBreak;
+
+ function hasFollowingLineBreak() {
+ const nextStart = _index.nextTokenStart.call(void 0, );
+ for (let i = _base.state.end; i < nextStart; i++) {
+ const code = _base.input.charCodeAt(i);
+ if (
+ code === _charcodes.charCodes.lineFeed ||
+ code === _charcodes.charCodes.carriageReturn ||
+ code === 0x2028 ||
+ code === 0x2029
+ ) {
+ return true;
+ }
+ }
+ return false;
+} exports.hasFollowingLineBreak = hasFollowingLineBreak;
+
+ function isLineTerminator() {
+ return _index.eat.call(void 0, _types.TokenType.semi) || canInsertSemicolon();
+} exports.isLineTerminator = isLineTerminator;
+
+// Consume a semicolon, or, failing that, see if we are allowed to
+// pretend that there is a semicolon at this position.
+ function semicolon() {
+ if (!isLineTerminator()) {
+ unexpected('Unexpected token, expected ";"');
+ }
+} exports.semicolon = semicolon;
+
+// Expect a token of a given type. If found, consume it, otherwise,
+// raise an unexpected token error at given pos.
+ function expect(type) {
+ const matched = _index.eat.call(void 0, type);
+ if (!matched) {
+ unexpected(`Unexpected token, expected "${_types.formatTokenType.call(void 0, type)}"`);
+ }
+} exports.expect = expect;
+
+/**
+ * Transition the parser to an error state. All code needs to be written to naturally unwind in this
+ * state, which allows us to backtrack without exceptions and without error plumbing everywhere.
+ */
+ function unexpected(message = "Unexpected token", pos = _base.state.start) {
+ if (_base.state.error) {
+ return;
+ }
+ // eslint-disable-next-line @typescript-eslint/no-explicit-any
+ const err = new SyntaxError(message);
+ err.pos = pos;
+ _base.state.error = err;
+ _base.state.pos = _base.input.length;
+ _index.finishToken.call(void 0, _types.TokenType.eof);
+} exports.unexpected = unexpected;