diff --git a/.gitattributes b/.gitattributes
new file mode 100644
index 0000000..1114e2c
--- /dev/null
+++ b/.gitattributes
@@ -0,0 +1,8 @@
+* text=auto
+*.sh text eol=lf
+*.js text eol=lf
+*.ts text eol=lf
+*.json text eol=lf
+*.md text eol=lf
+*.html text eol=lf
+*.css text eol=lf
diff --git a/.prettierrc b/.prettierrc
new file mode 100644
index 0000000..78568a5
--- /dev/null
+++ b/.prettierrc
@@ -0,0 +1,20 @@
+{
+ "semi": true,
+ "singleQuote": true,
+ "printWidth": 80,
+ "tabWidth": 2,
+ "useTabs": false,
+ "quoteProps": "as-needed",
+ "jsxSingleQuote": false,
+ "bracketSpacing": true,
+ "objectWrap": "preserve",
+ "arrowParens": "always",
+ "trailingComma": "es5",
+ "proseWrap": "preserve",
+ "htmlWhitespaceSensitivity": "css",
+ "embeddedLanguageFormatting": "auto",
+ "singleAttributePerLine": false,
+ "endOfLine": "lf",
+ "experimentalTernaries": true,
+ "bracketSameLine": true
+}
diff --git a/README.md b/README.md
index 6211869..3924e00 100644
--- a/README.md
+++ b/README.md
@@ -24,9 +24,11 @@ COD Tracker provides a clean interface to fetch, display, and export Call of Dut
- Call of Duty account with API security settings set to "ALL"
## Authentication Setup
+
+
### Changing Account API Privacy Settings
To use this application, you need to update your Call of Duty profile settings:
@@ -41,14 +43,14 @@ To use this application, you need to update your Call of Duty profile settings:
### Obtaining Your SSO Token
-
+
The application requires an authentication token to access the Call of Duty API:
1. Log in to [Call of Duty](https://profile.callofduty.com/cod/profile)
2. Open developer tools (F12 or right-click → Inspect)
-3. Navigate to: **Application** → **Storage** → **Cookies** → **https://profile.callofduty.com**
+3. Navigate to: **Application** → **Storage** → **Cookies** → ****
4. Find and copy the value of `ACT_SSO_COOKIE`
5. Paste this token into the "SSO Token" field
@@ -57,10 +59,10 @@ The application requires an authentication token to access the Call of Duty API:
|
-```
+```plaintext
Application
└─ Storage
- └─ Cookies
+ └─ Cookies
└─ ACT_SSO_COOKIE
```
@@ -75,17 +77,20 @@ The SSO token typically expires after 24 hours. If you encounter authentication
## Installation
1. Clone the repository:
+
```bash
git clone https://git.rimmyscorner.com/Rim/codtracker-js.git && cd codtracker-js
```
2. Start the application:
+
```bash
npm run start
```
3. Open your browser and navigate to:
- ```
+
+ ```bash
http://127.0.0.1:3513
```
diff --git a/app.js b/app.js
index e062eab..753abeb 100644
--- a/app.js
+++ b/app.js
@@ -1,7 +1,7 @@
-const express = require("express");
-const path = require("path");
-const bodyParser = require("body-parser");
-const API = require("./src/js/index.js");
+const express = require('express');
+const path = require('path');
+const bodyParser = require('body-parser');
+const API = require('./src/js/index.js');
const { logger } = require('./src/js/logger');
const favicon = require('serve-favicon');
const app = express();
@@ -10,15 +10,20 @@ const port = process.env.PORT || 3512;
app.set('trust proxy', true);
// Middleware
-app.use(bodyParser.json({ limit: "10mb" }));
-app.use(bodyParser.urlencoded({ extended: true, limit: "10mb" }));
+app.use(bodyParser.json({ limit: '10mb' }));
+app.use(bodyParser.urlencoded({ extended: true, limit: '10mb' }));
app.use(express.static(__dirname));
app.use(express.static(path.join(__dirname, 'public')));
app.use('/images', express.static(path.join(__dirname, 'src/images')));
app.use(favicon(path.join(__dirname, 'src', 'images', 'favicon.ico')));
-app.use(bodyParser.json({ limit: "10mb", verify: (req, res, buf) => {
- req.rawBody = buf.toString();
-}}));
+app.use(
+ bodyParser.json({
+ limit: '10mb',
+ verify: (req, res, buf) => {
+ req.rawBody = buf.toString();
+ },
+ })
+);
// app.use(express.raw({ type: 'application/json', limit: '10mb' }));
const fs = require('fs');
@@ -27,104 +32,113 @@ const fs = require('fs');
let keyReplacements = {};
try {
- const replacementsPath = path.join(__dirname, "src", "data", "replacements.json");
+ const replacementsPath = path.join(
+ __dirname,
+ 'src',
+ 'data',
+ 'replacements.json'
+ );
if (fs.existsSync(replacementsPath)) {
const replacementsContent = fs.readFileSync(replacementsPath, 'utf8');
keyReplacements = JSON.parse(replacementsContent);
// logger.debug("Replacements loaded successfully");
} else {
- logger.warn("replacements.json not found, key replacement disabled");
+ logger.warn('replacements.json not found, key replacement disabled');
}
} catch (error) {
- logger.error("Error loading replacements file:", { error: error.message });
+ logger.error('Error loading replacements file:', { error: error.message });
}
const replaceJsonKeys = (obj) => {
- if (!obj || typeof obj !== 'object') return obj;
+ if (!obj || typeof obj !== 'object') return obj;
- if (Array.isArray(obj)) {
- return obj.map(item => replaceJsonKeys(item));
+ if (Array.isArray(obj)) {
+ return obj.map((item) => replaceJsonKeys(item));
+ }
+
+ const newObj = {};
+ Object.keys(obj).forEach((key) => {
+ // Replace key if it exists in replacements
+ const newKey = keyReplacements[key] || key;
+
+ // DEBUG: Log replacements when they happen
+ // if (newKey !== key) {
+ // logger.debug(`Replacing key "${key}" with "${newKey}"`);
+ // }
+
+ // Also check if the value should be replaced (if it's a string)
+ let value = obj[key];
+ if (typeof value === 'string' && keyReplacements[value]) {
+ value = keyReplacements[value];
+ // logger.debug(`Replacing value "${obj[key]}" with "${value}"`);
}
- const newObj = {};
- Object.keys(obj).forEach(key => {
- // Replace key if it exists in replacements
- const newKey = keyReplacements[key] || key;
+ // Process value recursively if it's an object or array
+ newObj[newKey] = replaceJsonKeys(value);
+ });
- // DEBUG: Log replacements when they happen
- // if (newKey !== key) {
- // logger.debug(`Replacing key "${key}" with "${newKey}"`);
- // }
-
- // Also check if the value should be replaced (if it's a string)
- let value = obj[key];
- if (typeof value === 'string' && keyReplacements[value]) {
- value = keyReplacements[value];
- // logger.debug(`Replacing value "${obj[key]}" with "${value}"`);
- }
-
- // Process value recursively if it's an object or array
- newObj[newKey] = replaceJsonKeys(value);
- });
-
- return newObj;
- };
+ return newObj;
+};
// Utility regex function
const sanitizeJsonOutput = (data) => {
- if (!data) return data;
+ if (!data) return data;
- // Convert to string to perform regex operations
- const jsonString = JSON.stringify(data);
+ // Convert to string to perform regex operations
+ const jsonString = JSON.stringify(data);
- // Define regex pattern that matches HTML entities
- const regexPattern = /<span class=".*?">|<\/span>|">/g;
+ // Define regex pattern that matches HTML entities
+ const regexPattern =
+ /<span class=".*?">|<\/span>|">/g;
- // Replace unwanted patterns
- const sanitizedString = jsonString.replace(regexPattern, '');
+ // Replace unwanted patterns
+ const sanitizedString = jsonString.replace(regexPattern, '');
- // Parse back to object
- try {
- return JSON.parse(sanitizedString);
- } catch (e) {
- console.error("Error parsing sanitized JSON:", e);
- return data; // Return original data if parsing fails
- }
- };
+ // Parse back to object
+ try {
+ return JSON.parse(sanitizedString);
+ } catch (e) {
+ console.error('Error parsing sanitized JSON:', e);
+ return data; // Return original data if parsing fails
+ }
+};
// Replace the processJsonOutput function with this more efficient version
-const processJsonOutput = (data, options = { sanitize: true, replaceKeys: true }) => {
+const processJsonOutput = (
+ data,
+ options = { sanitize: true, replaceKeys: true }
+) => {
// Use a more efficient deep clone approach instead of JSON.parse(JSON.stringify())
function deepClone(obj) {
if (obj === null || typeof obj !== 'object') {
return obj;
}
-
+
if (Array.isArray(obj)) {
- return obj.map(item => deepClone(item));
+ return obj.map((item) => deepClone(item));
}
-
+
const clone = {};
- Object.keys(obj).forEach(key => {
+ Object.keys(obj).forEach((key) => {
clone[key] = deepClone(obj[key]);
});
-
+
return clone;
}
-
+
// Create a deep copy of the data to avoid reference issues
let processedData = deepClone(data);
-
+
// Apply sanitization if needed
if (options.sanitize) {
processedData = sanitizeJsonOutput(processedData);
}
-
+
// Apply key replacement if needed
if (options.replaceKeys) {
processedData = replaceJsonKeys(processedData);
}
-
+
return processedData;
};
@@ -141,7 +155,9 @@ const timeoutPromise = (ms) => {
// Helper function to ensure login
const ensureLogin = async (ssoToken) => {
if (!activeSessions.has(ssoToken)) {
- logger.info(`Attempting to login with SSO token: ${ssoToken.substring(0, 5)}...`);
+ logger.info(
+ `Attempting to login with SSO token: ${ssoToken.substring(0, 5)}...`
+ );
// logger.info(`Attempting to login with SSO token: ${ssoToken}`);
const loginResult = await Promise.race([
API.login(ssoToken),
@@ -152,35 +168,35 @@ const ensureLogin = async (ssoToken) => {
logger.debug(`Session created at: ${new Date().toISOString()}`);
activeSessions.set(ssoToken, new Date());
} else {
- logger.debug("Using existing session");
+ logger.debug('Using existing session');
}
};
// Helper function to handle API errors
const handleApiError = (error, res) => {
- logger.error("API Error:", error);
+ logger.error('API Error:', error);
logger.error(`Error Stack: ${error.stack}`);
logger.error(`Error Time: ${new Date().toISOString()}`);
// Try to extract more useful information from the error
- let errorMessage = error.message || "Unknown API error";
- let errorName = error.name || "ApiError";
+ let errorMessage = error.message || 'Unknown API error';
+ let errorName = error.name || 'ApiError';
// Handle the specific JSON parsing error
- if (errorName === "SyntaxError" && errorMessage.includes("JSON")) {
- logger.debug("JSON parsing error detected");
+ if (errorName === 'SyntaxError' && errorMessage.includes('JSON')) {
+ logger.debug('JSON parsing error detected');
return res.status(200).json({
- status: "error",
+ status: 'error',
message:
- "Failed to parse API response. This usually means the SSO token is invalid or expired.",
- error_type: "InvalidResponseError",
+ 'Failed to parse API response. This usually means the SSO token is invalid or expired.',
+ error_type: 'InvalidResponseError',
timestamp: new Date().toISOString(),
});
}
// Send a more graceful response
return res.status(200).json({
- status: "error",
+ status: 'error',
message: errorMessage,
error_type: errorName,
timestamp: new Date().toISOString(),
@@ -188,22 +204,36 @@ const handleApiError = (error, res) => {
};
// API endpoint to fetch stats
-app.post("/api/stats", async (req, res) => {
- logger.debug("Received request for /api/stats");
- logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`);
- logger.debug(`Request JSON: ${JSON.stringify({
- username: req.body.username,
- platform: req.body.platform,
- game: req.body.game,
- apiCall: req.body.apiCall,
- sanitize: req.body.sanitize,
- replaceKeys: req.body.replaceKeys
- })}`);
+app.post('/api/stats', async (req, res) => {
+ logger.debug('Received request for /api/stats');
+ logger.debug(
+ `Request IP: ${
+ req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress
+ }`
+ );
+ logger.debug(
+ `Request JSON: ${JSON.stringify({
+ username: req.body.username,
+ platform: req.body.platform,
+ game: req.body.game,
+ apiCall: req.body.apiCall,
+ sanitize: req.body.sanitize,
+ replaceKeys: req.body.replaceKeys,
+ })}`
+ );
try {
- const { username, ssoToken, platform, game, apiCall, sanitize, replaceKeys } = req.body;
+ const {
+ username,
+ ssoToken,
+ platform,
+ game,
+ apiCall,
+ sanitize,
+ replaceKeys,
+ } = req.body;
- /*
+ /*
logger.debug(
`Request details - Username: ${username}, Platform: ${platform}, Game: ${game}, API Call: ${apiCall}`
);
@@ -217,17 +247,17 @@ app.post("/api/stats", async (req, res) => {
logger.debug("====================="); */
if (!ssoToken) {
- return res.status(400).json({ error: "SSO Token is required" });
+ return res.status(400).json({ error: 'SSO Token is required' });
}
// For mapList, username is not required
- if (apiCall !== "mapList" && !username) {
- return res.status(400).json({ error: "Username is required" });
+ if (apiCall !== 'mapList' && !username) {
+ return res.status(400).json({ error: 'Username is required' });
}
// Clear previous session if it exists
if (activeSessions.has(ssoToken)) {
- logger.debug("Clearing previous session");
+ logger.debug('Clearing previous session');
activeSessions.delete(ssoToken);
}
@@ -235,12 +265,12 @@ app.post("/api/stats", async (req, res) => {
try {
await ensureLogin(ssoToken);
} catch (loginError) {
- console.error("Login error:", loginError);
+ console.error('Login error:', loginError);
return res.status(200).json({
- status: "error",
- error_type: "LoginError",
- message: "SSO token login failed",
- details: loginError.message || "Unknown login error",
+ status: 'error',
+ error_type: 'LoginError',
+ message: 'SSO token login failed',
+ details: loginError.message || 'Unknown login error',
timestamp: new Date().toISOString(),
});
}
@@ -254,11 +284,11 @@ app.post("/api/stats", async (req, res) => {
};
// Check if the platform is valid for the game
- const requiresUno = ["mw2", "wz2", "mw3", "wzm"].includes(game);
- if (requiresUno && platform !== "uno" && apiCall !== "mapList") {
+ const requiresUno = ['mw2', 'wz2', 'mw3', 'wzm'].includes(game);
+ if (requiresUno && platform !== 'uno' && apiCall !== 'mapList') {
logger.warn(`${game} requires Uno ID`);
return res.status(200).json({
- status: "error",
+ status: 'error',
message: `${game} requires Uno ID (numerical ID)`,
timestamp: new Date().toISOString(),
});
@@ -270,131 +300,131 @@ app.post("/api/stats", async (req, res) => {
);
let data;
- if (apiCall === "fullData") {
+ if (apiCall === 'fullData') {
// Fetch lifetime stats based on game
switch (game) {
- case "mw":
+ case 'mw':
data = await fetchWithTimeout(() =>
API.ModernWarfare.fullData(username, platform)
);
break;
- case "wz":
+ case 'wz':
data = await fetchWithTimeout(() =>
API.Warzone.fullData(username, platform)
);
break;
- case "mw2":
+ case 'mw2':
data = await fetchWithTimeout(() =>
API.ModernWarfare2.fullData(username)
);
break;
- case "wz2":
+ case 'wz2':
data = await fetchWithTimeout(() =>
API.Warzone2.fullData(username)
);
break;
- case "mw3":
+ case 'mw3':
data = await fetchWithTimeout(() =>
API.ModernWarfare3.fullData(username)
);
break;
- case "cw":
+ case 'cw':
data = await fetchWithTimeout(() =>
API.ColdWar.fullData(username, platform)
);
break;
- case "vg":
+ case 'vg':
data = await fetchWithTimeout(() =>
API.Vanguard.fullData(username, platform)
);
break;
- case "wzm":
+ case 'wzm':
data = await fetchWithTimeout(() =>
API.WarzoneMobile.fullData(username)
);
break;
default:
return res.status(200).json({
- status: "error",
- message: "Invalid game selected",
+ status: 'error',
+ message: 'Invalid game selected',
timestamp: new Date().toISOString(),
});
}
- } else if (apiCall === "combatHistory") {
+ } else if (apiCall === 'combatHistory') {
// Fetch recent match history based on game
switch (game) {
- case "mw":
+ case 'mw':
data = await fetchWithTimeout(() =>
API.ModernWarfare.combatHistory(username, platform)
);
break;
- case "wz":
+ case 'wz':
data = await fetchWithTimeout(() =>
API.Warzone.combatHistory(username, platform)
);
break;
- case "mw2":
+ case 'mw2':
data = await fetchWithTimeout(() =>
API.ModernWarfare2.combatHistory(username)
);
break;
- case "wz2":
+ case 'wz2':
data = await fetchWithTimeout(() =>
API.Warzone2.combatHistory(username)
);
break;
- case "mw3":
+ case 'mw3':
data = await fetchWithTimeout(() =>
API.ModernWarfare3.combatHistory(username)
);
break;
- case "cw":
+ case 'cw':
data = await fetchWithTimeout(() =>
API.ColdWar.combatHistory(username, platform)
);
break;
- case "vg":
+ case 'vg':
data = await fetchWithTimeout(() =>
API.Vanguard.combatHistory(username, platform)
);
break;
- case "wzm":
+ case 'wzm':
data = await fetchWithTimeout(() =>
API.WarzoneMobile.combatHistory(username)
);
break;
default:
return res.status(200).json({
- status: "error",
- message: "Invalid game selected",
+ status: 'error',
+ message: 'Invalid game selected',
timestamp: new Date().toISOString(),
});
}
- } else if (apiCall === "mapList") {
+ } else if (apiCall === 'mapList') {
// Fetch map list (only valid for MW)
- if (game === "mw") {
+ if (game === 'mw') {
data = await fetchWithTimeout(() =>
API.ModernWarfare.mapList(platform)
);
} else {
return res.status(200).json({
- status: "error",
- message: "Map list is only available for Modern Warfare",
+ status: 'error',
+ message: 'Map list is only available for Modern Warfare',
timestamp: new Date().toISOString(),
});
}
}
- logger.debug("Data fetched successfully");
+ logger.debug('Data fetched successfully');
logger.debug(`Response Size: ~${JSON.stringify(data).length / 1024} KB`);
logger.debug(`Response Time: ${new Date().toISOString()}`);
// Safely handle the response data
if (!data) {
- logger.warn("No data returned from API");
+ logger.warn('No data returned from API');
return res.json({
- status: "partial_success",
- message: "No data returned from API, but no error thrown",
+ status: 'partial_success',
+ message: 'No data returned from API, but no error thrown',
data: null,
timestamp: new Date().toISOString(),
});
@@ -413,32 +443,39 @@ app.post("/api/stats", async (req, res) => {
return handleApiError(apiError, res);
}
} catch (serverError) {
- console.error("Server Error:", serverError);
+ console.error('Server Error:', serverError);
// Return a structured error response even for unexpected errors
return res.status(200).json({
- status: "server_error",
- message: "The server encountered an unexpected error",
- error_details: serverError.message || "Unknown server error",
+ status: 'server_error',
+ message: 'The server encountered an unexpected error',
+ error_details: serverError.message || 'Unknown server error',
timestamp: new Date().toISOString(),
});
}
});
// API endpoint to fetch recent matches
-app.post("/api/matches", async (req, res) => {
- logger.debug("Received request for /api/matches");
- logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`);
- logger.debug(`Request JSON: ${JSON.stringify({
- username: req.body.username,
- platform: req.body.platform,
- game: req.body.game,
- sanitize: req.body.sanitize,
- replaceKeys: req.body.replaceKeys
- })}`);
-
+app.post('/api/matches', async (req, res) => {
+ logger.debug('Received request for /api/matches');
+ logger.debug(
+ `Request IP: ${
+ req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress
+ }`
+ );
+ logger.debug(
+ `Request JSON: ${JSON.stringify({
+ username: req.body.username,
+ platform: req.body.platform,
+ game: req.body.game,
+ sanitize: req.body.sanitize,
+ replaceKeys: req.body.replaceKeys,
+ })}`
+ );
+
try {
- const { username, ssoToken, platform, game, sanitize, replaceKeys } = req.body;
+ const { username, ssoToken, platform, game, sanitize, replaceKeys } =
+ req.body;
/*
logger.debug(
@@ -455,17 +492,17 @@ app.post("/api/matches", async (req, res) => {
if (!username || !ssoToken) {
return res
.status(400)
- .json({ error: "Username and SSO Token are required" });
+ .json({ error: 'Username and SSO Token are required' });
}
try {
await ensureLogin(ssoToken);
} catch (loginError) {
return res.status(200).json({
- status: "error",
- error_type: "LoginError",
- message: "SSO token login failed",
- details: loginError.message || "Unknown login error",
+ status: 'error',
+ error_type: 'LoginError',
+ message: 'SSO token login failed',
+ details: loginError.message || 'Unknown login error',
timestamp: new Date().toISOString(),
});
}
@@ -485,10 +522,10 @@ app.post("/api/matches", async (req, res) => {
let data;
// Check if the platform is valid for the game
- const requiresUno = ["mw2", "wz2", "mw3", "wzm"].includes(game);
- if (requiresUno && platform !== "uno") {
+ const requiresUno = ['mw2', 'wz2', 'mw3', 'wzm'].includes(game);
+ if (requiresUno && platform !== 'uno') {
return res.status(200).json({
- status: "error",
+ status: 'error',
message: `${game} requires Uno ID (numerical ID)`,
timestamp: new Date().toISOString(),
});
@@ -496,50 +533,50 @@ app.post("/api/matches", async (req, res) => {
// Fetch combat history based on game
switch (game) {
- case "mw":
+ case 'mw':
data = await fetchWithTimeout(() =>
API.ModernWarfare.combatHistory(username, platform)
);
break;
- case "wz":
+ case 'wz':
data = await fetchWithTimeout(() =>
API.Warzone.combatHistory(username, platform)
);
break;
- case "mw2":
+ case 'mw2':
data = await fetchWithTimeout(() =>
API.ModernWarfare2.combatHistory(username)
);
break;
- case "wz2":
+ case 'wz2':
data = await fetchWithTimeout(() =>
API.Warzone2.combatHistory(username)
);
break;
- case "mw3":
+ case 'mw3':
data = await fetchWithTimeout(() =>
API.ModernWarfare3.combatHistory(username)
);
break;
- case "cw":
+ case 'cw':
data = await fetchWithTimeout(() =>
API.ColdWar.combatHistory(username, platform)
);
break;
- case "vg":
+ case 'vg':
data = await fetchWithTimeout(() =>
API.Vanguard.combatHistory(username, platform)
);
break;
- case "wzm":
+ case 'wzm':
data = await fetchWithTimeout(() =>
API.WarzoneMobile.combatHistory(username)
);
break;
default:
return res.status(200).json({
- status: "error",
- message: "Invalid game selected",
+ status: 'error',
+ message: 'Invalid game selected',
timestamp: new Date().toISOString(),
});
}
@@ -556,30 +593,37 @@ app.post("/api/matches", async (req, res) => {
}
} catch (serverError) {
return res.status(200).json({
- status: "server_error",
- message: "The server encountered an unexpected error",
- error_details: serverError.message || "Unknown server error",
+ status: 'server_error',
+ message: 'The server encountered an unexpected error',
+ error_details: serverError.message || 'Unknown server error',
timestamp: new Date().toISOString(),
});
}
});
// API endpoint to fetch match info
-app.post("/api/matchInfo", async (req, res) => {
- logger.debug("Received request for /api/matchInfo");
- logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`);
- logger.debug(`Request JSON: ${JSON.stringify({
- matchId: req.body.matchId,
- platform: req.body.platform,
- game: req.body.game,
- sanitize: req.body.sanitize,
- replaceKeys: req.body.replaceKeys
- })}`);
+app.post('/api/matchInfo', async (req, res) => {
+ logger.debug('Received request for /api/matchInfo');
+ logger.debug(
+ `Request IP: ${
+ req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress
+ }`
+ );
+ logger.debug(
+ `Request JSON: ${JSON.stringify({
+ matchId: req.body.matchId,
+ platform: req.body.platform,
+ game: req.body.game,
+ sanitize: req.body.sanitize,
+ replaceKeys: req.body.replaceKeys,
+ })}`
+ );
try {
- const { matchId, ssoToken, platform, game, sanitize, replaceKeys } = req.body;
- const mode = "mp";
-
+ const { matchId, ssoToken, platform, game, sanitize, replaceKeys } =
+ req.body;
+ const mode = 'mp';
+
/*
logger.debug(
`Request details - Match ID: ${matchId}, Platform: ${platform}, Game: ${game}`
@@ -595,17 +639,17 @@ app.post("/api/matchInfo", async (req, res) => {
if (!matchId || !ssoToken) {
return res
.status(400)
- .json({ error: "Match ID and SSO Token are required" });
+ .json({ error: 'Match ID and SSO Token are required' });
}
try {
await ensureLogin(ssoToken);
} catch (loginError) {
return res.status(200).json({
- status: "error",
- error_type: "LoginError",
- message: "SSO token login failed",
- details: loginError.message || "Unknown login error",
+ status: 'error',
+ error_type: 'LoginError',
+ message: 'SSO token login failed',
+ details: loginError.message || 'Unknown login error',
timestamp: new Date().toISOString(),
});
}
@@ -624,48 +668,48 @@ app.post("/api/matchInfo", async (req, res) => {
// Fetch match info based on game
switch (game) {
- case "mw":
+ case 'mw':
data = await fetchWithTimeout(() =>
API.ModernWarfare.matchInfo(matchId, platform)
);
break;
- case "wz":
+ case 'wz':
data = await fetchWithTimeout(() =>
API.Warzone.matchInfo(matchId, platform)
);
break;
- case "mw2":
+ case 'mw2':
data = await fetchWithTimeout(() =>
API.ModernWarfare2.matchInfo(matchId)
);
break;
- case "wz2":
+ case 'wz2':
data = await fetchWithTimeout(() => API.Warzone2.matchInfo(matchId));
break;
- case "mw3":
+ case 'mw3':
data = await fetchWithTimeout(() =>
API.ModernWarfare3.matchInfo(matchId)
);
break;
- case "cw":
+ case 'cw':
data = await fetchWithTimeout(() =>
API.ColdWar.matchInfo(matchId, platform)
);
break;
- case "vg":
+ case 'vg':
data = await fetchWithTimeout(() =>
API.Vanguard.matchInfo(matchId, platform)
);
break;
- case "wzm":
+ case 'wzm':
data = await fetchWithTimeout(() =>
API.WarzoneMobile.matchInfo(matchId)
);
break;
default:
return res.status(200).json({
- status: "error",
- message: "Invalid game selected",
+ status: 'error',
+ message: 'Invalid game selected',
timestamp: new Date().toISOString(),
});
}
@@ -682,29 +726,36 @@ app.post("/api/matchInfo", async (req, res) => {
}
} catch (serverError) {
return res.status(200).json({
- status: "server_error",
- message: "The server encountered an unexpected error",
- error_details: serverError.message || "Unknown server error",
+ status: 'server_error',
+ message: 'The server encountered an unexpected error',
+ error_details: serverError.message || 'Unknown server error',
timestamp: new Date().toISOString(),
});
}
});
// API endpoint for user-related API calls
-app.post("/api/user", async (req, res) => {
- logger.debug("Received request for /api/user");
- logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`);
- logger.debug(`Request JSON: ${JSON.stringify({
- username: req.body.username,
- platform: req.body.platform,
- userCall: req.body.userCall,
- sanitize: req.body.sanitize,
- replaceKeys: req.body.replaceKeys
- })}`);
+app.post('/api/user', async (req, res) => {
+ logger.debug('Received request for /api/user');
+ logger.debug(
+ `Request IP: ${
+ req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress
+ }`
+ );
+ logger.debug(
+ `Request JSON: ${JSON.stringify({
+ username: req.body.username,
+ platform: req.body.platform,
+ userCall: req.body.userCall,
+ sanitize: req.body.sanitize,
+ replaceKeys: req.body.replaceKeys,
+ })}`
+ );
try {
- const { username, ssoToken, platform, userCall, sanitize, replaceKeys } = req.body;
-
+ const { username, ssoToken, platform, userCall, sanitize, replaceKeys } =
+ req.body;
+
/*
logger.debug(
`Request details - Username: ${username}, Platform: ${platform}, User Call: ${userCall}`
@@ -718,29 +769,29 @@ app.post("/api/user", async (req, res) => {
logger.debug("========================="); */
if (!ssoToken) {
- return res.status(400).json({ error: "SSO Token is required" });
+ return res.status(400).json({ error: 'SSO Token is required' });
}
// For eventFeed and identities, username is not required
if (
!username &&
- userCall !== "eventFeed" &&
- userCall !== "friendFeed" &&
- userCall !== "identities"
+ userCall !== 'eventFeed' &&
+ userCall !== 'friendFeed' &&
+ userCall !== 'identities'
) {
return res
.status(400)
- .json({ error: "Username is required for this API call" });
+ .json({ error: 'Username is required for this API call' });
}
try {
await ensureLogin(ssoToken);
} catch (loginError) {
return res.status(200).json({
- status: "error",
- error_type: "LoginError",
- message: "SSO token login failed",
- details: loginError.message || "Unknown login error",
+ status: 'error',
+ error_type: 'LoginError',
+ message: 'SSO token login failed',
+ details: loginError.message || 'Unknown login error',
timestamp: new Date().toISOString(),
});
}
@@ -759,28 +810,28 @@ app.post("/api/user", async (req, res) => {
// Fetch user data based on userCall
switch (userCall) {
- case "codPoints":
+ case 'codPoints':
data = await fetchWithTimeout(() =>
API.Me.codPoints(username, platform)
);
break;
- case "connectedAccounts":
+ case 'connectedAccounts':
data = await fetchWithTimeout(() =>
API.Me.connectedAccounts(username, platform)
);
break;
- case "eventFeed":
+ case 'eventFeed':
data = await fetchWithTimeout(() => API.Me.eventFeed());
break;
- case "friendFeed":
+ case 'friendFeed':
data = await fetchWithTimeout(() =>
API.Me.friendFeed(username, platform)
);
break;
- case "identities":
+ case 'identities':
data = await fetchWithTimeout(() => API.Me.loggedInIdentities());
break;
- case "friendsList":
+ case 'friendsList':
data = await fetchWithTimeout(() => API.Me.friendsList());
break;
// case "settings":
@@ -790,8 +841,8 @@ app.post("/api/user", async (req, res) => {
// break;
default:
return res.status(200).json({
- status: "error",
- message: "Invalid user API call selected",
+ status: 'error',
+ message: 'Invalid user API call selected',
timestamp: new Date().toISOString(),
});
}
@@ -808,24 +859,30 @@ app.post("/api/user", async (req, res) => {
}
} catch (serverError) {
return res.status(200).json({
- status: "server_error",
- message: "The server encountered an unexpected error",
- error_details: serverError.message || "Unknown server error",
+ status: 'server_error',
+ message: 'The server encountered an unexpected error',
+ error_details: serverError.message || 'Unknown server error',
timestamp: new Date().toISOString(),
});
}
});
// API endpoint for fuzzy search
-app.post("/api/search", async (req, res) => {
- logger.debug("Received request for /api/search");
- logger.debug(`Request IP: ${req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress}`);
- logger.debug(`Request JSON: ${JSON.stringify({
- username: req.body.username,
- platform: req.body.platform,
- sanitize: req.body.sanitize,
- replaceKeys: req.body.replaceKeys
-})}`);
+app.post('/api/search', async (req, res) => {
+ logger.debug('Received request for /api/search');
+ logger.debug(
+ `Request IP: ${
+ req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress
+ }`
+ );
+ logger.debug(
+ `Request JSON: ${JSON.stringify({
+ username: req.body.username,
+ platform: req.body.platform,
+ sanitize: req.body.sanitize,
+ replaceKeys: req.body.replaceKeys,
+ })}`
+ );
try {
const { username, ssoToken, platform, sanitize, replaceKeys } = req.body;
@@ -844,17 +901,17 @@ app.post("/api/search", async (req, res) => {
if (!username || !ssoToken) {
return res
.status(400)
- .json({ error: "Username and SSO Token are required" });
+ .json({ error: 'Username and SSO Token are required' });
}
try {
await ensureLogin(ssoToken);
} catch (loginError) {
return res.status(200).json({
- status: "error",
- error_type: "LoginError",
- message: "SSO token login failed",
- details: loginError.message || "Unknown login error",
+ status: 'error',
+ error_type: 'LoginError',
+ message: 'SSO token login failed',
+ details: loginError.message || 'Unknown login error',
timestamp: new Date().toISOString(),
});
}
@@ -888,23 +945,23 @@ app.post("/api/search", async (req, res) => {
}
} catch (serverError) {
return res.status(200).json({
- status: "server_error",
- message: "The server encountered an unexpected error",
- error_details: serverError.message || "Unknown server error",
+ status: 'server_error',
+ message: 'The server encountered an unexpected error',
+ error_details: serverError.message || 'Unknown server error',
timestamp: new Date().toISOString(),
});
}
});
-
// Improved logging endpoint
app.post('/api/log', (req, res) => {
- const clientIP = req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress;
+ const clientIP =
+ req.headers['x-forwarded-for'] || req.ip || req.connection.remoteAddress;
const userAgent = req.headers['user-agent'];
const referer = req.headers['referer'];
const origin = req.headers['origin'];
let logData;
-
+
try {
// Handle data whether it comes as already parsed JSON or as a string
if (typeof req.body === 'string') {
@@ -915,7 +972,7 @@ app.post('/api/log', (req, res) => {
// If no parsable data found, create a basic log entry
logData = { eventType: 'unknown', timestamp: new Date().toISOString() };
}
-
+
// Enrich log with server-side data
const enrichedLog = {
...logData,
@@ -926,20 +983,19 @@ app.post('/api/log', (req, res) => {
origin,
requestHeaders: sanitizeHeaders(req.headers),
serverTimestamp: new Date().toISOString(),
- requestId: req.id || Math.random().toString(36).substring(2, 15)
- }
+ requestId: req.id || Math.random().toString(36).substring(2, 15),
+ },
};
-
+
// Use the dedicated user activity logger
logger.userActivity(enrichedLog.eventType || 'unknown', enrichedLog);
-
} catch (error) {
- logger.error('Error processing log data', {
+ logger.error('Error processing log data', {
error: error.message,
- rawBody: typeof req.body === 'object' ? '[Object]' : req.body
+ rawBody: typeof req.body === 'object' ? '[Object]' : req.body,
});
}
-
+
// Always return 200 to avoid client-side errors
res.status(200).send();
});
@@ -947,15 +1003,15 @@ app.post('/api/log', (req, res) => {
// Helper function to remove sensitive data from headers
function sanitizeHeaders(headers) {
const safeHeaders = { ...headers };
-
+
// Remove potential sensitive information
const sensitiveHeaders = ['authorization', 'cookie', 'set-cookie'];
- sensitiveHeaders.forEach(header => {
+ sensitiveHeaders.forEach((header) => {
if (safeHeaders[header]) {
safeHeaders[header] = '[REDACTED]';
}
});
-
+
return safeHeaders;
}
@@ -969,13 +1025,13 @@ function storeLogInDatabase(logData) {
*/
// Basic health check endpoint
-app.get("/health", (req, res) => {
- res.json({ status: "ok", timestamp: new Date().toISOString() });
+app.get('/health', (req, res) => {
+ res.json({ status: 'ok', timestamp: new Date().toISOString() });
});
// Serve the main HTML file
-app.get("/", (req, res) => {
- res.sendFile(path.join(__dirname, "src", "index.html"));
+app.get('/', (req, res) => {
+ res.sendFile(path.join(__dirname, 'src', 'index.html'));
});
// Start the server
diff --git a/node_modules/.bin/acorn.cmd b/node_modules/.bin/acorn.cmd
new file mode 100644
index 0000000..a9324df
--- /dev/null
+++ b/node_modules/.bin/acorn.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\acorn\bin\acorn" %*
diff --git a/node_modules/.bin/glob.cmd b/node_modules/.bin/glob.cmd
new file mode 100644
index 0000000..3c1d48a
--- /dev/null
+++ b/node_modules/.bin/glob.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\glob\dist\esm\bin.mjs" %*
diff --git a/node_modules/.bin/he.cmd b/node_modules/.bin/he.cmd
new file mode 100644
index 0000000..611a864
--- /dev/null
+++ b/node_modules/.bin/he.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\he\bin\he" %*
diff --git a/node_modules/.bin/html-minifier.cmd b/node_modules/.bin/html-minifier.cmd
new file mode 100644
index 0000000..07c22ce
--- /dev/null
+++ b/node_modules/.bin/html-minifier.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\html-minifier\cli.js" %*
diff --git a/node_modules/.bin/jsesc.cmd b/node_modules/.bin/jsesc.cmd
new file mode 100644
index 0000000..eb41110
--- /dev/null
+++ b/node_modules/.bin/jsesc.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\jsesc\bin\jsesc" %*
diff --git a/node_modules/.bin/mime.cmd b/node_modules/.bin/mime.cmd
new file mode 100644
index 0000000..54491f1
--- /dev/null
+++ b/node_modules/.bin/mime.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\mime\cli.js" %*
diff --git a/node_modules/.bin/parser b/node_modules/.bin/parser
new file mode 100644
index 0000000..7696ad4
--- /dev/null
+++ b/node_modules/.bin/parser
@@ -0,0 +1,16 @@
+#!/bin/sh
+basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')")
+
+case `uname` in
+ *CYGWIN*|*MINGW*|*MSYS*)
+ if command -v cygpath > /dev/null 2>&1; then
+ basedir=`cygpath -w "$basedir"`
+ fi
+ ;;
+esac
+
+if [ -x "$basedir/node" ]; then
+ exec "$basedir/node" "$basedir/../@babel/parser/bin/babel-parser.js" "$@"
+else
+ exec node "$basedir/../@babel/parser/bin/babel-parser.js" "$@"
+fi
diff --git a/node_modules/.bin/parser.cmd b/node_modules/.bin/parser.cmd
new file mode 100644
index 0000000..1ad5c81
--- /dev/null
+++ b/node_modules/.bin/parser.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\@babel\parser\bin\babel-parser.js" %*
diff --git a/node_modules/.bin/parser.ps1 b/node_modules/.bin/parser.ps1
new file mode 100644
index 0000000..8926517
--- /dev/null
+++ b/node_modules/.bin/parser.ps1
@@ -0,0 +1,28 @@
+#!/usr/bin/env pwsh
+$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
+
+$exe=""
+if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
+ # Fix case when both the Windows and Linux builds of Node
+ # are installed in the same directory
+ $exe=".exe"
+}
+$ret=0
+if (Test-Path "$basedir/node$exe") {
+ # Support pipeline input
+ if ($MyInvocation.ExpectingInput) {
+ $input | & "$basedir/node$exe" "$basedir/../@babel/parser/bin/babel-parser.js" $args
+ } else {
+ & "$basedir/node$exe" "$basedir/../@babel/parser/bin/babel-parser.js" $args
+ }
+ $ret=$LASTEXITCODE
+} else {
+ # Support pipeline input
+ if ($MyInvocation.ExpectingInput) {
+ $input | & "node$exe" "$basedir/../@babel/parser/bin/babel-parser.js" $args
+ } else {
+ & "node$exe" "$basedir/../@babel/parser/bin/babel-parser.js" $args
+ }
+ $ret=$LASTEXITCODE
+}
+exit $ret
diff --git a/node_modules/.bin/pkg-fetch.cmd b/node_modules/.bin/pkg-fetch.cmd
new file mode 100644
index 0000000..6c8c89b
--- /dev/null
+++ b/node_modules/.bin/pkg-fetch.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\pkg-fetch\lib-es5\bin.js" %*
diff --git a/node_modules/.bin/pkg.cmd b/node_modules/.bin/pkg.cmd
new file mode 100644
index 0000000..47f0fa0
--- /dev/null
+++ b/node_modules/.bin/pkg.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\pkg\lib-es5\bin.js" %*
diff --git a/node_modules/.bin/prebuild-install.cmd b/node_modules/.bin/prebuild-install.cmd
new file mode 100644
index 0000000..21ff904
--- /dev/null
+++ b/node_modules/.bin/prebuild-install.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\prebuild-install\bin.js" %*
diff --git a/node_modules/.bin/prettier b/node_modules/.bin/prettier
new file mode 100644
index 0000000..5944261
--- /dev/null
+++ b/node_modules/.bin/prettier
@@ -0,0 +1,16 @@
+#!/bin/sh
+basedir=$(dirname "$(echo "$0" | sed -e 's,\\,/,g')")
+
+case `uname` in
+ *CYGWIN*|*MINGW*|*MSYS*)
+ if command -v cygpath > /dev/null 2>&1; then
+ basedir=`cygpath -w "$basedir"`
+ fi
+ ;;
+esac
+
+if [ -x "$basedir/node" ]; then
+ exec "$basedir/node" "$basedir/../prettier/bin/prettier.cjs" "$@"
+else
+ exec node "$basedir/../prettier/bin/prettier.cjs" "$@"
+fi
diff --git a/node_modules/.bin/prettier.cmd b/node_modules/.bin/prettier.cmd
new file mode 100644
index 0000000..e0fa0f7
--- /dev/null
+++ b/node_modules/.bin/prettier.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\prettier\bin\prettier.cjs" %*
diff --git a/node_modules/.bin/prettier.ps1 b/node_modules/.bin/prettier.ps1
new file mode 100644
index 0000000..8359dd9
--- /dev/null
+++ b/node_modules/.bin/prettier.ps1
@@ -0,0 +1,28 @@
+#!/usr/bin/env pwsh
+$basedir=Split-Path $MyInvocation.MyCommand.Definition -Parent
+
+$exe=""
+if ($PSVersionTable.PSVersion -lt "6.0" -or $IsWindows) {
+ # Fix case when both the Windows and Linux builds of Node
+ # are installed in the same directory
+ $exe=".exe"
+}
+$ret=0
+if (Test-Path "$basedir/node$exe") {
+ # Support pipeline input
+ if ($MyInvocation.ExpectingInput) {
+ $input | & "$basedir/node$exe" "$basedir/../prettier/bin/prettier.cjs" $args
+ } else {
+ & "$basedir/node$exe" "$basedir/../prettier/bin/prettier.cjs" $args
+ }
+ $ret=$LASTEXITCODE
+} else {
+ # Support pipeline input
+ if ($MyInvocation.ExpectingInput) {
+ $input | & "node$exe" "$basedir/../prettier/bin/prettier.cjs" $args
+ } else {
+ & "node$exe" "$basedir/../prettier/bin/prettier.cjs" $args
+ }
+ $ret=$LASTEXITCODE
+}
+exit $ret
diff --git a/node_modules/.bin/rc.cmd b/node_modules/.bin/rc.cmd
new file mode 100644
index 0000000..be16b73
--- /dev/null
+++ b/node_modules/.bin/rc.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\rc\cli.js" %*
diff --git a/node_modules/.bin/resolve.cmd b/node_modules/.bin/resolve.cmd
new file mode 100644
index 0000000..1a017c4
--- /dev/null
+++ b/node_modules/.bin/resolve.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\resolve\bin\resolve" %*
diff --git a/node_modules/.bin/semver.cmd b/node_modules/.bin/semver.cmd
new file mode 100644
index 0000000..9913fa9
--- /dev/null
+++ b/node_modules/.bin/semver.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\semver\bin\semver.js" %*
diff --git a/node_modules/.bin/terser.cmd b/node_modules/.bin/terser.cmd
new file mode 100644
index 0000000..abf66a8
--- /dev/null
+++ b/node_modules/.bin/terser.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\terser\bin\terser" %*
diff --git a/node_modules/.bin/uglifyjs.cmd b/node_modules/.bin/uglifyjs.cmd
new file mode 100644
index 0000000..17a9df1
--- /dev/null
+++ b/node_modules/.bin/uglifyjs.cmd
@@ -0,0 +1,17 @@
+@ECHO off
+GOTO start
+:find_dp0
+SET dp0=%~dp0
+EXIT /b
+:start
+SETLOCAL
+CALL :find_dp0
+
+IF EXIST "%dp0%\node.exe" (
+ SET "_prog=%dp0%\node.exe"
+) ELSE (
+ SET "_prog=node"
+ SET PATHEXT=%PATHEXT:;.JS;=;%
+)
+
+endLocal & goto #_undefined_# 2>NUL || title %COMSPEC% & "%_prog%" "%dp0%\..\uglify-js\bin\uglifyjs" %*
diff --git a/node_modules/@babel/generator/lib/buffer.js b/node_modules/@babel/generator/lib/buffer.js
index 99d9afe..0f89745 100644
--- a/node_modules/@babel/generator/lib/buffer.js
+++ b/node_modules/@babel/generator/lib/buffer.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
@@ -10,7 +10,7 @@ function SourcePos() {
identifierName: undefined,
line: undefined,
column: undefined,
- filename: undefined
+ filename: undefined,
};
}
@@ -19,12 +19,12 @@ const SPACES_RE = /^[ \t]+$/;
class Buffer {
constructor(map) {
this._map = null;
- this._buf = "";
+ this._buf = '';
this._last = 0;
this._queue = [];
this._position = {
line: 1,
- column: 0
+ column: 0,
};
this._sourcePosition = SourcePos();
this._disallowedPop = null;
@@ -40,27 +40,27 @@ class Buffer {
decodedMap: map == null ? void 0 : map.getDecoded(),
get map() {
- return result.map = map ? map.get() : null;
+ return (result.map = map ? map.get() : null);
},
set map(value) {
- Object.defineProperty(result, "map", {
+ Object.defineProperty(result, 'map', {
value,
- writable: true
+ writable: true,
});
},
get rawMappings() {
- return result.rawMappings = map == null ? void 0 : map.getRawMappings();
+ return (result.rawMappings =
+ map == null ? void 0 : map.getRawMappings());
},
set rawMappings(value) {
- Object.defineProperty(result, "rawMappings", {
+ Object.defineProperty(result, 'rawMappings', {
value,
- writable: true
+ writable: true,
});
- }
-
+ },
};
return result;
}
@@ -68,29 +68,19 @@ class Buffer {
append(str) {
this._flush();
- const {
- line,
- column,
- filename,
- identifierName
- } = this._sourcePosition;
+ const { line, column, filename, identifierName } = this._sourcePosition;
this._append(str, line, column, identifierName, filename);
}
queue(str) {
- if (str === "\n") {
+ if (str === '\n') {
while (this._queue.length > 0 && SPACES_RE.test(this._queue[0][0])) {
this._queue.shift();
}
}
- const {
- line,
- column,
- filename,
- identifierName
- } = this._sourcePosition;
+ const { line, column, filename, identifierName } = this._sourcePosition;
this._queue.unshift([str, line, column, identifierName, filename]);
}
@@ -102,7 +92,7 @@ class Buffer {
_flush() {
let item;
- while (item = this._queue.pop()) {
+ while ((item = this._queue.pop())) {
this._append(...item);
}
}
@@ -110,7 +100,7 @@ class Buffer {
_append(str, line, column, identifierName, filename) {
this._buf += str;
this._last = str.charCodeAt(str.length - 1);
- let i = str.indexOf("\n");
+ let i = str.indexOf('\n');
let last = 0;
if (i !== 0) {
@@ -126,7 +116,7 @@ class Buffer {
this._mark(++line, 0, identifierName, filename);
}
- i = str.indexOf("\n", last);
+ i = str.indexOf('\n', last);
}
this._position.column += str.length - last;
@@ -135,17 +125,19 @@ class Buffer {
_mark(line, column, identifierName, filename) {
var _this$_map;
- (_this$_map = this._map) == null ? void 0 : _this$_map.mark(this._position, line, column, identifierName, filename);
+ (_this$_map = this._map) == null ?
+ void 0
+ : _this$_map.mark(this._position, line, column, identifierName, filename);
}
removeTrailingNewline() {
- if (this._queue.length > 0 && this._queue[0][0] === "\n") {
+ if (this._queue.length > 0 && this._queue[0][0] === '\n') {
this._queue.shift();
}
}
removeLastSemicolon() {
- if (this._queue.length > 0 && this._queue[0][0] === ";") {
+ if (this._queue.length > 0 && this._queue[0][0] === ';') {
this._queue.shift();
}
}
@@ -185,11 +177,11 @@ class Buffer {
}
exactSource(loc, cb) {
- this.source("start", loc);
+ this.source('start', loc);
cb();
- this.source("end", loc);
+ this.source('end', loc);
- this._disallowPop("start", loc);
+ this._disallowPop('start', loc);
}
source(prop, loc) {
@@ -207,7 +199,12 @@ class Buffer {
this.source(prop, loc);
cb();
- if (!this._disallowedPop || this._disallowedPop.line !== originalLine || this._disallowedPop.column !== originalColumn || this._disallowedPop.filename !== originalFilename) {
+ if (
+ !this._disallowedPop ||
+ this._disallowedPop.line !== originalLine ||
+ this._disallowedPop.column !== originalColumn ||
+ this._disallowedPop.filename !== originalFilename
+ ) {
this._sourcePosition.line = originalLine;
this._sourcePosition.column = originalColumn;
this._sourcePosition.filename = originalFilename;
@@ -223,7 +220,9 @@ class Buffer {
_normalizePosition(prop, loc, targetObj) {
const pos = loc ? loc[prop] : null;
- targetObj.identifierName = prop === "start" && (loc == null ? void 0 : loc.identifierName) || undefined;
+ targetObj.identifierName =
+ (prop === 'start' && (loc == null ? void 0 : loc.identifierName)) ||
+ undefined;
targetObj.line = pos == null ? void 0 : pos.line;
targetObj.column = pos == null ? void 0 : pos.column;
targetObj.filename = loc == null ? void 0 : loc.filename;
@@ -231,24 +230,25 @@ class Buffer {
}
getCurrentColumn() {
- const extra = this._queue.reduce((acc, item) => item[0] + acc, "");
+ const extra = this._queue.reduce((acc, item) => item[0] + acc, '');
- const lastIndex = extra.lastIndexOf("\n");
- return lastIndex === -1 ? this._position.column + extra.length : extra.length - 1 - lastIndex;
+ const lastIndex = extra.lastIndexOf('\n');
+ return lastIndex === -1 ?
+ this._position.column + extra.length
+ : extra.length - 1 - lastIndex;
}
getCurrentLine() {
- const extra = this._queue.reduce((acc, item) => item[0] + acc, "");
+ const extra = this._queue.reduce((acc, item) => item[0] + acc, '');
let count = 0;
for (let i = 0; i < extra.length; i++) {
- if (extra[i] === "\n") count++;
+ if (extra[i] === '\n') count++;
}
return this._position.line + count;
}
-
}
-exports.default = Buffer;
\ No newline at end of file
+exports.default = Buffer;
diff --git a/node_modules/@babel/generator/lib/generators/base.js b/node_modules/@babel/generator/lib/generators/base.js
index be9285c..9e932c6 100644
--- a/node_modules/@babel/generator/lib/generators/base.js
+++ b/node_modules/@babel/generator/lib/generators/base.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.BlockStatement = BlockStatement;
exports.Directive = Directive;
@@ -29,26 +29,29 @@ function Program(node) {
function BlockStatement(node) {
var _node$directives;
- this.token("{");
+ this.token('{');
this.printInnerComments(node);
- const hasDirectives = (_node$directives = node.directives) == null ? void 0 : _node$directives.length;
+ const hasDirectives =
+ (_node$directives = node.directives) == null ?
+ void 0
+ : _node$directives.length;
if (node.body.length || hasDirectives) {
this.newline();
this.printSequence(node.directives, node, {
- indent: true
+ indent: true,
});
if (hasDirectives) this.newline();
this.printSequence(node.body, node, {
- indent: true
+ indent: true,
});
this.removeTrailingNewline();
- this.source("end", node.loc);
+ this.source('end', node.loc);
if (!this.endsWith(10)) this.newline();
this.rightBrace();
} else {
- this.source("end", node.loc);
- this.token("}");
+ this.source('end', node.loc);
+ this.token('}');
}
}
@@ -68,16 +71,17 @@ function DirectiveLiteral(node) {
return;
}
- const {
- value
- } = node;
+ const { value } = node;
if (!unescapedDoubleQuoteRE.test(value)) {
this.token(`"${value}"`);
} else if (!unescapedSingleQuoteRE.test(value)) {
this.token(`'${value}'`);
} else {
- throw new Error("Malformed AST: it is not possible to print a directive containing" + " both unescaped single and double quotes.");
+ throw new Error(
+ 'Malformed AST: it is not possible to print a directive containing' +
+ ' both unescaped single and double quotes.'
+ );
}
}
@@ -86,11 +90,11 @@ function InterpreterDirective(node) {
}
function Placeholder(node) {
- this.token("%%");
+ this.token('%%');
this.print(node.name);
- this.token("%%");
+ this.token('%%');
- if (node.expectedNode === "Statement") {
+ if (node.expectedNode === 'Statement') {
this.semicolon();
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/generators/classes.js b/node_modules/@babel/generator/lib/generators/classes.js
index 141dfda..be708a1 100644
--- a/node_modules/@babel/generator/lib/generators/classes.js
+++ b/node_modules/@babel/generator/lib/generators/classes.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.ClassAccessorProperty = ClassAccessorProperty;
exports.ClassBody = ClassBody;
@@ -13,29 +13,29 @@ exports.ClassProperty = ClassProperty;
exports.StaticBlock = StaticBlock;
exports._classMethodHead = _classMethodHead;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-const {
- isExportDefaultDeclaration,
- isExportNamedDeclaration
-} = _t;
+const { isExportDefaultDeclaration, isExportNamedDeclaration } = _t;
function ClassDeclaration(node, parent) {
- if (!this.format.decoratorsBeforeExport || !isExportDefaultDeclaration(parent) && !isExportNamedDeclaration(parent)) {
+ if (
+ !this.format.decoratorsBeforeExport ||
+ (!isExportDefaultDeclaration(parent) && !isExportNamedDeclaration(parent))
+ ) {
this.printJoin(node.decorators, node);
}
if (node.declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
if (node.abstract) {
- this.word("abstract");
+ this.word('abstract');
this.space();
}
- this.word("class");
+ this.word('class');
this.printInnerComments(node);
if (node.id) {
@@ -47,7 +47,7 @@ function ClassDeclaration(node, parent) {
if (node.superClass) {
this.space();
- this.word("extends");
+ this.word('extends');
this.space();
this.print(node.superClass, node);
this.print(node.superTypeParameters, node);
@@ -55,7 +55,7 @@ function ClassDeclaration(node, parent) {
if (node.implements) {
this.space();
- this.word("implements");
+ this.word('implements');
this.space();
this.printList(node.implements, node);
}
@@ -65,11 +65,11 @@ function ClassDeclaration(node, parent) {
}
function ClassBody(node) {
- this.token("{");
+ this.token('{');
this.printInnerComments(node);
if (node.body.length === 0) {
- this.token("}");
+ this.token('}');
} else {
this.newline();
this.indent();
@@ -82,13 +82,13 @@ function ClassBody(node) {
function ClassProperty(node) {
this.printJoin(node.decorators, node);
- this.source("end", node.key.loc);
+ this.source('end', node.key.loc);
this.tsPrintClassMemberModifiers(node, true);
if (node.computed) {
- this.token("[");
+ this.token('[');
this.print(node.key, node);
- this.token("]");
+ this.token(']');
} else {
this._variance(node);
@@ -96,18 +96,18 @@ function ClassProperty(node) {
}
if (node.optional) {
- this.token("?");
+ this.token('?');
}
if (node.definite) {
- this.token("!");
+ this.token('!');
}
this.print(node.typeAnnotation, node);
if (node.value) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.value, node);
}
@@ -117,16 +117,16 @@ function ClassProperty(node) {
function ClassAccessorProperty(node) {
this.printJoin(node.decorators, node);
- this.source("end", node.key.loc);
+ this.source('end', node.key.loc);
this.tsPrintClassMemberModifiers(node, true);
- this.word("accessor");
+ this.word('accessor');
this.printInnerComments(node);
this.space();
if (node.computed) {
- this.token("[");
+ this.token('[');
this.print(node.key, node);
- this.token("]");
+ this.token(']');
} else {
this._variance(node);
@@ -134,18 +134,18 @@ function ClassAccessorProperty(node) {
}
if (node.optional) {
- this.token("?");
+ this.token('?');
}
if (node.definite) {
- this.token("!");
+ this.token('!');
}
this.print(node.typeAnnotation, node);
if (node.value) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.value, node);
}
@@ -157,7 +157,7 @@ function ClassPrivateProperty(node) {
this.printJoin(node.decorators, node);
if (node.static) {
- this.word("static");
+ this.word('static');
this.space();
}
@@ -166,7 +166,7 @@ function ClassPrivateProperty(node) {
if (node.value) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.value, node);
}
@@ -190,24 +190,24 @@ function ClassPrivateMethod(node) {
function _classMethodHead(node) {
this.printJoin(node.decorators, node);
- this.source("end", node.key.loc);
+ this.source('end', node.key.loc);
this.tsPrintClassMemberModifiers(node, false);
this._methodHead(node);
}
function StaticBlock(node) {
- this.word("static");
+ this.word('static');
this.space();
- this.token("{");
+ this.token('{');
if (node.body.length === 0) {
- this.token("}");
+ this.token('}');
} else {
this.newline();
this.printSequence(node.body, node, {
- indent: true
+ indent: true,
});
this.rightBrace();
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/generators/expressions.js b/node_modules/@babel/generator/lib/generators/expressions.js
index c1caf0d..3cfe4e8 100644
--- a/node_modules/@babel/generator/lib/generators/expressions.js
+++ b/node_modules/@babel/generator/lib/generators/expressions.js
@@ -1,9 +1,12 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-exports.LogicalExpression = exports.BinaryExpression = exports.AssignmentExpression = AssignmentExpression;
+exports.LogicalExpression =
+ exports.BinaryExpression =
+ exports.AssignmentExpression =
+ AssignmentExpression;
exports.AssignmentPattern = AssignmentPattern;
exports.AwaitExpression = void 0;
exports.BindExpression = BindExpression;
@@ -30,19 +33,19 @@ exports.UpdateExpression = UpdateExpression;
exports.V8IntrinsicIdentifier = V8IntrinsicIdentifier;
exports.YieldExpression = void 0;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-var n = require("../node");
+var n = require('../node');
-const {
- isCallExpression,
- isLiteral,
- isMemberExpression,
- isNewExpression
-} = _t;
+const { isCallExpression, isLiteral, isMemberExpression, isNewExpression } = _t;
function UnaryExpression(node) {
- if (node.operator === "void" || node.operator === "delete" || node.operator === "typeof" || node.operator === "throw") {
+ if (
+ node.operator === 'void' ||
+ node.operator === 'delete' ||
+ node.operator === 'typeof' ||
+ node.operator === 'throw'
+ ) {
this.word(node.operator);
this.space();
} else {
@@ -54,19 +57,19 @@ function UnaryExpression(node) {
function DoExpression(node) {
if (node.async) {
- this.word("async");
+ this.word('async');
this.space();
}
- this.word("do");
+ this.word('do');
this.space();
this.print(node.body, node);
}
function ParenthesizedExpression(node) {
- this.token("(");
+ this.token('(');
this.print(node.expression, node);
- this.token(")");
+ this.token(')');
}
function UpdateExpression(node) {
@@ -84,23 +87,30 @@ function UpdateExpression(node) {
function ConditionalExpression(node) {
this.print(node.test, node);
this.space();
- this.token("?");
+ this.token('?');
this.space();
this.print(node.consequent, node);
this.space();
- this.token(":");
+ this.token(':');
this.space();
this.print(node.alternate, node);
}
function NewExpression(node, parent) {
- this.word("new");
+ this.word('new');
this.space();
this.print(node.callee, node);
- if (this.format.minified && node.arguments.length === 0 && !node.optional && !isCallExpression(parent, {
- callee: node
- }) && !isMemberExpression(parent) && !isNewExpression(parent)) {
+ if (
+ this.format.minified &&
+ node.arguments.length === 0 &&
+ !node.optional &&
+ !isCallExpression(parent, {
+ callee: node,
+ }) &&
+ !isMemberExpression(parent) &&
+ !isNewExpression(parent)
+ ) {
return;
}
@@ -108,12 +118,12 @@ function NewExpression(node, parent) {
this.print(node.typeParameters, node);
if (node.optional) {
- this.token("?.");
+ this.token('?.');
}
- this.token("(");
+ this.token('(');
this.printList(node.arguments, node);
- this.token(")");
+ this.token(')');
}
function SequenceExpression(node) {
@@ -121,20 +131,24 @@ function SequenceExpression(node) {
}
function ThisExpression() {
- this.word("this");
+ this.word('this');
}
function Super() {
- this.word("super");
+ this.word('super');
}
function isDecoratorMemberExpression(node) {
switch (node.type) {
- case "Identifier":
+ case 'Identifier':
return true;
- case "MemberExpression":
- return !node.computed && node.property.type === "Identifier" && isDecoratorMemberExpression(node.object);
+ case 'MemberExpression':
+ return (
+ !node.computed &&
+ node.property.type === 'Identifier' &&
+ isDecoratorMemberExpression(node.object)
+ );
default:
return false;
@@ -142,11 +156,11 @@ function isDecoratorMemberExpression(node) {
}
function shouldParenthesizeDecoratorExpression(node) {
- if (node.type === "CallExpression") {
+ if (node.type === 'CallExpression') {
node = node.callee;
}
- if (node.type === "ParenthesizedExpression") {
+ if (node.type === 'ParenthesizedExpression') {
return false;
}
@@ -154,15 +168,13 @@ function shouldParenthesizeDecoratorExpression(node) {
}
function Decorator(node) {
- this.token("@");
- const {
- expression
- } = node;
+ this.token('@');
+ const { expression } = node;
if (shouldParenthesizeDecoratorExpression(expression)) {
- this.token("(");
+ this.token('(');
this.print(expression, node);
- this.token(")");
+ this.token(')');
} else {
this.print(expression, node);
}
@@ -174,26 +186,26 @@ function OptionalMemberExpression(node) {
this.print(node.object, node);
if (!node.computed && isMemberExpression(node.property)) {
- throw new TypeError("Got a MemberExpression for MemberExpression property");
+ throw new TypeError('Got a MemberExpression for MemberExpression property');
}
let computed = node.computed;
- if (isLiteral(node.property) && typeof node.property.value === "number") {
+ if (isLiteral(node.property) && typeof node.property.value === 'number') {
computed = true;
}
if (node.optional) {
- this.token("?.");
+ this.token('?.');
}
if (computed) {
- this.token("[");
+ this.token('[');
this.print(node.property, node);
- this.token("]");
+ this.token(']');
} else {
if (!node.optional) {
- this.token(".");
+ this.token('.');
}
this.print(node.property, node);
@@ -206,25 +218,25 @@ function OptionalCallExpression(node) {
this.print(node.typeParameters, node);
if (node.optional) {
- this.token("?.");
+ this.token('?.');
}
- this.token("(");
+ this.token('(');
this.printList(node.arguments, node);
- this.token(")");
+ this.token(')');
}
function CallExpression(node) {
this.print(node.callee, node);
this.print(node.typeArguments, node);
this.print(node.typeParameters, node);
- this.token("(");
+ this.token('(');
this.printList(node.arguments, node);
- this.token(")");
+ this.token(')');
}
function Import() {
- this.word("import");
+ this.word('import');
}
function buildYieldAwait(keyword) {
@@ -232,7 +244,7 @@ function buildYieldAwait(keyword) {
this.word(keyword);
if (node.delegate) {
- this.token("*");
+ this.token('*');
}
if (node.argument) {
@@ -244,9 +256,9 @@ function buildYieldAwait(keyword) {
};
}
-const YieldExpression = buildYieldAwait("yield");
+const YieldExpression = buildYieldAwait('yield');
exports.YieldExpression = YieldExpression;
-const AwaitExpression = buildYieldAwait("await");
+const AwaitExpression = buildYieldAwait('await');
exports.AwaitExpression = AwaitExpression;
function EmptyStatement() {
@@ -260,25 +272,28 @@ function ExpressionStatement(node) {
function AssignmentPattern(node) {
this.print(node.left, node);
- if (node.left.optional) this.token("?");
+ if (node.left.optional) this.token('?');
this.print(node.left.typeAnnotation, node);
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.right, node);
}
function AssignmentExpression(node, parent) {
- const parens = this.inForStatementInitCounter && node.operator === "in" && !n.needsParens(node, parent);
+ const parens =
+ this.inForStatementInitCounter &&
+ node.operator === 'in' &&
+ !n.needsParens(node, parent);
if (parens) {
- this.token("(");
+ this.token('(');
}
this.print(node.left, node);
this.space();
- if (node.operator === "in" || node.operator === "instanceof") {
+ if (node.operator === 'in' || node.operator === 'instanceof') {
this.word(node.operator);
} else {
this.token(node.operator);
@@ -288,13 +303,13 @@ function AssignmentExpression(node, parent) {
this.print(node.right, node);
if (parens) {
- this.token(")");
+ this.token(')');
}
}
function BindExpression(node) {
this.print(node.object, node);
- this.token("::");
+ this.token('::');
this.print(node.callee, node);
}
@@ -302,53 +317,53 @@ function MemberExpression(node) {
this.print(node.object, node);
if (!node.computed && isMemberExpression(node.property)) {
- throw new TypeError("Got a MemberExpression for MemberExpression property");
+ throw new TypeError('Got a MemberExpression for MemberExpression property');
}
let computed = node.computed;
- if (isLiteral(node.property) && typeof node.property.value === "number") {
+ if (isLiteral(node.property) && typeof node.property.value === 'number') {
computed = true;
}
if (computed) {
- this.token("[");
+ this.token('[');
this.print(node.property, node);
- this.token("]");
+ this.token(']');
} else {
- this.token(".");
+ this.token('.');
this.print(node.property, node);
}
}
function MetaProperty(node) {
this.print(node.meta, node);
- this.token(".");
+ this.token('.');
this.print(node.property, node);
}
function PrivateName(node) {
- this.token("#");
+ this.token('#');
this.print(node.id, node);
}
function V8IntrinsicIdentifier(node) {
- this.token("%");
+ this.token('%');
this.word(node.name);
}
function ModuleExpression(node) {
- this.word("module");
+ this.word('module');
this.space();
- this.token("{");
+ this.token('{');
if (node.body.body.length === 0) {
- this.token("}");
+ this.token('}');
} else {
this.newline();
this.printSequence(node.body.body, node, {
- indent: true
+ indent: true,
});
this.rightBrace();
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/generators/flow.js b/node_modules/@babel/generator/lib/generators/flow.js
index 7c0bc7d..908fea3 100644
--- a/node_modules/@babel/generator/lib/generators/flow.js
+++ b/node_modules/@babel/generator/lib/generators/flow.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.AnyTypeAnnotation = AnyTypeAnnotation;
exports.ArrayTypeAnnotation = ArrayTypeAnnotation;
@@ -34,17 +34,20 @@ exports.FunctionTypeParam = FunctionTypeParam;
exports.IndexedAccessType = IndexedAccessType;
exports.InferredPredicate = InferredPredicate;
exports.InterfaceDeclaration = InterfaceDeclaration;
-exports.GenericTypeAnnotation = exports.ClassImplements = exports.InterfaceExtends = InterfaceExtends;
+exports.GenericTypeAnnotation =
+ exports.ClassImplements =
+ exports.InterfaceExtends =
+ InterfaceExtends;
exports.InterfaceTypeAnnotation = InterfaceTypeAnnotation;
exports.IntersectionTypeAnnotation = IntersectionTypeAnnotation;
exports.MixedTypeAnnotation = MixedTypeAnnotation;
exports.NullLiteralTypeAnnotation = NullLiteralTypeAnnotation;
exports.NullableTypeAnnotation = NullableTypeAnnotation;
-Object.defineProperty(exports, "NumberLiteralTypeAnnotation", {
+Object.defineProperty(exports, 'NumberLiteralTypeAnnotation', {
enumerable: true,
get: function () {
return _types2.NumericLiteral;
- }
+ },
});
exports.NumberTypeAnnotation = NumberTypeAnnotation;
exports.ObjectTypeAnnotation = ObjectTypeAnnotation;
@@ -56,11 +59,11 @@ exports.ObjectTypeSpreadProperty = ObjectTypeSpreadProperty;
exports.OpaqueType = OpaqueType;
exports.OptionalIndexedAccessType = OptionalIndexedAccessType;
exports.QualifiedTypeIdentifier = QualifiedTypeIdentifier;
-Object.defineProperty(exports, "StringLiteralTypeAnnotation", {
+Object.defineProperty(exports, 'StringLiteralTypeAnnotation', {
enumerable: true,
get: function () {
return _types2.StringLiteral;
- }
+ },
});
exports.StringTypeAnnotation = StringTypeAnnotation;
exports.SymbolTypeAnnotation = SymbolTypeAnnotation;
@@ -70,7 +73,8 @@ exports.TypeAlias = TypeAlias;
exports.TypeAnnotation = TypeAnnotation;
exports.TypeCastExpression = TypeCastExpression;
exports.TypeParameter = TypeParameter;
-exports.TypeParameterDeclaration = exports.TypeParameterInstantiation = TypeParameterInstantiation;
+exports.TypeParameterDeclaration = exports.TypeParameterInstantiation =
+ TypeParameterInstantiation;
exports.TypeofTypeAnnotation = TypeofTypeAnnotation;
exports.UnionTypeAnnotation = UnionTypeAnnotation;
exports.Variance = Variance;
@@ -78,46 +82,43 @@ exports.VoidTypeAnnotation = VoidTypeAnnotation;
exports._interfaceish = _interfaceish;
exports._variance = _variance;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-var _modules = require("./modules");
+var _modules = require('./modules');
-var _types2 = require("./types");
+var _types2 = require('./types');
-const {
- isDeclareExportDeclaration,
- isStatement
-} = _t;
+const { isDeclareExportDeclaration, isStatement } = _t;
function AnyTypeAnnotation() {
- this.word("any");
+ this.word('any');
}
function ArrayTypeAnnotation(node) {
this.print(node.elementType, node);
- this.token("[");
- this.token("]");
+ this.token('[');
+ this.token(']');
}
function BooleanTypeAnnotation() {
- this.word("boolean");
+ this.word('boolean');
}
function BooleanLiteralTypeAnnotation(node) {
- this.word(node.value ? "true" : "false");
+ this.word(node.value ? 'true' : 'false');
}
function NullLiteralTypeAnnotation() {
- this.word("null");
+ this.word('null');
}
function DeclareClass(node, parent) {
if (!isDeclareExportDeclaration(parent)) {
- this.word("declare");
+ this.word('declare');
this.space();
}
- this.word("class");
+ this.word('class');
this.space();
this._interfaceish(node);
@@ -125,11 +126,11 @@ function DeclareClass(node, parent) {
function DeclareFunction(node, parent) {
if (!isDeclareExportDeclaration(parent)) {
- this.word("declare");
+ this.word('declare');
this.space();
}
- this.word("function");
+ this.word('function');
this.space();
this.print(node.id, node);
this.print(node.id.typeAnnotation.typeAnnotation, node);
@@ -143,28 +144,28 @@ function DeclareFunction(node, parent) {
}
function InferredPredicate() {
- this.token("%");
- this.word("checks");
+ this.token('%');
+ this.word('checks');
}
function DeclaredPredicate(node) {
- this.token("%");
- this.word("checks");
- this.token("(");
+ this.token('%');
+ this.word('checks');
+ this.token('(');
this.print(node.value, node);
- this.token(")");
+ this.token(')');
}
function DeclareInterface(node) {
- this.word("declare");
+ this.word('declare');
this.space();
this.InterfaceDeclaration(node);
}
function DeclareModule(node) {
- this.word("declare");
+ this.word('declare');
this.space();
- this.word("module");
+ this.word('module');
this.space();
this.print(node.id, node);
this.space();
@@ -172,23 +173,23 @@ function DeclareModule(node) {
}
function DeclareModuleExports(node) {
- this.word("declare");
+ this.word('declare');
this.space();
- this.word("module");
- this.token(".");
- this.word("exports");
+ this.word('module');
+ this.token('.');
+ this.word('exports');
this.print(node.typeAnnotation, node);
}
function DeclareTypeAlias(node) {
- this.word("declare");
+ this.word('declare');
this.space();
this.TypeAlias(node);
}
function DeclareOpaqueType(node, parent) {
if (!isDeclareExportDeclaration(parent)) {
- this.word("declare");
+ this.word('declare');
this.space();
}
@@ -197,11 +198,11 @@ function DeclareOpaqueType(node, parent) {
function DeclareVariable(node, parent) {
if (!isDeclareExportDeclaration(parent)) {
- this.word("declare");
+ this.word('declare');
this.space();
}
- this.word("var");
+ this.word('var');
this.space();
this.print(node.id, node);
this.print(node.id.typeAnnotation, node);
@@ -209,13 +210,13 @@ function DeclareVariable(node, parent) {
}
function DeclareExportDeclaration(node) {
- this.word("declare");
+ this.word('declare');
this.space();
- this.word("export");
+ this.word('export');
this.space();
if (node.default) {
- this.word("default");
+ this.word('default');
this.space();
}
@@ -223,18 +224,15 @@ function DeclareExportDeclaration(node) {
}
function DeclareExportAllDeclaration() {
- this.word("declare");
+ this.word('declare');
this.space();
_modules.ExportAllDeclaration.apply(this, arguments);
}
function EnumDeclaration(node) {
- const {
- id,
- body
- } = node;
- this.word("enum");
+ const { id, body } = node;
+ this.word('enum');
this.space();
this.print(id, node);
this.print(body, node);
@@ -243,7 +241,7 @@ function EnumDeclaration(node) {
function enumExplicitType(context, name, hasExplicitType) {
if (hasExplicitType) {
context.space();
- context.word("of");
+ context.word('of');
context.space();
context.word(name);
}
@@ -252,10 +250,8 @@ function enumExplicitType(context, name, hasExplicitType) {
}
function enumBody(context, node) {
- const {
- members
- } = node;
- context.token("{");
+ const { members } = node;
+ context.token('{');
context.indent();
context.newline();
@@ -265,62 +261,51 @@ function enumBody(context, node) {
}
if (node.hasUnknownMembers) {
- context.token("...");
+ context.token('...');
context.newline();
}
context.dedent();
- context.token("}");
+ context.token('}');
}
function EnumBooleanBody(node) {
- const {
- explicitType
- } = node;
- enumExplicitType(this, "boolean", explicitType);
+ const { explicitType } = node;
+ enumExplicitType(this, 'boolean', explicitType);
enumBody(this, node);
}
function EnumNumberBody(node) {
- const {
- explicitType
- } = node;
- enumExplicitType(this, "number", explicitType);
+ const { explicitType } = node;
+ enumExplicitType(this, 'number', explicitType);
enumBody(this, node);
}
function EnumStringBody(node) {
- const {
- explicitType
- } = node;
- enumExplicitType(this, "string", explicitType);
+ const { explicitType } = node;
+ enumExplicitType(this, 'string', explicitType);
enumBody(this, node);
}
function EnumSymbolBody(node) {
- enumExplicitType(this, "symbol", true);
+ enumExplicitType(this, 'symbol', true);
enumBody(this, node);
}
function EnumDefaultedMember(node) {
- const {
- id
- } = node;
+ const { id } = node;
this.print(id, node);
- this.token(",");
+ this.token(',');
}
function enumInitializedMember(context, node) {
- const {
- id,
- init
- } = node;
+ const { id, init } = node;
context.print(id, node);
context.space();
- context.token("=");
+ context.token('=');
context.space();
context.print(init, node);
- context.token(",");
+ context.token(',');
}
function EnumBooleanMember(node) {
@@ -341,7 +326,7 @@ function FlowExportDeclaration(node) {
this.print(declar, node);
if (!isStatement(declar)) this.semicolon();
} else {
- this.token("{");
+ this.token('{');
if (node.specifiers.length) {
this.space();
@@ -349,11 +334,11 @@ function FlowExportDeclaration(node) {
this.space();
}
- this.token("}");
+ this.token('}');
if (node.source) {
this.space();
- this.word("from");
+ this.word('from');
this.space();
this.print(node.source, node);
}
@@ -363,21 +348,21 @@ function FlowExportDeclaration(node) {
}
function ExistsTypeAnnotation() {
- this.token("*");
+ this.token('*');
}
function FunctionTypeAnnotation(node, parent) {
this.print(node.typeParameters, node);
- this.token("(");
+ this.token('(');
if (node.this) {
- this.word("this");
- this.token(":");
+ this.word('this');
+ this.token(':');
this.space();
this.print(node.this.typeAnnotation, node);
if (node.params.length || node.rest) {
- this.token(",");
+ this.token(',');
this.space();
}
}
@@ -386,21 +371,26 @@ function FunctionTypeAnnotation(node, parent) {
if (node.rest) {
if (node.params.length) {
- this.token(",");
+ this.token(',');
this.space();
}
- this.token("...");
+ this.token('...');
this.print(node.rest, node);
}
- this.token(")");
+ this.token(')');
- if (parent && (parent.type === "ObjectTypeCallProperty" || parent.type === "DeclareFunction" || parent.type === "ObjectTypeProperty" && parent.method)) {
- this.token(":");
+ if (
+ parent &&
+ (parent.type === 'ObjectTypeCallProperty' ||
+ parent.type === 'DeclareFunction' ||
+ (parent.type === 'ObjectTypeProperty' && parent.method))
+ ) {
+ this.token(':');
} else {
this.space();
- this.token("=>");
+ this.token('=>');
}
this.space();
@@ -409,10 +399,10 @@ function FunctionTypeAnnotation(node, parent) {
function FunctionTypeParam(node) {
this.print(node.name, node);
- if (node.optional) this.token("?");
+ if (node.optional) this.token('?');
if (node.name) {
- this.token(":");
+ this.token(':');
this.space();
}
@@ -432,21 +422,21 @@ function _interfaceish(node) {
if ((_node$extends = node.extends) != null && _node$extends.length) {
this.space();
- this.word("extends");
+ this.word('extends');
this.space();
this.printList(node.extends, node);
}
if (node.mixins && node.mixins.length) {
this.space();
- this.word("mixins");
+ this.word('mixins');
this.space();
this.printList(node.mixins, node);
}
if (node.implements && node.implements.length) {
this.space();
- this.word("implements");
+ this.word('implements');
this.space();
this.printList(node.implements, node);
}
@@ -457,16 +447,16 @@ function _interfaceish(node) {
function _variance(node) {
if (node.variance) {
- if (node.variance.kind === "plus") {
- this.token("+");
- } else if (node.variance.kind === "minus") {
- this.token("-");
+ if (node.variance.kind === 'plus') {
+ this.token('+');
+ } else if (node.variance.kind === 'minus') {
+ this.token('-');
}
}
}
function InterfaceDeclaration(node) {
- this.word("interface");
+ this.word('interface');
this.space();
this._interfaceish(node);
@@ -474,16 +464,16 @@ function InterfaceDeclaration(node) {
function andSeparator() {
this.space();
- this.token("&");
+ this.token('&');
this.space();
}
function InterfaceTypeAnnotation(node) {
- this.word("interface");
+ this.word('interface');
if (node.extends && node.extends.length) {
this.space();
- this.word("extends");
+ this.word('extends');
this.space();
this.printList(node.extends, node);
}
@@ -494,70 +484,70 @@ function InterfaceTypeAnnotation(node) {
function IntersectionTypeAnnotation(node) {
this.printJoin(node.types, node, {
- separator: andSeparator
+ separator: andSeparator,
});
}
function MixedTypeAnnotation() {
- this.word("mixed");
+ this.word('mixed');
}
function EmptyTypeAnnotation() {
- this.word("empty");
+ this.word('empty');
}
function NullableTypeAnnotation(node) {
- this.token("?");
+ this.token('?');
this.print(node.typeAnnotation, node);
}
function NumberTypeAnnotation() {
- this.word("number");
+ this.word('number');
}
function StringTypeAnnotation() {
- this.word("string");
+ this.word('string');
}
function ThisTypeAnnotation() {
- this.word("this");
+ this.word('this');
}
function TupleTypeAnnotation(node) {
- this.token("[");
+ this.token('[');
this.printList(node.types, node);
- this.token("]");
+ this.token(']');
}
function TypeofTypeAnnotation(node) {
- this.word("typeof");
+ this.word('typeof');
this.space();
this.print(node.argument, node);
}
function TypeAlias(node) {
- this.word("type");
+ this.word('type');
this.space();
this.print(node.id, node);
this.print(node.typeParameters, node);
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.right, node);
this.semicolon();
}
function TypeAnnotation(node) {
- this.token(":");
+ this.token(':');
this.space();
- if (node.optional) this.token("?");
+ if (node.optional) this.token('?');
this.print(node.typeAnnotation, node);
}
function TypeParameterInstantiation(node) {
- this.token("<");
+ this.token('<');
this.printList(node.params, node, {});
- this.token(">");
+ this.token('>');
}
function TypeParameter(node) {
@@ -571,29 +561,29 @@ function TypeParameter(node) {
if (node.default) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.default, node);
}
}
function OpaqueType(node) {
- this.word("opaque");
+ this.word('opaque');
this.space();
- this.word("type");
+ this.word('type');
this.space();
this.print(node.id, node);
this.print(node.typeParameters, node);
if (node.supertype) {
- this.token(":");
+ this.token(':');
this.space();
this.print(node.supertype, node);
}
if (node.impltype) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.impltype, node);
}
@@ -603,12 +593,17 @@ function OpaqueType(node) {
function ObjectTypeAnnotation(node) {
if (node.exact) {
- this.token("{|");
+ this.token('{|');
} else {
- this.token("{");
+ this.token('{');
}
- const props = [...node.properties, ...(node.callProperties || []), ...(node.indexers || []), ...(node.internalSlots || [])];
+ const props = [
+ ...node.properties,
+ ...(node.callProperties || []),
+ ...(node.indexers || []),
+ ...(node.internalSlots || []),
+ ];
if (props.length) {
this.space();
@@ -621,17 +616,17 @@ function ObjectTypeAnnotation(node) {
statement: true,
iterator: () => {
if (props.length !== 1 || node.inexact) {
- this.token(",");
+ this.token(',');
this.space();
}
- }
+ },
});
this.space();
}
if (node.inexact) {
this.indent();
- this.token("...");
+ this.token('...');
if (props.length) {
this.newline();
@@ -641,27 +636,27 @@ function ObjectTypeAnnotation(node) {
}
if (node.exact) {
- this.token("|}");
+ this.token('|}');
} else {
- this.token("}");
+ this.token('}');
}
}
function ObjectTypeInternalSlot(node) {
if (node.static) {
- this.word("static");
+ this.word('static');
this.space();
}
- this.token("[");
- this.token("[");
+ this.token('[');
+ this.token('[');
this.print(node.id, node);
- this.token("]");
- this.token("]");
- if (node.optional) this.token("?");
+ this.token(']');
+ this.token(']');
+ if (node.optional) this.token('?');
if (!node.method) {
- this.token(":");
+ this.token(':');
this.space();
}
@@ -670,7 +665,7 @@ function ObjectTypeInternalSlot(node) {
function ObjectTypeCallProperty(node) {
if (node.static) {
- this.word("static");
+ this.word('static');
this.space();
}
@@ -679,39 +674,39 @@ function ObjectTypeCallProperty(node) {
function ObjectTypeIndexer(node) {
if (node.static) {
- this.word("static");
+ this.word('static');
this.space();
}
this._variance(node);
- this.token("[");
+ this.token('[');
if (node.id) {
this.print(node.id, node);
- this.token(":");
+ this.token(':');
this.space();
}
this.print(node.key, node);
- this.token("]");
- this.token(":");
+ this.token(']');
+ this.token(':');
this.space();
this.print(node.value, node);
}
function ObjectTypeProperty(node) {
if (node.proto) {
- this.word("proto");
+ this.word('proto');
this.space();
}
if (node.static) {
- this.word("static");
+ this.word('static');
this.space();
}
- if (node.kind === "get" || node.kind === "set") {
+ if (node.kind === 'get' || node.kind === 'set') {
this.word(node.kind);
this.space();
}
@@ -719,10 +714,10 @@ function ObjectTypeProperty(node) {
this._variance(node);
this.print(node.key, node);
- if (node.optional) this.token("?");
+ if (node.optional) this.token('?');
if (!node.method) {
- this.token(":");
+ this.token(':');
this.space();
}
@@ -730,66 +725,66 @@ function ObjectTypeProperty(node) {
}
function ObjectTypeSpreadProperty(node) {
- this.token("...");
+ this.token('...');
this.print(node.argument, node);
}
function QualifiedTypeIdentifier(node) {
this.print(node.qualification, node);
- this.token(".");
+ this.token('.');
this.print(node.id, node);
}
function SymbolTypeAnnotation() {
- this.word("symbol");
+ this.word('symbol');
}
function orSeparator() {
this.space();
- this.token("|");
+ this.token('|');
this.space();
}
function UnionTypeAnnotation(node) {
this.printJoin(node.types, node, {
- separator: orSeparator
+ separator: orSeparator,
});
}
function TypeCastExpression(node) {
- this.token("(");
+ this.token('(');
this.print(node.expression, node);
this.print(node.typeAnnotation, node);
- this.token(")");
+ this.token(')');
}
function Variance(node) {
- if (node.kind === "plus") {
- this.token("+");
+ if (node.kind === 'plus') {
+ this.token('+');
} else {
- this.token("-");
+ this.token('-');
}
}
function VoidTypeAnnotation() {
- this.word("void");
+ this.word('void');
}
function IndexedAccessType(node) {
this.print(node.objectType, node);
- this.token("[");
+ this.token('[');
this.print(node.indexType, node);
- this.token("]");
+ this.token(']');
}
function OptionalIndexedAccessType(node) {
this.print(node.objectType, node);
if (node.optional) {
- this.token("?.");
+ this.token('?.');
}
- this.token("[");
+ this.token('[');
this.print(node.indexType, node);
- this.token("]");
-}
\ No newline at end of file
+ this.token(']');
+}
diff --git a/node_modules/@babel/generator/lib/generators/index.js b/node_modules/@babel/generator/lib/generators/index.js
index 8820db0..5de776a 100644
--- a/node_modules/@babel/generator/lib/generators/index.js
+++ b/node_modules/@babel/generator/lib/generators/index.js
@@ -1,148 +1,148 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-var _templateLiterals = require("./template-literals");
+var _templateLiterals = require('./template-literals');
Object.keys(_templateLiterals).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _templateLiterals[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _templateLiterals[key];
- }
+ },
});
});
-var _expressions = require("./expressions");
+var _expressions = require('./expressions');
Object.keys(_expressions).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _expressions[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _expressions[key];
- }
+ },
});
});
-var _statements = require("./statements");
+var _statements = require('./statements');
Object.keys(_statements).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _statements[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _statements[key];
- }
+ },
});
});
-var _classes = require("./classes");
+var _classes = require('./classes');
Object.keys(_classes).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _classes[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _classes[key];
- }
+ },
});
});
-var _methods = require("./methods");
+var _methods = require('./methods');
Object.keys(_methods).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _methods[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _methods[key];
- }
+ },
});
});
-var _modules = require("./modules");
+var _modules = require('./modules');
Object.keys(_modules).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _modules[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _modules[key];
- }
+ },
});
});
-var _types = require("./types");
+var _types = require('./types');
Object.keys(_types).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _types[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _types[key];
- }
+ },
});
});
-var _flow = require("./flow");
+var _flow = require('./flow');
Object.keys(_flow).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _flow[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _flow[key];
- }
+ },
});
});
-var _base = require("./base");
+var _base = require('./base');
Object.keys(_base).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _base[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _base[key];
- }
+ },
});
});
-var _jsx = require("./jsx");
+var _jsx = require('./jsx');
Object.keys(_jsx).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _jsx[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _jsx[key];
- }
+ },
});
});
-var _typescript = require("./typescript");
+var _typescript = require('./typescript');
Object.keys(_typescript).forEach(function (key) {
- if (key === "default" || key === "__esModule") return;
+ if (key === 'default' || key === '__esModule') return;
if (key in exports && exports[key] === _typescript[key]) return;
Object.defineProperty(exports, key, {
enumerable: true,
get: function () {
return _typescript[key];
- }
+ },
});
-});
\ No newline at end of file
+});
diff --git a/node_modules/@babel/generator/lib/generators/jsx.js b/node_modules/@babel/generator/lib/generators/jsx.js
index 3c11f59..60560ba 100644
--- a/node_modules/@babel/generator/lib/generators/jsx.js
+++ b/node_modules/@babel/generator/lib/generators/jsx.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.JSXAttribute = JSXAttribute;
exports.JSXClosingElement = JSXClosingElement;
@@ -23,7 +23,7 @@ function JSXAttribute(node) {
this.print(node.name, node);
if (node.value) {
- this.token("=");
+ this.token('=');
this.print(node.value, node);
}
}
@@ -34,34 +34,34 @@ function JSXIdentifier(node) {
function JSXNamespacedName(node) {
this.print(node.namespace, node);
- this.token(":");
+ this.token(':');
this.print(node.name, node);
}
function JSXMemberExpression(node) {
this.print(node.object, node);
- this.token(".");
+ this.token('.');
this.print(node.property, node);
}
function JSXSpreadAttribute(node) {
- this.token("{");
- this.token("...");
+ this.token('{');
+ this.token('...');
this.print(node.argument, node);
- this.token("}");
+ this.token('}');
}
function JSXExpressionContainer(node) {
- this.token("{");
+ this.token('{');
this.print(node.expression, node);
- this.token("}");
+ this.token('}');
}
function JSXSpreadChild(node) {
- this.token("{");
- this.token("...");
+ this.token('{');
+ this.token('...');
this.print(node.expression, node);
- this.token("}");
+ this.token('}');
}
function JSXText(node) {
@@ -93,29 +93,29 @@ function spaceSeparator() {
}
function JSXOpeningElement(node) {
- this.token("<");
+ this.token('<');
this.print(node.name, node);
this.print(node.typeParameters, node);
if (node.attributes.length > 0) {
this.space();
this.printJoin(node.attributes, node, {
- separator: spaceSeparator
+ separator: spaceSeparator,
});
}
if (node.selfClosing) {
this.space();
- this.token("/>");
+ this.token('/>');
} else {
- this.token(">");
+ this.token('>');
}
}
function JSXClosingElement(node) {
- this.token("");
+ this.token('');
this.print(node.name, node);
- this.token(">");
+ this.token('>');
}
function JSXEmptyExpression(node) {
@@ -135,11 +135,11 @@ function JSXFragment(node) {
}
function JSXOpeningFragment() {
- this.token("<");
- this.token(">");
+ this.token('<');
+ this.token('>');
}
function JSXClosingFragment() {
- this.token("");
- this.token(">");
-}
\ No newline at end of file
+ this.token('');
+ this.token('>');
+}
diff --git a/node_modules/@babel/generator/lib/generators/methods.js b/node_modules/@babel/generator/lib/generators/methods.js
index d31e7fa..660d21a 100644
--- a/node_modules/@babel/generator/lib/generators/methods.js
+++ b/node_modules/@babel/generator/lib/generators/methods.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.ArrowFunctionExpression = ArrowFunctionExpression;
exports.FunctionDeclaration = exports.FunctionExpression = FunctionExpression;
@@ -12,19 +12,17 @@ exports._parameters = _parameters;
exports._params = _params;
exports._predicate = _predicate;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-const {
- isIdentifier
-} = _t;
+const { isIdentifier } = _t;
function _params(node) {
this.print(node.typeParameters, node);
- this.token("(");
+ this.token('(');
this._parameters(node.params, node);
- this.token(")");
+ this.token(')');
this.print(node.returnType, node);
}
@@ -33,7 +31,7 @@ function _parameters(parameters, parent) {
this._param(parameters[i], parent);
if (i < parameters.length - 1) {
- this.token(",");
+ this.token(',');
this.space();
}
}
@@ -42,7 +40,7 @@ function _parameters(parameters, parent) {
function _param(parameter, parent) {
this.printJoin(parameter.decorators, parameter);
this.print(parameter, parent);
- if (parameter.optional) this.token("?");
+ if (parameter.optional) this.token('?');
this.print(parameter.typeAnnotation, parameter);
}
@@ -50,34 +48,34 @@ function _methodHead(node) {
const kind = node.kind;
const key = node.key;
- if (kind === "get" || kind === "set") {
+ if (kind === 'get' || kind === 'set') {
this.word(kind);
this.space();
}
if (node.async) {
- this._catchUp("start", key.loc);
+ this._catchUp('start', key.loc);
- this.word("async");
+ this.word('async');
this.space();
}
- if (kind === "method" || kind === "init") {
+ if (kind === 'method' || kind === 'init') {
if (node.generator) {
- this.token("*");
+ this.token('*');
}
}
if (node.computed) {
- this.token("[");
+ this.token('[');
this.print(key, node);
- this.token("]");
+ this.token(']');
} else {
this.print(key, node);
}
if (node.optional) {
- this.token("?");
+ this.token('?');
}
this._params(node);
@@ -86,7 +84,7 @@ function _methodHead(node) {
function _predicate(node) {
if (node.predicate) {
if (!node.returnType) {
- this.token(":");
+ this.token(':');
}
this.space();
@@ -96,12 +94,12 @@ function _predicate(node) {
function _functionHead(node) {
if (node.async) {
- this.word("async");
+ this.word('async');
this.space();
}
- this.word("function");
- if (node.generator) this.token("*");
+ this.word('function');
+ if (node.generator) this.token('*');
this.printInnerComments(node);
this.space();
@@ -123,13 +121,20 @@ function FunctionExpression(node) {
function ArrowFunctionExpression(node) {
if (node.async) {
- this.word("async");
+ this.word('async');
this.space();
}
const firstParam = node.params[0];
- if (!this.format.retainLines && !this.format.auxiliaryCommentBefore && !this.format.auxiliaryCommentAfter && node.params.length === 1 && isIdentifier(firstParam) && !hasTypesOrComments(node, firstParam)) {
+ if (
+ !this.format.retainLines &&
+ !this.format.auxiliaryCommentBefore &&
+ !this.format.auxiliaryCommentAfter &&
+ node.params.length === 1 &&
+ isIdentifier(firstParam) &&
+ !hasTypesOrComments(node, firstParam)
+ ) {
this.print(firstParam, node);
} else {
this._params(node);
@@ -138,7 +143,7 @@ function ArrowFunctionExpression(node) {
this._predicate(node);
this.space();
- this.token("=>");
+ this.token('=>');
this.space();
this.print(node.body, node);
}
@@ -146,5 +151,15 @@ function ArrowFunctionExpression(node) {
function hasTypesOrComments(node, param) {
var _param$leadingComment, _param$trailingCommen;
- return !!(node.typeParameters || node.returnType || node.predicate || param.typeAnnotation || param.optional || (_param$leadingComment = param.leadingComments) != null && _param$leadingComment.length || (_param$trailingCommen = param.trailingComments) != null && _param$trailingCommen.length);
-}
\ No newline at end of file
+ return !!(
+ node.typeParameters ||
+ node.returnType ||
+ node.predicate ||
+ param.typeAnnotation ||
+ param.optional ||
+ ((_param$leadingComment = param.leadingComments) != null &&
+ _param$leadingComment.length) ||
+ ((_param$trailingCommen = param.trailingComments) != null &&
+ _param$trailingCommen.length)
+ );
+}
diff --git a/node_modules/@babel/generator/lib/generators/modules.js b/node_modules/@babel/generator/lib/generators/modules.js
index 3224deb..3b82429 100644
--- a/node_modules/@babel/generator/lib/generators/modules.js
+++ b/node_modules/@babel/generator/lib/generators/modules.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.ExportAllDeclaration = ExportAllDeclaration;
exports.ExportDefaultDeclaration = ExportDefaultDeclaration;
@@ -15,7 +15,7 @@ exports.ImportDefaultSpecifier = ImportDefaultSpecifier;
exports.ImportNamespaceSpecifier = ImportNamespaceSpecifier;
exports.ImportSpecifier = ImportSpecifier;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
const {
isClassDeclaration,
@@ -23,11 +23,11 @@ const {
isExportNamespaceSpecifier,
isImportDefaultSpecifier,
isImportNamespaceSpecifier,
- isStatement
+ isStatement,
} = _t;
function ImportSpecifier(node) {
- if (node.importKind === "type" || node.importKind === "typeof") {
+ if (node.importKind === 'type' || node.importKind === 'typeof') {
this.word(node.importKind);
this.space();
}
@@ -36,7 +36,7 @@ function ImportSpecifier(node) {
if (node.local && node.local.name !== node.imported.name) {
this.space();
- this.word("as");
+ this.word('as');
this.space();
this.print(node.local, node);
}
@@ -51,8 +51,8 @@ function ExportDefaultSpecifier(node) {
}
function ExportSpecifier(node) {
- if (node.exportKind === "type") {
- this.word("type");
+ if (node.exportKind === 'type') {
+ this.word('type');
this.space();
}
@@ -60,32 +60,32 @@ function ExportSpecifier(node) {
if (node.exported && node.local.name !== node.exported.name) {
this.space();
- this.word("as");
+ this.word('as');
this.space();
this.print(node.exported, node);
}
}
function ExportNamespaceSpecifier(node) {
- this.token("*");
+ this.token('*');
this.space();
- this.word("as");
+ this.word('as');
this.space();
this.print(node.exported, node);
}
function ExportAllDeclaration(node) {
- this.word("export");
+ this.word('export');
this.space();
- if (node.exportKind === "type") {
- this.word("type");
+ if (node.exportKind === 'type') {
+ this.word('type');
this.space();
}
- this.token("*");
+ this.token('*');
this.space();
- this.word("from");
+ this.word('from');
this.space();
this.print(node.source, node);
this.printAssertions(node);
@@ -93,23 +93,29 @@ function ExportAllDeclaration(node) {
}
function ExportNamedDeclaration(node) {
- if (this.format.decoratorsBeforeExport && isClassDeclaration(node.declaration)) {
+ if (
+ this.format.decoratorsBeforeExport &&
+ isClassDeclaration(node.declaration)
+ ) {
this.printJoin(node.declaration.decorators, node);
}
- this.word("export");
+ this.word('export');
this.space();
ExportDeclaration.apply(this, arguments);
}
function ExportDefaultDeclaration(node) {
- if (this.format.decoratorsBeforeExport && isClassDeclaration(node.declaration)) {
+ if (
+ this.format.decoratorsBeforeExport &&
+ isClassDeclaration(node.declaration)
+ ) {
this.printJoin(node.declaration.decorators, node);
}
- this.word("export");
+ this.word('export');
this.space();
- this.word("default");
+ this.word('default');
this.space();
ExportDeclaration.apply(this, arguments);
}
@@ -120,8 +126,8 @@ function ExportDeclaration(node) {
this.print(declar, node);
if (!isStatement(declar)) this.semicolon();
} else {
- if (node.exportKind === "type") {
- this.word("type");
+ if (node.exportKind === 'type') {
+ this.word('type');
this.space();
}
@@ -131,12 +137,15 @@ function ExportDeclaration(node) {
for (;;) {
const first = specifiers[0];
- if (isExportDefaultSpecifier(first) || isExportNamespaceSpecifier(first)) {
+ if (
+ isExportDefaultSpecifier(first) ||
+ isExportNamespaceSpecifier(first)
+ ) {
hasSpecial = true;
this.print(specifiers.shift(), node);
if (specifiers.length) {
- this.token(",");
+ this.token(',');
this.space();
}
} else {
@@ -144,8 +153,8 @@ function ExportDeclaration(node) {
}
}
- if (specifiers.length || !specifiers.length && !hasSpecial) {
- this.token("{");
+ if (specifiers.length || (!specifiers.length && !hasSpecial)) {
+ this.token('{');
if (specifiers.length) {
this.space();
@@ -153,12 +162,12 @@ function ExportDeclaration(node) {
this.space();
}
- this.token("}");
+ this.token('}');
}
if (node.source) {
this.space();
- this.word("from");
+ this.word('from');
this.space();
this.print(node.source, node);
this.printAssertions(node);
@@ -169,9 +178,9 @@ function ExportDeclaration(node) {
}
function ImportDeclaration(node) {
- this.word("import");
+ this.word('import');
this.space();
- const isTypeKind = node.importKind === "type" || node.importKind === "typeof";
+ const isTypeKind = node.importKind === 'type' || node.importKind === 'typeof';
if (isTypeKind) {
this.word(node.importKind);
@@ -188,7 +197,7 @@ function ImportDeclaration(node) {
this.print(specifiers.shift(), node);
if (specifiers.length) {
- this.token(",");
+ this.token(',');
this.space();
}
} else {
@@ -197,19 +206,19 @@ function ImportDeclaration(node) {
}
if (specifiers.length) {
- this.token("{");
+ this.token('{');
this.space();
this.printList(specifiers, node);
this.space();
- this.token("}");
+ this.token('}');
} else if (isTypeKind && !hasSpecifiers) {
- this.token("{");
- this.token("}");
+ this.token('{');
+ this.token('}');
}
if (hasSpecifiers || isTypeKind) {
this.space();
- this.word("from");
+ this.word('from');
this.space();
}
@@ -218,9 +227,12 @@ function ImportDeclaration(node) {
{
var _node$attributes;
- if ((_node$attributes = node.attributes) != null && _node$attributes.length) {
+ if (
+ (_node$attributes = node.attributes) != null &&
+ _node$attributes.length
+ ) {
this.space();
- this.word("with");
+ this.word('with');
this.space();
this.printList(node.attributes, node);
}
@@ -230,15 +242,15 @@ function ImportDeclaration(node) {
function ImportAttribute(node) {
this.print(node.key);
- this.token(":");
+ this.token(':');
this.space();
this.print(node.value);
}
function ImportNamespaceSpecifier(node) {
- this.token("*");
+ this.token('*');
this.space();
- this.word("as");
+ this.word('as');
this.space();
this.print(node.local, node);
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/generators/statements.js b/node_modules/@babel/generator/lib/generators/statements.js
index 8b7b8fd..4db9627 100644
--- a/node_modules/@babel/generator/lib/generators/statements.js
+++ b/node_modules/@babel/generator/lib/generators/statements.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.BreakStatement = void 0;
exports.CatchClause = CatchClause;
@@ -22,35 +22,31 @@ exports.VariableDeclarator = VariableDeclarator;
exports.WhileStatement = WhileStatement;
exports.WithStatement = WithStatement;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-const {
- isFor,
- isForStatement,
- isIfStatement,
- isStatement
-} = _t;
+const { isFor, isForStatement, isIfStatement, isStatement } = _t;
function WithStatement(node) {
- this.word("with");
+ this.word('with');
this.space();
- this.token("(");
+ this.token('(');
this.print(node.object, node);
- this.token(")");
+ this.token(')');
this.printBlock(node);
}
function IfStatement(node) {
- this.word("if");
+ this.word('if');
this.space();
- this.token("(");
+ this.token('(');
this.print(node.test, node);
- this.token(")");
+ this.token(')');
this.space();
- const needsBlock = node.alternate && isIfStatement(getLastStatement(node.consequent));
+ const needsBlock =
+ node.alternate && isIfStatement(getLastStatement(node.consequent));
if (needsBlock) {
- this.token("{");
+ this.token('{');
this.newline();
this.indent();
}
@@ -60,12 +56,12 @@ function IfStatement(node) {
if (needsBlock) {
this.dedent();
this.newline();
- this.token("}");
+ this.token('}');
}
if (node.alternate) {
if (this.endsWith(125)) this.space();
- this.word("else");
+ this.word('else');
this.space();
this.printAndIndentOnComments(node.alternate, node);
}
@@ -77,86 +73,86 @@ function getLastStatement(statement) {
}
function ForStatement(node) {
- this.word("for");
+ this.word('for');
this.space();
- this.token("(");
+ this.token('(');
this.inForStatementInitCounter++;
this.print(node.init, node);
this.inForStatementInitCounter--;
- this.token(";");
+ this.token(';');
if (node.test) {
this.space();
this.print(node.test, node);
}
- this.token(";");
+ this.token(';');
if (node.update) {
this.space();
this.print(node.update, node);
}
- this.token(")");
+ this.token(')');
this.printBlock(node);
}
function WhileStatement(node) {
- this.word("while");
+ this.word('while');
this.space();
- this.token("(");
+ this.token('(');
this.print(node.test, node);
- this.token(")");
+ this.token(')');
this.printBlock(node);
}
const buildForXStatement = function (op) {
return function (node) {
- this.word("for");
+ this.word('for');
this.space();
- if (op === "of" && node.await) {
- this.word("await");
+ if (op === 'of' && node.await) {
+ this.word('await');
this.space();
}
- this.token("(");
+ this.token('(');
this.print(node.left, node);
this.space();
this.word(op);
this.space();
this.print(node.right, node);
- this.token(")");
+ this.token(')');
this.printBlock(node);
};
};
-const ForInStatement = buildForXStatement("in");
+const ForInStatement = buildForXStatement('in');
exports.ForInStatement = ForInStatement;
-const ForOfStatement = buildForXStatement("of");
+const ForOfStatement = buildForXStatement('of');
exports.ForOfStatement = ForOfStatement;
function DoWhileStatement(node) {
- this.word("do");
+ this.word('do');
this.space();
this.print(node.body, node);
this.space();
- this.word("while");
+ this.word('while');
this.space();
- this.token("(");
+ this.token('(');
this.print(node.test, node);
- this.token(")");
+ this.token(')');
this.semicolon();
}
-function buildLabelStatement(prefix, key = "label") {
+function buildLabelStatement(prefix, key = 'label') {
return function (node) {
this.word(prefix);
const label = node[key];
if (label) {
this.space();
- const isLabel = key == "label";
+ const isLabel = key == 'label';
const terminatorState = this.startTerminatorless(isLabel);
this.print(label, node);
this.endTerminatorless(terminatorState);
@@ -166,24 +162,24 @@ function buildLabelStatement(prefix, key = "label") {
};
}
-const ContinueStatement = buildLabelStatement("continue");
+const ContinueStatement = buildLabelStatement('continue');
exports.ContinueStatement = ContinueStatement;
-const ReturnStatement = buildLabelStatement("return", "argument");
+const ReturnStatement = buildLabelStatement('return', 'argument');
exports.ReturnStatement = ReturnStatement;
-const BreakStatement = buildLabelStatement("break");
+const BreakStatement = buildLabelStatement('break');
exports.BreakStatement = BreakStatement;
-const ThrowStatement = buildLabelStatement("throw", "argument");
+const ThrowStatement = buildLabelStatement('throw', 'argument');
exports.ThrowStatement = ThrowStatement;
function LabeledStatement(node) {
this.print(node.label, node);
- this.token(":");
+ this.token(':');
this.space();
this.print(node.body, node);
}
function TryStatement(node) {
- this.word("try");
+ this.word('try');
this.space();
this.print(node.block, node);
this.space();
@@ -196,21 +192,21 @@ function TryStatement(node) {
if (node.finalizer) {
this.space();
- this.word("finally");
+ this.word('finally');
this.space();
this.print(node.finalizer, node);
}
}
function CatchClause(node) {
- this.word("catch");
+ this.word('catch');
this.space();
if (node.param) {
- this.token("(");
+ this.token('(');
this.print(node.param, node);
this.print(node.param.typeAnnotation, node);
- this.token(")");
+ this.token(')');
this.space();
}
@@ -218,50 +214,49 @@ function CatchClause(node) {
}
function SwitchStatement(node) {
- this.word("switch");
+ this.word('switch');
this.space();
- this.token("(");
+ this.token('(');
this.print(node.discriminant, node);
- this.token(")");
+ this.token(')');
this.space();
- this.token("{");
+ this.token('{');
this.printSequence(node.cases, node, {
indent: true,
addNewlines(leading, cas) {
if (!leading && node.cases[node.cases.length - 1] === cas) return -1;
- }
-
+ },
});
- this.token("}");
+ this.token('}');
}
function SwitchCase(node) {
if (node.test) {
- this.word("case");
+ this.word('case');
this.space();
this.print(node.test, node);
- this.token(":");
+ this.token(':');
} else {
- this.word("default");
- this.token(":");
+ this.word('default');
+ this.token(':');
}
if (node.consequent.length) {
this.newline();
this.printSequence(node.consequent, node, {
- indent: true
+ indent: true,
});
}
}
function DebuggerStatement() {
- this.word("debugger");
+ this.word('debugger');
this.semicolon();
}
function variableDeclarationIndent() {
- this.token(",");
+ this.token(',');
this.newline();
if (this.endsWith(10)) {
@@ -270,7 +265,7 @@ function variableDeclarationIndent() {
}
function constDeclarationIndent() {
- this.token(",");
+ this.token(',');
this.newline();
if (this.endsWith(10)) {
@@ -280,7 +275,7 @@ function constDeclarationIndent() {
function VariableDeclaration(node, parent) {
if (node.declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
@@ -299,11 +294,14 @@ function VariableDeclaration(node, parent) {
let separator;
if (hasInits) {
- separator = node.kind === "const" ? constDeclarationIndent : variableDeclarationIndent;
+ separator =
+ node.kind === 'const' ?
+ constDeclarationIndent
+ : variableDeclarationIndent;
}
this.printList(node.declarations, node, {
- separator
+ separator,
});
if (isFor(parent)) {
@@ -319,13 +317,13 @@ function VariableDeclaration(node, parent) {
function VariableDeclarator(node) {
this.print(node.id, node);
- if (node.definite) this.token("!");
+ if (node.definite) this.token('!');
this.print(node.id.typeAnnotation, node);
if (node.init) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.init, node);
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/generators/template-literals.js b/node_modules/@babel/generator/lib/generators/template-literals.js
index 0543303..bdc3560 100644
--- a/node_modules/@babel/generator/lib/generators/template-literals.js
+++ b/node_modules/@babel/generator/lib/generators/template-literals.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.TaggedTemplateExpression = TaggedTemplateExpression;
exports.TemplateElement = TemplateElement;
@@ -16,7 +16,7 @@ function TaggedTemplateExpression(node) {
function TemplateElement(node, parent) {
const isFirst = parent.quasis[0] === node;
const isLast = parent.quasis[parent.quasis.length - 1] === node;
- const value = (isFirst ? "`" : "}") + node.value.raw + (isLast ? "`" : "${");
+ const value = (isFirst ? '`' : '}') + node.value.raw + (isLast ? '`' : '${');
this.token(value);
}
@@ -30,4 +30,4 @@ function TemplateLiteral(node) {
this.print(node.expressions[i], node);
}
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/generators/types.js b/node_modules/@babel/generator/lib/generators/types.js
index a56fb47..a023cd0 100644
--- a/node_modules/@babel/generator/lib/generators/types.js
+++ b/node_modules/@babel/generator/lib/generators/types.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.ArgumentPlaceholder = ArgumentPlaceholder;
exports.ArrayPattern = exports.ArrayExpression = ArrayExpression;
@@ -24,14 +24,11 @@ exports.StringLiteral = StringLiteral;
exports.TopicReference = TopicReference;
exports.TupleExpression = TupleExpression;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-var _jsesc = require("jsesc");
+var _jsesc = require('jsesc');
-const {
- isAssignmentPattern,
- isIdentifier
-} = _t;
+const { isAssignmentPattern, isIdentifier } = _t;
function Identifier(node) {
this.exactSource(node.loc, () => {
@@ -40,29 +37,29 @@ function Identifier(node) {
}
function ArgumentPlaceholder() {
- this.token("?");
+ this.token('?');
}
function RestElement(node) {
- this.token("...");
+ this.token('...');
this.print(node.argument, node);
}
function ObjectExpression(node) {
const props = node.properties;
- this.token("{");
+ this.token('{');
this.printInnerComments(node);
if (props.length) {
this.space();
this.printList(props, node, {
indent: true,
- statement: true
+ statement: true,
});
this.space();
}
- this.token("}");
+ this.token('}');
}
function ObjectMethod(node) {
@@ -78,23 +75,32 @@ function ObjectProperty(node) {
this.printJoin(node.decorators, node);
if (node.computed) {
- this.token("[");
+ this.token('[');
this.print(node.key, node);
- this.token("]");
+ this.token(']');
} else {
- if (isAssignmentPattern(node.value) && isIdentifier(node.key) && node.key.name === node.value.left.name) {
+ if (
+ isAssignmentPattern(node.value) &&
+ isIdentifier(node.key) &&
+ node.key.name === node.value.left.name
+ ) {
this.print(node.value, node);
return;
}
this.print(node.key, node);
- if (node.shorthand && isIdentifier(node.key) && isIdentifier(node.value) && node.key.name === node.value.name) {
+ if (
+ node.shorthand &&
+ isIdentifier(node.key) &&
+ isIdentifier(node.value) &&
+ node.key.name === node.value.name
+ ) {
return;
}
}
- this.token(":");
+ this.token(':');
this.space();
this.print(node.value, node);
}
@@ -102,7 +108,7 @@ function ObjectProperty(node) {
function ArrayExpression(node) {
const elems = node.elements;
const len = elems.length;
- this.token("[");
+ this.token('[');
this.printInnerComments(node);
for (let i = 0; i < elems.length; i++) {
@@ -111,13 +117,13 @@ function ArrayExpression(node) {
if (elem) {
if (i > 0) this.space();
this.print(elem, node);
- if (i < len - 1) this.token(",");
+ if (i < len - 1) this.token(',');
} else {
- this.token(",");
+ this.token(',');
}
}
- this.token("]");
+ this.token(']');
}
function RecordExpression(node) {
@@ -125,14 +131,16 @@ function RecordExpression(node) {
let startToken;
let endToken;
- if (this.format.recordAndTupleSyntaxType === "bar") {
- startToken = "{|";
- endToken = "|}";
- } else if (this.format.recordAndTupleSyntaxType === "hash") {
- startToken = "#{";
- endToken = "}";
+ if (this.format.recordAndTupleSyntaxType === 'bar') {
+ startToken = '{|';
+ endToken = '|}';
+ } else if (this.format.recordAndTupleSyntaxType === 'hash') {
+ startToken = '#{';
+ endToken = '}';
} else {
- throw new Error(`The "recordAndTupleSyntaxType" generator option must be "bar" or "hash" (${JSON.stringify(this.format.recordAndTupleSyntaxType)} received).`);
+ throw new Error(
+ `The "recordAndTupleSyntaxType" generator option must be "bar" or "hash" (${JSON.stringify(this.format.recordAndTupleSyntaxType)} received).`
+ );
}
this.token(startToken);
@@ -142,7 +150,7 @@ function RecordExpression(node) {
this.space();
this.printList(props, node, {
indent: true,
- statement: true
+ statement: true,
});
this.space();
}
@@ -156,14 +164,16 @@ function TupleExpression(node) {
let startToken;
let endToken;
- if (this.format.recordAndTupleSyntaxType === "bar") {
- startToken = "[|";
- endToken = "|]";
- } else if (this.format.recordAndTupleSyntaxType === "hash") {
- startToken = "#[";
- endToken = "]";
+ if (this.format.recordAndTupleSyntaxType === 'bar') {
+ startToken = '[|';
+ endToken = '|]';
+ } else if (this.format.recordAndTupleSyntaxType === 'hash') {
+ startToken = '#[';
+ endToken = ']';
} else {
- throw new Error(`${this.format.recordAndTupleSyntaxType} is not a valid recordAndTuple syntax type`);
+ throw new Error(
+ `${this.format.recordAndTupleSyntaxType} is not a valid recordAndTuple syntax type`
+ );
}
this.token(startToken);
@@ -175,7 +185,7 @@ function TupleExpression(node) {
if (elem) {
if (i > 0) this.space();
this.print(elem, node);
- if (i < len - 1) this.token(",");
+ if (i < len - 1) this.token(',');
}
}
@@ -187,17 +197,17 @@ function RegExpLiteral(node) {
}
function BooleanLiteral(node) {
- this.word(node.value ? "true" : "false");
+ this.word(node.value ? 'true' : 'false');
}
function NullLiteral() {
- this.word("null");
+ this.word('null');
}
function NumericLiteral(node) {
const raw = this.getPossibleRaw(node);
const opts = this.format.jsescOption;
- const value = node.value + "";
+ const value = node.value + '';
if (opts.numbers) {
this.number(_jsesc(node.value, opts));
@@ -218,9 +228,15 @@ function StringLiteral(node) {
return;
}
- const val = _jsesc(node.value, Object.assign(this.format.jsescOption, this.format.jsonCompatibleStrings && {
- json: true
- }));
+ const val = _jsesc(
+ node.value,
+ Object.assign(
+ this.format.jsescOption,
+ this.format.jsonCompatibleStrings && {
+ json: true,
+ }
+ )
+ );
return this.token(val);
}
@@ -233,7 +249,7 @@ function BigIntLiteral(node) {
return;
}
- this.word(node.value + "n");
+ this.word(node.value + 'n');
}
function DecimalLiteral(node) {
@@ -244,22 +260,25 @@ function DecimalLiteral(node) {
return;
}
- this.word(node.value + "m");
+ this.word(node.value + 'm');
}
-const validTopicTokenSet = new Set(["^^", "@@", "^", "%", "#"]);
+const validTopicTokenSet = new Set(['^^', '@@', '^', '%', '#']);
function TopicReference() {
- const {
- topicToken
- } = this.format;
+ const { topicToken } = this.format;
if (validTopicTokenSet.has(topicToken)) {
this.token(topicToken);
} else {
const givenTopicTokenJSON = JSON.stringify(topicToken);
- const validTopics = Array.from(validTopicTokenSet, v => JSON.stringify(v));
- throw new Error(`The "topicToken" generator option must be one of ` + `${validTopics.join(", ")} (${givenTopicTokenJSON} received instead).`);
+ const validTopics = Array.from(validTopicTokenSet, (v) =>
+ JSON.stringify(v)
+ );
+ throw new Error(
+ `The "topicToken" generator option must be one of ` +
+ `${validTopics.join(', ')} (${givenTopicTokenJSON} received instead).`
+ );
}
}
@@ -272,5 +291,5 @@ function PipelineBareFunction(node) {
}
function PipelinePrimaryTopicReference() {
- this.token("#");
-}
\ No newline at end of file
+ this.token('#');
+}
diff --git a/node_modules/@babel/generator/lib/generators/typescript.js b/node_modules/@babel/generator/lib/generators/typescript.js
index 1ab6471..cb910cb 100644
--- a/node_modules/@babel/generator/lib/generators/typescript.js
+++ b/node_modules/@babel/generator/lib/generators/typescript.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.TSAnyKeyword = TSAnyKeyword;
exports.TSArrayType = TSArrayType;
@@ -58,7 +58,8 @@ exports.TSTypeAssertion = TSTypeAssertion;
exports.TSTypeLiteral = TSTypeLiteral;
exports.TSTypeOperator = TSTypeOperator;
exports.TSTypeParameter = TSTypeParameter;
-exports.TSTypeParameterDeclaration = exports.TSTypeParameterInstantiation = TSTypeParameterInstantiation;
+exports.TSTypeParameterDeclaration = exports.TSTypeParameterInstantiation =
+ TSTypeParameterInstantiation;
exports.TSTypePredicate = TSTypePredicate;
exports.TSTypeQuery = TSTypeQuery;
exports.TSTypeReference = TSTypeReference;
@@ -75,31 +76,31 @@ exports.tsPrintTypeLiteralOrInterfaceBody = tsPrintTypeLiteralOrInterfaceBody;
exports.tsPrintUnionOrIntersectionType = tsPrintUnionOrIntersectionType;
function TSTypeAnnotation(node) {
- this.token(":");
+ this.token(':');
this.space();
- if (node.optional) this.token("?");
+ if (node.optional) this.token('?');
this.print(node.typeAnnotation, node);
}
function TSTypeParameterInstantiation(node, parent) {
- this.token("<");
+ this.token('<');
this.printList(node.params, node, {});
- if (parent.type === "ArrowFunctionExpression" && node.params.length === 1) {
- this.token(",");
+ if (parent.type === 'ArrowFunctionExpression' && node.params.length === 1) {
+ this.token(',');
}
- this.token(">");
+ this.token('>');
}
function TSTypeParameter(node) {
if (node.in) {
- this.word("in");
+ this.word('in');
this.space();
}
if (node.out) {
- this.word("out");
+ this.word('out');
this.space();
}
@@ -107,14 +108,14 @@ function TSTypeParameter(node) {
if (node.constraint) {
this.space();
- this.word("extends");
+ this.word('extends');
this.space();
this.print(node.constraint, node);
}
if (node.default) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.default, node);
}
@@ -127,7 +128,7 @@ function TSParameterProperty(node) {
}
if (node.readonly) {
- this.word("readonly");
+ this.word('readonly');
this.space();
}
@@ -136,47 +137,44 @@ function TSParameterProperty(node) {
function TSDeclareFunction(node) {
if (node.declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
this._functionHead(node);
- this.token(";");
+ this.token(';');
}
function TSDeclareMethod(node) {
this._classMethodHead(node);
- this.token(";");
+ this.token(';');
}
function TSQualifiedName(node) {
this.print(node.left, node);
- this.token(".");
+ this.token('.');
this.print(node.right, node);
}
function TSCallSignatureDeclaration(node) {
this.tsPrintSignatureDeclarationBase(node);
- this.token(";");
+ this.token(';');
}
function TSConstructSignatureDeclaration(node) {
- this.word("new");
+ this.word('new');
this.space();
this.tsPrintSignatureDeclarationBase(node);
- this.token(";");
+ this.token(';');
}
function TSPropertySignature(node) {
- const {
- readonly,
- initializer
- } = node;
+ const { readonly, initializer } = node;
if (readonly) {
- this.word("readonly");
+ this.word('readonly');
this.space();
}
@@ -185,124 +183,119 @@ function TSPropertySignature(node) {
if (initializer) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(initializer, node);
}
- this.token(";");
+ this.token(';');
}
function tsPrintPropertyOrMethodName(node) {
if (node.computed) {
- this.token("[");
+ this.token('[');
}
this.print(node.key, node);
if (node.computed) {
- this.token("]");
+ this.token(']');
}
if (node.optional) {
- this.token("?");
+ this.token('?');
}
}
function TSMethodSignature(node) {
- const {
- kind
- } = node;
+ const { kind } = node;
- if (kind === "set" || kind === "get") {
+ if (kind === 'set' || kind === 'get') {
this.word(kind);
this.space();
}
this.tsPrintPropertyOrMethodName(node);
this.tsPrintSignatureDeclarationBase(node);
- this.token(";");
+ this.token(';');
}
function TSIndexSignature(node) {
- const {
- readonly,
- static: isStatic
- } = node;
+ const { readonly, static: isStatic } = node;
if (isStatic) {
- this.word("static");
+ this.word('static');
this.space();
}
if (readonly) {
- this.word("readonly");
+ this.word('readonly');
this.space();
}
- this.token("[");
+ this.token('[');
this._parameters(node.parameters, node);
- this.token("]");
+ this.token(']');
this.print(node.typeAnnotation, node);
- this.token(";");
+ this.token(';');
}
function TSAnyKeyword() {
- this.word("any");
+ this.word('any');
}
function TSBigIntKeyword() {
- this.word("bigint");
+ this.word('bigint');
}
function TSUnknownKeyword() {
- this.word("unknown");
+ this.word('unknown');
}
function TSNumberKeyword() {
- this.word("number");
+ this.word('number');
}
function TSObjectKeyword() {
- this.word("object");
+ this.word('object');
}
function TSBooleanKeyword() {
- this.word("boolean");
+ this.word('boolean');
}
function TSStringKeyword() {
- this.word("string");
+ this.word('string');
}
function TSSymbolKeyword() {
- this.word("symbol");
+ this.word('symbol');
}
function TSVoidKeyword() {
- this.word("void");
+ this.word('void');
}
function TSUndefinedKeyword() {
- this.word("undefined");
+ this.word('undefined');
}
function TSNullKeyword() {
- this.word("null");
+ this.word('null');
}
function TSNeverKeyword() {
- this.word("never");
+ this.word('never');
}
function TSIntrinsicKeyword() {
- this.word("intrinsic");
+ this.word('intrinsic');
}
function TSThisType() {
- this.word("this");
+ this.word('this');
}
function TSFunctionType(node) {
@@ -311,28 +304,26 @@ function TSFunctionType(node) {
function TSConstructorType(node) {
if (node.abstract) {
- this.word("abstract");
+ this.word('abstract');
this.space();
}
- this.word("new");
+ this.word('new');
this.space();
this.tsPrintFunctionOrConstructorType(node);
}
function tsPrintFunctionOrConstructorType(node) {
- const {
- typeParameters
- } = node;
+ const { typeParameters } = node;
const parameters = node.parameters;
this.print(typeParameters, node);
- this.token("(");
+ this.token('(');
this._parameters(parameters, node);
- this.token(")");
+ this.token(')');
this.space();
- this.token("=>");
+ this.token('=>');
this.space();
const returnType = node.typeAnnotation;
this.print(returnType.typeAnnotation, node);
@@ -345,7 +336,7 @@ function TSTypeReference(node) {
function TSTypePredicate(node) {
if (node.asserts) {
- this.word("asserts");
+ this.word('asserts');
this.space();
}
@@ -353,14 +344,14 @@ function TSTypePredicate(node) {
if (node.typeAnnotation) {
this.space();
- this.word("is");
+ this.word('is');
this.space();
this.print(node.typeAnnotation.typeAnnotation);
}
}
function TSTypeQuery(node) {
- this.word("typeof");
+ this.word('typeof');
this.space();
this.print(node.exprName);
@@ -378,7 +369,7 @@ function tsPrintTypeLiteralOrInterfaceBody(members, node) {
}
function tsPrintBraced(members, node) {
- this.token("{");
+ this.token('{');
if (members.length) {
this.indent();
@@ -392,45 +383,45 @@ function tsPrintBraced(members, node) {
this.dedent();
this.rightBrace();
} else {
- this.token("}");
+ this.token('}');
}
}
function TSArrayType(node) {
this.print(node.elementType, node);
- this.token("[]");
+ this.token('[]');
}
function TSTupleType(node) {
- this.token("[");
+ this.token('[');
this.printList(node.elementTypes, node);
- this.token("]");
+ this.token(']');
}
function TSOptionalType(node) {
this.print(node.typeAnnotation, node);
- this.token("?");
+ this.token('?');
}
function TSRestType(node) {
- this.token("...");
+ this.token('...');
this.print(node.typeAnnotation, node);
}
function TSNamedTupleMember(node) {
this.print(node.label, node);
- if (node.optional) this.token("?");
- this.token(":");
+ if (node.optional) this.token('?');
+ this.token(':');
this.space();
this.print(node.elementType, node);
}
function TSUnionType(node) {
- this.tsPrintUnionOrIntersectionType(node, "|");
+ this.tsPrintUnionOrIntersectionType(node, '|');
}
function TSIntersectionType(node) {
- this.tsPrintUnionOrIntersectionType(node, "&");
+ this.tsPrintUnionOrIntersectionType(node, '&');
}
function tsPrintUnionOrIntersectionType(node, sep) {
@@ -439,37 +430,36 @@ function tsPrintUnionOrIntersectionType(node, sep) {
this.space();
this.token(sep);
this.space();
- }
-
+ },
});
}
function TSConditionalType(node) {
this.print(node.checkType);
this.space();
- this.word("extends");
+ this.word('extends');
this.space();
this.print(node.extendsType);
this.space();
- this.token("?");
+ this.token('?');
this.space();
this.print(node.trueType);
this.space();
- this.token(":");
+ this.token(':');
this.space();
this.print(node.falseType);
}
function TSInferType(node) {
- this.token("infer");
+ this.token('infer');
this.space();
this.print(node.typeParameter);
}
function TSParenthesizedType(node) {
- this.token("(");
+ this.token('(');
this.print(node.typeAnnotation, node);
- this.token(")");
+ this.token(')');
}
function TSTypeOperator(node) {
@@ -480,53 +470,48 @@ function TSTypeOperator(node) {
function TSIndexedAccessType(node) {
this.print(node.objectType, node);
- this.token("[");
+ this.token('[');
this.print(node.indexType, node);
- this.token("]");
+ this.token(']');
}
function TSMappedType(node) {
- const {
- nameType,
- optional,
- readonly,
- typeParameter
- } = node;
- this.token("{");
+ const { nameType, optional, readonly, typeParameter } = node;
+ this.token('{');
this.space();
if (readonly) {
tokenIfPlusMinus(this, readonly);
- this.word("readonly");
+ this.word('readonly');
this.space();
}
- this.token("[");
+ this.token('[');
this.word(typeParameter.name);
this.space();
- this.word("in");
+ this.word('in');
this.space();
this.print(typeParameter.constraint, typeParameter);
if (nameType) {
this.space();
- this.word("as");
+ this.word('as');
this.space();
this.print(nameType, node);
}
- this.token("]");
+ this.token(']');
if (optional) {
tokenIfPlusMinus(this, optional);
- this.token("?");
+ this.token('?');
}
- this.token(":");
+ this.token(':');
this.space();
this.print(node.typeAnnotation, node);
this.space();
- this.token("}");
+ this.token('}');
}
function tokenIfPlusMinus(self, tok) {
@@ -545,27 +530,21 @@ function TSExpressionWithTypeArguments(node) {
}
function TSInterfaceDeclaration(node) {
- const {
- declare,
- id,
- typeParameters,
- extends: extendz,
- body
- } = node;
+ const { declare, id, typeParameters, extends: extendz, body } = node;
if (declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
- this.word("interface");
+ this.word('interface');
this.space();
this.print(id, node);
this.print(typeParameters, node);
if (extendz != null && extendz.length) {
this.space();
- this.word("extends");
+ this.word('extends');
this.space();
this.printList(extendz, node);
}
@@ -579,49 +558,38 @@ function TSInterfaceBody(node) {
}
function TSTypeAliasDeclaration(node) {
- const {
- declare,
- id,
- typeParameters,
- typeAnnotation
- } = node;
+ const { declare, id, typeParameters, typeAnnotation } = node;
if (declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
- this.word("type");
+ this.word('type');
this.space();
this.print(id, node);
this.print(typeParameters, node);
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(typeAnnotation, node);
- this.token(";");
+ this.token(';');
}
function TSAsExpression(node) {
- const {
- expression,
- typeAnnotation
- } = node;
+ const { expression, typeAnnotation } = node;
this.print(expression, node);
this.space();
- this.word("as");
+ this.word('as');
this.space();
this.print(typeAnnotation, node);
}
function TSTypeAssertion(node) {
- const {
- typeAnnotation,
- expression
- } = node;
- this.token("<");
+ const { typeAnnotation, expression } = node;
+ this.token('<');
this.print(typeAnnotation, node);
- this.token(">");
+ this.token('>');
this.space();
this.print(expression, node);
}
@@ -632,24 +600,19 @@ function TSInstantiationExpression(node) {
}
function TSEnumDeclaration(node) {
- const {
- declare,
- const: isConst,
- id,
- members
- } = node;
+ const { declare, const: isConst, id, members } = node;
if (declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
if (isConst) {
- this.word("const");
+ this.word('const');
this.space();
}
- this.word("enum");
+ this.word('enum');
this.space();
this.print(id, node);
this.space();
@@ -657,49 +620,43 @@ function TSEnumDeclaration(node) {
}
function TSEnumMember(node) {
- const {
- id,
- initializer
- } = node;
+ const { id, initializer } = node;
this.print(id, node);
if (initializer) {
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(initializer, node);
}
- this.token(",");
+ this.token(',');
}
function TSModuleDeclaration(node) {
- const {
- declare,
- id
- } = node;
+ const { declare, id } = node;
if (declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
if (!node.global) {
- this.word(id.type === "Identifier" ? "namespace" : "module");
+ this.word(id.type === 'Identifier' ? 'namespace' : 'module');
this.space();
}
this.print(id, node);
if (!node.body) {
- this.token(";");
+ this.token(';');
return;
}
let body = node.body;
- while (body.type === "TSModuleDeclaration") {
- this.token(".");
+ while (body.type === 'TSModuleDeclaration') {
+ this.token('.');
this.print(body.id, body);
body = body.body;
}
@@ -713,18 +670,14 @@ function TSModuleBlock(node) {
}
function TSImportType(node) {
- const {
- argument,
- qualifier,
- typeParameters
- } = node;
- this.word("import");
- this.token("(");
+ const { argument, qualifier, typeParameters } = node;
+ this.word('import');
+ this.token('(');
this.print(argument, node);
- this.token(")");
+ this.token(')');
if (qualifier) {
- this.token(".");
+ this.token('.');
this.print(qualifier, node);
}
@@ -734,75 +687,69 @@ function TSImportType(node) {
}
function TSImportEqualsDeclaration(node) {
- const {
- isExport,
- id,
- moduleReference
- } = node;
+ const { isExport, id, moduleReference } = node;
if (isExport) {
- this.word("export");
+ this.word('export');
this.space();
}
- this.word("import");
+ this.word('import');
this.space();
this.print(id, node);
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(moduleReference, node);
- this.token(";");
+ this.token(';');
}
function TSExternalModuleReference(node) {
- this.token("require(");
+ this.token('require(');
this.print(node.expression, node);
- this.token(")");
+ this.token(')');
}
function TSNonNullExpression(node) {
this.print(node.expression, node);
- this.token("!");
+ this.token('!');
}
function TSExportAssignment(node) {
- this.word("export");
+ this.word('export');
this.space();
- this.token("=");
+ this.token('=');
this.space();
this.print(node.expression, node);
- this.token(";");
+ this.token(';');
}
function TSNamespaceExportDeclaration(node) {
- this.word("export");
+ this.word('export');
this.space();
- this.word("as");
+ this.word('as');
this.space();
- this.word("namespace");
+ this.word('namespace');
this.space();
this.print(node.id, node);
}
function tsPrintSignatureDeclarationBase(node) {
- const {
- typeParameters
- } = node;
+ const { typeParameters } = node;
const parameters = node.parameters;
this.print(typeParameters, node);
- this.token("(");
+ this.token('(');
this._parameters(parameters, node);
- this.token(")");
+ this.token(')');
const returnType = node.typeAnnotation;
this.print(returnType, node);
}
function tsPrintClassMemberModifiers(node, isField) {
if (isField && node.declare) {
- this.word("declare");
+ this.word('declare');
this.space();
}
@@ -812,22 +759,22 @@ function tsPrintClassMemberModifiers(node, isField) {
}
if (node.static) {
- this.word("static");
+ this.word('static');
this.space();
}
if (node.override) {
- this.word("override");
+ this.word('override');
this.space();
}
if (node.abstract) {
- this.word("abstract");
+ this.word('abstract');
this.space();
}
if (isField && node.readonly) {
- this.word("readonly");
+ this.word('readonly');
this.space();
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/index.js b/node_modules/@babel/generator/lib/index.js
index ca8a0bd..20ac863 100644
--- a/node_modules/@babel/generator/lib/index.js
+++ b/node_modules/@babel/generator/lib/index.js
@@ -1,14 +1,14 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.CodeGenerator = void 0;
exports.default = generate;
-var _sourceMap = require("./source-map");
+var _sourceMap = require('./source-map');
-var _printer = require("./printer");
+var _printer = require('./printer');
class Generator extends _printer.default {
constructor(ast, opts = {}, code) {
@@ -22,7 +22,6 @@ class Generator extends _printer.default {
generate() {
return super.generate(this.ast);
}
-
}
function normalizeOptions(code, opts) {
@@ -38,17 +37,20 @@ function normalizeOptions(code, opts) {
concise: opts.concise,
indent: {
adjustMultilineComment: true,
- style: " ",
- base: 0
+ style: ' ',
+ base: 0,
},
decoratorsBeforeExport: !!opts.decoratorsBeforeExport,
- jsescOption: Object.assign({
- quotes: "double",
- wrap: true,
- minimal: false
- }, opts.jsescOption),
+ jsescOption: Object.assign(
+ {
+ quotes: 'double',
+ wrap: true,
+ minimal: false,
+ },
+ opts.jsescOption
+ ),
recordAndTupleSyntaxType: opts.recordAndTupleSyntaxType,
- topicToken: opts.topicToken
+ topicToken: opts.topicToken,
};
{
format.jsonCompatibleStrings = opts.jsonCompatibleStrings;
@@ -57,16 +59,25 @@ function normalizeOptions(code, opts) {
if (format.minified) {
format.compact = true;
- format.shouldPrintComment = format.shouldPrintComment || (() => format.comments);
+ format.shouldPrintComment =
+ format.shouldPrintComment || (() => format.comments);
} else {
- format.shouldPrintComment = format.shouldPrintComment || (value => format.comments || value.indexOf("@license") >= 0 || value.indexOf("@preserve") >= 0);
+ format.shouldPrintComment =
+ format.shouldPrintComment ||
+ ((value) =>
+ format.comments ||
+ value.indexOf('@license') >= 0 ||
+ value.indexOf('@preserve') >= 0);
}
- if (format.compact === "auto") {
+ if (format.compact === 'auto') {
format.compact = code.length > 500000;
if (format.compact) {
- console.error("[BABEL] Note: The code generator has deoptimised the styling of " + `${opts.filename} as it exceeds the max of ${"500KB"}.`);
+ console.error(
+ '[BABEL] Note: The code generator has deoptimised the styling of ' +
+ `${opts.filename} as it exceeds the max of ${'500KB'}.`
+ );
}
}
@@ -86,7 +97,6 @@ class CodeGenerator {
generate() {
return this._generator.generate();
}
-
}
exports.CodeGenerator = CodeGenerator;
@@ -94,4 +104,4 @@ exports.CodeGenerator = CodeGenerator;
function generate(ast, opts, code) {
const gen = new Generator(ast, opts, code);
return gen.generate();
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/node/index.js b/node_modules/@babel/generator/lib/node/index.js
index b594ae4..09d1cec 100644
--- a/node_modules/@babel/generator/lib/node/index.js
+++ b/node_modules/@babel/generator/lib/node/index.js
@@ -1,25 +1,25 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.needsParens = needsParens;
exports.needsWhitespace = needsWhitespace;
exports.needsWhitespaceAfter = needsWhitespaceAfter;
exports.needsWhitespaceBefore = needsWhitespaceBefore;
-var whitespace = require("./whitespace");
+var whitespace = require('./whitespace');
-var parens = require("./parentheses");
+var parens = require('./parentheses');
-var _t = require("@babel/types");
+var _t = require('@babel/types');
const {
FLIPPED_ALIAS_KEYS,
isCallExpression,
isExpressionStatement,
isMemberExpression,
- isNewExpression
+ isNewExpression,
} = _t;
function expandAliases(obj) {
@@ -27,10 +27,13 @@ function expandAliases(obj) {
function add(type, func) {
const fn = newObj[type];
- newObj[type] = fn ? function (node, parent, stack) {
- const result = fn(node, parent, stack);
- return result == null ? func(node, parent, stack) : result;
- } : func;
+ newObj[type] =
+ fn ?
+ function (node, parent, stack) {
+ const result = fn(node, parent, stack);
+ return result == null ? func(node, parent, stack) : result;
+ }
+ : func;
}
for (const type of Object.keys(obj)) {
@@ -85,7 +88,7 @@ function needsWhitespace(node, parent, type) {
}
}
- if (typeof linesInfo === "object" && linesInfo !== null) {
+ if (typeof linesInfo === 'object' && linesInfo !== null) {
return linesInfo[type] || 0;
}
@@ -93,11 +96,11 @@ function needsWhitespace(node, parent, type) {
}
function needsWhitespaceBefore(node, parent) {
- return needsWhitespace(node, parent, "before");
+ return needsWhitespace(node, parent, 'before');
}
function needsWhitespaceAfter(node, parent) {
- return needsWhitespace(node, parent, "after");
+ return needsWhitespace(node, parent, 'after');
}
function needsParens(node, parent, printStack) {
@@ -108,4 +111,4 @@ function needsParens(node, parent, printStack) {
}
return find(expandedParens, node, parent, printStack);
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/node/parentheses.js b/node_modules/@babel/generator/lib/node/parentheses.js
index 8ba2e64..71137f6 100644
--- a/node_modules/@babel/generator/lib/node/parentheses.js
+++ b/node_modules/@babel/generator/lib/node/parentheses.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.ArrowFunctionExpression = ArrowFunctionExpression;
exports.AssignmentExpression = AssignmentExpression;
@@ -17,7 +17,8 @@ exports.LogicalExpression = LogicalExpression;
exports.NullableTypeAnnotation = NullableTypeAnnotation;
exports.ObjectExpression = ObjectExpression;
exports.OptionalIndexedAccessType = OptionalIndexedAccessType;
-exports.OptionalCallExpression = exports.OptionalMemberExpression = OptionalMemberExpression;
+exports.OptionalCallExpression = exports.OptionalMemberExpression =
+ OptionalMemberExpression;
exports.SequenceExpression = SequenceExpression;
exports.TSAsExpression = TSAsExpression;
exports.TSInferType = TSInferType;
@@ -25,11 +26,12 @@ exports.TSInstantiationExpression = TSInstantiationExpression;
exports.TSTypeAssertion = TSTypeAssertion;
exports.TSIntersectionType = exports.TSUnionType = TSUnionType;
exports.UnaryLike = UnaryLike;
-exports.IntersectionTypeAnnotation = exports.UnionTypeAnnotation = UnionTypeAnnotation;
+exports.IntersectionTypeAnnotation = exports.UnionTypeAnnotation =
+ UnionTypeAnnotation;
exports.UpdateExpression = UpdateExpression;
exports.AwaitExpression = exports.YieldExpression = YieldExpression;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
const {
isArrayTypeAnnotation,
@@ -81,46 +83,62 @@ const {
isUnionTypeAnnotation,
isVariableDeclarator,
isWhileStatement,
- isYieldExpression
+ isYieldExpression,
} = _t;
const PRECEDENCE = {
- "||": 0,
- "??": 0,
- "&&": 1,
- "|": 2,
- "^": 3,
- "&": 4,
- "==": 5,
- "===": 5,
- "!=": 5,
- "!==": 5,
- "<": 6,
- ">": 6,
- "<=": 6,
- ">=": 6,
+ '||': 0,
+ '??': 0,
+ '&&': 1,
+ '|': 2,
+ '^': 3,
+ '&': 4,
+ '==': 5,
+ '===': 5,
+ '!=': 5,
+ '!==': 5,
+ '<': 6,
+ '>': 6,
+ '<=': 6,
+ '>=': 6,
in: 6,
instanceof: 6,
- ">>": 7,
- "<<": 7,
- ">>>": 7,
- "+": 8,
- "-": 8,
- "*": 9,
- "/": 9,
- "%": 9,
- "**": 10
+ '>>': 7,
+ '<<': 7,
+ '>>>': 7,
+ '+': 8,
+ '-': 8,
+ '*': 9,
+ '/': 9,
+ '%': 9,
+ '**': 10,
};
-const isClassExtendsClause = (node, parent) => (isClassDeclaration(parent) || isClassExpression(parent)) && parent.superClass === node;
+const isClassExtendsClause = (node, parent) =>
+ (isClassDeclaration(parent) || isClassExpression(parent)) &&
+ parent.superClass === node;
-const hasPostfixPart = (node, parent) => (isMemberExpression(parent) || isOptionalMemberExpression(parent)) && parent.object === node || (isCallExpression(parent) || isOptionalCallExpression(parent) || isNewExpression(parent)) && parent.callee === node || isTaggedTemplateExpression(parent) && parent.tag === node || isTSNonNullExpression(parent);
+const hasPostfixPart = (node, parent) =>
+ ((isMemberExpression(parent) || isOptionalMemberExpression(parent)) &&
+ parent.object === node) ||
+ ((isCallExpression(parent) ||
+ isOptionalCallExpression(parent) ||
+ isNewExpression(parent)) &&
+ parent.callee === node) ||
+ (isTaggedTemplateExpression(parent) && parent.tag === node) ||
+ isTSNonNullExpression(parent);
function NullableTypeAnnotation(node, parent) {
return isArrayTypeAnnotation(parent);
}
function FunctionTypeAnnotation(node, parent, printStack) {
- return isUnionTypeAnnotation(parent) || isIntersectionTypeAnnotation(parent) || isArrayTypeAnnotation(parent) || isTypeAnnotation(parent) && isArrowFunctionExpression(printStack[printStack.length - 3]);
+ return (
+ isUnionTypeAnnotation(parent) ||
+ isIntersectionTypeAnnotation(parent) ||
+ isArrayTypeAnnotation(parent) ||
+ (isTypeAnnotation(parent) &&
+ isArrowFunctionExpression(printStack[printStack.length - 3]))
+ );
}
function UpdateExpression(node, parent) {
@@ -130,20 +148,26 @@ function UpdateExpression(node, parent) {
function ObjectExpression(node, parent, printStack) {
return isFirstInContext(printStack, {
expressionStatement: true,
- arrowBody: true
+ arrowBody: true,
});
}
function DoExpression(node, parent, printStack) {
- return !node.async && isFirstInContext(printStack, {
- expressionStatement: true
- });
+ return (
+ !node.async &&
+ isFirstInContext(printStack, {
+ expressionStatement: true,
+ })
+ );
}
function Binary(node, parent) {
- if (node.operator === "**" && isBinaryExpression(parent, {
- operator: "**"
- })) {
+ if (
+ node.operator === '**' &&
+ isBinaryExpression(parent, {
+ operator: '**',
+ })
+ ) {
return parent.left === node;
}
@@ -151,7 +175,11 @@ function Binary(node, parent) {
return true;
}
- if (hasPostfixPart(node, parent) || isUnaryLike(parent) || isAwaitExpression(parent)) {
+ if (
+ hasPostfixPart(node, parent) ||
+ isUnaryLike(parent) ||
+ isAwaitExpression(parent)
+ ) {
return true;
}
@@ -161,19 +189,29 @@ function Binary(node, parent) {
const nodeOp = node.operator;
const nodePos = PRECEDENCE[nodeOp];
- if (parentPos === nodePos && parent.right === node && !isLogicalExpression(parent) || parentPos > nodePos) {
+ if (
+ (parentPos === nodePos &&
+ parent.right === node &&
+ !isLogicalExpression(parent)) ||
+ parentPos > nodePos
+ ) {
return true;
}
}
}
function UnionTypeAnnotation(node, parent) {
- return isArrayTypeAnnotation(parent) || isNullableTypeAnnotation(parent) || isIntersectionTypeAnnotation(parent) || isUnionTypeAnnotation(parent);
+ return (
+ isArrayTypeAnnotation(parent) ||
+ isNullableTypeAnnotation(parent) ||
+ isIntersectionTypeAnnotation(parent) ||
+ isUnionTypeAnnotation(parent)
+ );
}
function OptionalIndexedAccessType(node, parent) {
return isIndexedAccessType(parent, {
- objectType: node
+ objectType: node,
});
}
@@ -186,7 +224,13 @@ function TSTypeAssertion() {
}
function TSUnionType(node, parent) {
- return isTSArrayType(parent) || isTSOptionalType(parent) || isTSIntersectionType(parent) || isTSUnionType(parent) || isTSRestType(parent);
+ return (
+ isTSArrayType(parent) ||
+ isTSOptionalType(parent) ||
+ isTSIntersectionType(parent) ||
+ isTSUnionType(parent) ||
+ isTSRestType(parent)
+ );
}
function TSInferType(node, parent) {
@@ -194,15 +238,32 @@ function TSInferType(node, parent) {
}
function TSInstantiationExpression(node, parent) {
- return (isCallExpression(parent) || isOptionalCallExpression(parent) || isNewExpression(parent) || isTSInstantiationExpression(parent)) && !!parent.typeParameters;
+ return (
+ (isCallExpression(parent) ||
+ isOptionalCallExpression(parent) ||
+ isNewExpression(parent) ||
+ isTSInstantiationExpression(parent)) &&
+ !!parent.typeParameters
+ );
}
function BinaryExpression(node, parent) {
- return node.operator === "in" && (isVariableDeclarator(parent) || isFor(parent));
+ return (
+ node.operator === 'in' && (isVariableDeclarator(parent) || isFor(parent))
+ );
}
function SequenceExpression(node, parent) {
- if (isForStatement(parent) || isThrowStatement(parent) || isReturnStatement(parent) || isIfStatement(parent) && parent.test === node || isWhileStatement(parent) && parent.test === node || isForInStatement(parent) && parent.right === node || isSwitchStatement(parent) && parent.discriminant === node || isExpressionStatement(parent) && parent.expression === node) {
+ if (
+ isForStatement(parent) ||
+ isThrowStatement(parent) ||
+ isReturnStatement(parent) ||
+ (isIfStatement(parent) && parent.test === node) ||
+ (isWhileStatement(parent) && parent.test === node) ||
+ (isForInStatement(parent) && parent.right === node) ||
+ (isSwitchStatement(parent) && parent.discriminant === node) ||
+ (isExpressionStatement(parent) && parent.expression === node)
+ ) {
return false;
}
@@ -210,27 +271,38 @@ function SequenceExpression(node, parent) {
}
function YieldExpression(node, parent) {
- return isBinary(parent) || isUnaryLike(parent) || hasPostfixPart(node, parent) || isAwaitExpression(parent) && isYieldExpression(node) || isConditionalExpression(parent) && node === parent.test || isClassExtendsClause(node, parent);
+ return (
+ isBinary(parent) ||
+ isUnaryLike(parent) ||
+ hasPostfixPart(node, parent) ||
+ (isAwaitExpression(parent) && isYieldExpression(node)) ||
+ (isConditionalExpression(parent) && node === parent.test) ||
+ isClassExtendsClause(node, parent)
+ );
}
function ClassExpression(node, parent, printStack) {
return isFirstInContext(printStack, {
expressionStatement: true,
- exportDefault: true
+ exportDefault: true,
});
}
function UnaryLike(node, parent) {
- return hasPostfixPart(node, parent) || isBinaryExpression(parent, {
- operator: "**",
- left: node
- }) || isClassExtendsClause(node, parent);
+ return (
+ hasPostfixPart(node, parent) ||
+ isBinaryExpression(parent, {
+ operator: '**',
+ left: node,
+ }) ||
+ isClassExtendsClause(node, parent)
+ );
}
function FunctionExpression(node, parent, printStack) {
return isFirstInContext(printStack, {
expressionStatement: true,
- exportDefault: true
+ exportDefault: true,
});
}
@@ -239,9 +311,16 @@ function ArrowFunctionExpression(node, parent) {
}
function ConditionalExpression(node, parent) {
- if (isUnaryLike(parent) || isBinary(parent) || isConditionalExpression(parent, {
- test: node
- }) || isAwaitExpression(parent) || isTSTypeAssertion(parent) || isTSAsExpression(parent)) {
+ if (
+ isUnaryLike(parent) ||
+ isBinary(parent) ||
+ isConditionalExpression(parent, {
+ test: node,
+ }) ||
+ isAwaitExpression(parent) ||
+ isTSTypeAssertion(parent) ||
+ isTSAsExpression(parent)
+ ) {
return true;
}
@@ -249,11 +328,14 @@ function ConditionalExpression(node, parent) {
}
function OptionalMemberExpression(node, parent) {
- return isCallExpression(parent, {
- callee: node
- }) || isMemberExpression(parent, {
- object: node
- });
+ return (
+ isCallExpression(parent, {
+ callee: node,
+ }) ||
+ isMemberExpression(parent, {
+ object: node,
+ })
+ );
}
function AssignmentExpression(node, parent) {
@@ -266,86 +348,119 @@ function AssignmentExpression(node, parent) {
function LogicalExpression(node, parent) {
switch (node.operator) {
- case "||":
+ case '||':
if (!isLogicalExpression(parent)) return false;
- return parent.operator === "??" || parent.operator === "&&";
+ return parent.operator === '??' || parent.operator === '&&';
- case "&&":
+ case '&&':
return isLogicalExpression(parent, {
- operator: "??"
+ operator: '??',
});
- case "??":
- return isLogicalExpression(parent) && parent.operator !== "??";
+ case '??':
+ return isLogicalExpression(parent) && parent.operator !== '??';
}
}
function Identifier(node, parent, printStack) {
var _node$extra;
- if ((_node$extra = node.extra) != null && _node$extra.parenthesized && isAssignmentExpression(parent, {
- left: node
- }) && (isFunctionExpression(parent.right) || isClassExpression(parent.right)) && parent.right.id == null) {
+ if (
+ (_node$extra = node.extra) != null &&
+ _node$extra.parenthesized &&
+ isAssignmentExpression(parent, {
+ left: node,
+ }) &&
+ (isFunctionExpression(parent.right) || isClassExpression(parent.right)) &&
+ parent.right.id == null
+ ) {
return true;
}
- if (node.name === "let") {
- const isFollowedByBracket = isMemberExpression(parent, {
- object: node,
- computed: true
- }) || isOptionalMemberExpression(parent, {
- object: node,
- computed: true,
- optional: false
- });
+ if (node.name === 'let') {
+ const isFollowedByBracket =
+ isMemberExpression(parent, {
+ object: node,
+ computed: true,
+ }) ||
+ isOptionalMemberExpression(parent, {
+ object: node,
+ computed: true,
+ optional: false,
+ });
return isFirstInContext(printStack, {
expressionStatement: isFollowedByBracket,
forHead: isFollowedByBracket,
forInHead: isFollowedByBracket,
- forOfHead: true
+ forOfHead: true,
});
}
- return node.name === "async" && isForOfStatement(parent) && node === parent.left;
+ return (
+ node.name === 'async' && isForOfStatement(parent) && node === parent.left
+ );
}
-function isFirstInContext(printStack, {
- expressionStatement = false,
- arrowBody = false,
- exportDefault = false,
- forHead = false,
- forInHead = false,
- forOfHead = false
-}) {
+function isFirstInContext(
+ printStack,
+ {
+ expressionStatement = false,
+ arrowBody = false,
+ exportDefault = false,
+ forHead = false,
+ forInHead = false,
+ forOfHead = false,
+ }
+) {
let i = printStack.length - 1;
let node = printStack[i];
i--;
let parent = printStack[i];
while (i >= 0) {
- if (expressionStatement && isExpressionStatement(parent, {
- expression: node
- }) || exportDefault && isExportDefaultDeclaration(parent, {
- declaration: node
- }) || arrowBody && isArrowFunctionExpression(parent, {
- body: node
- }) || forHead && isForStatement(parent, {
- init: node
- }) || forInHead && isForInStatement(parent, {
- left: node
- }) || forOfHead && isForOfStatement(parent, {
- left: node
- })) {
+ if (
+ (expressionStatement &&
+ isExpressionStatement(parent, {
+ expression: node,
+ })) ||
+ (exportDefault &&
+ isExportDefaultDeclaration(parent, {
+ declaration: node,
+ })) ||
+ (arrowBody &&
+ isArrowFunctionExpression(parent, {
+ body: node,
+ })) ||
+ (forHead &&
+ isForStatement(parent, {
+ init: node,
+ })) ||
+ (forInHead &&
+ isForInStatement(parent, {
+ left: node,
+ })) ||
+ (forOfHead &&
+ isForOfStatement(parent, {
+ left: node,
+ }))
+ ) {
return true;
}
- if (hasPostfixPart(node, parent) && !isNewExpression(parent) || isSequenceExpression(parent) && parent.expressions[0] === node || isUpdateExpression(parent) && !parent.prefix || isConditional(parent, {
- test: node
- }) || isBinary(parent, {
- left: node
- }) || isAssignmentExpression(parent, {
- left: node
- })) {
+ if (
+ (hasPostfixPart(node, parent) && !isNewExpression(parent)) ||
+ (isSequenceExpression(parent) && parent.expressions[0] === node) ||
+ (isUpdateExpression(parent) && !parent.prefix) ||
+ isConditional(parent, {
+ test: node,
+ }) ||
+ isBinary(parent, {
+ left: node,
+ }) ||
+ isAssignmentExpression(parent, {
+ left: node,
+ })
+ ) {
node = parent;
i--;
parent = printStack[i];
@@ -355,4 +470,4 @@ function isFirstInContext(printStack, {
}
return false;
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/node/whitespace.js b/node_modules/@babel/generator/lib/node/whitespace.js
index 80e2da9..e95d862 100644
--- a/node_modules/@babel/generator/lib/node/whitespace.js
+++ b/node_modules/@babel/generator/lib/node/whitespace.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.nodes = exports.list = void 0;
-var _t = require("@babel/types");
+var _t = require('@babel/types');
const {
FLIPPED_ALIAS_KEYS,
@@ -21,7 +21,7 @@ const {
isObjectExpression,
isOptionalCallExpression,
isOptionalMemberExpression,
- isStringLiteral
+ isStringLiteral,
} = _t;
function crawl(node, state = {}) {
@@ -47,28 +47,36 @@ function isHelper(node) {
if (isMemberExpression(node)) {
return isHelper(node.object) || isHelper(node.property);
} else if (isIdentifier(node)) {
- return node.name === "require" || node.name[0] === "_";
+ return node.name === 'require' || node.name[0] === '_';
} else if (isCallExpression(node)) {
return isHelper(node.callee);
} else if (isBinary(node) || isAssignmentExpression(node)) {
- return isIdentifier(node.left) && isHelper(node.left) || isHelper(node.right);
+ return (
+ (isIdentifier(node.left) && isHelper(node.left)) || isHelper(node.right)
+ );
} else {
return false;
}
}
function isType(node) {
- return isLiteral(node) || isObjectExpression(node) || isArrayExpression(node) || isIdentifier(node) || isMemberExpression(node);
+ return (
+ isLiteral(node) ||
+ isObjectExpression(node) ||
+ isArrayExpression(node) ||
+ isIdentifier(node) ||
+ isMemberExpression(node)
+ );
}
const nodes = {
AssignmentExpression(node) {
const state = crawl(node.right);
- if (state.hasCall && state.hasHelper || state.hasFunction) {
+ if ((state.hasCall && state.hasHelper) || state.hasFunction) {
return {
before: state.hasFunction,
- after: true
+ after: true,
};
}
},
@@ -76,22 +84,24 @@ const nodes = {
SwitchCase(node, parent) {
return {
before: !!node.consequent.length || parent.cases[0] === node,
- after: !node.consequent.length && parent.cases[parent.cases.length - 1] === node
+ after:
+ !node.consequent.length &&
+ parent.cases[parent.cases.length - 1] === node,
};
},
LogicalExpression(node) {
if (isFunction(node.left) || isFunction(node.right)) {
return {
- after: true
+ after: true,
};
}
},
Literal(node) {
- if (isStringLiteral(node) && node.value === "use strict") {
+ if (isStringLiteral(node) && node.value === 'use strict') {
return {
- after: true
+ after: true,
};
}
},
@@ -100,7 +110,7 @@ const nodes = {
if (isFunction(node.callee) || isHelper(node)) {
return {
before: true,
- after: true
+ after: true,
};
}
},
@@ -109,7 +119,7 @@ const nodes = {
if (isFunction(node.callee)) {
return {
before: true,
- after: true
+ after: true,
};
}
},
@@ -121,13 +131,13 @@ const nodes = {
if (!enabled) {
const state = crawl(declar.init);
- enabled = isHelper(declar.init) && state.hasCall || state.hasFunction;
+ enabled = (isHelper(declar.init) && state.hasCall) || state.hasFunction;
}
if (enabled) {
return {
before: true,
- after: true
+ after: true,
};
}
}
@@ -137,28 +147,36 @@ const nodes = {
if (isBlockStatement(node.consequent)) {
return {
before: true,
- after: true
+ after: true,
};
}
- }
-
+ },
};
exports.nodes = nodes;
-nodes.ObjectProperty = nodes.ObjectTypeProperty = nodes.ObjectMethod = function (node, parent) {
- if (parent.properties[0] === node) {
- return {
- before: true
+nodes.ObjectProperty =
+ nodes.ObjectTypeProperty =
+ nodes.ObjectMethod =
+ function (node, parent) {
+ if (parent.properties[0] === node) {
+ return {
+ before: true,
+ };
+ }
};
- }
-};
nodes.ObjectTypeCallProperty = function (node, parent) {
var _parent$properties;
- if (parent.callProperties[0] === node && !((_parent$properties = parent.properties) != null && _parent$properties.length)) {
+ if (
+ parent.callProperties[0] === node &&
+ !(
+ (_parent$properties = parent.properties) != null &&
+ _parent$properties.length
+ )
+ ) {
return {
- before: true
+ before: true,
};
}
};
@@ -166,9 +184,19 @@ nodes.ObjectTypeCallProperty = function (node, parent) {
nodes.ObjectTypeIndexer = function (node, parent) {
var _parent$properties2, _parent$callPropertie;
- if (parent.indexers[0] === node && !((_parent$properties2 = parent.properties) != null && _parent$properties2.length) && !((_parent$callPropertie = parent.callProperties) != null && _parent$callPropertie.length)) {
+ if (
+ parent.indexers[0] === node &&
+ !(
+ (_parent$properties2 = parent.properties) != null &&
+ _parent$properties2.length
+ ) &&
+ !(
+ (_parent$callPropertie = parent.callProperties) != null &&
+ _parent$callPropertie.length
+ )
+ ) {
return {
- before: true
+ before: true,
};
}
};
@@ -176,16 +204,27 @@ nodes.ObjectTypeIndexer = function (node, parent) {
nodes.ObjectTypeInternalSlot = function (node, parent) {
var _parent$properties3, _parent$callPropertie2, _parent$indexers;
- if (parent.internalSlots[0] === node && !((_parent$properties3 = parent.properties) != null && _parent$properties3.length) && !((_parent$callPropertie2 = parent.callProperties) != null && _parent$callPropertie2.length) && !((_parent$indexers = parent.indexers) != null && _parent$indexers.length)) {
+ if (
+ parent.internalSlots[0] === node &&
+ !(
+ (_parent$properties3 = parent.properties) != null &&
+ _parent$properties3.length
+ ) &&
+ !(
+ (_parent$callPropertie2 = parent.callProperties) != null &&
+ _parent$callPropertie2.length
+ ) &&
+ !((_parent$indexers = parent.indexers) != null && _parent$indexers.length)
+ ) {
return {
- before: true
+ before: true,
};
}
};
const list = {
VariableDeclaration(node) {
- return node.declarations.map(decl => decl.init);
+ return node.declarations.map((decl) => decl.init);
},
ArrayExpression(node) {
@@ -194,15 +233,21 @@ const list = {
ObjectExpression(node) {
return node.properties;
- }
-
+ },
};
exports.list = list;
-[["Function", true], ["Class", true], ["Loop", true], ["LabeledStatement", true], ["SwitchStatement", true], ["TryStatement", true]].forEach(function ([type, amounts]) {
- if (typeof amounts === "boolean") {
+[
+ ['Function', true],
+ ['Class', true],
+ ['Loop', true],
+ ['LabeledStatement', true],
+ ['SwitchStatement', true],
+ ['TryStatement', true],
+].forEach(function ([type, amounts]) {
+ if (typeof amounts === 'boolean') {
amounts = {
after: amounts,
- before: amounts
+ before: amounts,
};
}
@@ -211,4 +256,4 @@ exports.list = list;
return amounts;
};
});
-});
\ No newline at end of file
+});
diff --git a/node_modules/@babel/generator/lib/printer.js b/node_modules/@babel/generator/lib/printer.js
index 011460b..ce66348 100644
--- a/node_modules/@babel/generator/lib/printer.js
+++ b/node_modules/@babel/generator/lib/printer.js
@@ -1,32 +1,24 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
-var _buffer = require("./buffer");
+var _buffer = require('./buffer');
-var n = require("./node");
+var n = require('./node');
-var _t = require("@babel/types");
+var _t = require('@babel/types');
-var generatorFunctions = require("./generators");
+var generatorFunctions = require('./generators');
-const {
- isProgram,
- isFile,
- isEmptyStatement
-} = _t;
+const { isProgram, isFile, isEmptyStatement } = _t;
const SCIENTIFIC_NOTATION = /e/i;
const ZERO_DECIMAL_INTEGER = /\.0+$/;
const NON_DECIMAL_LITERAL = /^0[box]/;
const PURE_ANNOTATION_RE = /^\s*[@#]__PURE__\s*$/;
-const {
- needsParens,
- needsWhitespaceAfter,
- needsWhitespaceBefore
-} = n;
+const { needsParens, needsWhitespaceAfter, needsWhitespaceBefore } = n;
class Printer {
constructor(format, map) {
@@ -65,7 +57,7 @@ class Printer {
semicolon(force = false) {
this._maybeAddAuxComment();
- this._append(";", !force);
+ this._append(';', !force);
}
rightBrace() {
@@ -73,7 +65,7 @@ class Printer {
this._buf.removeLastSemicolon();
}
- this.token("}");
+ this.token('}');
}
space(force = false) {
@@ -91,7 +83,7 @@ class Printer {
}
word(str) {
- if (this._endsWithWord || this.endsWith(47) && str.charCodeAt(0) === 47) {
+ if (this._endsWithWord || (this.endsWith(47) && str.charCodeAt(0) === 47)) {
this._space();
}
@@ -104,14 +96,24 @@ class Printer {
number(str) {
this.word(str);
- this._endsWithInteger = Number.isInteger(+str) && !NON_DECIMAL_LITERAL.test(str) && !SCIENTIFIC_NOTATION.test(str) && !ZERO_DECIMAL_INTEGER.test(str) && str.charCodeAt(str.length - 1) !== 46;
+ this._endsWithInteger =
+ Number.isInteger(+str) &&
+ !NON_DECIMAL_LITERAL.test(str) &&
+ !SCIENTIFIC_NOTATION.test(str) &&
+ !ZERO_DECIMAL_INTEGER.test(str) &&
+ str.charCodeAt(str.length - 1) !== 46;
}
token(str) {
const lastChar = this.getLastChar();
const strFirst = str.charCodeAt(0);
- if (str === "--" && lastChar === 33 || strFirst === 43 && lastChar === 43 || strFirst === 45 && lastChar === 45 || strFirst === 46 && this._endsWithInteger) {
+ if (
+ (str === '--' && lastChar === 33) ||
+ (strFirst === 43 && lastChar === 43) ||
+ (strFirst === 45 && lastChar === 45) ||
+ (strFirst === 46 && this._endsWithInteger)
+ ) {
this._space();
}
@@ -159,7 +161,7 @@ class Printer {
}
exactSource(loc, cb) {
- this._catchUp("start", loc);
+ this._catchUp('start', loc);
this._buf.exactSource(loc, cb);
}
@@ -177,11 +179,11 @@ class Printer {
}
_space() {
- this._append(" ", true);
+ this._append(' ', true);
}
_newline() {
- this._append("\n", true);
+ this._append('\n', true);
}
_append(str, queue = false) {
@@ -189,7 +191,8 @@ class Printer {
this._maybeIndent(str);
- if (queue) this._buf.queue(str);else this._buf.append(str);
+ if (queue) this._buf.queue(str);
+ else this._buf.append(str);
this._endsWithWord = false;
this._endsWithInteger = false;
}
@@ -205,7 +208,7 @@ class Printer {
if (!parenPushNewlineState) return;
let i;
- for (i = 0; i < str.length && str[i] === " "; i++) continue;
+ for (i = 0; i < str.length && str[i] === ' '; i++) continue;
if (i === str.length) {
return;
@@ -213,25 +216,25 @@ class Printer {
const cha = str[i];
- if (cha !== "\n") {
- if (cha !== "/" || i + 1 === str.length) {
+ if (cha !== '\n') {
+ if (cha !== '/' || i + 1 === str.length) {
this._parenPushNewlineState = null;
return;
}
const chaPost = str[i + 1];
- if (chaPost === "*") {
+ if (chaPost === '*') {
if (PURE_ANNOTATION_RE.test(str.slice(i + 2, str.length - 2))) {
return;
}
- } else if (chaPost !== "/") {
+ } else if (chaPost !== '/') {
this._parenPushNewlineState = null;
return;
}
}
- this.token("(");
+ this.token('(');
this.indent();
parenPushNewlineState.printed = true;
}
@@ -258,9 +261,9 @@ class Printer {
this._noLineTerminator = true;
return null;
} else {
- return this._parenPushNewlineState = {
- printed: false
- };
+ return (this._parenPushNewlineState = {
+ printed: false,
+ });
}
}
@@ -270,7 +273,7 @@ class Printer {
if (state != null && state.printed) {
this.dedent();
this.newline();
- this.token(")");
+ this.token(')');
}
}
@@ -285,7 +288,9 @@ class Printer {
const printMethod = this[node.type];
if (!printMethod) {
- throw new ReferenceError(`unknown node of type ${JSON.stringify(node.type)} with constructor ${JSON.stringify(node == null ? void 0 : node.constructor.name)}`);
+ throw new ReferenceError(
+ `unknown node of type ${JSON.stringify(node.type)} with constructor ${JSON.stringify(node == null ? void 0 : node.constructor.name)}`
+ );
}
this._printStack.push(node);
@@ -297,22 +302,27 @@ class Printer {
let shouldPrintParens = needsParens(node, parent, this._printStack);
- if (this.format.retainFunctionParens && node.type === "FunctionExpression" && node.extra && node.extra.parenthesized) {
+ if (
+ this.format.retainFunctionParens &&
+ node.type === 'FunctionExpression' &&
+ node.extra &&
+ node.extra.parenthesized
+ ) {
shouldPrintParens = true;
}
- if (shouldPrintParens) this.token("(");
+ if (shouldPrintParens) this.token('(');
this._printLeadingComments(node);
const loc = isProgram(node) || isFile(node) ? null : node.loc;
- this.withSource("start", loc, () => {
+ this.withSource('start', loc, () => {
printMethod.call(this, node, parent);
});
this._printTrailingComments(node);
- if (shouldPrintParens) this.token(")");
+ if (shouldPrintParens) this.token(')');
this._printStack.pop();
@@ -332,8 +342,8 @@ class Printer {
if (comment) {
this._printComment({
- type: "CommentBlock",
- value: comment
+ type: 'CommentBlock',
+ value: comment,
});
}
}
@@ -345,8 +355,8 @@ class Printer {
if (comment) {
this._printComment({
- type: "CommentBlock",
- value: comment
+ type: 'CommentBlock',
+ value: comment,
});
}
}
@@ -354,7 +364,12 @@ class Printer {
getPossibleRaw(node) {
const extra = node.extra;
- if (extra && extra.raw != null && extra.rawValue != null && node.value === extra.rawValue) {
+ if (
+ extra &&
+ extra.raw != null &&
+ extra.rawValue != null &&
+ node.value === extra.rawValue
+ ) {
return extra.raw;
}
}
@@ -363,7 +378,7 @@ class Printer {
if (!(nodes != null && nodes.length)) return;
if (opts.indent) this.indent();
const newlineOpts = {
- addNewlines: opts.addNewlines
+ addNewlines: opts.addNewlines,
};
for (let i = 0; i < nodes.length; i++) {
@@ -414,7 +429,13 @@ class Printer {
printInnerComments(node, indent = true) {
var _node$innerComments;
- if (!((_node$innerComments = node.innerComments) != null && _node$innerComments.length)) return;
+ if (
+ !(
+ (_node$innerComments = node.innerComments) != null &&
+ _node$innerComments.length
+ )
+ )
+ return;
if (indent) this.indent();
this._printComments(node.innerComments);
@@ -456,7 +477,9 @@ class Printer {
}
_getComments(leading, node) {
- return node && (leading ? node.leadingComments : node.trailingComments) || [];
+ return (
+ (node && (leading ? node.leadingComments : node.trailingComments)) || []
+ );
}
_printComment(comment, skipNewLines) {
@@ -466,8 +489,9 @@ class Printer {
this._printedComments.add(comment);
- const isBlockComment = comment.type === "CommentBlock";
- const printNewLines = isBlockComment && !skipNewLines && !this._noLineTerminator;
+ const isBlockComment = comment.type === 'CommentBlock';
+ const printNewLines =
+ isBlockComment && !skipNewLines && !this._noLineTerminator;
if (printNewLines && this._buf.hasContent()) this.newline(1);
const lastCharCode = this.getLastChar();
@@ -475,24 +499,33 @@ class Printer {
this.space();
}
- let val = !isBlockComment && !this._noLineTerminator ? `//${comment.value}\n` : `/*${comment.value}*/`;
+ let val =
+ !isBlockComment && !this._noLineTerminator ?
+ `//${comment.value}\n`
+ : `/*${comment.value}*/`;
if (isBlockComment && this.format.indent.adjustMultilineComment) {
var _comment$loc;
- const offset = (_comment$loc = comment.loc) == null ? void 0 : _comment$loc.start.column;
+ const offset =
+ (_comment$loc = comment.loc) == null ?
+ void 0
+ : _comment$loc.start.column;
if (offset) {
- const newlineRegex = new RegExp("\\n\\s{1," + offset + "}", "g");
- val = val.replace(newlineRegex, "\n");
+ const newlineRegex = new RegExp('\\n\\s{1,' + offset + '}', 'g');
+ val = val.replace(newlineRegex, '\n');
}
- const indentSize = Math.max(this._getIndent().length, this.format.retainLines ? 0 : this._buf.getCurrentColumn());
- val = val.replace(/\n(?!$)/g, `\n${" ".repeat(indentSize)}`);
+ const indentSize = Math.max(
+ this._getIndent().length,
+ this.format.retainLines ? 0 : this._buf.getCurrentColumn()
+ );
+ val = val.replace(/\n(?!$)/g, `\n${' '.repeat(indentSize)}`);
}
if (this.endsWith(47)) this._space();
- this.withSource("start", comment.loc, () => {
+ this.withSource('start', comment.loc, () => {
this._append(val);
});
if (printNewLines) this.newline(1);
@@ -501,8 +534,15 @@ class Printer {
_printComments(comments, inlinePureAnnotation) {
if (!(comments != null && comments.length)) return;
- if (inlinePureAnnotation && comments.length === 1 && PURE_ANNOTATION_RE.test(comments[0].value)) {
- this._printComment(comments[0], this._buf.hasContent() && !this.endsWith(10));
+ if (
+ inlinePureAnnotation &&
+ comments.length === 1 &&
+ PURE_ANNOTATION_RE.test(comments[0].value)
+ ) {
+ this._printComment(
+ comments[0],
+ this._buf.hasContent() && !this.endsWith(10)
+ );
} else {
for (const comment of comments) {
this._printComment(comment);
@@ -513,18 +553,20 @@ class Printer {
printAssertions(node) {
var _node$assertions;
- if ((_node$assertions = node.assertions) != null && _node$assertions.length) {
+ if (
+ (_node$assertions = node.assertions) != null &&
+ _node$assertions.length
+ ) {
this.space();
- this.word("assert");
+ this.word('assert');
this.space();
- this.token("{");
+ this.token('{');
this.space();
this.printList(node.assertions, node);
this.space();
- this.token("}");
+ this.token('}');
}
}
-
}
Object.assign(Printer.prototype, generatorFunctions);
@@ -535,6 +577,6 @@ var _default = Printer;
exports.default = _default;
function commaSeparator() {
- this.token(",");
+ this.token(',');
this.space();
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/generator/lib/source-map.js b/node_modules/@babel/generator/lib/source-map.js
index e611778..fd787cf 100644
--- a/node_modules/@babel/generator/lib/source-map.js
+++ b/node_modules/@babel/generator/lib/source-map.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
-var _genMapping = require("@jridgewell/gen-mapping");
+var _genMapping = require('@jridgewell/gen-mapping');
class SourceMap {
constructor(opts, code) {
@@ -17,17 +17,24 @@ class SourceMap {
this._lastGenLine = 0;
this._lastSourceLine = 0;
this._lastSourceColumn = 0;
- const map = this._map = new _genMapping.GenMapping({
- sourceRoot: opts.sourceRoot
- });
- this._sourceFileName = (_opts$sourceFileName = opts.sourceFileName) == null ? void 0 : _opts$sourceFileName.replace(/\\/g, "/");
+ const map = (this._map = new _genMapping.GenMapping({
+ sourceRoot: opts.sourceRoot,
+ }));
+ this._sourceFileName =
+ (_opts$sourceFileName = opts.sourceFileName) == null ?
+ void 0
+ : _opts$sourceFileName.replace(/\\/g, '/');
this._rawMappings = undefined;
- if (typeof code === "string") {
+ if (typeof code === 'string') {
(0, _genMapping.setSourceContent)(map, this._sourceFileName, code);
- } else if (typeof code === "object") {
- Object.keys(code).forEach(sourceFileName => {
- (0, _genMapping.setSourceContent)(map, sourceFileName.replace(/\\/g, "/"), code[sourceFileName]);
+ } else if (typeof code === 'object') {
+ Object.keys(code).forEach((sourceFileName) => {
+ (0, _genMapping.setSourceContent)(
+ map,
+ sourceFileName.replace(/\\/g, '/'),
+ code[sourceFileName]
+ );
});
}
}
@@ -41,7 +48,10 @@ class SourceMap {
}
getRawMappings() {
- return this._rawMappings || (this._rawMappings = (0, _genMapping.allMappings)(this._map));
+ return (
+ this._rawMappings ||
+ (this._rawMappings = (0, _genMapping.allMappings)(this._map))
+ );
}
mark(generated, line, column, identifierName, filename) {
@@ -49,14 +59,20 @@ class SourceMap {
(0, _genMapping.maybeAddMapping)(this._map, {
name: identifierName,
generated,
- source: line == null ? undefined : (filename == null ? void 0 : filename.replace(/\\/g, "/")) || this._sourceFileName,
- original: line == null ? undefined : {
- line: line,
- column: column
- }
+ source:
+ line == null ? undefined : (
+ (filename == null ? void 0 : filename.replace(/\\/g, '/')) ||
+ this._sourceFileName
+ ),
+ original:
+ line == null ? undefined : (
+ {
+ line: line,
+ column: column,
+ }
+ ),
});
}
-
}
-exports.default = SourceMap;
\ No newline at end of file
+exports.default = SourceMap;
diff --git a/node_modules/@babel/generator/package.json b/node_modules/@babel/generator/package.json
index 07f8154..bc137ec 100644
--- a/node_modules/@babel/generator/package.json
+++ b/node_modules/@babel/generator/package.json
@@ -33,4 +33,4 @@
"engines": {
"node": ">=6.9.0"
}
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/helper-string-parser/lib/index.js b/node_modules/@babel/helper-string-parser/lib/index.js
index 2d94115..6b616e2 100644
--- a/node_modules/@babel/helper-string-parser/lib/index.js
+++ b/node_modules/@babel/helper-string-parser/lib/index.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.readCodePoint = readCodePoint;
exports.readInt = readInt;
@@ -11,24 +11,23 @@ var _isDigit = function isDigit(code) {
};
const forbiddenNumericSeparatorSiblings = {
decBinOct: new Set([46, 66, 69, 79, 95, 98, 101, 111]),
- hex: new Set([46, 88, 95, 120])
+ hex: new Set([46, 88, 95, 120]),
};
const isAllowedNumericSeparatorSibling = {
- bin: ch => ch === 48 || ch === 49,
- oct: ch => ch >= 48 && ch <= 55,
- dec: ch => ch >= 48 && ch <= 57,
- hex: ch => ch >= 48 && ch <= 57 || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102
+ bin: (ch) => ch === 48 || ch === 49,
+ oct: (ch) => ch >= 48 && ch <= 55,
+ dec: (ch) => ch >= 48 && ch <= 57,
+ hex: (ch) =>
+ (ch >= 48 && ch <= 57) || (ch >= 65 && ch <= 70) || (ch >= 97 && ch <= 102),
};
function readStringContents(type, input, pos, lineStart, curLine, errors) {
const initialPos = pos;
const initialLineStart = lineStart;
const initialCurLine = curLine;
- let out = "";
+ let out = '';
let firstInvalidLoc = null;
let chunkStart = pos;
- const {
- length
- } = input;
+ const { length } = input;
for (;;) {
if (pos >= length) {
errors.unterminated(initialPos, initialLineStart, initialCurLine);
@@ -42,29 +41,32 @@ function readStringContents(type, input, pos, lineStart, curLine, errors) {
}
if (ch === 92) {
out += input.slice(chunkStart, pos);
- const res = readEscapedChar(input, pos, lineStart, curLine, type === "template", errors);
+ const res = readEscapedChar(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ type === 'template',
+ errors
+ );
if (res.ch === null && !firstInvalidLoc) {
firstInvalidLoc = {
pos,
lineStart,
- curLine
+ curLine,
};
} else {
out += res.ch;
}
- ({
- pos,
- lineStart,
- curLine
- } = res);
+ ({ pos, lineStart, curLine } = res);
chunkStart = pos;
} else if (ch === 8232 || ch === 8233) {
++pos;
++curLine;
lineStart = pos;
} else if (ch === 10 || ch === 13) {
- if (type === "template") {
- out += input.slice(chunkStart, pos) + "\n";
+ if (type === 'template') {
+ out += input.slice(chunkStart, pos) + '\n';
++pos;
if (ch === 13 && input.charCodeAt(pos) === 10) {
++pos;
@@ -84,56 +86,64 @@ function readStringContents(type, input, pos, lineStart, curLine, errors) {
firstInvalidLoc,
lineStart,
curLine,
- containsInvalid: !!firstInvalidLoc
+ containsInvalid: !!firstInvalidLoc,
};
}
function isStringEnd(type, ch, input, pos) {
- if (type === "template") {
- return ch === 96 || ch === 36 && input.charCodeAt(pos + 1) === 123;
+ if (type === 'template') {
+ return ch === 96 || (ch === 36 && input.charCodeAt(pos + 1) === 123);
}
- return ch === (type === "double" ? 34 : 39);
+ return ch === (type === 'double' ? 34 : 39);
}
function readEscapedChar(input, pos, lineStart, curLine, inTemplate, errors) {
const throwOnInvalid = !inTemplate;
pos++;
- const res = ch => ({
+ const res = (ch) => ({
pos,
ch,
lineStart,
- curLine
+ curLine,
});
const ch = input.charCodeAt(pos++);
switch (ch) {
case 110:
- return res("\n");
+ return res('\n');
case 114:
- return res("\r");
- case 120:
- {
- let code;
- ({
- code,
- pos
- } = readHexChar(input, pos, lineStart, curLine, 2, false, throwOnInvalid, errors));
- return res(code === null ? null : String.fromCharCode(code));
- }
- case 117:
- {
- let code;
- ({
- code,
- pos
- } = readCodePoint(input, pos, lineStart, curLine, throwOnInvalid, errors));
- return res(code === null ? null : String.fromCodePoint(code));
- }
+ return res('\r');
+ case 120: {
+ let code;
+ ({ code, pos } = readHexChar(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ 2,
+ false,
+ throwOnInvalid,
+ errors
+ ));
+ return res(code === null ? null : String.fromCharCode(code));
+ }
+ case 117: {
+ let code;
+ ({ code, pos } = readCodePoint(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ throwOnInvalid,
+ errors
+ ));
+ return res(code === null ? null : String.fromCodePoint(code));
+ }
case 116:
- return res("\t");
+ return res('\t');
case 98:
- return res("\b");
+ return res('\b');
case 118:
- return res("\u000b");
+ return res('\u000b');
case 102:
- return res("\f");
+ return res('\f');
case 13:
if (input.charCodeAt(pos) === 10) {
++pos;
@@ -143,7 +153,7 @@ function readEscapedChar(input, pos, lineStart, curLine, inTemplate, errors) {
++curLine;
case 8232:
case 8233:
- return res("");
+ return res('');
case 56:
case 57:
if (inTemplate) {
@@ -163,7 +173,7 @@ function readEscapedChar(input, pos, lineStart, curLine, inTemplate, errors) {
}
pos += octalStr.length - 1;
const next = input.charCodeAt(pos);
- if (octalStr !== "0" || next === 56 || next === 57) {
+ if (octalStr !== '0' || next === 56 || next === 57) {
if (inTemplate) {
return res(null);
} else {
@@ -175,13 +185,30 @@ function readEscapedChar(input, pos, lineStart, curLine, inTemplate, errors) {
return res(String.fromCharCode(ch));
}
}
-function readHexChar(input, pos, lineStart, curLine, len, forceLen, throwOnInvalid, errors) {
+function readHexChar(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ len,
+ forceLen,
+ throwOnInvalid,
+ errors
+) {
const initialPos = pos;
let n;
- ({
- n,
- pos
- } = readInt(input, pos, lineStart, curLine, 16, len, forceLen, false, errors, !throwOnInvalid));
+ ({ n, pos } = readInt(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ 16,
+ len,
+ forceLen,
+ false,
+ errors,
+ !throwOnInvalid
+ ));
if (n === null) {
if (throwOnInvalid) {
errors.invalidEscapeSequence(initialPos, lineStart, curLine);
@@ -191,32 +218,57 @@ function readHexChar(input, pos, lineStart, curLine, len, forceLen, throwOnInval
}
return {
code: n,
- pos
+ pos,
};
}
-function readInt(input, pos, lineStart, curLine, radix, len, forceLen, allowNumSeparator, errors, bailOnError) {
+function readInt(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ radix,
+ len,
+ forceLen,
+ allowNumSeparator,
+ errors,
+ bailOnError
+) {
const start = pos;
- const forbiddenSiblings = radix === 16 ? forbiddenNumericSeparatorSiblings.hex : forbiddenNumericSeparatorSiblings.decBinOct;
- const isAllowedSibling = radix === 16 ? isAllowedNumericSeparatorSibling.hex : radix === 10 ? isAllowedNumericSeparatorSibling.dec : radix === 8 ? isAllowedNumericSeparatorSibling.oct : isAllowedNumericSeparatorSibling.bin;
+ const forbiddenSiblings =
+ radix === 16 ?
+ forbiddenNumericSeparatorSiblings.hex
+ : forbiddenNumericSeparatorSiblings.decBinOct;
+ const isAllowedSibling =
+ radix === 16 ? isAllowedNumericSeparatorSibling.hex
+ : radix === 10 ? isAllowedNumericSeparatorSibling.dec
+ : radix === 8 ? isAllowedNumericSeparatorSibling.oct
+ : isAllowedNumericSeparatorSibling.bin;
let invalid = false;
let total = 0;
for (let i = 0, e = len == null ? Infinity : len; i < e; ++i) {
const code = input.charCodeAt(pos);
let val;
- if (code === 95 && allowNumSeparator !== "bail") {
+ if (code === 95 && allowNumSeparator !== 'bail') {
const prev = input.charCodeAt(pos - 1);
const next = input.charCodeAt(pos + 1);
if (!allowNumSeparator) {
- if (bailOnError) return {
- n: null,
- pos
- };
+ if (bailOnError)
+ return {
+ n: null,
+ pos,
+ };
errors.numericSeparatorInEscapeSequence(pos, lineStart, curLine);
- } else if (Number.isNaN(next) || !isAllowedSibling(next) || forbiddenSiblings.has(prev) || forbiddenSiblings.has(next)) {
- if (bailOnError) return {
- n: null,
- pos
- };
+ } else if (
+ Number.isNaN(next) ||
+ !isAllowedSibling(next) ||
+ forbiddenSiblings.has(prev) ||
+ forbiddenSiblings.has(next)
+ ) {
+ if (bailOnError)
+ return {
+ n: null,
+ pos,
+ };
errors.unexpectedNumericSeparator(pos, lineStart, curLine);
}
++pos;
@@ -235,9 +287,12 @@ function readInt(input, pos, lineStart, curLine, radix, len, forceLen, allowNumS
if (val <= 9 && bailOnError) {
return {
n: null,
- pos
+ pos,
};
- } else if (val <= 9 && errors.invalidDigit(pos, lineStart, curLine, radix)) {
+ } else if (
+ val <= 9 &&
+ errors.invalidDigit(pos, lineStart, curLine, radix)
+ ) {
val = 0;
} else if (forceLen) {
val = 0;
@@ -249,15 +304,15 @@ function readInt(input, pos, lineStart, curLine, radix, len, forceLen, allowNumS
++pos;
total = total * radix + val;
}
- if (pos === start || len != null && pos - start !== len || invalid) {
+ if (pos === start || (len != null && pos - start !== len) || invalid) {
return {
n: null,
- pos
+ pos,
};
}
return {
n: total,
- pos
+ pos,
};
}
function readCodePoint(input, pos, lineStart, curLine, throwOnInvalid, errors) {
@@ -265,10 +320,16 @@ function readCodePoint(input, pos, lineStart, curLine, throwOnInvalid, errors) {
let code;
if (ch === 123) {
++pos;
- ({
- code,
- pos
- } = readHexChar(input, pos, lineStart, curLine, input.indexOf("}", pos) - pos, true, throwOnInvalid, errors));
+ ({ code, pos } = readHexChar(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ input.indexOf('}', pos) - pos,
+ true,
+ throwOnInvalid,
+ errors
+ ));
++pos;
if (code !== null && code > 0x10ffff) {
if (throwOnInvalid) {
@@ -276,19 +337,25 @@ function readCodePoint(input, pos, lineStart, curLine, throwOnInvalid, errors) {
} else {
return {
code: null,
- pos
+ pos,
};
}
}
} else {
- ({
- code,
- pos
- } = readHexChar(input, pos, lineStart, curLine, 4, false, throwOnInvalid, errors));
+ ({ code, pos } = readHexChar(
+ input,
+ pos,
+ lineStart,
+ curLine,
+ 4,
+ false,
+ throwOnInvalid,
+ errors
+ ));
}
return {
code,
- pos
+ pos,
};
}
diff --git a/node_modules/@babel/helper-string-parser/package.json b/node_modules/@babel/helper-string-parser/package.json
index 0d0a31a..636b3d0 100644
--- a/node_modules/@babel/helper-string-parser/package.json
+++ b/node_modules/@babel/helper-string-parser/package.json
@@ -28,4 +28,4 @@
"./package.json": "./package.json"
},
"type": "commonjs"
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/helper-validator-identifier/lib/identifier.js b/node_modules/@babel/helper-validator-identifier/lib/identifier.js
index fdb9aec..55222df 100644
--- a/node_modules/@babel/helper-validator-identifier/lib/identifier.js
+++ b/node_modules/@babel/helper-validator-identifier/lib/identifier.js
@@ -1,18 +1,69 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.isIdentifierChar = isIdentifierChar;
exports.isIdentifierName = isIdentifierName;
exports.isIdentifierStart = isIdentifierStart;
-let nonASCIIidentifierStartChars = "\xaa\xb5\xba\xc0-\xd6\xd8-\xf6\xf8-\u02c1\u02c6-\u02d1\u02e0-\u02e4\u02ec\u02ee\u0370-\u0374\u0376\u0377\u037a-\u037d\u037f\u0386\u0388-\u038a\u038c\u038e-\u03a1\u03a3-\u03f5\u03f7-\u0481\u048a-\u052f\u0531-\u0556\u0559\u0560-\u0588\u05d0-\u05ea\u05ef-\u05f2\u0620-\u064a\u066e\u066f\u0671-\u06d3\u06d5\u06e5\u06e6\u06ee\u06ef\u06fa-\u06fc\u06ff\u0710\u0712-\u072f\u074d-\u07a5\u07b1\u07ca-\u07ea\u07f4\u07f5\u07fa\u0800-\u0815\u081a\u0824\u0828\u0840-\u0858\u0860-\u086a\u0870-\u0887\u0889-\u088e\u08a0-\u08c9\u0904-\u0939\u093d\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098c\u098f\u0990\u0993-\u09a8\u09aa-\u09b0\u09b2\u09b6-\u09b9\u09bd\u09ce\u09dc\u09dd\u09df-\u09e1\u09f0\u09f1\u09fc\u0a05-\u0a0a\u0a0f\u0a10\u0a13-\u0a28\u0a2a-\u0a30\u0a32\u0a33\u0a35\u0a36\u0a38\u0a39\u0a59-\u0a5c\u0a5e\u0a72-\u0a74\u0a85-\u0a8d\u0a8f-\u0a91\u0a93-\u0aa8\u0aaa-\u0ab0\u0ab2\u0ab3\u0ab5-\u0ab9\u0abd\u0ad0\u0ae0\u0ae1\u0af9\u0b05-\u0b0c\u0b0f\u0b10\u0b13-\u0b28\u0b2a-\u0b30\u0b32\u0b33\u0b35-\u0b39\u0b3d\u0b5c\u0b5d\u0b5f-\u0b61\u0b71\u0b83\u0b85-\u0b8a\u0b8e-\u0b90\u0b92-\u0b95\u0b99\u0b9a\u0b9c\u0b9e\u0b9f\u0ba3\u0ba4\u0ba8-\u0baa\u0bae-\u0bb9\u0bd0\u0c05-\u0c0c\u0c0e-\u0c10\u0c12-\u0c28\u0c2a-\u0c39\u0c3d\u0c58-\u0c5a\u0c5d\u0c60\u0c61\u0c80\u0c85-\u0c8c\u0c8e-\u0c90\u0c92-\u0ca8\u0caa-\u0cb3\u0cb5-\u0cb9\u0cbd\u0cdd\u0cde\u0ce0\u0ce1\u0cf1\u0cf2\u0d04-\u0d0c\u0d0e-\u0d10\u0d12-\u0d3a\u0d3d\u0d4e\u0d54-\u0d56\u0d5f-\u0d61\u0d7a-\u0d7f\u0d85-\u0d96\u0d9a-\u0db1\u0db3-\u0dbb\u0dbd\u0dc0-\u0dc6\u0e01-\u0e30\u0e32\u0e33\u0e40-\u0e46\u0e81\u0e82\u0e84\u0e86-\u0e8a\u0e8c-\u0ea3\u0ea5\u0ea7-\u0eb0\u0eb2\u0eb3\u0ebd\u0ec0-\u0ec4\u0ec6\u0edc-\u0edf\u0f00\u0f40-\u0f47\u0f49-\u0f6c\u0f88-\u0f8c\u1000-\u102a\u103f\u1050-\u1055\u105a-\u105d\u1061\u1065\u1066\u106e-\u1070\u1075-\u1081\u108e\u10a0-\u10c5\u10c7\u10cd\u10d0-\u10fa\u10fc-\u1248\u124a-\u124d\u1250-\u1256\u1258\u125a-\u125d\u1260-\u1288\u128a-\u128d\u1290-\u12b0\u12b2-\u12b5\u12b8-\u12be\u12c0\u12c2-\u12c5\u12c8-\u12d6\u12d8-\u1310\u1312-\u1315\u1318-\u135a\u1380-\u138f\u13a0-\u13f5\u13f8-\u13fd\u1401-\u166c\u166f-\u167f\u1681-\u169a\u16a0-\u16ea\u16ee-\u16f8\u1700-\u1711\u171f-\u1731\u1740-\u1751\u1760-\u176c\u176e-\u1770\u1780-\u17b3\u17d7\u17dc\u1820-\u1878\u1880-\u18a8\u18aa\u18b0-\u18f5\u1900-\u191e\u1950-\u196d\u1970-\u1974\u1980-\u19ab\u19b0-\u19c9\u1a00-\u1a16\u1a20-\u1a54\u1aa7\u1b05-\u1b33\u1b45-\u1b4c\u1b83-\u1ba0\u1bae\u1baf\u1bba-\u1be5\u1c00-\u1c23\u1c4d-\u1c4f\u1c5a-\u1c7d\u1c80-\u1c8a\u1c90-\u1cba\u1cbd-\u1cbf\u1ce9-\u1cec\u1cee-\u1cf3\u1cf5\u1cf6\u1cfa\u1d00-\u1dbf\u1e00-\u1f15\u1f18-\u1f1d\u1f20-\u1f45\u1f48-\u1f4d\u1f50-\u1f57\u1f59\u1f5b\u1f5d\u1f5f-\u1f7d\u1f80-\u1fb4\u1fb6-\u1fbc\u1fbe\u1fc2-\u1fc4\u1fc6-\u1fcc\u1fd0-\u1fd3\u1fd6-\u1fdb\u1fe0-\u1fec\u1ff2-\u1ff4\u1ff6-\u1ffc\u2071\u207f\u2090-\u209c\u2102\u2107\u210a-\u2113\u2115\u2118-\u211d\u2124\u2126\u2128\u212a-\u2139\u213c-\u213f\u2145-\u2149\u214e\u2160-\u2188\u2c00-\u2ce4\u2ceb-\u2cee\u2cf2\u2cf3\u2d00-\u2d25\u2d27\u2d2d\u2d30-\u2d67\u2d6f\u2d80-\u2d96\u2da0-\u2da6\u2da8-\u2dae\u2db0-\u2db6\u2db8-\u2dbe\u2dc0-\u2dc6\u2dc8-\u2dce\u2dd0-\u2dd6\u2dd8-\u2dde\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303c\u3041-\u3096\u309b-\u309f\u30a1-\u30fa\u30fc-\u30ff\u3105-\u312f\u3131-\u318e\u31a0-\u31bf\u31f0-\u31ff\u3400-\u4dbf\u4e00-\ua48c\ua4d0-\ua4fd\ua500-\ua60c\ua610-\ua61f\ua62a\ua62b\ua640-\ua66e\ua67f-\ua69d\ua6a0-\ua6ef\ua717-\ua71f\ua722-\ua788\ua78b-\ua7cd\ua7d0\ua7d1\ua7d3\ua7d5-\ua7dc\ua7f2-\ua801\ua803-\ua805\ua807-\ua80a\ua80c-\ua822\ua840-\ua873\ua882-\ua8b3\ua8f2-\ua8f7\ua8fb\ua8fd\ua8fe\ua90a-\ua925\ua930-\ua946\ua960-\ua97c\ua984-\ua9b2\ua9cf\ua9e0-\ua9e4\ua9e6-\ua9ef\ua9fa-\ua9fe\uaa00-\uaa28\uaa40-\uaa42\uaa44-\uaa4b\uaa60-\uaa76\uaa7a\uaa7e-\uaaaf\uaab1\uaab5\uaab6\uaab9-\uaabd\uaac0\uaac2\uaadb-\uaadd\uaae0-\uaaea\uaaf2-\uaaf4\uab01-\uab06\uab09-\uab0e\uab11-\uab16\uab20-\uab26\uab28-\uab2e\uab30-\uab5a\uab5c-\uab69\uab70-\uabe2\uac00-\ud7a3\ud7b0-\ud7c6\ud7cb-\ud7fb\uf900-\ufa6d\ufa70-\ufad9\ufb00-\ufb06\ufb13-\ufb17\ufb1d\ufb1f-\ufb28\ufb2a-\ufb36\ufb38-\ufb3c\ufb3e\ufb40\ufb41\ufb43\ufb44\ufb46-\ufbb1\ufbd3-\ufd3d\ufd50-\ufd8f\ufd92-\ufdc7\ufdf0-\ufdfb\ufe70-\ufe74\ufe76-\ufefc\uff21-\uff3a\uff41-\uff5a\uff66-\uffbe\uffc2-\uffc7\uffca-\uffcf\uffd2-\uffd7\uffda-\uffdc";
-let nonASCIIidentifierChars = "\xb7\u0300-\u036f\u0387\u0483-\u0487\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u0669\u0670\u06d6-\u06dc\u06df-\u06e4\u06e7\u06e8\u06ea-\u06ed\u06f0-\u06f9\u0711\u0730-\u074a\u07a6-\u07b0\u07c0-\u07c9\u07eb-\u07f3\u07fd\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0859-\u085b\u0897-\u089f\u08ca-\u08e1\u08e3-\u0903\u093a-\u093c\u093e-\u094f\u0951-\u0957\u0962\u0963\u0966-\u096f\u0981-\u0983\u09bc\u09be-\u09c4\u09c7\u09c8\u09cb-\u09cd\u09d7\u09e2\u09e3\u09e6-\u09ef\u09fe\u0a01-\u0a03\u0a3c\u0a3e-\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a66-\u0a71\u0a75\u0a81-\u0a83\u0abc\u0abe-\u0ac5\u0ac7-\u0ac9\u0acb-\u0acd\u0ae2\u0ae3\u0ae6-\u0aef\u0afa-\u0aff\u0b01-\u0b03\u0b3c\u0b3e-\u0b44\u0b47\u0b48\u0b4b-\u0b4d\u0b55-\u0b57\u0b62\u0b63\u0b66-\u0b6f\u0b82\u0bbe-\u0bc2\u0bc6-\u0bc8\u0bca-\u0bcd\u0bd7\u0be6-\u0bef\u0c00-\u0c04\u0c3c\u0c3e-\u0c44\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0c66-\u0c6f\u0c81-\u0c83\u0cbc\u0cbe-\u0cc4\u0cc6-\u0cc8\u0cca-\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0ce6-\u0cef\u0cf3\u0d00-\u0d03\u0d3b\u0d3c\u0d3e-\u0d44\u0d46-\u0d48\u0d4a-\u0d4d\u0d57\u0d62\u0d63\u0d66-\u0d6f\u0d81-\u0d83\u0dca\u0dcf-\u0dd4\u0dd6\u0dd8-\u0ddf\u0de6-\u0def\u0df2\u0df3\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0e50-\u0e59\u0eb1\u0eb4-\u0ebc\u0ec8-\u0ece\u0ed0-\u0ed9\u0f18\u0f19\u0f20-\u0f29\u0f35\u0f37\u0f39\u0f3e\u0f3f\u0f71-\u0f84\u0f86\u0f87\u0f8d-\u0f97\u0f99-\u0fbc\u0fc6\u102b-\u103e\u1040-\u1049\u1056-\u1059\u105e-\u1060\u1062-\u1064\u1067-\u106d\u1071-\u1074\u1082-\u108d\u108f-\u109d\u135d-\u135f\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17b4-\u17d3\u17dd\u17e0-\u17e9\u180b-\u180d\u180f-\u1819\u18a9\u1920-\u192b\u1930-\u193b\u1946-\u194f\u19d0-\u19da\u1a17-\u1a1b\u1a55-\u1a5e\u1a60-\u1a7c\u1a7f-\u1a89\u1a90-\u1a99\u1ab0-\u1abd\u1abf-\u1ace\u1b00-\u1b04\u1b34-\u1b44\u1b50-\u1b59\u1b6b-\u1b73\u1b80-\u1b82\u1ba1-\u1bad\u1bb0-\u1bb9\u1be6-\u1bf3\u1c24-\u1c37\u1c40-\u1c49\u1c50-\u1c59\u1cd0-\u1cd2\u1cd4-\u1ce8\u1ced\u1cf4\u1cf7-\u1cf9\u1dc0-\u1dff\u200c\u200d\u203f\u2040\u2054\u20d0-\u20dc\u20e1\u20e5-\u20f0\u2cef-\u2cf1\u2d7f\u2de0-\u2dff\u302a-\u302f\u3099\u309a\u30fb\ua620-\ua629\ua66f\ua674-\ua67d\ua69e\ua69f\ua6f0\ua6f1\ua802\ua806\ua80b\ua823-\ua827\ua82c\ua880\ua881\ua8b4-\ua8c5\ua8d0-\ua8d9\ua8e0-\ua8f1\ua8ff-\ua909\ua926-\ua92d\ua947-\ua953\ua980-\ua983\ua9b3-\ua9c0\ua9d0-\ua9d9\ua9e5\ua9f0-\ua9f9\uaa29-\uaa36\uaa43\uaa4c\uaa4d\uaa50-\uaa59\uaa7b-\uaa7d\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uaaeb-\uaaef\uaaf5\uaaf6\uabe3-\uabea\uabec\uabed\uabf0-\uabf9\ufb1e\ufe00-\ufe0f\ufe20-\ufe2f\ufe33\ufe34\ufe4d-\ufe4f\uff10-\uff19\uff3f\uff65";
-const nonASCIIidentifierStart = new RegExp("[" + nonASCIIidentifierStartChars + "]");
-const nonASCIIidentifier = new RegExp("[" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + "]");
+let nonASCIIidentifierStartChars =
+ '\xaa\xb5\xba\xc0-\xd6\xd8-\xf6\xf8-\u02c1\u02c6-\u02d1\u02e0-\u02e4\u02ec\u02ee\u0370-\u0374\u0376\u0377\u037a-\u037d\u037f\u0386\u0388-\u038a\u038c\u038e-\u03a1\u03a3-\u03f5\u03f7-\u0481\u048a-\u052f\u0531-\u0556\u0559\u0560-\u0588\u05d0-\u05ea\u05ef-\u05f2\u0620-\u064a\u066e\u066f\u0671-\u06d3\u06d5\u06e5\u06e6\u06ee\u06ef\u06fa-\u06fc\u06ff\u0710\u0712-\u072f\u074d-\u07a5\u07b1\u07ca-\u07ea\u07f4\u07f5\u07fa\u0800-\u0815\u081a\u0824\u0828\u0840-\u0858\u0860-\u086a\u0870-\u0887\u0889-\u088e\u08a0-\u08c9\u0904-\u0939\u093d\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098c\u098f\u0990\u0993-\u09a8\u09aa-\u09b0\u09b2\u09b6-\u09b9\u09bd\u09ce\u09dc\u09dd\u09df-\u09e1\u09f0\u09f1\u09fc\u0a05-\u0a0a\u0a0f\u0a10\u0a13-\u0a28\u0a2a-\u0a30\u0a32\u0a33\u0a35\u0a36\u0a38\u0a39\u0a59-\u0a5c\u0a5e\u0a72-\u0a74\u0a85-\u0a8d\u0a8f-\u0a91\u0a93-\u0aa8\u0aaa-\u0ab0\u0ab2\u0ab3\u0ab5-\u0ab9\u0abd\u0ad0\u0ae0\u0ae1\u0af9\u0b05-\u0b0c\u0b0f\u0b10\u0b13-\u0b28\u0b2a-\u0b30\u0b32\u0b33\u0b35-\u0b39\u0b3d\u0b5c\u0b5d\u0b5f-\u0b61\u0b71\u0b83\u0b85-\u0b8a\u0b8e-\u0b90\u0b92-\u0b95\u0b99\u0b9a\u0b9c\u0b9e\u0b9f\u0ba3\u0ba4\u0ba8-\u0baa\u0bae-\u0bb9\u0bd0\u0c05-\u0c0c\u0c0e-\u0c10\u0c12-\u0c28\u0c2a-\u0c39\u0c3d\u0c58-\u0c5a\u0c5d\u0c60\u0c61\u0c80\u0c85-\u0c8c\u0c8e-\u0c90\u0c92-\u0ca8\u0caa-\u0cb3\u0cb5-\u0cb9\u0cbd\u0cdd\u0cde\u0ce0\u0ce1\u0cf1\u0cf2\u0d04-\u0d0c\u0d0e-\u0d10\u0d12-\u0d3a\u0d3d\u0d4e\u0d54-\u0d56\u0d5f-\u0d61\u0d7a-\u0d7f\u0d85-\u0d96\u0d9a-\u0db1\u0db3-\u0dbb\u0dbd\u0dc0-\u0dc6\u0e01-\u0e30\u0e32\u0e33\u0e40-\u0e46\u0e81\u0e82\u0e84\u0e86-\u0e8a\u0e8c-\u0ea3\u0ea5\u0ea7-\u0eb0\u0eb2\u0eb3\u0ebd\u0ec0-\u0ec4\u0ec6\u0edc-\u0edf\u0f00\u0f40-\u0f47\u0f49-\u0f6c\u0f88-\u0f8c\u1000-\u102a\u103f\u1050-\u1055\u105a-\u105d\u1061\u1065\u1066\u106e-\u1070\u1075-\u1081\u108e\u10a0-\u10c5\u10c7\u10cd\u10d0-\u10fa\u10fc-\u1248\u124a-\u124d\u1250-\u1256\u1258\u125a-\u125d\u1260-\u1288\u128a-\u128d\u1290-\u12b0\u12b2-\u12b5\u12b8-\u12be\u12c0\u12c2-\u12c5\u12c8-\u12d6\u12d8-\u1310\u1312-\u1315\u1318-\u135a\u1380-\u138f\u13a0-\u13f5\u13f8-\u13fd\u1401-\u166c\u166f-\u167f\u1681-\u169a\u16a0-\u16ea\u16ee-\u16f8\u1700-\u1711\u171f-\u1731\u1740-\u1751\u1760-\u176c\u176e-\u1770\u1780-\u17b3\u17d7\u17dc\u1820-\u1878\u1880-\u18a8\u18aa\u18b0-\u18f5\u1900-\u191e\u1950-\u196d\u1970-\u1974\u1980-\u19ab\u19b0-\u19c9\u1a00-\u1a16\u1a20-\u1a54\u1aa7\u1b05-\u1b33\u1b45-\u1b4c\u1b83-\u1ba0\u1bae\u1baf\u1bba-\u1be5\u1c00-\u1c23\u1c4d-\u1c4f\u1c5a-\u1c7d\u1c80-\u1c8a\u1c90-\u1cba\u1cbd-\u1cbf\u1ce9-\u1cec\u1cee-\u1cf3\u1cf5\u1cf6\u1cfa\u1d00-\u1dbf\u1e00-\u1f15\u1f18-\u1f1d\u1f20-\u1f45\u1f48-\u1f4d\u1f50-\u1f57\u1f59\u1f5b\u1f5d\u1f5f-\u1f7d\u1f80-\u1fb4\u1fb6-\u1fbc\u1fbe\u1fc2-\u1fc4\u1fc6-\u1fcc\u1fd0-\u1fd3\u1fd6-\u1fdb\u1fe0-\u1fec\u1ff2-\u1ff4\u1ff6-\u1ffc\u2071\u207f\u2090-\u209c\u2102\u2107\u210a-\u2113\u2115\u2118-\u211d\u2124\u2126\u2128\u212a-\u2139\u213c-\u213f\u2145-\u2149\u214e\u2160-\u2188\u2c00-\u2ce4\u2ceb-\u2cee\u2cf2\u2cf3\u2d00-\u2d25\u2d27\u2d2d\u2d30-\u2d67\u2d6f\u2d80-\u2d96\u2da0-\u2da6\u2da8-\u2dae\u2db0-\u2db6\u2db8-\u2dbe\u2dc0-\u2dc6\u2dc8-\u2dce\u2dd0-\u2dd6\u2dd8-\u2dde\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303c\u3041-\u3096\u309b-\u309f\u30a1-\u30fa\u30fc-\u30ff\u3105-\u312f\u3131-\u318e\u31a0-\u31bf\u31f0-\u31ff\u3400-\u4dbf\u4e00-\ua48c\ua4d0-\ua4fd\ua500-\ua60c\ua610-\ua61f\ua62a\ua62b\ua640-\ua66e\ua67f-\ua69d\ua6a0-\ua6ef\ua717-\ua71f\ua722-\ua788\ua78b-\ua7cd\ua7d0\ua7d1\ua7d3\ua7d5-\ua7dc\ua7f2-\ua801\ua803-\ua805\ua807-\ua80a\ua80c-\ua822\ua840-\ua873\ua882-\ua8b3\ua8f2-\ua8f7\ua8fb\ua8fd\ua8fe\ua90a-\ua925\ua930-\ua946\ua960-\ua97c\ua984-\ua9b2\ua9cf\ua9e0-\ua9e4\ua9e6-\ua9ef\ua9fa-\ua9fe\uaa00-\uaa28\uaa40-\uaa42\uaa44-\uaa4b\uaa60-\uaa76\uaa7a\uaa7e-\uaaaf\uaab1\uaab5\uaab6\uaab9-\uaabd\uaac0\uaac2\uaadb-\uaadd\uaae0-\uaaea\uaaf2-\uaaf4\uab01-\uab06\uab09-\uab0e\uab11-\uab16\uab20-\uab26\uab28-\uab2e\uab30-\uab5a\uab5c-\uab69\uab70-\uabe2\uac00-\ud7a3\ud7b0-\ud7c6\ud7cb-\ud7fb\uf900-\ufa6d\ufa70-\ufad9\ufb00-\ufb06\ufb13-\ufb17\ufb1d\ufb1f-\ufb28\ufb2a-\ufb36\ufb38-\ufb3c\ufb3e\ufb40\ufb41\ufb43\ufb44\ufb46-\ufbb1\ufbd3-\ufd3d\ufd50-\ufd8f\ufd92-\ufdc7\ufdf0-\ufdfb\ufe70-\ufe74\ufe76-\ufefc\uff21-\uff3a\uff41-\uff5a\uff66-\uffbe\uffc2-\uffc7\uffca-\uffcf\uffd2-\uffd7\uffda-\uffdc';
+let nonASCIIidentifierChars =
+ '\xb7\u0300-\u036f\u0387\u0483-\u0487\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u0669\u0670\u06d6-\u06dc\u06df-\u06e4\u06e7\u06e8\u06ea-\u06ed\u06f0-\u06f9\u0711\u0730-\u074a\u07a6-\u07b0\u07c0-\u07c9\u07eb-\u07f3\u07fd\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0859-\u085b\u0897-\u089f\u08ca-\u08e1\u08e3-\u0903\u093a-\u093c\u093e-\u094f\u0951-\u0957\u0962\u0963\u0966-\u096f\u0981-\u0983\u09bc\u09be-\u09c4\u09c7\u09c8\u09cb-\u09cd\u09d7\u09e2\u09e3\u09e6-\u09ef\u09fe\u0a01-\u0a03\u0a3c\u0a3e-\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a66-\u0a71\u0a75\u0a81-\u0a83\u0abc\u0abe-\u0ac5\u0ac7-\u0ac9\u0acb-\u0acd\u0ae2\u0ae3\u0ae6-\u0aef\u0afa-\u0aff\u0b01-\u0b03\u0b3c\u0b3e-\u0b44\u0b47\u0b48\u0b4b-\u0b4d\u0b55-\u0b57\u0b62\u0b63\u0b66-\u0b6f\u0b82\u0bbe-\u0bc2\u0bc6-\u0bc8\u0bca-\u0bcd\u0bd7\u0be6-\u0bef\u0c00-\u0c04\u0c3c\u0c3e-\u0c44\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0c66-\u0c6f\u0c81-\u0c83\u0cbc\u0cbe-\u0cc4\u0cc6-\u0cc8\u0cca-\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0ce6-\u0cef\u0cf3\u0d00-\u0d03\u0d3b\u0d3c\u0d3e-\u0d44\u0d46-\u0d48\u0d4a-\u0d4d\u0d57\u0d62\u0d63\u0d66-\u0d6f\u0d81-\u0d83\u0dca\u0dcf-\u0dd4\u0dd6\u0dd8-\u0ddf\u0de6-\u0def\u0df2\u0df3\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0e50-\u0e59\u0eb1\u0eb4-\u0ebc\u0ec8-\u0ece\u0ed0-\u0ed9\u0f18\u0f19\u0f20-\u0f29\u0f35\u0f37\u0f39\u0f3e\u0f3f\u0f71-\u0f84\u0f86\u0f87\u0f8d-\u0f97\u0f99-\u0fbc\u0fc6\u102b-\u103e\u1040-\u1049\u1056-\u1059\u105e-\u1060\u1062-\u1064\u1067-\u106d\u1071-\u1074\u1082-\u108d\u108f-\u109d\u135d-\u135f\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17b4-\u17d3\u17dd\u17e0-\u17e9\u180b-\u180d\u180f-\u1819\u18a9\u1920-\u192b\u1930-\u193b\u1946-\u194f\u19d0-\u19da\u1a17-\u1a1b\u1a55-\u1a5e\u1a60-\u1a7c\u1a7f-\u1a89\u1a90-\u1a99\u1ab0-\u1abd\u1abf-\u1ace\u1b00-\u1b04\u1b34-\u1b44\u1b50-\u1b59\u1b6b-\u1b73\u1b80-\u1b82\u1ba1-\u1bad\u1bb0-\u1bb9\u1be6-\u1bf3\u1c24-\u1c37\u1c40-\u1c49\u1c50-\u1c59\u1cd0-\u1cd2\u1cd4-\u1ce8\u1ced\u1cf4\u1cf7-\u1cf9\u1dc0-\u1dff\u200c\u200d\u203f\u2040\u2054\u20d0-\u20dc\u20e1\u20e5-\u20f0\u2cef-\u2cf1\u2d7f\u2de0-\u2dff\u302a-\u302f\u3099\u309a\u30fb\ua620-\ua629\ua66f\ua674-\ua67d\ua69e\ua69f\ua6f0\ua6f1\ua802\ua806\ua80b\ua823-\ua827\ua82c\ua880\ua881\ua8b4-\ua8c5\ua8d0-\ua8d9\ua8e0-\ua8f1\ua8ff-\ua909\ua926-\ua92d\ua947-\ua953\ua980-\ua983\ua9b3-\ua9c0\ua9d0-\ua9d9\ua9e5\ua9f0-\ua9f9\uaa29-\uaa36\uaa43\uaa4c\uaa4d\uaa50-\uaa59\uaa7b-\uaa7d\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uaaeb-\uaaef\uaaf5\uaaf6\uabe3-\uabea\uabec\uabed\uabf0-\uabf9\ufb1e\ufe00-\ufe0f\ufe20-\ufe2f\ufe33\ufe34\ufe4d-\ufe4f\uff10-\uff19\uff3f\uff65';
+const nonASCIIidentifierStart = new RegExp(
+ '[' + nonASCIIidentifierStartChars + ']'
+);
+const nonASCIIidentifier = new RegExp(
+ '[' + nonASCIIidentifierStartChars + nonASCIIidentifierChars + ']'
+);
nonASCIIidentifierStartChars = nonASCIIidentifierChars = null;
-const astralIdentifierStartCodes = [0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48, 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39, 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 4, 51, 13, 310, 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14, 50, 14, 35, 39, 27, 10, 22, 251, 41, 7, 1, 17, 2, 60, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 20, 1, 64, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 31, 9, 2, 0, 3, 0, 2, 37, 2, 0, 26, 0, 2, 0, 45, 52, 19, 3, 21, 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 200, 32, 32, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18, 16, 0, 2, 12, 2, 33, 125, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1071, 18, 5, 26, 3994, 6, 582, 6842, 29, 1763, 568, 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 433, 44, 212, 63, 129, 74, 6, 0, 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 42, 9, 8936, 3, 2, 6, 2, 1, 2, 290, 16, 0, 30, 2, 3, 0, 15, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 7, 1845, 30, 7, 5, 262, 61, 147, 44, 11, 6, 17, 0, 322, 29, 19, 43, 485, 27, 229, 29, 3, 0, 496, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4153, 7, 221, 3, 5761, 15, 7472, 16, 621, 2467, 541, 1507, 4938, 6, 4191];
-const astralIdentifierCodes = [509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574, 3, 9, 9, 7, 9, 32, 4, 318, 1, 80, 3, 71, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83, 11, 7, 0, 3, 0, 158, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4, 4, 68, 8, 2, 0, 3, 0, 2, 3, 2, 4, 2, 0, 15, 1, 83, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9, 7, 19, 58, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 343, 9, 54, 7, 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1, 2, 4, 9, 9, 330, 3, 10, 1, 2, 0, 49, 6, 4, 4, 14, 10, 5350, 0, 7, 14, 11465, 27, 2343, 9, 87, 9, 39, 4, 60, 6, 26, 9, 535, 9, 470, 0, 2, 54, 8, 3, 82, 0, 12, 1, 19628, 1, 4178, 9, 519, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3, 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16, 3, 6, 2, 1, 2, 4, 101, 0, 161, 6, 10, 9, 357, 0, 62, 13, 499, 13, 245, 1, 2, 9, 726, 6, 110, 6, 6, 9, 4759, 9, 787719, 239];
+const astralIdentifierStartCodes = [
+ 0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48,
+ 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39,
+ 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 4, 51, 13, 310,
+ 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11,
+ 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2,
+ 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56,
+ 50, 14, 50, 14, 35, 39, 27, 10, 22, 251, 41, 7, 1, 17, 2, 60, 28, 11, 0, 9,
+ 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30,
+ 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 20, 1, 64, 6,
+ 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0,
+ 19, 0, 13, 4, 31, 9, 2, 0, 3, 0, 2, 37, 2, 0, 26, 0, 2, 0, 45, 52, 19, 3, 21,
+ 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26,
+ 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7,
+ 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 200,
+ 32, 32, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2,
+ 31, 15, 0, 328, 18, 16, 0, 2, 12, 2, 33, 125, 0, 80, 921, 103, 110, 18, 195,
+ 2637, 96, 16, 1071, 18, 5, 26, 3994, 6, 582, 6842, 29, 1763, 568, 8, 30, 18,
+ 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 433, 44, 212, 63, 129, 74, 6, 0, 67,
+ 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 42, 9, 8936, 3, 2, 6, 2, 1, 2, 290, 16, 0,
+ 30, 2, 3, 0, 15, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2,
+ 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3,
+ 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2,
+ 24, 2, 30, 2, 24, 2, 7, 1845, 30, 7, 5, 262, 61, 147, 44, 11, 6, 17, 0, 322,
+ 29, 19, 43, 485, 27, 229, 29, 3, 0, 496, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67,
+ 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2,
+ 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2,
+ 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4153, 7,
+ 221, 3, 5761, 15, 7472, 16, 621, 2467, 541, 1507, 4938, 6, 4191,
+];
+const astralIdentifierCodes = [
+ 509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574,
+ 3, 9, 9, 7, 9, 32, 4, 318, 1, 80, 3, 71, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3,
+ 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13,
+ 9, 3, 2, 11, 83, 11, 7, 0, 3, 0, 158, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2,
+ 10, 0, 11, 1, 3, 6, 4, 4, 68, 8, 2, 0, 3, 0, 2, 3, 2, 4, 2, 0, 15, 1, 83, 17,
+ 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9,
+ 7, 19, 58, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9,
+ 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 343, 9, 54, 7,
+ 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1,
+ 2, 4, 9, 9, 330, 3, 10, 1, 2, 0, 49, 6, 4, 4, 14, 10, 5350, 0, 7, 14, 11465,
+ 27, 2343, 9, 87, 9, 39, 4, 60, 6, 26, 9, 535, 9, 470, 0, 2, 54, 8, 3, 82, 0,
+ 12, 1, 19628, 1, 4178, 9, 519, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3,
+ 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16,
+ 3, 6, 2, 1, 2, 4, 101, 0, 161, 6, 10, 9, 357, 0, 62, 13, 499, 13, 245, 1, 2,
+ 9, 726, 6, 110, 6, 6, 9, 4759, 9, 787719, 239,
+];
function isInAstralSet(code, set) {
let pos = 0x10000;
for (let i = 0, length = set.length; i < length; i += 2) {
@@ -29,7 +80,9 @@ function isIdentifierStart(code) {
if (code < 97) return code === 95;
if (code <= 122) return true;
if (code <= 0xffff) {
- return code >= 0xaa && nonASCIIidentifierStart.test(String.fromCharCode(code));
+ return (
+ code >= 0xaa && nonASCIIidentifierStart.test(String.fromCharCode(code))
+ );
}
return isInAstralSet(code, astralIdentifierStartCodes);
}
@@ -43,7 +96,10 @@ function isIdentifierChar(code) {
if (code <= 0xffff) {
return code >= 0xaa && nonASCIIidentifier.test(String.fromCharCode(code));
}
- return isInAstralSet(code, astralIdentifierStartCodes) || isInAstralSet(code, astralIdentifierCodes);
+ return (
+ isInAstralSet(code, astralIdentifierStartCodes) ||
+ isInAstralSet(code, astralIdentifierCodes)
+ );
}
function isIdentifierName(name) {
let isFirst = true;
diff --git a/node_modules/@babel/helper-validator-identifier/lib/index.js b/node_modules/@babel/helper-validator-identifier/lib/index.js
index 76b2282..dca3738 100644
--- a/node_modules/@babel/helper-validator-identifier/lib/index.js
+++ b/node_modules/@babel/helper-validator-identifier/lib/index.js
@@ -1,57 +1,57 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-Object.defineProperty(exports, "isIdentifierChar", {
+Object.defineProperty(exports, 'isIdentifierChar', {
enumerable: true,
get: function () {
return _identifier.isIdentifierChar;
- }
+ },
});
-Object.defineProperty(exports, "isIdentifierName", {
+Object.defineProperty(exports, 'isIdentifierName', {
enumerable: true,
get: function () {
return _identifier.isIdentifierName;
- }
+ },
});
-Object.defineProperty(exports, "isIdentifierStart", {
+Object.defineProperty(exports, 'isIdentifierStart', {
enumerable: true,
get: function () {
return _identifier.isIdentifierStart;
- }
+ },
});
-Object.defineProperty(exports, "isKeyword", {
+Object.defineProperty(exports, 'isKeyword', {
enumerable: true,
get: function () {
return _keyword.isKeyword;
- }
+ },
});
-Object.defineProperty(exports, "isReservedWord", {
+Object.defineProperty(exports, 'isReservedWord', {
enumerable: true,
get: function () {
return _keyword.isReservedWord;
- }
+ },
});
-Object.defineProperty(exports, "isStrictBindOnlyReservedWord", {
+Object.defineProperty(exports, 'isStrictBindOnlyReservedWord', {
enumerable: true,
get: function () {
return _keyword.isStrictBindOnlyReservedWord;
- }
+ },
});
-Object.defineProperty(exports, "isStrictBindReservedWord", {
+Object.defineProperty(exports, 'isStrictBindReservedWord', {
enumerable: true,
get: function () {
return _keyword.isStrictBindReservedWord;
- }
+ },
});
-Object.defineProperty(exports, "isStrictReservedWord", {
+Object.defineProperty(exports, 'isStrictReservedWord', {
enumerable: true,
get: function () {
return _keyword.isStrictReservedWord;
- }
+ },
});
-var _identifier = require("./identifier.js");
-var _keyword = require("./keyword.js");
+var _identifier = require('./identifier.js');
+var _keyword = require('./keyword.js');
//# sourceMappingURL=index.js.map
diff --git a/node_modules/@babel/helper-validator-identifier/lib/keyword.js b/node_modules/@babel/helper-validator-identifier/lib/keyword.js
index 054cf84..9a2579b 100644
--- a/node_modules/@babel/helper-validator-identifier/lib/keyword.js
+++ b/node_modules/@babel/helper-validator-identifier/lib/keyword.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.isKeyword = isKeyword;
exports.isReservedWord = isReservedWord;
@@ -9,15 +9,61 @@ exports.isStrictBindOnlyReservedWord = isStrictBindOnlyReservedWord;
exports.isStrictBindReservedWord = isStrictBindReservedWord;
exports.isStrictReservedWord = isStrictReservedWord;
const reservedWords = {
- keyword: ["break", "case", "catch", "continue", "debugger", "default", "do", "else", "finally", "for", "function", "if", "return", "switch", "throw", "try", "var", "const", "while", "with", "new", "this", "super", "class", "extends", "export", "import", "null", "true", "false", "in", "instanceof", "typeof", "void", "delete"],
- strict: ["implements", "interface", "let", "package", "private", "protected", "public", "static", "yield"],
- strictBind: ["eval", "arguments"]
+ keyword: [
+ 'break',
+ 'case',
+ 'catch',
+ 'continue',
+ 'debugger',
+ 'default',
+ 'do',
+ 'else',
+ 'finally',
+ 'for',
+ 'function',
+ 'if',
+ 'return',
+ 'switch',
+ 'throw',
+ 'try',
+ 'var',
+ 'const',
+ 'while',
+ 'with',
+ 'new',
+ 'this',
+ 'super',
+ 'class',
+ 'extends',
+ 'export',
+ 'import',
+ 'null',
+ 'true',
+ 'false',
+ 'in',
+ 'instanceof',
+ 'typeof',
+ 'void',
+ 'delete',
+ ],
+ strict: [
+ 'implements',
+ 'interface',
+ 'let',
+ 'package',
+ 'private',
+ 'protected',
+ 'public',
+ 'static',
+ 'yield',
+ ],
+ strictBind: ['eval', 'arguments'],
};
const keywords = new Set(reservedWords.keyword);
const reservedWordsStrictSet = new Set(reservedWords.strict);
const reservedWordsStrictBindSet = new Set(reservedWords.strictBind);
function isReservedWord(word, inModule) {
- return inModule && word === "await" || word === "enum";
+ return (inModule && word === 'await') || word === 'enum';
}
function isStrictReservedWord(word, inModule) {
return isReservedWord(word, inModule) || reservedWordsStrictSet.has(word);
@@ -26,7 +72,9 @@ function isStrictBindOnlyReservedWord(word) {
return reservedWordsStrictBindSet.has(word);
}
function isStrictBindReservedWord(word, inModule) {
- return isStrictReservedWord(word, inModule) || isStrictBindOnlyReservedWord(word);
+ return (
+ isStrictReservedWord(word, inModule) || isStrictBindOnlyReservedWord(word)
+ );
}
function isKeyword(word) {
return keywords.has(word);
diff --git a/node_modules/@babel/helper-validator-identifier/package.json b/node_modules/@babel/helper-validator-identifier/package.json
index 0147740..890abcb 100644
--- a/node_modules/@babel/helper-validator-identifier/package.json
+++ b/node_modules/@babel/helper-validator-identifier/package.json
@@ -28,4 +28,4 @@
},
"author": "The Babel Team (https://babel.dev/team)",
"type": "commonjs"
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/parser/bin/babel-parser.js b/node_modules/@babel/parser/bin/babel-parser.js
index 3aca314..2d21eab 100644
--- a/node_modules/@babel/parser/bin/babel-parser.js
+++ b/node_modules/@babel/parser/bin/babel-parser.js
@@ -1,15 +1,15 @@
#!/usr/bin/env node
/* eslint no-var: 0 */
-var parser = require("..");
-var fs = require("fs");
+var parser = require('..');
+var fs = require('fs');
var filename = process.argv[2];
if (!filename) {
- console.error("no filename specified");
+ console.error('no filename specified');
} else {
- var file = fs.readFileSync(filename, "utf8");
+ var file = fs.readFileSync(filename, 'utf8');
var ast = parser.parse(file);
- console.log(JSON.stringify(ast, null, " "));
+ console.log(JSON.stringify(ast, null, ' '));
}
diff --git a/node_modules/@babel/parser/lib/index.js b/node_modules/@babel/parser/lib/index.js
index efa309e..4f8b11f 100644
--- a/node_modules/@babel/parser/lib/index.js
+++ b/node_modules/@babel/parser/lib/index.js
@@ -26,7 +26,6 @@ class Position {
this.column = col;
this.index = index;
}
-
}
class SourceLocation {
constructor(start, end) {
@@ -37,20 +36,15 @@ class SourceLocation {
this.start = start;
this.end = end;
}
-
}
function createPositionWithColumnOffset(position, columnOffset) {
- const {
- line,
- column,
- index
- } = position;
+ const { line, column, index } = position;
return new Position(line, column + columnOffset, index + columnOffset);
}
const ParseErrorCodes = Object.freeze({
- SyntaxError: "BABEL_PARSER_SYNTAX_ERROR",
- SourceTypeModuleError: "BABEL_PARSER_SOURCETYPE_MODULE_REQUIRED"
+ SyntaxError: 'BABEL_PARSER_SYNTAX_ERROR',
+ SourceTypeModuleError: 'BABEL_PARSER_SOURCETYPE_MODULE_REQUIRED',
});
const reflect = (keys, last = keys.length - 1) => ({
@@ -59,762 +53,1041 @@ const reflect = (keys, last = keys.length - 1) => ({
},
set(value) {
- keys.reduce((item, key, i) => i === last ? item[key] = value : item[key], this);
- }
-
+ keys.reduce(
+ (item, key, i) => (i === last ? (item[key] = value) : item[key]),
+ this
+ );
+ },
});
-const instantiate = (constructor, properties, descriptors) => Object.keys(descriptors).map(key => [key, descriptors[key]]).filter(([, descriptor]) => !!descriptor).map(([key, descriptor]) => [key, typeof descriptor === "function" ? {
- value: descriptor,
- enumerable: false
-} : typeof descriptor.reflect === "string" ? Object.assign({}, descriptor, reflect(descriptor.reflect.split("."))) : descriptor]).reduce((instance, [key, descriptor]) => Object.defineProperty(instance, key, Object.assign({
- configurable: true
-}, descriptor)), Object.assign(new constructor(), properties));
+const instantiate = (constructor, properties, descriptors) =>
+ Object.keys(descriptors)
+ .map((key) => [key, descriptors[key]])
+ .filter(([, descriptor]) => !!descriptor)
+ .map(([key, descriptor]) => [
+ key,
+ typeof descriptor === 'function' ?
+ {
+ value: descriptor,
+ enumerable: false,
+ }
+ : typeof descriptor.reflect === 'string' ?
+ Object.assign({}, descriptor, reflect(descriptor.reflect.split('.')))
+ : descriptor,
+ ])
+ .reduce(
+ (instance, [key, descriptor]) =>
+ Object.defineProperty(
+ instance,
+ key,
+ Object.assign(
+ {
+ configurable: true,
+ },
+ descriptor
+ )
+ ),
+ Object.assign(new constructor(), properties)
+ );
-var ModuleErrors = (_ => ({
- ImportMetaOutsideModule: _(`import.meta may appear only with 'sourceType: "module"'`, {
- code: ParseErrorCodes.SourceTypeModuleError
- }),
- ImportOutsideModule: _(`'import' and 'export' may appear only with 'sourceType: "module"'`, {
- code: ParseErrorCodes.SourceTypeModuleError
- })
-}));
+var ModuleErrors = (_) => ({
+ ImportMetaOutsideModule: _(
+ `import.meta may appear only with 'sourceType: "module"'`,
+ {
+ code: ParseErrorCodes.SourceTypeModuleError,
+ }
+ ),
+ ImportOutsideModule: _(
+ `'import' and 'export' may appear only with 'sourceType: "module"'`,
+ {
+ code: ParseErrorCodes.SourceTypeModuleError,
+ }
+ ),
+});
const NodeDescriptions = {
- ArrayPattern: "array destructuring pattern",
- AssignmentExpression: "assignment expression",
- AssignmentPattern: "assignment expression",
- ArrowFunctionExpression: "arrow function expression",
- ConditionalExpression: "conditional expression",
- ForOfStatement: "for-of statement",
- ForInStatement: "for-in statement",
- ForStatement: "for-loop",
- FormalParameters: "function parameter list",
- Identifier: "identifier",
- ObjectPattern: "object destructuring pattern",
- ParenthesizedExpression: "parenthesized expression",
- RestElement: "rest element",
+ ArrayPattern: 'array destructuring pattern',
+ AssignmentExpression: 'assignment expression',
+ AssignmentPattern: 'assignment expression',
+ ArrowFunctionExpression: 'arrow function expression',
+ ConditionalExpression: 'conditional expression',
+ ForOfStatement: 'for-of statement',
+ ForInStatement: 'for-in statement',
+ ForStatement: 'for-loop',
+ FormalParameters: 'function parameter list',
+ Identifier: 'identifier',
+ ObjectPattern: 'object destructuring pattern',
+ ParenthesizedExpression: 'parenthesized expression',
+ RestElement: 'rest element',
UpdateExpression: {
- true: "prefix operation",
- false: "postfix operation"
+ true: 'prefix operation',
+ false: 'postfix operation',
},
- VariableDeclarator: "variable declaration",
- YieldExpression: "yield expression"
+ VariableDeclarator: 'variable declaration',
+ YieldExpression: 'yield expression',
};
-const toNodeDescription = ({
- type,
- prefix
-}) => type === "UpdateExpression" ? NodeDescriptions.UpdateExpression[String(prefix)] : NodeDescriptions[type];
+const toNodeDescription = ({ type, prefix }) =>
+ type === 'UpdateExpression' ?
+ NodeDescriptions.UpdateExpression[String(prefix)]
+ : NodeDescriptions[type];
-var StandardErrors = (_ => ({
- AccessorIsGenerator: _(({
- kind
- }) => `A ${kind}ter cannot be a generator.`),
- ArgumentsInClass: _("'arguments' is only allowed in functions and class methods."),
- AsyncFunctionInSingleStatementContext: _("Async functions can only be declared at the top level or inside a block."),
- AwaitBindingIdentifier: _("Can not use 'await' as identifier inside an async function."),
- AwaitBindingIdentifierInStaticBlock: _("Can not use 'await' as identifier inside a static block."),
- AwaitExpressionFormalParameter: _("'await' is not allowed in async function parameters."),
- AwaitNotInAsyncContext: _("'await' is only allowed within async functions and at the top levels of modules."),
+var StandardErrors = (_) => ({
+ AccessorIsGenerator: _(({ kind }) => `A ${kind}ter cannot be a generator.`),
+ ArgumentsInClass: _(
+ "'arguments' is only allowed in functions and class methods."
+ ),
+ AsyncFunctionInSingleStatementContext: _(
+ 'Async functions can only be declared at the top level or inside a block.'
+ ),
+ AwaitBindingIdentifier: _(
+ "Can not use 'await' as identifier inside an async function."
+ ),
+ AwaitBindingIdentifierInStaticBlock: _(
+ "Can not use 'await' as identifier inside a static block."
+ ),
+ AwaitExpressionFormalParameter: _(
+ "'await' is not allowed in async function parameters."
+ ),
+ AwaitNotInAsyncContext: _(
+ "'await' is only allowed within async functions and at the top levels of modules."
+ ),
AwaitNotInAsyncFunction: _("'await' is only allowed within async functions."),
BadGetterArity: _("A 'get' accesor must not have any formal parameters."),
BadSetterArity: _("A 'set' accesor must have exactly one formal parameter."),
- BadSetterRestParameter: _("A 'set' accesor function argument must not be a rest parameter."),
+ BadSetterRestParameter: _(
+ "A 'set' accesor function argument must not be a rest parameter."
+ ),
ConstructorClassField: _("Classes may not have a field named 'constructor'."),
- ConstructorClassPrivateField: _("Classes may not have a private field named '#constructor'."),
- ConstructorIsAccessor: _("Class constructor may not be an accessor."),
+ ConstructorClassPrivateField: _(
+ "Classes may not have a private field named '#constructor'."
+ ),
+ ConstructorIsAccessor: _('Class constructor may not be an accessor.'),
ConstructorIsAsync: _("Constructor can't be an async function."),
ConstructorIsGenerator: _("Constructor can't be a generator."),
- DeclarationMissingInitializer: _(({
- kind
- }) => `Missing initializer in ${kind} declaration.`),
- DecoratorBeforeExport: _("Decorators must be placed *before* the 'export' keyword. You can set the 'decoratorsBeforeExport' option to false to use the 'export @decorator class {}' syntax."),
- DecoratorConstructor: _("Decorators can't be used with a constructor. Did you mean '@dec class { ... }'?"),
- DecoratorExportClass: _("Using the export keyword between a decorator and a class is not allowed. Please use `export @dec class` instead."),
- DecoratorSemicolon: _("Decorators must not be followed by a semicolon."),
+ DeclarationMissingInitializer: _(
+ ({ kind }) => `Missing initializer in ${kind} declaration.`
+ ),
+ DecoratorBeforeExport: _(
+ "Decorators must be placed *before* the 'export' keyword. You can set the 'decoratorsBeforeExport' option to false to use the 'export @decorator class {}' syntax."
+ ),
+ DecoratorConstructor: _(
+ "Decorators can't be used with a constructor. Did you mean '@dec class { ... }'?"
+ ),
+ DecoratorExportClass: _(
+ 'Using the export keyword between a decorator and a class is not allowed. Please use `export @dec class` instead.'
+ ),
+ DecoratorSemicolon: _('Decorators must not be followed by a semicolon.'),
DecoratorStaticBlock: _("Decorators can't be used with a static block."),
- DeletePrivateField: _("Deleting a private field is not allowed."),
- DestructureNamedImport: _("ES2015 named imports do not destructure. Use another statement for destructuring after the import."),
- DuplicateConstructor: _("Duplicate constructor in the same class."),
- DuplicateDefaultExport: _("Only one default export allowed per module."),
- DuplicateExport: _(({
- exportName
- }) => `\`${exportName}\` has already been exported. Exported identifiers must be unique.`),
- DuplicateProto: _("Redefinition of __proto__ property."),
- DuplicateRegExpFlags: _("Duplicate regular expression flag."),
- ElementAfterRest: _("Rest element must be last element."),
- EscapedCharNotAnIdentifier: _("Invalid Unicode escape."),
- ExportBindingIsString: _(({
- localName,
- exportName
- }) => `A string literal cannot be used as an exported binding without \`from\`.\n- Did you mean \`export { '${localName}' as '${exportName}' } from 'some-module'\`?`),
- ExportDefaultFromAsIdentifier: _("'from' is not allowed as an identifier after 'export default'."),
- ForInOfLoopInitializer: _(({
- type
- }) => `'${type === "ForInStatement" ? "for-in" : "for-of"}' loop variable declaration may not have an initializer.`),
+ DeletePrivateField: _('Deleting a private field is not allowed.'),
+ DestructureNamedImport: _(
+ 'ES2015 named imports do not destructure. Use another statement for destructuring after the import.'
+ ),
+ DuplicateConstructor: _('Duplicate constructor in the same class.'),
+ DuplicateDefaultExport: _('Only one default export allowed per module.'),
+ DuplicateExport: _(
+ ({ exportName }) =>
+ `\`${exportName}\` has already been exported. Exported identifiers must be unique.`
+ ),
+ DuplicateProto: _('Redefinition of __proto__ property.'),
+ DuplicateRegExpFlags: _('Duplicate regular expression flag.'),
+ ElementAfterRest: _('Rest element must be last element.'),
+ EscapedCharNotAnIdentifier: _('Invalid Unicode escape.'),
+ ExportBindingIsString: _(
+ ({ localName, exportName }) =>
+ `A string literal cannot be used as an exported binding without \`from\`.\n- Did you mean \`export { '${localName}' as '${exportName}' } from 'some-module'\`?`
+ ),
+ ExportDefaultFromAsIdentifier: _(
+ "'from' is not allowed as an identifier after 'export default'."
+ ),
+ ForInOfLoopInitializer: _(
+ ({ type }) =>
+ `'${type === 'ForInStatement' ? 'for-in' : 'for-of'}' loop variable declaration may not have an initializer.`
+ ),
ForOfAsync: _("The left-hand side of a for-of loop may not be 'async'."),
ForOfLet: _("The left-hand side of a for-of loop may not start with 'let'."),
- GeneratorInSingleStatementContext: _("Generators can only be declared at the top level or inside a block."),
- IllegalBreakContinue: _(({
- type
- }) => `Unsyntactic ${type === "BreakStatement" ? "break" : "continue"}.`),
- IllegalLanguageModeDirective: _("Illegal 'use strict' directive in function with non-simple parameter list."),
+ GeneratorInSingleStatementContext: _(
+ 'Generators can only be declared at the top level or inside a block.'
+ ),
+ IllegalBreakContinue: _(
+ ({ type }) =>
+ `Unsyntactic ${type === 'BreakStatement' ? 'break' : 'continue'}.`
+ ),
+ IllegalLanguageModeDirective: _(
+ "Illegal 'use strict' directive in function with non-simple parameter list."
+ ),
IllegalReturn: _("'return' outside of function."),
- ImportBindingIsString: _(({
- importName
- }) => `A string literal cannot be used as an imported binding.\n- Did you mean \`import { "${importName}" as foo }\`?`),
- ImportCallArgumentTrailingComma: _("Trailing comma is disallowed inside import(...) arguments."),
- ImportCallArity: _(({
- maxArgumentCount
- }) => `\`import()\` requires exactly ${maxArgumentCount === 1 ? "one argument" : "one or two arguments"}.`),
- ImportCallNotNewExpression: _("Cannot use new with import(...)."),
- ImportCallSpreadArgument: _("`...` is not allowed in `import()`."),
- IncompatibleRegExpUVFlags: _("The 'u' and 'v' regular expression flags cannot be enabled at the same time."),
- InvalidBigIntLiteral: _("Invalid BigIntLiteral."),
- InvalidCodePoint: _("Code point out of bounds."),
- InvalidCoverInitializedName: _("Invalid shorthand property initializer."),
- InvalidDecimal: _("Invalid decimal."),
- InvalidDigit: _(({
- radix
- }) => `Expected number in radix ${radix}.`),
- InvalidEscapeSequence: _("Bad character escape sequence."),
- InvalidEscapeSequenceTemplate: _("Invalid escape sequence in template."),
- InvalidEscapedReservedWord: _(({
- reservedWord
- }) => `Escape sequence in keyword ${reservedWord}.`),
- InvalidIdentifier: _(({
- identifierName
- }) => `Invalid identifier ${identifierName}.`),
- InvalidLhs: _(({
- ancestor
- }) => `Invalid left-hand side in ${toNodeDescription(ancestor)}.`),
- InvalidLhsBinding: _(({
- ancestor
- }) => `Binding invalid left-hand side in ${toNodeDescription(ancestor)}.`),
- InvalidNumber: _("Invalid number."),
- InvalidOrMissingExponent: _("Floating-point numbers require a valid exponent after the 'e'."),
- InvalidOrUnexpectedToken: _(({
- unexpected
- }) => `Unexpected character '${unexpected}'.`),
- InvalidParenthesizedAssignment: _("Invalid parenthesized assignment pattern."),
- InvalidPrivateFieldResolution: _(({
- identifierName
- }) => `Private name #${identifierName} is not defined.`),
- InvalidPropertyBindingPattern: _("Binding member expression."),
- InvalidRecordProperty: _("Only properties and spread elements are allowed in record definitions."),
+ ImportBindingIsString: _(
+ ({ importName }) =>
+ `A string literal cannot be used as an imported binding.\n- Did you mean \`import { "${importName}" as foo }\`?`
+ ),
+ ImportCallArgumentTrailingComma: _(
+ 'Trailing comma is disallowed inside import(...) arguments.'
+ ),
+ ImportCallArity: _(
+ ({ maxArgumentCount }) =>
+ `\`import()\` requires exactly ${maxArgumentCount === 1 ? 'one argument' : 'one or two arguments'}.`
+ ),
+ ImportCallNotNewExpression: _('Cannot use new with import(...).'),
+ ImportCallSpreadArgument: _('`...` is not allowed in `import()`.'),
+ IncompatibleRegExpUVFlags: _(
+ "The 'u' and 'v' regular expression flags cannot be enabled at the same time."
+ ),
+ InvalidBigIntLiteral: _('Invalid BigIntLiteral.'),
+ InvalidCodePoint: _('Code point out of bounds.'),
+ InvalidCoverInitializedName: _('Invalid shorthand property initializer.'),
+ InvalidDecimal: _('Invalid decimal.'),
+ InvalidDigit: _(({ radix }) => `Expected number in radix ${radix}.`),
+ InvalidEscapeSequence: _('Bad character escape sequence.'),
+ InvalidEscapeSequenceTemplate: _('Invalid escape sequence in template.'),
+ InvalidEscapedReservedWord: _(
+ ({ reservedWord }) => `Escape sequence in keyword ${reservedWord}.`
+ ),
+ InvalidIdentifier: _(
+ ({ identifierName }) => `Invalid identifier ${identifierName}.`
+ ),
+ InvalidLhs: _(
+ ({ ancestor }) =>
+ `Invalid left-hand side in ${toNodeDescription(ancestor)}.`
+ ),
+ InvalidLhsBinding: _(
+ ({ ancestor }) =>
+ `Binding invalid left-hand side in ${toNodeDescription(ancestor)}.`
+ ),
+ InvalidNumber: _('Invalid number.'),
+ InvalidOrMissingExponent: _(
+ "Floating-point numbers require a valid exponent after the 'e'."
+ ),
+ InvalidOrUnexpectedToken: _(
+ ({ unexpected }) => `Unexpected character '${unexpected}'.`
+ ),
+ InvalidParenthesizedAssignment: _(
+ 'Invalid parenthesized assignment pattern.'
+ ),
+ InvalidPrivateFieldResolution: _(
+ ({ identifierName }) => `Private name #${identifierName} is not defined.`
+ ),
+ InvalidPropertyBindingPattern: _('Binding member expression.'),
+ InvalidRecordProperty: _(
+ 'Only properties and spread elements are allowed in record definitions.'
+ ),
InvalidRestAssignmentPattern: _("Invalid rest operator's argument."),
- LabelRedeclaration: _(({
- labelName
- }) => `Label '${labelName}' is already declared.`),
- LetInLexicalBinding: _("'let' is not allowed to be used as a name in 'let' or 'const' declarations."),
+ LabelRedeclaration: _(
+ ({ labelName }) => `Label '${labelName}' is already declared.`
+ ),
+ LetInLexicalBinding: _(
+ "'let' is not allowed to be used as a name in 'let' or 'const' declarations."
+ ),
LineTerminatorBeforeArrow: _("No line break is allowed before '=>'."),
- MalformedRegExpFlags: _("Invalid regular expression flag."),
- MissingClassName: _("A class name is required."),
- MissingEqInAssignment: _("Only '=' operator can be used for specifying default value."),
- MissingSemicolon: _("Missing semicolon."),
- MissingPlugin: _(({
- missingPlugin
- }) => `This experimental syntax requires enabling the parser plugin: ${missingPlugin.map(name => JSON.stringify(name)).join(", ")}.`),
- MissingOneOfPlugins: _(({
- missingPlugin
- }) => `This experimental syntax requires enabling one of the following parser plugin(s): ${missingPlugin.map(name => JSON.stringify(name)).join(", ")}.`),
- MissingUnicodeEscape: _("Expecting Unicode escape sequence \\uXXXX."),
- MixingCoalesceWithLogical: _("Nullish coalescing operator(??) requires parens when mixing with logical operators."),
- ModuleAttributeDifferentFromType: _("The only accepted module attribute is `type`."),
- ModuleAttributeInvalidValue: _("Only string literals are allowed as module attribute values."),
- ModuleAttributesWithDuplicateKeys: _(({
- key
- }) => `Duplicate key "${key}" is not allowed in module attributes.`),
- ModuleExportNameHasLoneSurrogate: _(({
- surrogateCharCode
- }) => `An export name cannot include a lone surrogate, found '\\u${surrogateCharCode.toString(16)}'.`),
- ModuleExportUndefined: _(({
- localName
- }) => `Export '${localName}' is not defined.`),
- MultipleDefaultsInSwitch: _("Multiple default clauses."),
- NewlineAfterThrow: _("Illegal newline after throw."),
- NoCatchOrFinally: _("Missing catch or finally clause."),
- NumberIdentifier: _("Identifier directly after number."),
- NumericSeparatorInEscapeSequence: _("Numeric separators are not allowed inside unicode escape sequences or hex escape sequences."),
- ObsoleteAwaitStar: _("'await*' has been removed from the async functions proposal. Use Promise.all() instead."),
- OptionalChainingNoNew: _("Constructors in/after an Optional Chain are not allowed."),
- OptionalChainingNoTemplate: _("Tagged Template Literals are not allowed in optionalChain."),
- OverrideOnConstructor: _("'override' modifier cannot appear on a constructor declaration."),
- ParamDupe: _("Argument name clash."),
+ MalformedRegExpFlags: _('Invalid regular expression flag.'),
+ MissingClassName: _('A class name is required.'),
+ MissingEqInAssignment: _(
+ "Only '=' operator can be used for specifying default value."
+ ),
+ MissingSemicolon: _('Missing semicolon.'),
+ MissingPlugin: _(
+ ({ missingPlugin }) =>
+ `This experimental syntax requires enabling the parser plugin: ${missingPlugin.map((name) => JSON.stringify(name)).join(', ')}.`
+ ),
+ MissingOneOfPlugins: _(
+ ({ missingPlugin }) =>
+ `This experimental syntax requires enabling one of the following parser plugin(s): ${missingPlugin.map((name) => JSON.stringify(name)).join(', ')}.`
+ ),
+ MissingUnicodeEscape: _('Expecting Unicode escape sequence \\uXXXX.'),
+ MixingCoalesceWithLogical: _(
+ 'Nullish coalescing operator(??) requires parens when mixing with logical operators.'
+ ),
+ ModuleAttributeDifferentFromType: _(
+ 'The only accepted module attribute is `type`.'
+ ),
+ ModuleAttributeInvalidValue: _(
+ 'Only string literals are allowed as module attribute values.'
+ ),
+ ModuleAttributesWithDuplicateKeys: _(
+ ({ key }) => `Duplicate key "${key}" is not allowed in module attributes.`
+ ),
+ ModuleExportNameHasLoneSurrogate: _(
+ ({ surrogateCharCode }) =>
+ `An export name cannot include a lone surrogate, found '\\u${surrogateCharCode.toString(16)}'.`
+ ),
+ ModuleExportUndefined: _(
+ ({ localName }) => `Export '${localName}' is not defined.`
+ ),
+ MultipleDefaultsInSwitch: _('Multiple default clauses.'),
+ NewlineAfterThrow: _('Illegal newline after throw.'),
+ NoCatchOrFinally: _('Missing catch or finally clause.'),
+ NumberIdentifier: _('Identifier directly after number.'),
+ NumericSeparatorInEscapeSequence: _(
+ 'Numeric separators are not allowed inside unicode escape sequences or hex escape sequences.'
+ ),
+ ObsoleteAwaitStar: _(
+ "'await*' has been removed from the async functions proposal. Use Promise.all() instead."
+ ),
+ OptionalChainingNoNew: _(
+ 'Constructors in/after an Optional Chain are not allowed.'
+ ),
+ OptionalChainingNoTemplate: _(
+ 'Tagged Template Literals are not allowed in optionalChain.'
+ ),
+ OverrideOnConstructor: _(
+ "'override' modifier cannot appear on a constructor declaration."
+ ),
+ ParamDupe: _('Argument name clash.'),
PatternHasAccessor: _("Object pattern can't contain getter or setter."),
PatternHasMethod: _("Object pattern can't contain methods."),
- PrivateInExpectedIn: _(({
- identifierName
- }) => `Private names are only allowed in property accesses (\`obj.#${identifierName}\`) or in \`in\` expressions (\`#${identifierName} in obj\`).`),
- PrivateNameRedeclaration: _(({
- identifierName
- }) => `Duplicate private name #${identifierName}.`),
- RecordExpressionBarIncorrectEndSyntaxType: _("Record expressions ending with '|}' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."),
- RecordExpressionBarIncorrectStartSyntaxType: _("Record expressions starting with '{|' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."),
- RecordExpressionHashIncorrectStartSyntaxType: _("Record expressions starting with '#{' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'hash'."),
+ PrivateInExpectedIn: _(
+ ({ identifierName }) =>
+ `Private names are only allowed in property accesses (\`obj.#${identifierName}\`) or in \`in\` expressions (\`#${identifierName} in obj\`).`
+ ),
+ PrivateNameRedeclaration: _(
+ ({ identifierName }) => `Duplicate private name #${identifierName}.`
+ ),
+ RecordExpressionBarIncorrectEndSyntaxType: _(
+ "Record expressions ending with '|}' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."
+ ),
+ RecordExpressionBarIncorrectStartSyntaxType: _(
+ "Record expressions starting with '{|' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."
+ ),
+ RecordExpressionHashIncorrectStartSyntaxType: _(
+ "Record expressions starting with '#{' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'hash'."
+ ),
RecordNoProto: _("'__proto__' is not allowed in Record expressions."),
- RestTrailingComma: _("Unexpected trailing comma after rest element."),
- SloppyFunction: _("In non-strict mode code, functions can only be declared at top level, inside a block, or as the body of an if statement."),
- StaticPrototype: _("Classes may not have static property named prototype."),
- SuperNotAllowed: _("`super()` is only valid inside a class constructor of a subclass. Maybe a typo in the method name ('constructor') or not extending another class?"),
+ RestTrailingComma: _('Unexpected trailing comma after rest element.'),
+ SloppyFunction: _(
+ 'In non-strict mode code, functions can only be declared at top level, inside a block, or as the body of an if statement.'
+ ),
+ StaticPrototype: _('Classes may not have static property named prototype.'),
+ SuperNotAllowed: _(
+ "`super()` is only valid inside a class constructor of a subclass. Maybe a typo in the method name ('constructor') or not extending another class?"
+ ),
SuperPrivateField: _("Private fields can't be accessed on super."),
- TrailingDecorator: _("Decorators must be attached to a class element."),
- TupleExpressionBarIncorrectEndSyntaxType: _("Tuple expressions ending with '|]' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."),
- TupleExpressionBarIncorrectStartSyntaxType: _("Tuple expressions starting with '[|' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."),
- TupleExpressionHashIncorrectStartSyntaxType: _("Tuple expressions starting with '#[' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'hash'."),
- UnexpectedArgumentPlaceholder: _("Unexpected argument placeholder."),
- UnexpectedAwaitAfterPipelineBody: _('Unexpected "await" after pipeline body; await must have parentheses in minimal proposal.'),
- UnexpectedDigitAfterHash: _("Unexpected digit after hash token."),
- UnexpectedImportExport: _("'import' and 'export' may only appear at the top level."),
- UnexpectedKeyword: _(({
- keyword
- }) => `Unexpected keyword '${keyword}'.`),
- UnexpectedLeadingDecorator: _("Leading decorators must be attached to a class declaration."),
- UnexpectedLexicalDeclaration: _("Lexical declaration cannot appear in a single-statement context."),
- UnexpectedNewTarget: _("`new.target` can only be used in functions or class properties."),
- UnexpectedNumericSeparator: _("A numeric separator is only allowed between two digits."),
- UnexpectedPrivateField: _("Unexpected private name."),
- UnexpectedReservedWord: _(({
- reservedWord
- }) => `Unexpected reserved word '${reservedWord}'.`),
+ TrailingDecorator: _('Decorators must be attached to a class element.'),
+ TupleExpressionBarIncorrectEndSyntaxType: _(
+ "Tuple expressions ending with '|]' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."
+ ),
+ TupleExpressionBarIncorrectStartSyntaxType: _(
+ "Tuple expressions starting with '[|' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'."
+ ),
+ TupleExpressionHashIncorrectStartSyntaxType: _(
+ "Tuple expressions starting with '#[' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'hash'."
+ ),
+ UnexpectedArgumentPlaceholder: _('Unexpected argument placeholder.'),
+ UnexpectedAwaitAfterPipelineBody: _(
+ 'Unexpected "await" after pipeline body; await must have parentheses in minimal proposal.'
+ ),
+ UnexpectedDigitAfterHash: _('Unexpected digit after hash token.'),
+ UnexpectedImportExport: _(
+ "'import' and 'export' may only appear at the top level."
+ ),
+ UnexpectedKeyword: _(({ keyword }) => `Unexpected keyword '${keyword}'.`),
+ UnexpectedLeadingDecorator: _(
+ 'Leading decorators must be attached to a class declaration.'
+ ),
+ UnexpectedLexicalDeclaration: _(
+ 'Lexical declaration cannot appear in a single-statement context.'
+ ),
+ UnexpectedNewTarget: _(
+ '`new.target` can only be used in functions or class properties.'
+ ),
+ UnexpectedNumericSeparator: _(
+ 'A numeric separator is only allowed between two digits.'
+ ),
+ UnexpectedPrivateField: _('Unexpected private name.'),
+ UnexpectedReservedWord: _(
+ ({ reservedWord }) => `Unexpected reserved word '${reservedWord}'.`
+ ),
UnexpectedSuper: _("'super' is only allowed in object methods and classes."),
- UnexpectedToken: _(({
- expected,
- unexpected
- }) => `Unexpected token${unexpected ? ` '${unexpected}'.` : ""}${expected ? `, expected "${expected}"` : ""}`),
- UnexpectedTokenUnaryExponentiation: _("Illegal expression. Wrap left hand side or entire exponentiation in parentheses."),
- UnsupportedBind: _("Binding should be performed on object property."),
- UnsupportedDecoratorExport: _("A decorated export must export a class declaration."),
- UnsupportedDefaultExport: _("Only expressions, functions or classes are allowed as the `default` export."),
- UnsupportedImport: _("`import` can only be used in `import()` or `import.meta`."),
- UnsupportedMetaProperty: _(({
- target,
- onlyValidPropertyName
- }) => `The only valid meta property for ${target} is ${target}.${onlyValidPropertyName}.`),
- UnsupportedParameterDecorator: _("Decorators cannot be used to decorate parameters."),
- UnsupportedPropertyDecorator: _("Decorators cannot be used to decorate object literal properties."),
- UnsupportedSuper: _("'super' can only be used with function calls (i.e. super()) or in property accesses (i.e. super.prop or super[prop])."),
- UnterminatedComment: _("Unterminated comment."),
- UnterminatedRegExp: _("Unterminated regular expression."),
- UnterminatedString: _("Unterminated string constant."),
- UnterminatedTemplate: _("Unterminated template."),
- VarRedeclaration: _(({
- identifierName
- }) => `Identifier '${identifierName}' has already been declared.`),
- YieldBindingIdentifier: _("Can not use 'yield' as identifier inside a generator."),
- YieldInParameter: _("Yield expression is not allowed in formal parameters."),
- ZeroDigitNumericSeparator: _("Numeric separator can not be used after leading 0.")
-}));
+ UnexpectedToken: _(
+ ({ expected, unexpected }) =>
+ `Unexpected token${unexpected ? ` '${unexpected}'.` : ''}${expected ? `, expected "${expected}"` : ''}`
+ ),
+ UnexpectedTokenUnaryExponentiation: _(
+ 'Illegal expression. Wrap left hand side or entire exponentiation in parentheses.'
+ ),
+ UnsupportedBind: _('Binding should be performed on object property.'),
+ UnsupportedDecoratorExport: _(
+ 'A decorated export must export a class declaration.'
+ ),
+ UnsupportedDefaultExport: _(
+ 'Only expressions, functions or classes are allowed as the `default` export.'
+ ),
+ UnsupportedImport: _(
+ '`import` can only be used in `import()` or `import.meta`.'
+ ),
+ UnsupportedMetaProperty: _(
+ ({ target, onlyValidPropertyName }) =>
+ `The only valid meta property for ${target} is ${target}.${onlyValidPropertyName}.`
+ ),
+ UnsupportedParameterDecorator: _(
+ 'Decorators cannot be used to decorate parameters.'
+ ),
+ UnsupportedPropertyDecorator: _(
+ 'Decorators cannot be used to decorate object literal properties.'
+ ),
+ UnsupportedSuper: _(
+ "'super' can only be used with function calls (i.e. super()) or in property accesses (i.e. super.prop or super[prop])."
+ ),
+ UnterminatedComment: _('Unterminated comment.'),
+ UnterminatedRegExp: _('Unterminated regular expression.'),
+ UnterminatedString: _('Unterminated string constant.'),
+ UnterminatedTemplate: _('Unterminated template.'),
+ VarRedeclaration: _(
+ ({ identifierName }) =>
+ `Identifier '${identifierName}' has already been declared.`
+ ),
+ YieldBindingIdentifier: _(
+ "Can not use 'yield' as identifier inside a generator."
+ ),
+ YieldInParameter: _('Yield expression is not allowed in formal parameters.'),
+ ZeroDigitNumericSeparator: _(
+ 'Numeric separator can not be used after leading 0.'
+ ),
+});
-var StrictModeErrors = (_ => ({
- StrictDelete: _("Deleting local variable in strict mode."),
- StrictEvalArguments: _(({
- referenceName
- }) => `Assigning to '${referenceName}' in strict mode.`),
- StrictEvalArgumentsBinding: _(({
- bindingName
- }) => `Binding '${bindingName}' in strict mode.`),
- StrictFunction: _("In strict mode code, functions can only be declared at top level or inside a block."),
- StrictNumericEscape: _("The only valid numeric escape in strict mode is '\\0'."),
- StrictOctalLiteral: _("Legacy octal literals are not allowed in strict mode."),
- StrictWith: _("'with' in strict mode.")
-}));
+var StrictModeErrors = (_) => ({
+ StrictDelete: _('Deleting local variable in strict mode.'),
+ StrictEvalArguments: _(
+ ({ referenceName }) => `Assigning to '${referenceName}' in strict mode.`
+ ),
+ StrictEvalArgumentsBinding: _(
+ ({ bindingName }) => `Binding '${bindingName}' in strict mode.`
+ ),
+ StrictFunction: _(
+ 'In strict mode code, functions can only be declared at top level or inside a block.'
+ ),
+ StrictNumericEscape: _(
+ "The only valid numeric escape in strict mode is '\\0'."
+ ),
+ StrictOctalLiteral: _(
+ 'Legacy octal literals are not allowed in strict mode.'
+ ),
+ StrictWith: _("'with' in strict mode."),
+});
-const UnparenthesizedPipeBodyDescriptions = new Set(["ArrowFunctionExpression", "AssignmentExpression", "ConditionalExpression", "YieldExpression"]);
-var PipelineOperatorErrors = (_ => ({
- PipeBodyIsTighter: _("Unexpected yield after pipeline body; any yield expression acting as Hack-style pipe body must be parenthesized due to its loose operator precedence."),
- PipeTopicRequiresHackPipes: _('Topic reference is used, but the pipelineOperator plugin was not passed a "proposal": "hack" or "smart" option.'),
- PipeTopicUnbound: _("Topic reference is unbound; it must be inside a pipe body."),
- PipeTopicUnconfiguredToken: _(({
- token
- }) => `Invalid topic token ${token}. In order to use ${token} as a topic reference, the pipelineOperator plugin must be configured with { "proposal": "hack", "topicToken": "${token}" }.`),
- PipeTopicUnused: _("Hack-style pipe body does not contain a topic reference; Hack-style pipes must use topic at least once."),
- PipeUnparenthesizedBody: _(({
- type
- }) => `Hack-style pipe body cannot be an unparenthesized ${toNodeDescription({
- type
- })}; please wrap it in parentheses.`),
- PipelineBodyNoArrow: _('Unexpected arrow "=>" after pipeline body; arrow function in pipeline body must be parenthesized.'),
- PipelineBodySequenceExpression: _("Pipeline body may not be a comma-separated sequence expression."),
- PipelineHeadSequenceExpression: _("Pipeline head should not be a comma-separated sequence expression."),
- PipelineTopicUnused: _("Pipeline is in topic style but does not use topic reference."),
- PrimaryTopicNotAllowed: _("Topic reference was used in a lexical context without topic binding."),
- PrimaryTopicRequiresSmartPipeline: _('Topic reference is used, but the pipelineOperator plugin was not passed a "proposal": "hack" or "smart" option.')
-}));
+const UnparenthesizedPipeBodyDescriptions = new Set([
+ 'ArrowFunctionExpression',
+ 'AssignmentExpression',
+ 'ConditionalExpression',
+ 'YieldExpression',
+]);
+var PipelineOperatorErrors = (_) => ({
+ PipeBodyIsTighter: _(
+ 'Unexpected yield after pipeline body; any yield expression acting as Hack-style pipe body must be parenthesized due to its loose operator precedence.'
+ ),
+ PipeTopicRequiresHackPipes: _(
+ 'Topic reference is used, but the pipelineOperator plugin was not passed a "proposal": "hack" or "smart" option.'
+ ),
+ PipeTopicUnbound: _(
+ 'Topic reference is unbound; it must be inside a pipe body.'
+ ),
+ PipeTopicUnconfiguredToken: _(
+ ({ token }) =>
+ `Invalid topic token ${token}. In order to use ${token} as a topic reference, the pipelineOperator plugin must be configured with { "proposal": "hack", "topicToken": "${token}" }.`
+ ),
+ PipeTopicUnused: _(
+ 'Hack-style pipe body does not contain a topic reference; Hack-style pipes must use topic at least once.'
+ ),
+ PipeUnparenthesizedBody: _(
+ ({ type }) =>
+ `Hack-style pipe body cannot be an unparenthesized ${toNodeDescription({
+ type,
+ })}; please wrap it in parentheses.`
+ ),
+ PipelineBodyNoArrow: _(
+ 'Unexpected arrow "=>" after pipeline body; arrow function in pipeline body must be parenthesized.'
+ ),
+ PipelineBodySequenceExpression: _(
+ 'Pipeline body may not be a comma-separated sequence expression.'
+ ),
+ PipelineHeadSequenceExpression: _(
+ 'Pipeline head should not be a comma-separated sequence expression.'
+ ),
+ PipelineTopicUnused: _(
+ 'Pipeline is in topic style but does not use topic reference.'
+ ),
+ PrimaryTopicNotAllowed: _(
+ 'Topic reference was used in a lexical context without topic binding.'
+ ),
+ PrimaryTopicRequiresSmartPipeline: _(
+ 'Topic reference is used, but the pipelineOperator plugin was not passed a "proposal": "hack" or "smart" option.'
+ ),
+});
-const _excluded$1 = ["toMessage"];
+const _excluded$1 = ['toMessage'];
function toParseErrorConstructor(_ref) {
- let {
- toMessage
- } = _ref,
- properties = _objectWithoutPropertiesLoose(_ref, _excluded$1);
+ let { toMessage } = _ref,
+ properties = _objectWithoutPropertiesLoose(_ref, _excluded$1);
- return function constructor({
- loc,
- details
- }) {
- return instantiate(SyntaxError, Object.assign({}, properties, {
- loc
- }), {
- clone(overrides = {}) {
- const loc = overrides.loc || {};
- return constructor({
- loc: new Position("line" in loc ? loc.line : this.loc.line, "column" in loc ? loc.column : this.loc.column, "index" in loc ? loc.index : this.loc.index),
- details: Object.assign({}, this.details, overrides.details)
- });
- },
-
- details: {
- value: details,
- enumerable: false
- },
- message: {
- get() {
- return `${toMessage(this.details)} (${this.loc.line}:${this.loc.column})`;
+ return function constructor({ loc, details }) {
+ return instantiate(
+ SyntaxError,
+ Object.assign({}, properties, {
+ loc,
+ }),
+ {
+ clone(overrides = {}) {
+ const loc = overrides.loc || {};
+ return constructor({
+ loc: new Position(
+ 'line' in loc ? loc.line : this.loc.line,
+ 'column' in loc ? loc.column : this.loc.column,
+ 'index' in loc ? loc.index : this.loc.index
+ ),
+ details: Object.assign({}, this.details, overrides.details),
+ });
},
- set(value) {
- Object.defineProperty(this, "message", {
- value
- });
- }
+ details: {
+ value: details,
+ enumerable: false,
+ },
+ message: {
+ get() {
+ return `${toMessage(this.details)} (${this.loc.line}:${this.loc.column})`;
+ },
- },
- pos: {
- reflect: "loc.index",
- enumerable: true
- },
- missingPlugin: "missingPlugin" in details && {
- reflect: "details.missingPlugin",
- enumerable: true
+ set(value) {
+ Object.defineProperty(this, 'message', {
+ value,
+ });
+ },
+ },
+ pos: {
+ reflect: 'loc.index',
+ enumerable: true,
+ },
+ missingPlugin: 'missingPlugin' in details && {
+ reflect: 'details.missingPlugin',
+ enumerable: true,
+ },
}
- });
+ );
};
}
function toParseErrorCredentials(toMessageOrMessage, credentials) {
- return Object.assign({
- toMessage: typeof toMessageOrMessage === "string" ? () => toMessageOrMessage : toMessageOrMessage
- }, credentials);
+ return Object.assign(
+ {
+ toMessage:
+ typeof toMessageOrMessage === 'string' ?
+ () => toMessageOrMessage
+ : toMessageOrMessage,
+ },
+ credentials
+ );
}
function ParseErrorEnum(argument, syntaxPlugin) {
if (Array.isArray(argument)) {
- return toParseErrorCredentialsMap => ParseErrorEnum(toParseErrorCredentialsMap, argument[0]);
+ return (toParseErrorCredentialsMap) =>
+ ParseErrorEnum(toParseErrorCredentialsMap, argument[0]);
}
const partialCredentials = argument(toParseErrorCredentials);
const ParseErrorConstructors = {};
for (const reasonCode of Object.keys(partialCredentials)) {
- ParseErrorConstructors[reasonCode] = toParseErrorConstructor(Object.assign({
- code: ParseErrorCodes.SyntaxError,
- reasonCode
- }, syntaxPlugin ? {
- syntaxPlugin
- } : {}, partialCredentials[reasonCode]));
+ ParseErrorConstructors[reasonCode] = toParseErrorConstructor(
+ Object.assign(
+ {
+ code: ParseErrorCodes.SyntaxError,
+ reasonCode,
+ },
+ syntaxPlugin ?
+ {
+ syntaxPlugin,
+ }
+ : {},
+ partialCredentials[reasonCode]
+ )
+ );
}
return ParseErrorConstructors;
}
-const Errors = Object.assign({}, ParseErrorEnum(ModuleErrors), ParseErrorEnum(StandardErrors), ParseErrorEnum(StrictModeErrors), ParseErrorEnum`pipelineOperator`(PipelineOperatorErrors));
+const Errors = Object.assign(
+ {},
+ ParseErrorEnum(ModuleErrors),
+ ParseErrorEnum(StandardErrors),
+ ParseErrorEnum(StrictModeErrors),
+ ParseErrorEnum`pipelineOperator`(PipelineOperatorErrors)
+);
-const {
- defineProperty
-} = Object;
+const { defineProperty } = Object;
-const toUnenumerable = (object, key) => defineProperty(object, key, {
- enumerable: false,
- value: object[key]
-});
+const toUnenumerable = (object, key) =>
+ defineProperty(object, key, {
+ enumerable: false,
+ value: object[key],
+ });
function toESTreeLocation(node) {
- node.loc.start && toUnenumerable(node.loc.start, "index");
- node.loc.end && toUnenumerable(node.loc.end, "index");
+ node.loc.start && toUnenumerable(node.loc.start, 'index');
+ node.loc.end && toUnenumerable(node.loc.end, 'index');
return node;
}
-var estree = (superClass => class extends superClass {
- parse() {
- const file = toESTreeLocation(super.parse());
+var estree = (superClass) =>
+ class extends superClass {
+ parse() {
+ const file = toESTreeLocation(super.parse());
- if (this.options.tokens) {
- file.tokens = file.tokens.map(toESTreeLocation);
- }
-
- return file;
- }
-
- parseRegExpLiteral({
- pattern,
- flags
- }) {
- let regex = null;
-
- try {
- regex = new RegExp(pattern, flags);
- } catch (e) {}
-
- const node = this.estreeParseLiteral(regex);
- node.regex = {
- pattern,
- flags
- };
- return node;
- }
-
- parseBigIntLiteral(value) {
- let bigInt;
-
- try {
- bigInt = BigInt(value);
- } catch (_unused) {
- bigInt = null;
- }
-
- const node = this.estreeParseLiteral(bigInt);
- node.bigint = String(node.value || value);
- return node;
- }
-
- parseDecimalLiteral(value) {
- const decimal = null;
- const node = this.estreeParseLiteral(decimal);
- node.decimal = String(node.value || value);
- return node;
- }
-
- estreeParseLiteral(value) {
- return this.parseLiteral(value, "Literal");
- }
-
- parseStringLiteral(value) {
- return this.estreeParseLiteral(value);
- }
-
- parseNumericLiteral(value) {
- return this.estreeParseLiteral(value);
- }
-
- parseNullLiteral() {
- return this.estreeParseLiteral(null);
- }
-
- parseBooleanLiteral(value) {
- return this.estreeParseLiteral(value);
- }
-
- directiveToStmt(directive) {
- const directiveLiteral = directive.value;
- const stmt = this.startNodeAt(directive.start, directive.loc.start);
- const expression = this.startNodeAt(directiveLiteral.start, directiveLiteral.loc.start);
- expression.value = directiveLiteral.extra.expressionValue;
- expression.raw = directiveLiteral.extra.raw;
- stmt.expression = this.finishNodeAt(expression, "Literal", directiveLiteral.loc.end);
- stmt.directive = directiveLiteral.extra.raw.slice(1, -1);
- return this.finishNodeAt(stmt, "ExpressionStatement", directive.loc.end);
- }
-
- initFunction(node, isAsync) {
- super.initFunction(node, isAsync);
- node.expression = false;
- }
-
- checkDeclaration(node) {
- if (node != null && this.isObjectProperty(node)) {
- this.checkDeclaration(node.value);
- } else {
- super.checkDeclaration(node);
- }
- }
-
- getObjectOrClassMethodParams(method) {
- return method.value.params;
- }
-
- isValidDirective(stmt) {
- var _stmt$expression$extr;
-
- return stmt.type === "ExpressionStatement" && stmt.expression.type === "Literal" && typeof stmt.expression.value === "string" && !((_stmt$expression$extr = stmt.expression.extra) != null && _stmt$expression$extr.parenthesized);
- }
-
- parseBlockBody(node, ...args) {
- super.parseBlockBody(node, ...args);
- const directiveStatements = node.directives.map(d => this.directiveToStmt(d));
- node.body = directiveStatements.concat(node.body);
- delete node.directives;
- }
-
- pushClassMethod(classBody, method, isGenerator, isAsync, isConstructor, allowsDirectSuper) {
- this.parseMethod(method, isGenerator, isAsync, isConstructor, allowsDirectSuper, "ClassMethod", true);
-
- if (method.typeParameters) {
- method.value.typeParameters = method.typeParameters;
- delete method.typeParameters;
- }
-
- classBody.body.push(method);
- }
-
- parsePrivateName() {
- const node = super.parsePrivateName();
- {
- if (!this.getPluginOption("estree", "classFeatures")) {
- return node;
- }
- }
- return this.convertPrivateNameToPrivateIdentifier(node);
- }
-
- convertPrivateNameToPrivateIdentifier(node) {
- const name = super.getPrivateNameSV(node);
- node = node;
- delete node.id;
- node.name = name;
- node.type = "PrivateIdentifier";
- return node;
- }
-
- isPrivateName(node) {
- {
- if (!this.getPluginOption("estree", "classFeatures")) {
- return super.isPrivateName(node);
- }
- }
- return node.type === "PrivateIdentifier";
- }
-
- getPrivateNameSV(node) {
- {
- if (!this.getPluginOption("estree", "classFeatures")) {
- return super.getPrivateNameSV(node);
- }
- }
- return node.name;
- }
-
- parseLiteral(value, type) {
- const node = super.parseLiteral(value, type);
- node.raw = node.extra.raw;
- delete node.extra;
- return node;
- }
-
- parseFunctionBody(node, allowExpression, isMethod = false) {
- super.parseFunctionBody(node, allowExpression, isMethod);
- node.expression = node.body.type !== "BlockStatement";
- }
-
- parseMethod(node, isGenerator, isAsync, isConstructor, allowDirectSuper, type, inClassScope = false) {
- let funcNode = this.startNode();
- funcNode.kind = node.kind;
- funcNode = super.parseMethod(funcNode, isGenerator, isAsync, isConstructor, allowDirectSuper, type, inClassScope);
- funcNode.type = "FunctionExpression";
- delete funcNode.kind;
- node.value = funcNode;
-
- if (type === "ClassPrivateMethod") {
- node.computed = false;
- }
-
- type = "MethodDefinition";
- return this.finishNode(node, type);
- }
-
- parseClassProperty(...args) {
- const propertyNode = super.parseClassProperty(...args);
- {
- if (!this.getPluginOption("estree", "classFeatures")) {
- return propertyNode;
- }
- }
- propertyNode.type = "PropertyDefinition";
- return propertyNode;
- }
-
- parseClassPrivateProperty(...args) {
- const propertyNode = super.parseClassPrivateProperty(...args);
- {
- if (!this.getPluginOption("estree", "classFeatures")) {
- return propertyNode;
- }
- }
- propertyNode.type = "PropertyDefinition";
- propertyNode.computed = false;
- return propertyNode;
- }
-
- parseObjectMethod(prop, isGenerator, isAsync, isPattern, isAccessor) {
- const node = super.parseObjectMethod(prop, isGenerator, isAsync, isPattern, isAccessor);
-
- if (node) {
- node.type = "Property";
- if (node.kind === "method") node.kind = "init";
- node.shorthand = false;
- }
-
- return node;
- }
-
- parseObjectProperty(prop, startPos, startLoc, isPattern, refExpressionErrors) {
- const node = super.parseObjectProperty(prop, startPos, startLoc, isPattern, refExpressionErrors);
-
- if (node) {
- node.kind = "init";
- node.type = "Property";
- }
-
- return node;
- }
-
- isValidLVal(type, ...rest) {
- return type === "Property" ? "value" : super.isValidLVal(type, ...rest);
- }
-
- isAssignable(node, isBinding) {
- if (node != null && this.isObjectProperty(node)) {
- return this.isAssignable(node.value, isBinding);
- }
-
- return super.isAssignable(node, isBinding);
- }
-
- toAssignable(node, isLHS = false) {
- if (node != null && this.isObjectProperty(node)) {
- const {
- key,
- value
- } = node;
-
- if (this.isPrivateName(key)) {
- this.classScope.usePrivateName(this.getPrivateNameSV(key), key.loc.start);
+ if (this.options.tokens) {
+ file.tokens = file.tokens.map(toESTreeLocation);
}
- this.toAssignable(value, isLHS);
- } else {
- super.toAssignable(node, isLHS);
+ return file;
}
- }
- toAssignableObjectExpressionProp(prop) {
- if (prop.kind === "get" || prop.kind === "set") {
- this.raise(Errors.PatternHasAccessor, {
- at: prop.key
- });
- } else if (prop.method) {
- this.raise(Errors.PatternHasMethod, {
- at: prop.key
- });
- } else {
- super.toAssignableObjectExpressionProp(...arguments);
+ parseRegExpLiteral({ pattern, flags }) {
+ let regex = null;
+
+ try {
+ regex = new RegExp(pattern, flags);
+ } catch (e) {}
+
+ const node = this.estreeParseLiteral(regex);
+ node.regex = {
+ pattern,
+ flags,
+ };
+ return node;
}
- }
- finishCallExpression(node, optional) {
- super.finishCallExpression(node, optional);
+ parseBigIntLiteral(value) {
+ let bigInt;
- if (node.callee.type === "Import") {
- node.type = "ImportExpression";
- node.source = node.arguments[0];
-
- if (this.hasPlugin("importAssertions")) {
- var _node$arguments$;
-
- node.attributes = (_node$arguments$ = node.arguments[1]) != null ? _node$arguments$ : null;
+ try {
+ bigInt = BigInt(value);
+ } catch (_unused) {
+ bigInt = null;
}
- delete node.arguments;
- delete node.callee;
+ const node = this.estreeParseLiteral(bigInt);
+ node.bigint = String(node.value || value);
+ return node;
}
- return node;
- }
-
- toReferencedArguments(node) {
- if (node.type === "ImportExpression") {
- return;
+ parseDecimalLiteral(value) {
+ const decimal = null;
+ const node = this.estreeParseLiteral(decimal);
+ node.decimal = String(node.value || value);
+ return node;
}
- super.toReferencedArguments(node);
- }
+ estreeParseLiteral(value) {
+ return this.parseLiteral(value, 'Literal');
+ }
- parseExport(node) {
- super.parseExport(node);
+ parseStringLiteral(value) {
+ return this.estreeParseLiteral(value);
+ }
- switch (node.type) {
- case "ExportAllDeclaration":
- node.exported = null;
- break;
+ parseNumericLiteral(value) {
+ return this.estreeParseLiteral(value);
+ }
- case "ExportNamedDeclaration":
- if (node.specifiers.length === 1 && node.specifiers[0].type === "ExportNamespaceSpecifier") {
- node.type = "ExportAllDeclaration";
- node.exported = node.specifiers[0].exported;
- delete node.specifiers;
+ parseNullLiteral() {
+ return this.estreeParseLiteral(null);
+ }
+
+ parseBooleanLiteral(value) {
+ return this.estreeParseLiteral(value);
+ }
+
+ directiveToStmt(directive) {
+ const directiveLiteral = directive.value;
+ const stmt = this.startNodeAt(directive.start, directive.loc.start);
+ const expression = this.startNodeAt(
+ directiveLiteral.start,
+ directiveLiteral.loc.start
+ );
+ expression.value = directiveLiteral.extra.expressionValue;
+ expression.raw = directiveLiteral.extra.raw;
+ stmt.expression = this.finishNodeAt(
+ expression,
+ 'Literal',
+ directiveLiteral.loc.end
+ );
+ stmt.directive = directiveLiteral.extra.raw.slice(1, -1);
+ return this.finishNodeAt(stmt, 'ExpressionStatement', directive.loc.end);
+ }
+
+ initFunction(node, isAsync) {
+ super.initFunction(node, isAsync);
+ node.expression = false;
+ }
+
+ checkDeclaration(node) {
+ if (node != null && this.isObjectProperty(node)) {
+ this.checkDeclaration(node.value);
+ } else {
+ super.checkDeclaration(node);
+ }
+ }
+
+ getObjectOrClassMethodParams(method) {
+ return method.value.params;
+ }
+
+ isValidDirective(stmt) {
+ var _stmt$expression$extr;
+
+ return (
+ stmt.type === 'ExpressionStatement' &&
+ stmt.expression.type === 'Literal' &&
+ typeof stmt.expression.value === 'string' &&
+ !(
+ (_stmt$expression$extr = stmt.expression.extra) != null &&
+ _stmt$expression$extr.parenthesized
+ )
+ );
+ }
+
+ parseBlockBody(node, ...args) {
+ super.parseBlockBody(node, ...args);
+ const directiveStatements = node.directives.map((d) =>
+ this.directiveToStmt(d)
+ );
+ node.body = directiveStatements.concat(node.body);
+ delete node.directives;
+ }
+
+ pushClassMethod(
+ classBody,
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper
+ ) {
+ this.parseMethod(
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper,
+ 'ClassMethod',
+ true
+ );
+
+ if (method.typeParameters) {
+ method.value.typeParameters = method.typeParameters;
+ delete method.typeParameters;
+ }
+
+ classBody.body.push(method);
+ }
+
+ parsePrivateName() {
+ const node = super.parsePrivateName();
+ {
+ if (!this.getPluginOption('estree', 'classFeatures')) {
+ return node;
+ }
+ }
+ return this.convertPrivateNameToPrivateIdentifier(node);
+ }
+
+ convertPrivateNameToPrivateIdentifier(node) {
+ const name = super.getPrivateNameSV(node);
+ node = node;
+ delete node.id;
+ node.name = name;
+ node.type = 'PrivateIdentifier';
+ return node;
+ }
+
+ isPrivateName(node) {
+ {
+ if (!this.getPluginOption('estree', 'classFeatures')) {
+ return super.isPrivateName(node);
+ }
+ }
+ return node.type === 'PrivateIdentifier';
+ }
+
+ getPrivateNameSV(node) {
+ {
+ if (!this.getPluginOption('estree', 'classFeatures')) {
+ return super.getPrivateNameSV(node);
+ }
+ }
+ return node.name;
+ }
+
+ parseLiteral(value, type) {
+ const node = super.parseLiteral(value, type);
+ node.raw = node.extra.raw;
+ delete node.extra;
+ return node;
+ }
+
+ parseFunctionBody(node, allowExpression, isMethod = false) {
+ super.parseFunctionBody(node, allowExpression, isMethod);
+ node.expression = node.body.type !== 'BlockStatement';
+ }
+
+ parseMethod(
+ node,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowDirectSuper,
+ type,
+ inClassScope = false
+ ) {
+ let funcNode = this.startNode();
+ funcNode.kind = node.kind;
+ funcNode = super.parseMethod(
+ funcNode,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowDirectSuper,
+ type,
+ inClassScope
+ );
+ funcNode.type = 'FunctionExpression';
+ delete funcNode.kind;
+ node.value = funcNode;
+
+ if (type === 'ClassPrivateMethod') {
+ node.computed = false;
+ }
+
+ type = 'MethodDefinition';
+ return this.finishNode(node, type);
+ }
+
+ parseClassProperty(...args) {
+ const propertyNode = super.parseClassProperty(...args);
+ {
+ if (!this.getPluginOption('estree', 'classFeatures')) {
+ return propertyNode;
+ }
+ }
+ propertyNode.type = 'PropertyDefinition';
+ return propertyNode;
+ }
+
+ parseClassPrivateProperty(...args) {
+ const propertyNode = super.parseClassPrivateProperty(...args);
+ {
+ if (!this.getPluginOption('estree', 'classFeatures')) {
+ return propertyNode;
+ }
+ }
+ propertyNode.type = 'PropertyDefinition';
+ propertyNode.computed = false;
+ return propertyNode;
+ }
+
+ parseObjectMethod(prop, isGenerator, isAsync, isPattern, isAccessor) {
+ const node = super.parseObjectMethod(
+ prop,
+ isGenerator,
+ isAsync,
+ isPattern,
+ isAccessor
+ );
+
+ if (node) {
+ node.type = 'Property';
+ if (node.kind === 'method') node.kind = 'init';
+ node.shorthand = false;
+ }
+
+ return node;
+ }
+
+ parseObjectProperty(
+ prop,
+ startPos,
+ startLoc,
+ isPattern,
+ refExpressionErrors
+ ) {
+ const node = super.parseObjectProperty(
+ prop,
+ startPos,
+ startLoc,
+ isPattern,
+ refExpressionErrors
+ );
+
+ if (node) {
+ node.kind = 'init';
+ node.type = 'Property';
+ }
+
+ return node;
+ }
+
+ isValidLVal(type, ...rest) {
+ return type === 'Property' ? 'value' : super.isValidLVal(type, ...rest);
+ }
+
+ isAssignable(node, isBinding) {
+ if (node != null && this.isObjectProperty(node)) {
+ return this.isAssignable(node.value, isBinding);
+ }
+
+ return super.isAssignable(node, isBinding);
+ }
+
+ toAssignable(node, isLHS = false) {
+ if (node != null && this.isObjectProperty(node)) {
+ const { key, value } = node;
+
+ if (this.isPrivateName(key)) {
+ this.classScope.usePrivateName(
+ this.getPrivateNameSV(key),
+ key.loc.start
+ );
}
- break;
+ this.toAssignable(value, isLHS);
+ } else {
+ super.toAssignable(node, isLHS);
+ }
}
- return node;
- }
+ toAssignableObjectExpressionProp(prop) {
+ if (prop.kind === 'get' || prop.kind === 'set') {
+ this.raise(Errors.PatternHasAccessor, {
+ at: prop.key,
+ });
+ } else if (prop.method) {
+ this.raise(Errors.PatternHasMethod, {
+ at: prop.key,
+ });
+ } else {
+ super.toAssignableObjectExpressionProp(...arguments);
+ }
+ }
- parseSubscript(base, startPos, startLoc, noCalls, state) {
- const node = super.parseSubscript(base, startPos, startLoc, noCalls, state);
+ finishCallExpression(node, optional) {
+ super.finishCallExpression(node, optional);
- if (state.optionalChainMember) {
- if (node.type === "OptionalMemberExpression" || node.type === "OptionalCallExpression") {
- node.type = node.type.substring(8);
+ if (node.callee.type === 'Import') {
+ node.type = 'ImportExpression';
+ node.source = node.arguments[0];
+
+ if (this.hasPlugin('importAssertions')) {
+ var _node$arguments$;
+
+ node.attributes =
+ (_node$arguments$ = node.arguments[1]) != null ?
+ _node$arguments$
+ : null;
+ }
+
+ delete node.arguments;
+ delete node.callee;
}
- if (state.stop) {
- const chain = this.startNodeAtNode(node);
- chain.expression = node;
- return this.finishNode(chain, "ChainExpression");
+ return node;
+ }
+
+ toReferencedArguments(node) {
+ if (node.type === 'ImportExpression') {
+ return;
}
- } else if (node.type === "MemberExpression" || node.type === "CallExpression") {
- node.optional = false;
+
+ super.toReferencedArguments(node);
}
- return node;
- }
+ parseExport(node) {
+ super.parseExport(node);
- hasPropertyAsPrivateName(node) {
- if (node.type === "ChainExpression") {
- node = node.expression;
+ switch (node.type) {
+ case 'ExportAllDeclaration':
+ node.exported = null;
+ break;
+
+ case 'ExportNamedDeclaration':
+ if (
+ node.specifiers.length === 1 &&
+ node.specifiers[0].type === 'ExportNamespaceSpecifier'
+ ) {
+ node.type = 'ExportAllDeclaration';
+ node.exported = node.specifiers[0].exported;
+ delete node.specifiers;
+ }
+
+ break;
+ }
+
+ return node;
}
- return super.hasPropertyAsPrivateName(node);
- }
+ parseSubscript(base, startPos, startLoc, noCalls, state) {
+ const node = super.parseSubscript(
+ base,
+ startPos,
+ startLoc,
+ noCalls,
+ state
+ );
- isOptionalChain(node) {
- return node.type === "ChainExpression";
- }
+ if (state.optionalChainMember) {
+ if (
+ node.type === 'OptionalMemberExpression' ||
+ node.type === 'OptionalCallExpression'
+ ) {
+ node.type = node.type.substring(8);
+ }
- isObjectProperty(node) {
- return node.type === "Property" && node.kind === "init" && !node.method;
- }
+ if (state.stop) {
+ const chain = this.startNodeAtNode(node);
+ chain.expression = node;
+ return this.finishNode(chain, 'ChainExpression');
+ }
+ } else if (
+ node.type === 'MemberExpression' ||
+ node.type === 'CallExpression'
+ ) {
+ node.optional = false;
+ }
- isObjectMethod(node) {
- return node.method || node.kind === "get" || node.kind === "set";
- }
+ return node;
+ }
- finishNodeAt(node, type, endLoc) {
- return toESTreeLocation(super.finishNodeAt(node, type, endLoc));
- }
+ hasPropertyAsPrivateName(node) {
+ if (node.type === 'ChainExpression') {
+ node = node.expression;
+ }
- resetStartLocation(node, start, startLoc) {
- super.resetStartLocation(node, start, startLoc);
- toESTreeLocation(node);
- }
+ return super.hasPropertyAsPrivateName(node);
+ }
- resetEndLocation(node, endLoc = this.state.lastTokEndLoc) {
- super.resetEndLocation(node, endLoc);
- toESTreeLocation(node);
- }
+ isOptionalChain(node) {
+ return node.type === 'ChainExpression';
+ }
-});
+ isObjectProperty(node) {
+ return node.type === 'Property' && node.kind === 'init' && !node.method;
+ }
+
+ isObjectMethod(node) {
+ return node.method || node.kind === 'get' || node.kind === 'set';
+ }
+
+ finishNodeAt(node, type, endLoc) {
+ return toESTreeLocation(super.finishNodeAt(node, type, endLoc));
+ }
+
+ resetStartLocation(node, start, startLoc) {
+ super.resetStartLocation(node, start, startLoc);
+ toESTreeLocation(node);
+ }
+
+ resetEndLocation(node, endLoc = this.state.lastTokEndLoc) {
+ super.resetEndLocation(node, endLoc);
+ toESTreeLocation(node);
+ }
+ };
class TokContext {
constructor(token, preserveSpace) {
@@ -823,16 +1096,15 @@ class TokContext {
this.token = token;
this.preserveSpace = !!preserveSpace;
}
-
}
const types = {
- brace: new TokContext("{"),
- j_oTag: new TokContext("...", true)
+ brace: new TokContext('{'),
+ j_oTag: new TokContext('...', true),
};
{
- types.template = new TokContext("`", true);
+ types.template = new TokContext('`', true);
}
const beforeExpr = true;
@@ -867,7 +1139,6 @@ class ExportedTokenType {
this.updateContext = null;
}
}
-
}
const keywords$1 = new Map();
@@ -881,7 +1152,7 @@ function createKeyword(name, options = {}) {
function createBinop(name, binop) {
return createToken(name, {
beforeExpr,
- binop
+ binop,
});
}
@@ -898,410 +1169,437 @@ function createToken(name, options = {}) {
++tokenTypeCounter;
tokenLabels.push(name);
- tokenBinops.push((_options$binop = options.binop) != null ? _options$binop : -1);
- tokenBeforeExprs.push((_options$beforeExpr = options.beforeExpr) != null ? _options$beforeExpr : false);
- tokenStartsExprs.push((_options$startsExpr = options.startsExpr) != null ? _options$startsExpr : false);
- tokenPrefixes.push((_options$prefix = options.prefix) != null ? _options$prefix : false);
+ tokenBinops.push(
+ (_options$binop = options.binop) != null ? _options$binop : -1
+ );
+ tokenBeforeExprs.push(
+ (_options$beforeExpr = options.beforeExpr) != null ?
+ _options$beforeExpr
+ : false
+ );
+ tokenStartsExprs.push(
+ (_options$startsExpr = options.startsExpr) != null ?
+ _options$startsExpr
+ : false
+ );
+ tokenPrefixes.push(
+ (_options$prefix = options.prefix) != null ? _options$prefix : false
+ );
tokenTypes.push(new ExportedTokenType(name, options));
return tokenTypeCounter;
}
function createKeywordLike(name, options = {}) {
- var _options$binop2, _options$beforeExpr2, _options$startsExpr2, _options$prefix2;
+ var _options$binop2,
+ _options$beforeExpr2,
+ _options$startsExpr2,
+ _options$prefix2;
++tokenTypeCounter;
keywords$1.set(name, tokenTypeCounter);
tokenLabels.push(name);
- tokenBinops.push((_options$binop2 = options.binop) != null ? _options$binop2 : -1);
- tokenBeforeExprs.push((_options$beforeExpr2 = options.beforeExpr) != null ? _options$beforeExpr2 : false);
- tokenStartsExprs.push((_options$startsExpr2 = options.startsExpr) != null ? _options$startsExpr2 : false);
- tokenPrefixes.push((_options$prefix2 = options.prefix) != null ? _options$prefix2 : false);
- tokenTypes.push(new ExportedTokenType("name", options));
+ tokenBinops.push(
+ (_options$binop2 = options.binop) != null ? _options$binop2 : -1
+ );
+ tokenBeforeExprs.push(
+ (_options$beforeExpr2 = options.beforeExpr) != null ?
+ _options$beforeExpr2
+ : false
+ );
+ tokenStartsExprs.push(
+ (_options$startsExpr2 = options.startsExpr) != null ?
+ _options$startsExpr2
+ : false
+ );
+ tokenPrefixes.push(
+ (_options$prefix2 = options.prefix) != null ? _options$prefix2 : false
+ );
+ tokenTypes.push(new ExportedTokenType('name', options));
return tokenTypeCounter;
}
const tt = {
- bracketL: createToken("[", {
+ bracketL: createToken('[', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- bracketHashL: createToken("#[", {
+ bracketHashL: createToken('#[', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- bracketBarL: createToken("[|", {
+ bracketBarL: createToken('[|', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- bracketR: createToken("]"),
- bracketBarR: createToken("|]"),
- braceL: createToken("{", {
+ bracketR: createToken(']'),
+ bracketBarR: createToken('|]'),
+ braceL: createToken('{', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- braceBarL: createToken("{|", {
+ braceBarL: createToken('{|', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- braceHashL: createToken("#{", {
+ braceHashL: createToken('#{', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- braceR: createToken("}"),
- braceBarR: createToken("|}"),
- parenL: createToken("(", {
+ braceR: createToken('}'),
+ braceBarR: createToken('|}'),
+ parenL: createToken('(', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- parenR: createToken(")"),
- comma: createToken(",", {
- beforeExpr
- }),
- semi: createToken(";", {
- beforeExpr
- }),
- colon: createToken(":", {
- beforeExpr
- }),
- doubleColon: createToken("::", {
- beforeExpr
- }),
- dot: createToken("."),
- question: createToken("?", {
- beforeExpr
- }),
- questionDot: createToken("?."),
- arrow: createToken("=>", {
- beforeExpr
- }),
- template: createToken("template"),
- ellipsis: createToken("...", {
- beforeExpr
- }),
- backQuote: createToken("`", {
- startsExpr
- }),
- dollarBraceL: createToken("${", {
+ parenR: createToken(')'),
+ comma: createToken(',', {
beforeExpr,
- startsExpr
}),
- templateTail: createToken("...`", {
- startsExpr
- }),
- templateNonTail: createToken("...${", {
+ semi: createToken(';', {
beforeExpr,
- startsExpr
}),
- at: createToken("@"),
- hash: createToken("#", {
- startsExpr
- }),
- interpreterDirective: createToken("#!..."),
- eq: createToken("=", {
+ colon: createToken(':', {
beforeExpr,
- isAssign
}),
- assign: createToken("_=", {
+ doubleColon: createToken('::', {
beforeExpr,
- isAssign
}),
- slashAssign: createToken("_=", {
+ dot: createToken('.'),
+ question: createToken('?', {
beforeExpr,
- isAssign
}),
- xorAssign: createToken("_=", {
+ questionDot: createToken('?.'),
+ arrow: createToken('=>', {
beforeExpr,
- isAssign
}),
- moduloAssign: createToken("_=", {
+ template: createToken('template'),
+ ellipsis: createToken('...', {
beforeExpr,
- isAssign
}),
- incDec: createToken("++/--", {
+ backQuote: createToken('`', {
+ startsExpr,
+ }),
+ dollarBraceL: createToken('${', {
+ beforeExpr,
+ startsExpr,
+ }),
+ templateTail: createToken('...`', {
+ startsExpr,
+ }),
+ templateNonTail: createToken('...${', {
+ beforeExpr,
+ startsExpr,
+ }),
+ at: createToken('@'),
+ hash: createToken('#', {
+ startsExpr,
+ }),
+ interpreterDirective: createToken('#!...'),
+ eq: createToken('=', {
+ beforeExpr,
+ isAssign,
+ }),
+ assign: createToken('_=', {
+ beforeExpr,
+ isAssign,
+ }),
+ slashAssign: createToken('_=', {
+ beforeExpr,
+ isAssign,
+ }),
+ xorAssign: createToken('_=', {
+ beforeExpr,
+ isAssign,
+ }),
+ moduloAssign: createToken('_=', {
+ beforeExpr,
+ isAssign,
+ }),
+ incDec: createToken('++/--', {
prefix,
postfix,
- startsExpr
+ startsExpr,
}),
- bang: createToken("!", {
+ bang: createToken('!', {
beforeExpr,
prefix,
- startsExpr
+ startsExpr,
}),
- tilde: createToken("~", {
+ tilde: createToken('~', {
beforeExpr,
prefix,
- startsExpr
+ startsExpr,
}),
- doubleCaret: createToken("^^", {
- startsExpr
+ doubleCaret: createToken('^^', {
+ startsExpr,
}),
- doubleAt: createToken("@@", {
- startsExpr
+ doubleAt: createToken('@@', {
+ startsExpr,
}),
- pipeline: createBinop("|>", 0),
- nullishCoalescing: createBinop("??", 1),
- logicalOR: createBinop("||", 1),
- logicalAND: createBinop("&&", 2),
- bitwiseOR: createBinop("|", 3),
- bitwiseXOR: createBinop("^", 4),
- bitwiseAND: createBinop("&", 5),
- equality: createBinop("==/!=/===/!==", 6),
- lt: createBinop(">/<=/>=", 7),
- gt: createBinop(">/<=/>=", 7),
- relational: createBinop(">/<=/>=", 7),
- bitShift: createBinop("<>>/>>>", 8),
- bitShiftL: createBinop("<>>/>>>", 8),
- bitShiftR: createBinop("<>>/>>>", 8),
- plusMin: createToken("+/-", {
+ pipeline: createBinop('|>', 0),
+ nullishCoalescing: createBinop('??', 1),
+ logicalOR: createBinop('||', 1),
+ logicalAND: createBinop('&&', 2),
+ bitwiseOR: createBinop('|', 3),
+ bitwiseXOR: createBinop('^', 4),
+ bitwiseAND: createBinop('&', 5),
+ equality: createBinop('==/!=/===/!==', 6),
+ lt: createBinop('>/<=/>=', 7),
+ gt: createBinop('>/<=/>=', 7),
+ relational: createBinop('>/<=/>=', 7),
+ bitShift: createBinop('<>>/>>>', 8),
+ bitShiftL: createBinop('<>>/>>>', 8),
+ bitShiftR: createBinop('<>>/>>>', 8),
+ plusMin: createToken('+/-', {
beforeExpr,
binop: 9,
prefix,
- startsExpr
+ startsExpr,
}),
- modulo: createToken("%", {
+ modulo: createToken('%', {
binop: 10,
- startsExpr
+ startsExpr,
}),
- star: createToken("*", {
- binop: 10
+ star: createToken('*', {
+ binop: 10,
}),
- slash: createBinop("/", 10),
- exponent: createToken("**", {
+ slash: createBinop('/', 10),
+ exponent: createToken('**', {
beforeExpr,
binop: 11,
- rightAssociative: true
+ rightAssociative: true,
}),
- _in: createKeyword("in", {
+ _in: createKeyword('in', {
beforeExpr,
- binop: 7
+ binop: 7,
}),
- _instanceof: createKeyword("instanceof", {
+ _instanceof: createKeyword('instanceof', {
beforeExpr,
- binop: 7
+ binop: 7,
}),
- _break: createKeyword("break"),
- _case: createKeyword("case", {
- beforeExpr
+ _break: createKeyword('break'),
+ _case: createKeyword('case', {
+ beforeExpr,
}),
- _catch: createKeyword("catch"),
- _continue: createKeyword("continue"),
- _debugger: createKeyword("debugger"),
- _default: createKeyword("default", {
- beforeExpr
+ _catch: createKeyword('catch'),
+ _continue: createKeyword('continue'),
+ _debugger: createKeyword('debugger'),
+ _default: createKeyword('default', {
+ beforeExpr,
}),
- _else: createKeyword("else", {
- beforeExpr
+ _else: createKeyword('else', {
+ beforeExpr,
}),
- _finally: createKeyword("finally"),
- _function: createKeyword("function", {
- startsExpr
+ _finally: createKeyword('finally'),
+ _function: createKeyword('function', {
+ startsExpr,
}),
- _if: createKeyword("if"),
- _return: createKeyword("return", {
- beforeExpr
+ _if: createKeyword('if'),
+ _return: createKeyword('return', {
+ beforeExpr,
}),
- _switch: createKeyword("switch"),
- _throw: createKeyword("throw", {
+ _switch: createKeyword('switch'),
+ _throw: createKeyword('throw', {
beforeExpr,
prefix,
- startsExpr
+ startsExpr,
}),
- _try: createKeyword("try"),
- _var: createKeyword("var"),
- _const: createKeyword("const"),
- _with: createKeyword("with"),
- _new: createKeyword("new", {
+ _try: createKeyword('try'),
+ _var: createKeyword('var'),
+ _const: createKeyword('const'),
+ _with: createKeyword('with'),
+ _new: createKeyword('new', {
beforeExpr,
- startsExpr
+ startsExpr,
}),
- _this: createKeyword("this", {
- startsExpr
+ _this: createKeyword('this', {
+ startsExpr,
}),
- _super: createKeyword("super", {
- startsExpr
+ _super: createKeyword('super', {
+ startsExpr,
}),
- _class: createKeyword("class", {
- startsExpr
+ _class: createKeyword('class', {
+ startsExpr,
}),
- _extends: createKeyword("extends", {
- beforeExpr
+ _extends: createKeyword('extends', {
+ beforeExpr,
}),
- _export: createKeyword("export"),
- _import: createKeyword("import", {
- startsExpr
+ _export: createKeyword('export'),
+ _import: createKeyword('import', {
+ startsExpr,
}),
- _null: createKeyword("null", {
- startsExpr
+ _null: createKeyword('null', {
+ startsExpr,
}),
- _true: createKeyword("true", {
- startsExpr
+ _true: createKeyword('true', {
+ startsExpr,
}),
- _false: createKeyword("false", {
- startsExpr
+ _false: createKeyword('false', {
+ startsExpr,
}),
- _typeof: createKeyword("typeof", {
+ _typeof: createKeyword('typeof', {
beforeExpr,
prefix,
- startsExpr
+ startsExpr,
}),
- _void: createKeyword("void", {
+ _void: createKeyword('void', {
beforeExpr,
prefix,
- startsExpr
+ startsExpr,
}),
- _delete: createKeyword("delete", {
+ _delete: createKeyword('delete', {
beforeExpr,
prefix,
- startsExpr
+ startsExpr,
}),
- _do: createKeyword("do", {
+ _do: createKeyword('do', {
isLoop,
- beforeExpr
+ beforeExpr,
}),
- _for: createKeyword("for", {
- isLoop
+ _for: createKeyword('for', {
+ isLoop,
}),
- _while: createKeyword("while", {
- isLoop
+ _while: createKeyword('while', {
+ isLoop,
}),
- _as: createKeywordLike("as", {
- startsExpr
+ _as: createKeywordLike('as', {
+ startsExpr,
}),
- _assert: createKeywordLike("assert", {
- startsExpr
+ _assert: createKeywordLike('assert', {
+ startsExpr,
}),
- _async: createKeywordLike("async", {
- startsExpr
+ _async: createKeywordLike('async', {
+ startsExpr,
}),
- _await: createKeywordLike("await", {
- startsExpr
+ _await: createKeywordLike('await', {
+ startsExpr,
}),
- _from: createKeywordLike("from", {
- startsExpr
+ _from: createKeywordLike('from', {
+ startsExpr,
}),
- _get: createKeywordLike("get", {
- startsExpr
+ _get: createKeywordLike('get', {
+ startsExpr,
}),
- _let: createKeywordLike("let", {
- startsExpr
+ _let: createKeywordLike('let', {
+ startsExpr,
}),
- _meta: createKeywordLike("meta", {
- startsExpr
+ _meta: createKeywordLike('meta', {
+ startsExpr,
}),
- _of: createKeywordLike("of", {
- startsExpr
+ _of: createKeywordLike('of', {
+ startsExpr,
}),
- _sent: createKeywordLike("sent", {
- startsExpr
+ _sent: createKeywordLike('sent', {
+ startsExpr,
}),
- _set: createKeywordLike("set", {
- startsExpr
+ _set: createKeywordLike('set', {
+ startsExpr,
}),
- _static: createKeywordLike("static", {
- startsExpr
+ _static: createKeywordLike('static', {
+ startsExpr,
}),
- _yield: createKeywordLike("yield", {
- startsExpr
+ _yield: createKeywordLike('yield', {
+ startsExpr,
}),
- _asserts: createKeywordLike("asserts", {
- startsExpr
+ _asserts: createKeywordLike('asserts', {
+ startsExpr,
}),
- _checks: createKeywordLike("checks", {
- startsExpr
+ _checks: createKeywordLike('checks', {
+ startsExpr,
}),
- _exports: createKeywordLike("exports", {
- startsExpr
+ _exports: createKeywordLike('exports', {
+ startsExpr,
}),
- _global: createKeywordLike("global", {
- startsExpr
+ _global: createKeywordLike('global', {
+ startsExpr,
}),
- _implements: createKeywordLike("implements", {
- startsExpr
+ _implements: createKeywordLike('implements', {
+ startsExpr,
}),
- _intrinsic: createKeywordLike("intrinsic", {
- startsExpr
+ _intrinsic: createKeywordLike('intrinsic', {
+ startsExpr,
}),
- _infer: createKeywordLike("infer", {
- startsExpr
+ _infer: createKeywordLike('infer', {
+ startsExpr,
}),
- _is: createKeywordLike("is", {
- startsExpr
+ _is: createKeywordLike('is', {
+ startsExpr,
}),
- _mixins: createKeywordLike("mixins", {
- startsExpr
+ _mixins: createKeywordLike('mixins', {
+ startsExpr,
}),
- _proto: createKeywordLike("proto", {
- startsExpr
+ _proto: createKeywordLike('proto', {
+ startsExpr,
}),
- _require: createKeywordLike("require", {
- startsExpr
+ _require: createKeywordLike('require', {
+ startsExpr,
}),
- _keyof: createKeywordLike("keyof", {
- startsExpr
+ _keyof: createKeywordLike('keyof', {
+ startsExpr,
}),
- _readonly: createKeywordLike("readonly", {
- startsExpr
+ _readonly: createKeywordLike('readonly', {
+ startsExpr,
}),
- _unique: createKeywordLike("unique", {
- startsExpr
+ _unique: createKeywordLike('unique', {
+ startsExpr,
}),
- _abstract: createKeywordLike("abstract", {
- startsExpr
+ _abstract: createKeywordLike('abstract', {
+ startsExpr,
}),
- _declare: createKeywordLike("declare", {
- startsExpr
+ _declare: createKeywordLike('declare', {
+ startsExpr,
}),
- _enum: createKeywordLike("enum", {
- startsExpr
+ _enum: createKeywordLike('enum', {
+ startsExpr,
}),
- _module: createKeywordLike("module", {
- startsExpr
+ _module: createKeywordLike('module', {
+ startsExpr,
}),
- _namespace: createKeywordLike("namespace", {
- startsExpr
+ _namespace: createKeywordLike('namespace', {
+ startsExpr,
}),
- _interface: createKeywordLike("interface", {
- startsExpr
+ _interface: createKeywordLike('interface', {
+ startsExpr,
}),
- _type: createKeywordLike("type", {
- startsExpr
+ _type: createKeywordLike('type', {
+ startsExpr,
}),
- _opaque: createKeywordLike("opaque", {
- startsExpr
+ _opaque: createKeywordLike('opaque', {
+ startsExpr,
}),
- name: createToken("name", {
- startsExpr
+ name: createToken('name', {
+ startsExpr,
}),
- string: createToken("string", {
- startsExpr
+ string: createToken('string', {
+ startsExpr,
}),
- num: createToken("num", {
- startsExpr
+ num: createToken('num', {
+ startsExpr,
}),
- bigint: createToken("bigint", {
- startsExpr
+ bigint: createToken('bigint', {
+ startsExpr,
}),
- decimal: createToken("decimal", {
- startsExpr
+ decimal: createToken('decimal', {
+ startsExpr,
}),
- regexp: createToken("regexp", {
- startsExpr
+ regexp: createToken('regexp', {
+ startsExpr,
}),
- privateName: createToken("#name", {
- startsExpr
+ privateName: createToken('#name', {
+ startsExpr,
}),
- eof: createToken("eof"),
- jsxName: createToken("jsxName"),
- jsxText: createToken("jsxText", {
- beforeExpr: true
+ eof: createToken('eof'),
+ jsxName: createToken('jsxName'),
+ jsxText: createToken('jsxText', {
+ beforeExpr: true,
}),
- jsxTagStart: createToken("jsxTagStart", {
- startsExpr: true
+ jsxTagStart: createToken('jsxTagStart', {
+ startsExpr: true,
+ }),
+ jsxTagEnd: createToken('jsxTagEnd'),
+ placeholder: createToken('%%', {
+ startsExpr: true,
}),
- jsxTagEnd: createToken("jsxTagEnd"),
- placeholder: createToken("%%", {
- startsExpr: true
- })
};
function tokenIsIdentifier(token) {
return token >= 93 && token <= 128;
@@ -1367,15 +1665,18 @@ function getExportedToken(token) {
return tokenTypes[token];
}
{
- tokenTypes[8].updateContext = context => {
+ tokenTypes[8].updateContext = (context) => {
context.pop();
};
- tokenTypes[5].updateContext = tokenTypes[7].updateContext = tokenTypes[23].updateContext = context => {
- context.push(types.brace);
- };
+ tokenTypes[5].updateContext =
+ tokenTypes[7].updateContext =
+ tokenTypes[23].updateContext =
+ (context) => {
+ context.push(types.brace);
+ };
- tokenTypes[22].updateContext = context => {
+ tokenTypes[22].updateContext = (context) => {
if (context[context.length - 1] === types.template) {
context.pop();
} else {
@@ -1383,18 +1684,65 @@ function getExportedToken(token) {
}
};
- tokenTypes[138].updateContext = context => {
+ tokenTypes[138].updateContext = (context) => {
context.push(types.j_expr, types.j_oTag);
};
}
-let nonASCIIidentifierStartChars = "\xaa\xb5\xba\xc0-\xd6\xd8-\xf6\xf8-\u02c1\u02c6-\u02d1\u02e0-\u02e4\u02ec\u02ee\u0370-\u0374\u0376\u0377\u037a-\u037d\u037f\u0386\u0388-\u038a\u038c\u038e-\u03a1\u03a3-\u03f5\u03f7-\u0481\u048a-\u052f\u0531-\u0556\u0559\u0560-\u0588\u05d0-\u05ea\u05ef-\u05f2\u0620-\u064a\u066e\u066f\u0671-\u06d3\u06d5\u06e5\u06e6\u06ee\u06ef\u06fa-\u06fc\u06ff\u0710\u0712-\u072f\u074d-\u07a5\u07b1\u07ca-\u07ea\u07f4\u07f5\u07fa\u0800-\u0815\u081a\u0824\u0828\u0840-\u0858\u0860-\u086a\u0870-\u0887\u0889-\u088e\u08a0-\u08c9\u0904-\u0939\u093d\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098c\u098f\u0990\u0993-\u09a8\u09aa-\u09b0\u09b2\u09b6-\u09b9\u09bd\u09ce\u09dc\u09dd\u09df-\u09e1\u09f0\u09f1\u09fc\u0a05-\u0a0a\u0a0f\u0a10\u0a13-\u0a28\u0a2a-\u0a30\u0a32\u0a33\u0a35\u0a36\u0a38\u0a39\u0a59-\u0a5c\u0a5e\u0a72-\u0a74\u0a85-\u0a8d\u0a8f-\u0a91\u0a93-\u0aa8\u0aaa-\u0ab0\u0ab2\u0ab3\u0ab5-\u0ab9\u0abd\u0ad0\u0ae0\u0ae1\u0af9\u0b05-\u0b0c\u0b0f\u0b10\u0b13-\u0b28\u0b2a-\u0b30\u0b32\u0b33\u0b35-\u0b39\u0b3d\u0b5c\u0b5d\u0b5f-\u0b61\u0b71\u0b83\u0b85-\u0b8a\u0b8e-\u0b90\u0b92-\u0b95\u0b99\u0b9a\u0b9c\u0b9e\u0b9f\u0ba3\u0ba4\u0ba8-\u0baa\u0bae-\u0bb9\u0bd0\u0c05-\u0c0c\u0c0e-\u0c10\u0c12-\u0c28\u0c2a-\u0c39\u0c3d\u0c58-\u0c5a\u0c5d\u0c60\u0c61\u0c80\u0c85-\u0c8c\u0c8e-\u0c90\u0c92-\u0ca8\u0caa-\u0cb3\u0cb5-\u0cb9\u0cbd\u0cdd\u0cde\u0ce0\u0ce1\u0cf1\u0cf2\u0d04-\u0d0c\u0d0e-\u0d10\u0d12-\u0d3a\u0d3d\u0d4e\u0d54-\u0d56\u0d5f-\u0d61\u0d7a-\u0d7f\u0d85-\u0d96\u0d9a-\u0db1\u0db3-\u0dbb\u0dbd\u0dc0-\u0dc6\u0e01-\u0e30\u0e32\u0e33\u0e40-\u0e46\u0e81\u0e82\u0e84\u0e86-\u0e8a\u0e8c-\u0ea3\u0ea5\u0ea7-\u0eb0\u0eb2\u0eb3\u0ebd\u0ec0-\u0ec4\u0ec6\u0edc-\u0edf\u0f00\u0f40-\u0f47\u0f49-\u0f6c\u0f88-\u0f8c\u1000-\u102a\u103f\u1050-\u1055\u105a-\u105d\u1061\u1065\u1066\u106e-\u1070\u1075-\u1081\u108e\u10a0-\u10c5\u10c7\u10cd\u10d0-\u10fa\u10fc-\u1248\u124a-\u124d\u1250-\u1256\u1258\u125a-\u125d\u1260-\u1288\u128a-\u128d\u1290-\u12b0\u12b2-\u12b5\u12b8-\u12be\u12c0\u12c2-\u12c5\u12c8-\u12d6\u12d8-\u1310\u1312-\u1315\u1318-\u135a\u1380-\u138f\u13a0-\u13f5\u13f8-\u13fd\u1401-\u166c\u166f-\u167f\u1681-\u169a\u16a0-\u16ea\u16ee-\u16f8\u1700-\u1711\u171f-\u1731\u1740-\u1751\u1760-\u176c\u176e-\u1770\u1780-\u17b3\u17d7\u17dc\u1820-\u1878\u1880-\u18a8\u18aa\u18b0-\u18f5\u1900-\u191e\u1950-\u196d\u1970-\u1974\u1980-\u19ab\u19b0-\u19c9\u1a00-\u1a16\u1a20-\u1a54\u1aa7\u1b05-\u1b33\u1b45-\u1b4c\u1b83-\u1ba0\u1bae\u1baf\u1bba-\u1be5\u1c00-\u1c23\u1c4d-\u1c4f\u1c5a-\u1c7d\u1c80-\u1c88\u1c90-\u1cba\u1cbd-\u1cbf\u1ce9-\u1cec\u1cee-\u1cf3\u1cf5\u1cf6\u1cfa\u1d00-\u1dbf\u1e00-\u1f15\u1f18-\u1f1d\u1f20-\u1f45\u1f48-\u1f4d\u1f50-\u1f57\u1f59\u1f5b\u1f5d\u1f5f-\u1f7d\u1f80-\u1fb4\u1fb6-\u1fbc\u1fbe\u1fc2-\u1fc4\u1fc6-\u1fcc\u1fd0-\u1fd3\u1fd6-\u1fdb\u1fe0-\u1fec\u1ff2-\u1ff4\u1ff6-\u1ffc\u2071\u207f\u2090-\u209c\u2102\u2107\u210a-\u2113\u2115\u2118-\u211d\u2124\u2126\u2128\u212a-\u2139\u213c-\u213f\u2145-\u2149\u214e\u2160-\u2188\u2c00-\u2ce4\u2ceb-\u2cee\u2cf2\u2cf3\u2d00-\u2d25\u2d27\u2d2d\u2d30-\u2d67\u2d6f\u2d80-\u2d96\u2da0-\u2da6\u2da8-\u2dae\u2db0-\u2db6\u2db8-\u2dbe\u2dc0-\u2dc6\u2dc8-\u2dce\u2dd0-\u2dd6\u2dd8-\u2dde\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303c\u3041-\u3096\u309b-\u309f\u30a1-\u30fa\u30fc-\u30ff\u3105-\u312f\u3131-\u318e\u31a0-\u31bf\u31f0-\u31ff\u3400-\u4dbf\u4e00-\ua48c\ua4d0-\ua4fd\ua500-\ua60c\ua610-\ua61f\ua62a\ua62b\ua640-\ua66e\ua67f-\ua69d\ua6a0-\ua6ef\ua717-\ua71f\ua722-\ua788\ua78b-\ua7ca\ua7d0\ua7d1\ua7d3\ua7d5-\ua7d9\ua7f2-\ua801\ua803-\ua805\ua807-\ua80a\ua80c-\ua822\ua840-\ua873\ua882-\ua8b3\ua8f2-\ua8f7\ua8fb\ua8fd\ua8fe\ua90a-\ua925\ua930-\ua946\ua960-\ua97c\ua984-\ua9b2\ua9cf\ua9e0-\ua9e4\ua9e6-\ua9ef\ua9fa-\ua9fe\uaa00-\uaa28\uaa40-\uaa42\uaa44-\uaa4b\uaa60-\uaa76\uaa7a\uaa7e-\uaaaf\uaab1\uaab5\uaab6\uaab9-\uaabd\uaac0\uaac2\uaadb-\uaadd\uaae0-\uaaea\uaaf2-\uaaf4\uab01-\uab06\uab09-\uab0e\uab11-\uab16\uab20-\uab26\uab28-\uab2e\uab30-\uab5a\uab5c-\uab69\uab70-\uabe2\uac00-\ud7a3\ud7b0-\ud7c6\ud7cb-\ud7fb\uf900-\ufa6d\ufa70-\ufad9\ufb00-\ufb06\ufb13-\ufb17\ufb1d\ufb1f-\ufb28\ufb2a-\ufb36\ufb38-\ufb3c\ufb3e\ufb40\ufb41\ufb43\ufb44\ufb46-\ufbb1\ufbd3-\ufd3d\ufd50-\ufd8f\ufd92-\ufdc7\ufdf0-\ufdfb\ufe70-\ufe74\ufe76-\ufefc\uff21-\uff3a\uff41-\uff5a\uff66-\uffbe\uffc2-\uffc7\uffca-\uffcf\uffd2-\uffd7\uffda-\uffdc";
-let nonASCIIidentifierChars = "\u200c\u200d\xb7\u0300-\u036f\u0387\u0483-\u0487\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u0669\u0670\u06d6-\u06dc\u06df-\u06e4\u06e7\u06e8\u06ea-\u06ed\u06f0-\u06f9\u0711\u0730-\u074a\u07a6-\u07b0\u07c0-\u07c9\u07eb-\u07f3\u07fd\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0859-\u085b\u0898-\u089f\u08ca-\u08e1\u08e3-\u0903\u093a-\u093c\u093e-\u094f\u0951-\u0957\u0962\u0963\u0966-\u096f\u0981-\u0983\u09bc\u09be-\u09c4\u09c7\u09c8\u09cb-\u09cd\u09d7\u09e2\u09e3\u09e6-\u09ef\u09fe\u0a01-\u0a03\u0a3c\u0a3e-\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a66-\u0a71\u0a75\u0a81-\u0a83\u0abc\u0abe-\u0ac5\u0ac7-\u0ac9\u0acb-\u0acd\u0ae2\u0ae3\u0ae6-\u0aef\u0afa-\u0aff\u0b01-\u0b03\u0b3c\u0b3e-\u0b44\u0b47\u0b48\u0b4b-\u0b4d\u0b55-\u0b57\u0b62\u0b63\u0b66-\u0b6f\u0b82\u0bbe-\u0bc2\u0bc6-\u0bc8\u0bca-\u0bcd\u0bd7\u0be6-\u0bef\u0c00-\u0c04\u0c3c\u0c3e-\u0c44\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0c66-\u0c6f\u0c81-\u0c83\u0cbc\u0cbe-\u0cc4\u0cc6-\u0cc8\u0cca-\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0ce6-\u0cef\u0d00-\u0d03\u0d3b\u0d3c\u0d3e-\u0d44\u0d46-\u0d48\u0d4a-\u0d4d\u0d57\u0d62\u0d63\u0d66-\u0d6f\u0d81-\u0d83\u0dca\u0dcf-\u0dd4\u0dd6\u0dd8-\u0ddf\u0de6-\u0def\u0df2\u0df3\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0e50-\u0e59\u0eb1\u0eb4-\u0ebc\u0ec8-\u0ecd\u0ed0-\u0ed9\u0f18\u0f19\u0f20-\u0f29\u0f35\u0f37\u0f39\u0f3e\u0f3f\u0f71-\u0f84\u0f86\u0f87\u0f8d-\u0f97\u0f99-\u0fbc\u0fc6\u102b-\u103e\u1040-\u1049\u1056-\u1059\u105e-\u1060\u1062-\u1064\u1067-\u106d\u1071-\u1074\u1082-\u108d\u108f-\u109d\u135d-\u135f\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17b4-\u17d3\u17dd\u17e0-\u17e9\u180b-\u180d\u180f-\u1819\u18a9\u1920-\u192b\u1930-\u193b\u1946-\u194f\u19d0-\u19da\u1a17-\u1a1b\u1a55-\u1a5e\u1a60-\u1a7c\u1a7f-\u1a89\u1a90-\u1a99\u1ab0-\u1abd\u1abf-\u1ace\u1b00-\u1b04\u1b34-\u1b44\u1b50-\u1b59\u1b6b-\u1b73\u1b80-\u1b82\u1ba1-\u1bad\u1bb0-\u1bb9\u1be6-\u1bf3\u1c24-\u1c37\u1c40-\u1c49\u1c50-\u1c59\u1cd0-\u1cd2\u1cd4-\u1ce8\u1ced\u1cf4\u1cf7-\u1cf9\u1dc0-\u1dff\u203f\u2040\u2054\u20d0-\u20dc\u20e1\u20e5-\u20f0\u2cef-\u2cf1\u2d7f\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua620-\ua629\ua66f\ua674-\ua67d\ua69e\ua69f\ua6f0\ua6f1\ua802\ua806\ua80b\ua823-\ua827\ua82c\ua880\ua881\ua8b4-\ua8c5\ua8d0-\ua8d9\ua8e0-\ua8f1\ua8ff-\ua909\ua926-\ua92d\ua947-\ua953\ua980-\ua983\ua9b3-\ua9c0\ua9d0-\ua9d9\ua9e5\ua9f0-\ua9f9\uaa29-\uaa36\uaa43\uaa4c\uaa4d\uaa50-\uaa59\uaa7b-\uaa7d\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uaaeb-\uaaef\uaaf5\uaaf6\uabe3-\uabea\uabec\uabed\uabf0-\uabf9\ufb1e\ufe00-\ufe0f\ufe20-\ufe2f\ufe33\ufe34\ufe4d-\ufe4f\uff10-\uff19\uff3f";
-const nonASCIIidentifierStart = new RegExp("[" + nonASCIIidentifierStartChars + "]");
-const nonASCIIidentifier = new RegExp("[" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + "]");
+let nonASCIIidentifierStartChars =
+ '\xaa\xb5\xba\xc0-\xd6\xd8-\xf6\xf8-\u02c1\u02c6-\u02d1\u02e0-\u02e4\u02ec\u02ee\u0370-\u0374\u0376\u0377\u037a-\u037d\u037f\u0386\u0388-\u038a\u038c\u038e-\u03a1\u03a3-\u03f5\u03f7-\u0481\u048a-\u052f\u0531-\u0556\u0559\u0560-\u0588\u05d0-\u05ea\u05ef-\u05f2\u0620-\u064a\u066e\u066f\u0671-\u06d3\u06d5\u06e5\u06e6\u06ee\u06ef\u06fa-\u06fc\u06ff\u0710\u0712-\u072f\u074d-\u07a5\u07b1\u07ca-\u07ea\u07f4\u07f5\u07fa\u0800-\u0815\u081a\u0824\u0828\u0840-\u0858\u0860-\u086a\u0870-\u0887\u0889-\u088e\u08a0-\u08c9\u0904-\u0939\u093d\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098c\u098f\u0990\u0993-\u09a8\u09aa-\u09b0\u09b2\u09b6-\u09b9\u09bd\u09ce\u09dc\u09dd\u09df-\u09e1\u09f0\u09f1\u09fc\u0a05-\u0a0a\u0a0f\u0a10\u0a13-\u0a28\u0a2a-\u0a30\u0a32\u0a33\u0a35\u0a36\u0a38\u0a39\u0a59-\u0a5c\u0a5e\u0a72-\u0a74\u0a85-\u0a8d\u0a8f-\u0a91\u0a93-\u0aa8\u0aaa-\u0ab0\u0ab2\u0ab3\u0ab5-\u0ab9\u0abd\u0ad0\u0ae0\u0ae1\u0af9\u0b05-\u0b0c\u0b0f\u0b10\u0b13-\u0b28\u0b2a-\u0b30\u0b32\u0b33\u0b35-\u0b39\u0b3d\u0b5c\u0b5d\u0b5f-\u0b61\u0b71\u0b83\u0b85-\u0b8a\u0b8e-\u0b90\u0b92-\u0b95\u0b99\u0b9a\u0b9c\u0b9e\u0b9f\u0ba3\u0ba4\u0ba8-\u0baa\u0bae-\u0bb9\u0bd0\u0c05-\u0c0c\u0c0e-\u0c10\u0c12-\u0c28\u0c2a-\u0c39\u0c3d\u0c58-\u0c5a\u0c5d\u0c60\u0c61\u0c80\u0c85-\u0c8c\u0c8e-\u0c90\u0c92-\u0ca8\u0caa-\u0cb3\u0cb5-\u0cb9\u0cbd\u0cdd\u0cde\u0ce0\u0ce1\u0cf1\u0cf2\u0d04-\u0d0c\u0d0e-\u0d10\u0d12-\u0d3a\u0d3d\u0d4e\u0d54-\u0d56\u0d5f-\u0d61\u0d7a-\u0d7f\u0d85-\u0d96\u0d9a-\u0db1\u0db3-\u0dbb\u0dbd\u0dc0-\u0dc6\u0e01-\u0e30\u0e32\u0e33\u0e40-\u0e46\u0e81\u0e82\u0e84\u0e86-\u0e8a\u0e8c-\u0ea3\u0ea5\u0ea7-\u0eb0\u0eb2\u0eb3\u0ebd\u0ec0-\u0ec4\u0ec6\u0edc-\u0edf\u0f00\u0f40-\u0f47\u0f49-\u0f6c\u0f88-\u0f8c\u1000-\u102a\u103f\u1050-\u1055\u105a-\u105d\u1061\u1065\u1066\u106e-\u1070\u1075-\u1081\u108e\u10a0-\u10c5\u10c7\u10cd\u10d0-\u10fa\u10fc-\u1248\u124a-\u124d\u1250-\u1256\u1258\u125a-\u125d\u1260-\u1288\u128a-\u128d\u1290-\u12b0\u12b2-\u12b5\u12b8-\u12be\u12c0\u12c2-\u12c5\u12c8-\u12d6\u12d8-\u1310\u1312-\u1315\u1318-\u135a\u1380-\u138f\u13a0-\u13f5\u13f8-\u13fd\u1401-\u166c\u166f-\u167f\u1681-\u169a\u16a0-\u16ea\u16ee-\u16f8\u1700-\u1711\u171f-\u1731\u1740-\u1751\u1760-\u176c\u176e-\u1770\u1780-\u17b3\u17d7\u17dc\u1820-\u1878\u1880-\u18a8\u18aa\u18b0-\u18f5\u1900-\u191e\u1950-\u196d\u1970-\u1974\u1980-\u19ab\u19b0-\u19c9\u1a00-\u1a16\u1a20-\u1a54\u1aa7\u1b05-\u1b33\u1b45-\u1b4c\u1b83-\u1ba0\u1bae\u1baf\u1bba-\u1be5\u1c00-\u1c23\u1c4d-\u1c4f\u1c5a-\u1c7d\u1c80-\u1c88\u1c90-\u1cba\u1cbd-\u1cbf\u1ce9-\u1cec\u1cee-\u1cf3\u1cf5\u1cf6\u1cfa\u1d00-\u1dbf\u1e00-\u1f15\u1f18-\u1f1d\u1f20-\u1f45\u1f48-\u1f4d\u1f50-\u1f57\u1f59\u1f5b\u1f5d\u1f5f-\u1f7d\u1f80-\u1fb4\u1fb6-\u1fbc\u1fbe\u1fc2-\u1fc4\u1fc6-\u1fcc\u1fd0-\u1fd3\u1fd6-\u1fdb\u1fe0-\u1fec\u1ff2-\u1ff4\u1ff6-\u1ffc\u2071\u207f\u2090-\u209c\u2102\u2107\u210a-\u2113\u2115\u2118-\u211d\u2124\u2126\u2128\u212a-\u2139\u213c-\u213f\u2145-\u2149\u214e\u2160-\u2188\u2c00-\u2ce4\u2ceb-\u2cee\u2cf2\u2cf3\u2d00-\u2d25\u2d27\u2d2d\u2d30-\u2d67\u2d6f\u2d80-\u2d96\u2da0-\u2da6\u2da8-\u2dae\u2db0-\u2db6\u2db8-\u2dbe\u2dc0-\u2dc6\u2dc8-\u2dce\u2dd0-\u2dd6\u2dd8-\u2dde\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303c\u3041-\u3096\u309b-\u309f\u30a1-\u30fa\u30fc-\u30ff\u3105-\u312f\u3131-\u318e\u31a0-\u31bf\u31f0-\u31ff\u3400-\u4dbf\u4e00-\ua48c\ua4d0-\ua4fd\ua500-\ua60c\ua610-\ua61f\ua62a\ua62b\ua640-\ua66e\ua67f-\ua69d\ua6a0-\ua6ef\ua717-\ua71f\ua722-\ua788\ua78b-\ua7ca\ua7d0\ua7d1\ua7d3\ua7d5-\ua7d9\ua7f2-\ua801\ua803-\ua805\ua807-\ua80a\ua80c-\ua822\ua840-\ua873\ua882-\ua8b3\ua8f2-\ua8f7\ua8fb\ua8fd\ua8fe\ua90a-\ua925\ua930-\ua946\ua960-\ua97c\ua984-\ua9b2\ua9cf\ua9e0-\ua9e4\ua9e6-\ua9ef\ua9fa-\ua9fe\uaa00-\uaa28\uaa40-\uaa42\uaa44-\uaa4b\uaa60-\uaa76\uaa7a\uaa7e-\uaaaf\uaab1\uaab5\uaab6\uaab9-\uaabd\uaac0\uaac2\uaadb-\uaadd\uaae0-\uaaea\uaaf2-\uaaf4\uab01-\uab06\uab09-\uab0e\uab11-\uab16\uab20-\uab26\uab28-\uab2e\uab30-\uab5a\uab5c-\uab69\uab70-\uabe2\uac00-\ud7a3\ud7b0-\ud7c6\ud7cb-\ud7fb\uf900-\ufa6d\ufa70-\ufad9\ufb00-\ufb06\ufb13-\ufb17\ufb1d\ufb1f-\ufb28\ufb2a-\ufb36\ufb38-\ufb3c\ufb3e\ufb40\ufb41\ufb43\ufb44\ufb46-\ufbb1\ufbd3-\ufd3d\ufd50-\ufd8f\ufd92-\ufdc7\ufdf0-\ufdfb\ufe70-\ufe74\ufe76-\ufefc\uff21-\uff3a\uff41-\uff5a\uff66-\uffbe\uffc2-\uffc7\uffca-\uffcf\uffd2-\uffd7\uffda-\uffdc';
+let nonASCIIidentifierChars =
+ '\u200c\u200d\xb7\u0300-\u036f\u0387\u0483-\u0487\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u0669\u0670\u06d6-\u06dc\u06df-\u06e4\u06e7\u06e8\u06ea-\u06ed\u06f0-\u06f9\u0711\u0730-\u074a\u07a6-\u07b0\u07c0-\u07c9\u07eb-\u07f3\u07fd\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0859-\u085b\u0898-\u089f\u08ca-\u08e1\u08e3-\u0903\u093a-\u093c\u093e-\u094f\u0951-\u0957\u0962\u0963\u0966-\u096f\u0981-\u0983\u09bc\u09be-\u09c4\u09c7\u09c8\u09cb-\u09cd\u09d7\u09e2\u09e3\u09e6-\u09ef\u09fe\u0a01-\u0a03\u0a3c\u0a3e-\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a66-\u0a71\u0a75\u0a81-\u0a83\u0abc\u0abe-\u0ac5\u0ac7-\u0ac9\u0acb-\u0acd\u0ae2\u0ae3\u0ae6-\u0aef\u0afa-\u0aff\u0b01-\u0b03\u0b3c\u0b3e-\u0b44\u0b47\u0b48\u0b4b-\u0b4d\u0b55-\u0b57\u0b62\u0b63\u0b66-\u0b6f\u0b82\u0bbe-\u0bc2\u0bc6-\u0bc8\u0bca-\u0bcd\u0bd7\u0be6-\u0bef\u0c00-\u0c04\u0c3c\u0c3e-\u0c44\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0c66-\u0c6f\u0c81-\u0c83\u0cbc\u0cbe-\u0cc4\u0cc6-\u0cc8\u0cca-\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0ce6-\u0cef\u0d00-\u0d03\u0d3b\u0d3c\u0d3e-\u0d44\u0d46-\u0d48\u0d4a-\u0d4d\u0d57\u0d62\u0d63\u0d66-\u0d6f\u0d81-\u0d83\u0dca\u0dcf-\u0dd4\u0dd6\u0dd8-\u0ddf\u0de6-\u0def\u0df2\u0df3\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0e50-\u0e59\u0eb1\u0eb4-\u0ebc\u0ec8-\u0ecd\u0ed0-\u0ed9\u0f18\u0f19\u0f20-\u0f29\u0f35\u0f37\u0f39\u0f3e\u0f3f\u0f71-\u0f84\u0f86\u0f87\u0f8d-\u0f97\u0f99-\u0fbc\u0fc6\u102b-\u103e\u1040-\u1049\u1056-\u1059\u105e-\u1060\u1062-\u1064\u1067-\u106d\u1071-\u1074\u1082-\u108d\u108f-\u109d\u135d-\u135f\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17b4-\u17d3\u17dd\u17e0-\u17e9\u180b-\u180d\u180f-\u1819\u18a9\u1920-\u192b\u1930-\u193b\u1946-\u194f\u19d0-\u19da\u1a17-\u1a1b\u1a55-\u1a5e\u1a60-\u1a7c\u1a7f-\u1a89\u1a90-\u1a99\u1ab0-\u1abd\u1abf-\u1ace\u1b00-\u1b04\u1b34-\u1b44\u1b50-\u1b59\u1b6b-\u1b73\u1b80-\u1b82\u1ba1-\u1bad\u1bb0-\u1bb9\u1be6-\u1bf3\u1c24-\u1c37\u1c40-\u1c49\u1c50-\u1c59\u1cd0-\u1cd2\u1cd4-\u1ce8\u1ced\u1cf4\u1cf7-\u1cf9\u1dc0-\u1dff\u203f\u2040\u2054\u20d0-\u20dc\u20e1\u20e5-\u20f0\u2cef-\u2cf1\u2d7f\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua620-\ua629\ua66f\ua674-\ua67d\ua69e\ua69f\ua6f0\ua6f1\ua802\ua806\ua80b\ua823-\ua827\ua82c\ua880\ua881\ua8b4-\ua8c5\ua8d0-\ua8d9\ua8e0-\ua8f1\ua8ff-\ua909\ua926-\ua92d\ua947-\ua953\ua980-\ua983\ua9b3-\ua9c0\ua9d0-\ua9d9\ua9e5\ua9f0-\ua9f9\uaa29-\uaa36\uaa43\uaa4c\uaa4d\uaa50-\uaa59\uaa7b-\uaa7d\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uaaeb-\uaaef\uaaf5\uaaf6\uabe3-\uabea\uabec\uabed\uabf0-\uabf9\ufb1e\ufe00-\ufe0f\ufe20-\ufe2f\ufe33\ufe34\ufe4d-\ufe4f\uff10-\uff19\uff3f';
+const nonASCIIidentifierStart = new RegExp(
+ '[' + nonASCIIidentifierStartChars + ']'
+);
+const nonASCIIidentifier = new RegExp(
+ '[' + nonASCIIidentifierStartChars + nonASCIIidentifierChars + ']'
+);
nonASCIIidentifierStartChars = nonASCIIidentifierChars = null;
-const astralIdentifierStartCodes = [0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48, 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39, 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 68, 310, 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14, 50, 14, 35, 349, 41, 7, 1, 79, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 85, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 159, 52, 19, 3, 21, 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 264, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18, 190, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1070, 4050, 582, 8634, 568, 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 689, 63, 129, 74, 6, 0, 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 43, 8, 8936, 3, 2, 6, 2, 1, 2, 290, 46, 2, 18, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 7, 1845, 30, 482, 44, 11, 6, 17, 0, 322, 29, 19, 43, 1269, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4152, 8, 221, 3, 5761, 15, 7472, 3104, 541, 1507, 4938];
-const astralIdentifierCodes = [509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574, 3, 9, 9, 370, 1, 154, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83, 11, 7, 0, 161, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4, 4, 193, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9, 84, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 406, 7, 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1, 2, 4, 9, 9, 330, 3, 19306, 9, 87, 9, 39, 4, 60, 6, 26, 9, 1014, 0, 2, 54, 8, 3, 82, 0, 12, 1, 19628, 1, 4706, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3, 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16, 3, 6, 2, 1, 2, 4, 262, 6, 10, 9, 357, 0, 62, 13, 1495, 6, 110, 6, 6, 9, 4759, 9, 787719, 239];
+const astralIdentifierStartCodes = [
+ 0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48,
+ 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39,
+ 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 68, 310, 10, 21,
+ 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10,
+ 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43,
+ 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14,
+ 50, 14, 35, 349, 41, 7, 1, 79, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13,
+ 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15,
+ 3, 22, 0, 2, 0, 36, 17, 2, 24, 85, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7,
+ 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 159, 52, 19, 3, 21, 2, 31,
+ 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6,
+ 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38,
+ 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 264, 8, 2, 36,
+ 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18,
+ 190, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1070, 4050, 582, 8634, 568,
+ 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 689, 63, 129, 74, 6, 0,
+ 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 43, 8, 8936, 3, 2, 6, 2, 1, 2, 290,
+ 46, 2, 18, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3,
+ 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4,
+ 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2,
+ 30, 2, 24, 2, 7, 1845, 30, 482, 44, 11, 6, 17, 0, 322, 29, 19, 43, 1269, 6, 2,
+ 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9,
+ 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0,
+ 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4,
+ 2, 16, 4421, 42719, 33, 4152, 8, 221, 3, 5761, 15, 7472, 3104, 541, 1507,
+ 4938,
+];
+const astralIdentifierCodes = [
+ 509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574,
+ 3, 9, 9, 370, 1, 154, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10,
+ 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83,
+ 11, 7, 0, 161, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4,
+ 4, 193, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9,
+ 82, 12, 9, 9, 84, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1,
+ 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 406, 7,
+ 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1,
+ 2, 4, 9, 9, 330, 3, 19306, 9, 87, 9, 39, 4, 60, 6, 26, 9, 1014, 0, 2, 54, 8,
+ 3, 82, 0, 12, 1, 19628, 1, 4706, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3,
+ 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16,
+ 3, 6, 2, 1, 2, 4, 262, 6, 10, 9, 357, 0, 62, 13, 1495, 6, 110, 6, 6, 9, 4759,
+ 9, 787719, 239,
+];
function isInAstralSet(code, set) {
let pos = 0x10000;
@@ -1416,7 +1764,9 @@ function isIdentifierStart(code) {
if (code <= 122) return true;
if (code <= 0xffff) {
- return code >= 0xaa && nonASCIIidentifierStart.test(String.fromCharCode(code));
+ return (
+ code >= 0xaa && nonASCIIidentifierStart.test(String.fromCharCode(code))
+ );
}
return isInAstralSet(code, astralIdentifierStartCodes);
@@ -1433,19 +1783,68 @@ function isIdentifierChar(code) {
return code >= 0xaa && nonASCIIidentifier.test(String.fromCharCode(code));
}
- return isInAstralSet(code, astralIdentifierStartCodes) || isInAstralSet(code, astralIdentifierCodes);
+ return (
+ isInAstralSet(code, astralIdentifierStartCodes) ||
+ isInAstralSet(code, astralIdentifierCodes)
+ );
}
const reservedWords = {
- keyword: ["break", "case", "catch", "continue", "debugger", "default", "do", "else", "finally", "for", "function", "if", "return", "switch", "throw", "try", "var", "const", "while", "with", "new", "this", "super", "class", "extends", "export", "import", "null", "true", "false", "in", "instanceof", "typeof", "void", "delete"],
- strict: ["implements", "interface", "let", "package", "private", "protected", "public", "static", "yield"],
- strictBind: ["eval", "arguments"]
+ keyword: [
+ 'break',
+ 'case',
+ 'catch',
+ 'continue',
+ 'debugger',
+ 'default',
+ 'do',
+ 'else',
+ 'finally',
+ 'for',
+ 'function',
+ 'if',
+ 'return',
+ 'switch',
+ 'throw',
+ 'try',
+ 'var',
+ 'const',
+ 'while',
+ 'with',
+ 'new',
+ 'this',
+ 'super',
+ 'class',
+ 'extends',
+ 'export',
+ 'import',
+ 'null',
+ 'true',
+ 'false',
+ 'in',
+ 'instanceof',
+ 'typeof',
+ 'void',
+ 'delete',
+ ],
+ strict: [
+ 'implements',
+ 'interface',
+ 'let',
+ 'package',
+ 'private',
+ 'protected',
+ 'public',
+ 'static',
+ 'yield',
+ ],
+ strictBind: ['eval', 'arguments'],
};
const keywords = new Set(reservedWords.keyword);
const reservedWordsStrictSet = new Set(reservedWords.strict);
const reservedWordsStrictBindSet = new Set(reservedWords.strictBind);
function isReservedWord(word, inModule) {
- return inModule && word === "await" || word === "enum";
+ return (inModule && word === 'await') || word === 'enum';
}
function isStrictReservedWord(word, inModule) {
return isReservedWord(word, inModule) || reservedWordsStrictSet.has(word);
@@ -1454,7 +1853,9 @@ function isStrictBindOnlyReservedWord(word) {
return reservedWordsStrictBindSet.has(word);
}
function isStrictBindReservedWord(word, inModule) {
- return isStrictReservedWord(word, inModule) || isStrictBindOnlyReservedWord(word);
+ return (
+ isStrictReservedWord(word, inModule) || isStrictBindOnlyReservedWord(word)
+ );
}
function isKeyword(word) {
return keywords.has(word);
@@ -1463,55 +1864,109 @@ function isKeyword(word) {
function isIteratorStart(current, next, next2) {
return current === 64 && next === 64 && isIdentifierStart(next2);
}
-const reservedWordLikeSet = new Set(["break", "case", "catch", "continue", "debugger", "default", "do", "else", "finally", "for", "function", "if", "return", "switch", "throw", "try", "var", "const", "while", "with", "new", "this", "super", "class", "extends", "export", "import", "null", "true", "false", "in", "instanceof", "typeof", "void", "delete", "implements", "interface", "let", "package", "private", "protected", "public", "static", "yield", "eval", "arguments", "enum", "await"]);
+const reservedWordLikeSet = new Set([
+ 'break',
+ 'case',
+ 'catch',
+ 'continue',
+ 'debugger',
+ 'default',
+ 'do',
+ 'else',
+ 'finally',
+ 'for',
+ 'function',
+ 'if',
+ 'return',
+ 'switch',
+ 'throw',
+ 'try',
+ 'var',
+ 'const',
+ 'while',
+ 'with',
+ 'new',
+ 'this',
+ 'super',
+ 'class',
+ 'extends',
+ 'export',
+ 'import',
+ 'null',
+ 'true',
+ 'false',
+ 'in',
+ 'instanceof',
+ 'typeof',
+ 'void',
+ 'delete',
+ 'implements',
+ 'interface',
+ 'let',
+ 'package',
+ 'private',
+ 'protected',
+ 'public',
+ 'static',
+ 'yield',
+ 'eval',
+ 'arguments',
+ 'enum',
+ 'await',
+]);
function canBeReservedWord(word) {
return reservedWordLikeSet.has(word);
}
const SCOPE_OTHER = 0b000000000,
- SCOPE_PROGRAM = 0b000000001,
- SCOPE_FUNCTION = 0b000000010,
- SCOPE_ARROW = 0b000000100,
- SCOPE_SIMPLE_CATCH = 0b000001000,
- SCOPE_SUPER = 0b000010000,
- SCOPE_DIRECT_SUPER = 0b000100000,
- SCOPE_CLASS = 0b001000000,
- SCOPE_STATIC_BLOCK = 0b010000000,
- SCOPE_TS_MODULE = 0b100000000,
- SCOPE_VAR = SCOPE_PROGRAM | SCOPE_FUNCTION | SCOPE_TS_MODULE;
+ SCOPE_PROGRAM = 0b000000001,
+ SCOPE_FUNCTION = 0b000000010,
+ SCOPE_ARROW = 0b000000100,
+ SCOPE_SIMPLE_CATCH = 0b000001000,
+ SCOPE_SUPER = 0b000010000,
+ SCOPE_DIRECT_SUPER = 0b000100000,
+ SCOPE_CLASS = 0b001000000,
+ SCOPE_STATIC_BLOCK = 0b010000000,
+ SCOPE_TS_MODULE = 0b100000000,
+ SCOPE_VAR = SCOPE_PROGRAM | SCOPE_FUNCTION | SCOPE_TS_MODULE;
const BIND_KIND_VALUE = 0b000000000001,
- BIND_KIND_TYPE = 0b000000000010,
- BIND_SCOPE_VAR = 0b000000000100,
- BIND_SCOPE_LEXICAL = 0b000000001000,
- BIND_SCOPE_FUNCTION = 0b000000010000,
- BIND_FLAGS_NONE = 0b000001000000,
- BIND_FLAGS_CLASS = 0b000010000000,
- BIND_FLAGS_TS_ENUM = 0b000100000000,
- BIND_FLAGS_TS_CONST_ENUM = 0b001000000000,
- BIND_FLAGS_TS_EXPORT_ONLY = 0b010000000000,
- BIND_FLAGS_FLOW_DECLARE_FN = 0b100000000000;
-const BIND_CLASS = BIND_KIND_VALUE | BIND_KIND_TYPE | BIND_SCOPE_LEXICAL | BIND_FLAGS_CLASS,
- BIND_LEXICAL = BIND_KIND_VALUE | 0 | BIND_SCOPE_LEXICAL | 0,
- BIND_VAR = BIND_KIND_VALUE | 0 | BIND_SCOPE_VAR | 0,
- BIND_FUNCTION = BIND_KIND_VALUE | 0 | BIND_SCOPE_FUNCTION | 0,
- BIND_TS_INTERFACE = 0 | BIND_KIND_TYPE | 0 | BIND_FLAGS_CLASS,
- BIND_TS_TYPE = 0 | BIND_KIND_TYPE | 0 | 0,
- BIND_TS_ENUM = BIND_KIND_VALUE | BIND_KIND_TYPE | BIND_SCOPE_LEXICAL | BIND_FLAGS_TS_ENUM,
- BIND_TS_AMBIENT = 0 | 0 | 0 | BIND_FLAGS_TS_EXPORT_ONLY,
- BIND_NONE = 0 | 0 | 0 | BIND_FLAGS_NONE,
- BIND_OUTSIDE = BIND_KIND_VALUE | 0 | 0 | BIND_FLAGS_NONE,
- BIND_TS_CONST_ENUM = BIND_TS_ENUM | BIND_FLAGS_TS_CONST_ENUM,
- BIND_TS_NAMESPACE = 0 | 0 | 0 | BIND_FLAGS_TS_EXPORT_ONLY,
- BIND_FLOW_DECLARE_FN = BIND_FLAGS_FLOW_DECLARE_FN;
+ BIND_KIND_TYPE = 0b000000000010,
+ BIND_SCOPE_VAR = 0b000000000100,
+ BIND_SCOPE_LEXICAL = 0b000000001000,
+ BIND_SCOPE_FUNCTION = 0b000000010000,
+ BIND_FLAGS_NONE = 0b000001000000,
+ BIND_FLAGS_CLASS = 0b000010000000,
+ BIND_FLAGS_TS_ENUM = 0b000100000000,
+ BIND_FLAGS_TS_CONST_ENUM = 0b001000000000,
+ BIND_FLAGS_TS_EXPORT_ONLY = 0b010000000000,
+ BIND_FLAGS_FLOW_DECLARE_FN = 0b100000000000;
+const BIND_CLASS =
+ BIND_KIND_VALUE | BIND_KIND_TYPE | BIND_SCOPE_LEXICAL | BIND_FLAGS_CLASS,
+ BIND_LEXICAL = BIND_KIND_VALUE | 0 | BIND_SCOPE_LEXICAL | 0,
+ BIND_VAR = BIND_KIND_VALUE | 0 | BIND_SCOPE_VAR | 0,
+ BIND_FUNCTION = BIND_KIND_VALUE | 0 | BIND_SCOPE_FUNCTION | 0,
+ BIND_TS_INTERFACE = 0 | BIND_KIND_TYPE | 0 | BIND_FLAGS_CLASS,
+ BIND_TS_TYPE = 0 | BIND_KIND_TYPE | 0 | 0,
+ BIND_TS_ENUM =
+ BIND_KIND_VALUE | BIND_KIND_TYPE | BIND_SCOPE_LEXICAL | BIND_FLAGS_TS_ENUM,
+ BIND_TS_AMBIENT = 0 | 0 | 0 | BIND_FLAGS_TS_EXPORT_ONLY,
+ BIND_NONE = 0 | 0 | 0 | BIND_FLAGS_NONE,
+ BIND_OUTSIDE = BIND_KIND_VALUE | 0 | 0 | BIND_FLAGS_NONE,
+ BIND_TS_CONST_ENUM = BIND_TS_ENUM | BIND_FLAGS_TS_CONST_ENUM,
+ BIND_TS_NAMESPACE = 0 | 0 | 0 | BIND_FLAGS_TS_EXPORT_ONLY,
+ BIND_FLOW_DECLARE_FN = BIND_FLAGS_FLOW_DECLARE_FN;
const CLASS_ELEMENT_FLAG_STATIC = 0b100,
- CLASS_ELEMENT_KIND_GETTER = 0b010,
- CLASS_ELEMENT_KIND_SETTER = 0b001,
- CLASS_ELEMENT_KIND_ACCESSOR = CLASS_ELEMENT_KIND_GETTER | CLASS_ELEMENT_KIND_SETTER;
-const CLASS_ELEMENT_STATIC_GETTER = CLASS_ELEMENT_KIND_GETTER | CLASS_ELEMENT_FLAG_STATIC,
- CLASS_ELEMENT_STATIC_SETTER = CLASS_ELEMENT_KIND_SETTER | CLASS_ELEMENT_FLAG_STATIC,
- CLASS_ELEMENT_INSTANCE_GETTER = CLASS_ELEMENT_KIND_GETTER,
- CLASS_ELEMENT_INSTANCE_SETTER = CLASS_ELEMENT_KIND_SETTER,
- CLASS_ELEMENT_OTHER = 0;
+ CLASS_ELEMENT_KIND_GETTER = 0b010,
+ CLASS_ELEMENT_KIND_SETTER = 0b001,
+ CLASS_ELEMENT_KIND_ACCESSOR =
+ CLASS_ELEMENT_KIND_GETTER | CLASS_ELEMENT_KIND_SETTER;
+const CLASS_ELEMENT_STATIC_GETTER =
+ CLASS_ELEMENT_KIND_GETTER | CLASS_ELEMENT_FLAG_STATIC,
+ CLASS_ELEMENT_STATIC_SETTER =
+ CLASS_ELEMENT_KIND_SETTER | CLASS_ELEMENT_FLAG_STATIC,
+ CLASS_ELEMENT_INSTANCE_GETTER = CLASS_ELEMENT_KIND_GETTER,
+ CLASS_ELEMENT_INSTANCE_SETTER = CLASS_ELEMENT_KIND_SETTER,
+ CLASS_ELEMENT_OTHER = 0;
class BaseParser {
constructor() {
@@ -1520,7 +1975,7 @@ class BaseParser {
}
hasPlugin(pluginConfig) {
- if (typeof pluginConfig === "string") {
+ if (typeof pluginConfig === 'string') {
return this.plugins.has(pluginConfig);
} else {
const [pluginName, pluginOptions] = pluginConfig;
@@ -1532,7 +1987,10 @@ class BaseParser {
const actualOptions = this.plugins.get(pluginName);
for (const key of Object.keys(pluginOptions)) {
- if ((actualOptions == null ? void 0 : actualOptions[key]) !== pluginOptions[key]) {
+ if (
+ (actualOptions == null ? void 0 : actualOptions[key]) !==
+ pluginOptions[key]
+ ) {
return false;
}
}
@@ -1544,9 +2002,10 @@ class BaseParser {
getPluginOption(plugin, name) {
var _this$plugins$get;
- return (_this$plugins$get = this.plugins.get(plugin)) == null ? void 0 : _this$plugins$get[name];
+ return (_this$plugins$get = this.plugins.get(plugin)) == null ?
+ void 0
+ : _this$plugins$get[name];
}
-
}
function setTrailingComments(node, comments) {
@@ -1595,9 +2054,7 @@ class CommentsParser extends BaseParser {
}
processComment(node) {
- const {
- commentStack
- } = this.state;
+ const { commentStack } = this.state;
const commentStackLength = commentStack.length;
if (commentStackLength === 0) return;
let i = commentStackLength - 1;
@@ -1608,9 +2065,7 @@ class CommentsParser extends BaseParser {
i--;
}
- const {
- start: nodeStart
- } = node;
+ const { start: nodeStart } = node;
for (; i >= 0; i--) {
const commentWS = commentStack[i];
@@ -1631,9 +2086,7 @@ class CommentsParser extends BaseParser {
}
finalizeComment(commentWS) {
- const {
- comments
- } = commentWS;
+ const { comments } = commentWS;
if (commentWS.leadingNode !== null || commentWS.trailingNode !== null) {
if (commentWS.leadingNode !== null) {
@@ -1644,48 +2097,44 @@ class CommentsParser extends BaseParser {
setLeadingComments(commentWS.trailingNode, comments);
}
} else {
- const {
- containingNode: node,
- start: commentStart
- } = commentWS;
+ const { containingNode: node, start: commentStart } = commentWS;
if (this.input.charCodeAt(commentStart - 1) === 44) {
switch (node.type) {
- case "ObjectExpression":
- case "ObjectPattern":
- case "RecordExpression":
+ case 'ObjectExpression':
+ case 'ObjectPattern':
+ case 'RecordExpression':
adjustInnerComments(node, node.properties, commentWS);
break;
- case "CallExpression":
- case "OptionalCallExpression":
+ case 'CallExpression':
+ case 'OptionalCallExpression':
adjustInnerComments(node, node.arguments, commentWS);
break;
- case "FunctionDeclaration":
- case "FunctionExpression":
- case "ArrowFunctionExpression":
- case "ObjectMethod":
- case "ClassMethod":
- case "ClassPrivateMethod":
+ case 'FunctionDeclaration':
+ case 'FunctionExpression':
+ case 'ArrowFunctionExpression':
+ case 'ObjectMethod':
+ case 'ClassMethod':
+ case 'ClassPrivateMethod':
adjustInnerComments(node, node.params, commentWS);
break;
- case "ArrayExpression":
- case "ArrayPattern":
- case "TupleExpression":
+ case 'ArrayExpression':
+ case 'ArrayPattern':
+ case 'TupleExpression':
adjustInnerComments(node, node.elements, commentWS);
break;
- case "ExportNamedDeclaration":
- case "ImportDeclaration":
+ case 'ExportNamedDeclaration':
+ case 'ImportDeclaration':
adjustInnerComments(node, node.specifiers, commentWS);
break;
- default:
- {
- setInnerComments(node, comments);
- }
+ default: {
+ setInnerComments(node, comments);
+ }
}
} else {
setInnerComments(node, comments);
@@ -1694,9 +2143,7 @@ class CommentsParser extends BaseParser {
}
finalizeRemainingComments() {
- const {
- commentStack
- } = this.state;
+ const { commentStack } = this.state;
for (let i = commentStack.length - 1; i >= 0; i--) {
this.finalizeComment(commentStack[i]);
@@ -1706,12 +2153,8 @@ class CommentsParser extends BaseParser {
}
resetPreviousNodeTrailingComments(node) {
- const {
- commentStack
- } = this.state;
- const {
- length
- } = commentStack;
+ const { commentStack } = this.state;
+ const { length } = commentStack;
if (length === 0) return;
const commentWS = commentStack[length - 1];
@@ -1721,9 +2164,7 @@ class CommentsParser extends BaseParser {
}
takeSurroundingComments(node, start, end) {
- const {
- commentStack
- } = this.state;
+ const { commentStack } = this.state;
const commentStackLength = commentStack.length;
if (commentStackLength === 0) return;
let i = commentStackLength - 1;
@@ -1742,11 +2183,10 @@ class CommentsParser extends BaseParser {
}
}
}
-
}
const lineBreak = /\r\n?|[\n\u2028\u2029]/;
-const lineBreakG = new RegExp(lineBreak.source, "g");
+const lineBreakG = new RegExp(lineBreak.source, 'g');
function isNewLine(code) {
switch (code) {
case 10:
@@ -1761,7 +2201,13 @@ function isNewLine(code) {
}
const skipWhiteSpace = /(?:\s|\/\/.*|\/\*[^]*?\*\/)*/g;
const skipWhiteSpaceInLine = /(?:[^\S\n\r\u2028\u2029]|\/\/.*|\/\*.*?\*\/)*/y;
-const skipWhiteSpaceToLineBreak = new RegExp("(?=(" + skipWhiteSpaceInLine.source + "))\\1" + /(?=[\n\r\u2028\u2029]|\/\*(?!.*?\*\/)|$)/.source, "y");
+const skipWhiteSpaceToLineBreak = new RegExp(
+ '(?=(' +
+ skipWhiteSpaceInLine.source +
+ '))\\1' +
+ /(?=[\n\r\u2028\u2029]|\/\*(?!.*?\*\/)|$)/.source,
+ 'y'
+);
function isWhitespace(code) {
switch (code) {
case 0x0009:
@@ -1812,7 +2258,7 @@ class State {
this.inDisallowConditionalTypesContext = false;
this.topicContext = {
maxNumOfResolvableTopics: 0,
- maxTopicIndex: null
+ maxTopicIndex: null,
};
this.soloAwait = false;
this.inFSharpPipelineDirectBody = false;
@@ -1835,13 +2281,11 @@ class State {
this.tokensLength = 0;
}
- init({
- strictMode,
- sourceType,
- startLine,
- startColumn
- }) {
- this.strict = strictMode === false ? false : strictMode === true ? true : sourceType === "module";
+ init({ strictMode, sourceType, startLine, startColumn }) {
+ this.strict =
+ strictMode === false ? false
+ : strictMode === true ? true
+ : sourceType === 'module';
this.curLine = startLine;
this.lineStart = -startColumn;
this.startLoc = this.endLoc = new Position(startLine, startColumn, 0);
@@ -1868,11 +2312,10 @@ class State {
return state;
}
-
}
-const _excluded = ["at"],
- _excluded2 = ["at"];
+const _excluded = ['at'],
+ _excluded2 = ['at'];
var _isDigit = function isDigit(code) {
return code >= 48 && code <= 57;
@@ -1880,13 +2323,14 @@ var _isDigit = function isDigit(code) {
const VALID_REGEX_FLAGS = new Set([103, 109, 115, 105, 121, 117, 100, 118]);
const forbiddenNumericSeparatorSiblings = {
decBinOct: new Set([46, 66, 69, 79, 95, 98, 101, 111]),
- hex: new Set([46, 88, 95, 120])
+ hex: new Set([46, 88, 95, 120]),
};
const isAllowedNumericSeparatorSibling = {
- bin: ch => ch === 48 || ch === 49,
- oct: ch => ch >= 48 && ch <= 55,
- dec: ch => ch >= 48 && ch <= 57,
- hex: ch => ch >= 48 && ch <= 57 || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102
+ bin: (ch) => ch === 48 || ch === 49,
+ oct: (ch) => ch >= 48 && ch <= 55,
+ dec: (ch) => ch >= 48 && ch <= 57,
+ hex: (ch) =>
+ (ch >= 48 && ch <= 57) || (ch >= 65 && ch <= 70) || (ch >= 97 && ch <= 102),
};
class Token {
constructor(state) {
@@ -1896,7 +2340,6 @@ class Token {
this.end = state.end;
this.loc = new SourceLocation(state.startLoc, state.endLoc);
}
-
}
class Tokenizer extends CommentsParser {
constructor(options, input) {
@@ -1955,7 +2398,7 @@ class Tokenizer extends CommentsParser {
lastTokEndLoc: state.lastTokEndLoc,
curLine: state.curLine,
lineStart: state.lineStart,
- curPosition: state.curPosition
+ curPosition: state.curPosition,
};
}
@@ -2001,9 +2444,11 @@ class Tokenizer extends CommentsParser {
this.state.strict = strict;
if (strict) {
- this.state.strictErrors.forEach(([toParseError, at]) => this.raise(toParseError, {
- at
- }));
+ this.state.strictErrors.forEach(([toParseError, at]) =>
+ this.raise(toParseError, {
+ at,
+ })
+ );
this.state.strictErrors.clear();
}
}
@@ -2029,11 +2474,11 @@ class Tokenizer extends CommentsParser {
let startLoc;
if (!this.isLookahead) startLoc = this.state.curPosition();
const start = this.state.pos;
- const end = this.input.indexOf("*/", start + 2);
+ const end = this.input.indexOf('*/', start + 2);
if (end === -1) {
throw this.raise(Errors.UnterminatedComment, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
@@ -2047,11 +2492,11 @@ class Tokenizer extends CommentsParser {
if (this.isLookahead) return;
const comment = {
- type: "CommentBlock",
+ type: 'CommentBlock',
value: this.input.slice(start + 2, end),
start,
end: end + 2,
- loc: new SourceLocation(startLoc, this.state.curPosition())
+ loc: new SourceLocation(startLoc, this.state.curPosition()),
};
if (this.options.tokens) this.pushToken(comment);
return comment;
@@ -2061,7 +2506,7 @@ class Tokenizer extends CommentsParser {
const start = this.state.pos;
let startLoc;
if (!this.isLookahead) startLoc = this.state.curPosition();
- let ch = this.input.charCodeAt(this.state.pos += startSkip);
+ let ch = this.input.charCodeAt((this.state.pos += startSkip));
if (this.state.pos < this.length) {
while (!isNewLine(ch) && ++this.state.pos < this.length) {
@@ -2073,11 +2518,11 @@ class Tokenizer extends CommentsParser {
const end = this.state.pos;
const value = this.input.slice(start + startSkip, end);
const comment = {
- type: "CommentLine",
+ type: 'CommentLine',
value,
start,
end,
- loc: new SourceLocation(startLoc, this.state.curPosition())
+ loc: new SourceLocation(startLoc, this.state.curPosition()),
};
if (this.options.tokens) this.pushToken(comment);
return comment;
@@ -2112,30 +2557,28 @@ class Tokenizer extends CommentsParser {
case 47:
switch (this.input.charCodeAt(this.state.pos + 1)) {
- case 42:
- {
- const comment = this.skipBlockComment();
+ case 42: {
+ const comment = this.skipBlockComment();
- if (comment !== undefined) {
- this.addComment(comment);
- if (this.options.attachComment) comments.push(comment);
- }
-
- break;
+ if (comment !== undefined) {
+ this.addComment(comment);
+ if (this.options.attachComment) comments.push(comment);
}
- case 47:
- {
- const comment = this.skipLineComment(2);
+ break;
+ }
- if (comment !== undefined) {
- this.addComment(comment);
- if (this.options.attachComment) comments.push(comment);
- }
+ case 47: {
+ const comment = this.skipLineComment(2);
- break;
+ if (comment !== undefined) {
+ this.addComment(comment);
+ if (this.options.attachComment) comments.push(comment);
}
+ break;
+ }
+
default:
break loop;
}
@@ -2148,7 +2591,11 @@ class Tokenizer extends CommentsParser {
} else if (ch === 45 && !this.inModule) {
const pos = this.state.pos;
- if (this.input.charCodeAt(pos + 1) === 45 && this.input.charCodeAt(pos + 2) === 62 && (spaceStart === 0 || this.state.lineStart > spaceStart)) {
+ if (
+ this.input.charCodeAt(pos + 1) === 45 &&
+ this.input.charCodeAt(pos + 2) === 62 &&
+ (spaceStart === 0 || this.state.lineStart > spaceStart)
+ ) {
const comment = this.skipLineComment(3);
if (comment !== undefined) {
@@ -2161,7 +2608,11 @@ class Tokenizer extends CommentsParser {
} else if (ch === 60 && !this.inModule) {
const pos = this.state.pos;
- if (this.input.charCodeAt(pos + 1) === 33 && this.input.charCodeAt(pos + 2) === 45 && this.input.charCodeAt(pos + 3) === 45) {
+ if (
+ this.input.charCodeAt(pos + 1) === 33 &&
+ this.input.charCodeAt(pos + 2) === 45 &&
+ this.input.charCodeAt(pos + 3) === 45
+ ) {
const comment = this.skipLineComment(4);
if (comment !== undefined) {
@@ -2174,7 +2625,6 @@ class Tokenizer extends CommentsParser {
} else {
break loop;
}
-
}
}
@@ -2186,7 +2636,7 @@ class Tokenizer extends CommentsParser {
comments,
leadingNode: null,
trailingNode: null,
- containingNode: null
+ containingNode: null,
};
this.state.commentStack.push(CommentWhitespace);
}
@@ -2219,17 +2669,22 @@ class Tokenizer extends CommentsParser {
if (next >= 48 && next <= 57) {
throw this.raise(Errors.UnexpectedDigitAfterHash, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
- if (next === 123 || next === 91 && this.hasPlugin("recordAndTuple")) {
- this.expectPlugin("recordAndTuple");
+ if (next === 123 || (next === 91 && this.hasPlugin('recordAndTuple'))) {
+ this.expectPlugin('recordAndTuple');
- if (this.getPluginOption("recordAndTuple", "syntaxType") !== "hash") {
- throw this.raise(next === 123 ? Errors.RecordExpressionHashIncorrectStartSyntaxType : Errors.TupleExpressionHashIncorrectStartSyntaxType, {
- at: this.state.curPosition()
- });
+ if (this.getPluginOption('recordAndTuple', 'syntaxType') !== 'hash') {
+ throw this.raise(
+ next === 123 ?
+ Errors.RecordExpressionHashIncorrectStartSyntaxType
+ : Errors.TupleExpressionHashIncorrectStartSyntaxType,
+ {
+ at: this.state.curPosition(),
+ }
+ );
}
this.state.pos += 2;
@@ -2331,10 +2786,10 @@ class Tokenizer extends CommentsParser {
return;
}
- if (this.hasPlugin("recordAndTuple") && next === 125) {
- if (this.getPluginOption("recordAndTuple", "syntaxType") !== "bar") {
+ if (this.hasPlugin('recordAndTuple') && next === 125) {
+ if (this.getPluginOption('recordAndTuple', 'syntaxType') !== 'bar') {
throw this.raise(Errors.RecordExpressionBarIncorrectEndSyntaxType, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
@@ -2343,10 +2798,10 @@ class Tokenizer extends CommentsParser {
return;
}
- if (this.hasPlugin("recordAndTuple") && next === 93) {
- if (this.getPluginOption("recordAndTuple", "syntaxType") !== "bar") {
+ if (this.hasPlugin('recordAndTuple') && next === 93) {
+ if (this.getPluginOption('recordAndTuple', 'syntaxType') !== 'bar') {
throw this.raise(Errors.TupleExpressionBarIncorrectEndSyntaxType, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
@@ -2369,10 +2824,16 @@ class Tokenizer extends CommentsParser {
if (next === 61 && !this.state.inType) {
this.finishOp(32, 2);
- } else if (next === 94 && this.hasPlugin(["pipelineOperator", {
- proposal: "hack",
- topicToken: "^^"
- }])) {
+ } else if (
+ next === 94 &&
+ this.hasPlugin([
+ 'pipelineOperator',
+ {
+ proposal: 'hack',
+ topicToken: '^^',
+ },
+ ])
+ ) {
this.finishOp(37, 2);
const lookaheadCh = this.input.codePointAt(this.state.pos);
@@ -2387,10 +2848,16 @@ class Tokenizer extends CommentsParser {
readToken_atSign() {
const next = this.input.charCodeAt(this.state.pos + 1);
- if (next === 64 && this.hasPlugin(["pipelineOperator", {
- proposal: "hack",
- topicToken: "@@"
- }])) {
+ if (
+ next === 64 &&
+ this.hasPlugin([
+ 'pipelineOperator',
+ {
+ proposal: 'hack',
+ topicToken: '@@',
+ },
+ ])
+ ) {
this.finishOp(38, 2);
} else {
this.finishOp(26, 1);
@@ -2413,9 +2880,7 @@ class Tokenizer extends CommentsParser {
}
readToken_lt() {
- const {
- pos
- } = this.state;
+ const { pos } = this.state;
const next = this.input.charCodeAt(pos + 1);
if (next === 60) {
@@ -2437,9 +2902,7 @@ class Tokenizer extends CommentsParser {
}
readToken_gt() {
- const {
- pos
- } = this.state;
+ const { pos } = this.state;
const next = this.input.charCodeAt(pos + 1);
if (next === 62) {
@@ -2466,7 +2929,10 @@ class Tokenizer extends CommentsParser {
const next = this.input.charCodeAt(this.state.pos + 1);
if (next === 61) {
- this.finishOp(46, this.input.charCodeAt(this.state.pos + 2) === 61 ? 3 : 2);
+ this.finishOp(
+ 46,
+ this.input.charCodeAt(this.state.pos + 2) === 61 ? 3 : 2
+ );
return;
}
@@ -2525,11 +2991,17 @@ class Tokenizer extends CommentsParser {
return;
case 91:
- if (this.hasPlugin("recordAndTuple") && this.input.charCodeAt(this.state.pos + 1) === 124) {
- if (this.getPluginOption("recordAndTuple", "syntaxType") !== "bar") {
- throw this.raise(Errors.TupleExpressionBarIncorrectStartSyntaxType, {
- at: this.state.curPosition()
- });
+ if (
+ this.hasPlugin('recordAndTuple') &&
+ this.input.charCodeAt(this.state.pos + 1) === 124
+ ) {
+ if (this.getPluginOption('recordAndTuple', 'syntaxType') !== 'bar') {
+ throw this.raise(
+ Errors.TupleExpressionBarIncorrectStartSyntaxType,
+ {
+ at: this.state.curPosition(),
+ }
+ );
}
this.state.pos += 2;
@@ -2547,11 +3019,17 @@ class Tokenizer extends CommentsParser {
return;
case 123:
- if (this.hasPlugin("recordAndTuple") && this.input.charCodeAt(this.state.pos + 1) === 124) {
- if (this.getPluginOption("recordAndTuple", "syntaxType") !== "bar") {
- throw this.raise(Errors.RecordExpressionBarIncorrectStartSyntaxType, {
- at: this.state.curPosition()
- });
+ if (
+ this.hasPlugin('recordAndTuple') &&
+ this.input.charCodeAt(this.state.pos + 1) === 124
+ ) {
+ if (this.getPluginOption('recordAndTuple', 'syntaxType') !== 'bar') {
+ throw this.raise(
+ Errors.RecordExpressionBarIncorrectStartSyntaxType,
+ {
+ at: this.state.curPosition(),
+ }
+ );
}
this.state.pos += 2;
@@ -2569,7 +3047,10 @@ class Tokenizer extends CommentsParser {
return;
case 58:
- if (this.hasPlugin("functionBind") && this.input.charCodeAt(this.state.pos + 1) === 58) {
+ if (
+ this.hasPlugin('functionBind') &&
+ this.input.charCodeAt(this.state.pos + 1) === 58
+ ) {
this.finishOp(15, 2);
} else {
++this.state.pos;
@@ -2586,26 +3067,25 @@ class Tokenizer extends CommentsParser {
this.readTemplateToken();
return;
- case 48:
- {
- const next = this.input.charCodeAt(this.state.pos + 1);
+ case 48: {
+ const next = this.input.charCodeAt(this.state.pos + 1);
- if (next === 120 || next === 88) {
- this.readRadixNumber(16);
- return;
- }
-
- if (next === 111 || next === 79) {
- this.readRadixNumber(8);
- return;
- }
-
- if (next === 98 || next === 66) {
- this.readRadixNumber(2);
- return;
- }
+ if (next === 120 || next === 88) {
+ this.readRadixNumber(16);
+ return;
}
+ if (next === 111 || next === 79) {
+ this.readRadixNumber(8);
+ return;
+ }
+
+ if (next === 98 || next === 66) {
+ this.readRadixNumber(2);
+ return;
+ }
+ }
+
case 49:
case 50:
case 51:
@@ -2680,12 +3160,11 @@ class Tokenizer extends CommentsParser {
this.readWord(code);
return;
}
-
}
throw this.raise(Errors.InvalidOrUnexpectedToken, {
at: this.state.curPosition(),
- unexpected: String.fromCodePoint(code)
+ unexpected: String.fromCodePoint(code),
});
}
@@ -2699,14 +3178,12 @@ class Tokenizer extends CommentsParser {
const startLoc = this.state.startLoc;
const start = this.state.start + 1;
let escaped, inClass;
- let {
- pos
- } = this.state;
+ let { pos } = this.state;
- for (;; ++pos) {
+ for (; ; ++pos) {
if (pos >= this.length) {
throw this.raise(Errors.UnterminatedRegExp, {
- at: createPositionWithColumnOffset(startLoc, 1)
+ at: createPositionWithColumnOffset(startLoc, 1),
});
}
@@ -2714,7 +3191,7 @@ class Tokenizer extends CommentsParser {
if (isNewLine(ch)) {
throw this.raise(Errors.UnterminatedRegExp, {
- at: createPositionWithColumnOffset(startLoc, 1)
+ at: createPositionWithColumnOffset(startLoc, 1),
});
}
@@ -2735,9 +3212,10 @@ class Tokenizer extends CommentsParser {
const content = this.input.slice(start, pos);
++pos;
- let mods = "";
+ let mods = '';
- const nextPos = () => createPositionWithColumnOffset(startLoc, pos + 2 - start);
+ const nextPos = () =>
+ createPositionWithColumnOffset(startLoc, pos + 2 - start);
while (pos < this.length) {
const cp = this.codePointAtPos(pos);
@@ -2745,29 +3223,29 @@ class Tokenizer extends CommentsParser {
if (VALID_REGEX_FLAGS.has(cp)) {
if (cp === 118) {
- this.expectPlugin("regexpUnicodeSets", nextPos());
+ this.expectPlugin('regexpUnicodeSets', nextPos());
- if (mods.includes("u")) {
+ if (mods.includes('u')) {
this.raise(Errors.IncompatibleRegExpUVFlags, {
- at: nextPos()
+ at: nextPos(),
});
}
} else if (cp === 117) {
- if (mods.includes("v")) {
+ if (mods.includes('v')) {
this.raise(Errors.IncompatibleRegExpUVFlags, {
- at: nextPos()
+ at: nextPos(),
});
}
}
if (mods.includes(char)) {
this.raise(Errors.DuplicateRegExpFlags, {
- at: nextPos()
+ at: nextPos(),
});
}
} else if (isIdentifierChar(cp) || cp === 92) {
this.raise(Errors.MalformedRegExpFlags, {
- at: nextPos()
+ at: nextPos(),
});
} else {
break;
@@ -2780,14 +3258,21 @@ class Tokenizer extends CommentsParser {
this.state.pos = pos;
this.finishToken(133, {
pattern: content,
- flags: mods
+ flags: mods,
});
}
readInt(radix, len, forceLen, allowNumSeparator = true) {
const start = this.state.pos;
- const forbiddenSiblings = radix === 16 ? forbiddenNumericSeparatorSiblings.hex : forbiddenNumericSeparatorSiblings.decBinOct;
- const isAllowedSibling = radix === 16 ? isAllowedNumericSeparatorSibling.hex : radix === 10 ? isAllowedNumericSeparatorSibling.dec : radix === 8 ? isAllowedNumericSeparatorSibling.oct : isAllowedNumericSeparatorSibling.bin;
+ const forbiddenSiblings =
+ radix === 16 ?
+ forbiddenNumericSeparatorSiblings.hex
+ : forbiddenNumericSeparatorSiblings.decBinOct;
+ const isAllowedSibling =
+ radix === 16 ? isAllowedNumericSeparatorSibling.hex
+ : radix === 10 ? isAllowedNumericSeparatorSibling.dec
+ : radix === 8 ? isAllowedNumericSeparatorSibling.oct
+ : isAllowedNumericSeparatorSibling.bin;
let invalid = false;
let total = 0;
@@ -2795,17 +3280,22 @@ class Tokenizer extends CommentsParser {
const code = this.input.charCodeAt(this.state.pos);
let val;
- if (code === 95 && allowNumSeparator !== "bail") {
+ if (code === 95 && allowNumSeparator !== 'bail') {
const prev = this.input.charCodeAt(this.state.pos - 1);
const next = this.input.charCodeAt(this.state.pos + 1);
if (!allowNumSeparator) {
this.raise(Errors.NumericSeparatorInEscapeSequence, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
- } else if (Number.isNaN(next) || !isAllowedSibling(next) || forbiddenSiblings.has(prev) || forbiddenSiblings.has(next)) {
+ } else if (
+ Number.isNaN(next) ||
+ !isAllowedSibling(next) ||
+ forbiddenSiblings.has(prev) ||
+ forbiddenSiblings.has(next)
+ ) {
this.raise(Errors.UnexpectedNumericSeparator, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
@@ -2828,7 +3318,7 @@ class Tokenizer extends CommentsParser {
val = 0;
this.raise(Errors.InvalidDigit, {
at: this.state.curPosition(),
- radix
+ radix,
});
} else if (forceLen) {
val = 0;
@@ -2842,7 +3332,11 @@ class Tokenizer extends CommentsParser {
total = total * radix + val;
}
- if (this.state.pos === start || len != null && this.state.pos - start !== len || invalid) {
+ if (
+ this.state.pos === start ||
+ (len != null && this.state.pos - start !== len) ||
+ invalid
+ ) {
return null;
}
@@ -2858,7 +3352,7 @@ class Tokenizer extends CommentsParser {
if (val == null) {
this.raise(Errors.InvalidDigit, {
at: createPositionWithColumnOffset(startLoc, 2),
- radix
+ radix,
});
}
@@ -2869,18 +3363,20 @@ class Tokenizer extends CommentsParser {
isBigInt = true;
} else if (next === 109) {
throw this.raise(Errors.InvalidDecimal, {
- at: startLoc
+ at: startLoc,
});
}
if (isIdentifierStart(this.codePointAtPos(this.state.pos))) {
throw this.raise(Errors.NumberIdentifier, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
if (isBigInt) {
- const str = this.input.slice(startLoc.index, this.state.pos).replace(/[_n]/g, "");
+ const str = this.input
+ .slice(startLoc.index, this.state.pos)
+ .replace(/[_n]/g, '');
this.finishToken(131, str);
return;
}
@@ -2899,24 +3395,25 @@ class Tokenizer extends CommentsParser {
if (!startsWithDot && this.readInt(10) === null) {
this.raise(Errors.InvalidNumber, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
- const hasLeadingZero = this.state.pos - start >= 2 && this.input.charCodeAt(start) === 48;
+ const hasLeadingZero =
+ this.state.pos - start >= 2 && this.input.charCodeAt(start) === 48;
if (hasLeadingZero) {
const integer = this.input.slice(start, this.state.pos);
this.recordStrictModeErrors(Errors.StrictOctalLiteral, {
- at: startLoc
+ at: startLoc,
});
if (!this.state.strict) {
- const underscorePos = integer.indexOf("_");
+ const underscorePos = integer.indexOf('_');
if (underscorePos > 0) {
this.raise(Errors.ZeroDigitNumericSeparator, {
- at: createPositionWithColumnOffset(startLoc, underscorePos)
+ at: createPositionWithColumnOffset(startLoc, underscorePos),
});
}
}
@@ -2942,7 +3439,7 @@ class Tokenizer extends CommentsParser {
if (this.readInt(10) === null) {
this.raise(Errors.InvalidOrMissingExponent, {
- at: startLoc
+ at: startLoc,
});
}
@@ -2954,7 +3451,7 @@ class Tokenizer extends CommentsParser {
if (next === 110) {
if (isFloat || hasLeadingZero) {
this.raise(Errors.InvalidBigIntLiteral, {
- at: startLoc
+ at: startLoc,
});
}
@@ -2963,11 +3460,11 @@ class Tokenizer extends CommentsParser {
}
if (next === 109) {
- this.expectPlugin("decimal", this.state.curPosition());
+ this.expectPlugin('decimal', this.state.curPosition());
if (hasExponent || hasLeadingZero) {
this.raise(Errors.InvalidDecimal, {
- at: startLoc
+ at: startLoc,
});
}
@@ -2977,11 +3474,11 @@ class Tokenizer extends CommentsParser {
if (isIdentifierStart(this.codePointAtPos(this.state.pos))) {
throw this.raise(Errors.NumberIdentifier, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
- const str = this.input.slice(start, this.state.pos).replace(/[_mn]/g, "");
+ const str = this.input.slice(start, this.state.pos).replace(/[_mn]/g, '');
if (isBigInt) {
this.finishToken(131, str);
@@ -3003,13 +3500,17 @@ class Tokenizer extends CommentsParser {
if (ch === 123) {
++this.state.pos;
- code = this.readHexChar(this.input.indexOf("}", this.state.pos) - this.state.pos, true, throwOnInvalid);
+ code = this.readHexChar(
+ this.input.indexOf('}', this.state.pos) - this.state.pos,
+ true,
+ throwOnInvalid
+ );
++this.state.pos;
if (code !== null && code > 0x10ffff) {
if (throwOnInvalid) {
this.raise(Errors.InvalidCodePoint, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
} else {
return null;
@@ -3023,13 +3524,13 @@ class Tokenizer extends CommentsParser {
}
readString(quote) {
- let out = "",
- chunkStart = ++this.state.pos;
+ let out = '',
+ chunkStart = ++this.state.pos;
for (;;) {
if (this.state.pos >= this.length) {
throw this.raise(Errors.UnterminatedString, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -3046,7 +3547,7 @@ class Tokenizer extends CommentsParser {
this.state.lineStart = this.state.pos;
} else if (isNewLine(ch)) {
throw this.raise(Errors.UnterminatedString, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
} else {
++this.state.pos;
@@ -3067,15 +3568,15 @@ class Tokenizer extends CommentsParser {
}
readTemplateToken() {
- let out = "",
- chunkStart = this.state.pos,
- containsInvalid = false;
+ let out = '',
+ chunkStart = this.state.pos,
+ containsInvalid = false;
++this.state.pos;
for (;;) {
if (this.state.pos >= this.length) {
throw this.raise(Errors.UnterminatedTemplate, {
- at: createPositionWithColumnOffset(this.state.startLoc, 1)
+ at: createPositionWithColumnOffset(this.state.startLoc, 1),
});
}
@@ -3117,7 +3618,7 @@ class Tokenizer extends CommentsParser {
}
case 10:
- out += "\n";
+ out += '\n';
break;
default:
@@ -3134,14 +3635,12 @@ class Tokenizer extends CommentsParser {
}
}
- recordStrictModeErrors(toParseError, {
- at
- }) {
+ recordStrictModeErrors(toParseError, { at }) {
const index = at.index;
if (this.state.strict && !this.state.strictErrors.has(index)) {
this.raise(toParseError, {
- at
+ at,
});
} else {
this.state.strictErrors.set(index, [toParseError, at]);
@@ -3155,34 +3654,32 @@ class Tokenizer extends CommentsParser {
switch (ch) {
case 110:
- return "\n";
+ return '\n';
case 114:
- return "\r";
+ return '\r';
- case 120:
- {
- const code = this.readHexChar(2, false, throwOnInvalid);
- return code === null ? null : String.fromCharCode(code);
- }
+ case 120: {
+ const code = this.readHexChar(2, false, throwOnInvalid);
+ return code === null ? null : String.fromCharCode(code);
+ }
- case 117:
- {
- const code = this.readCodePoint(throwOnInvalid);
- return code === null ? null : String.fromCodePoint(code);
- }
+ case 117: {
+ const code = this.readCodePoint(throwOnInvalid);
+ return code === null ? null : String.fromCodePoint(code);
+ }
case 116:
- return "\t";
+ return '\t';
case 98:
- return "\b";
+ return '\b';
case 118:
- return "\u000b";
+ return '\u000b';
case 102:
- return "\f";
+ return '\f';
case 13:
if (this.input.charCodeAt(this.state.pos) === 10) {
@@ -3195,7 +3692,7 @@ class Tokenizer extends CommentsParser {
case 8232:
case 8233:
- return "";
+ return '';
case 56:
case 57:
@@ -3203,14 +3700,19 @@ class Tokenizer extends CommentsParser {
return null;
} else {
this.recordStrictModeErrors(Errors.StrictNumericEscape, {
- at: createPositionWithColumnOffset(this.state.curPosition(), -1)
+ at: createPositionWithColumnOffset(this.state.curPosition(), -1),
});
}
default:
if (ch >= 48 && ch <= 55) {
- const codePos = createPositionWithColumnOffset(this.state.curPosition(), -1);
- const match = this.input.slice(this.state.pos - 1, this.state.pos + 2).match(/^[0-7]+/);
+ const codePos = createPositionWithColumnOffset(
+ this.state.curPosition(),
+ -1
+ );
+ const match = this.input
+ .slice(this.state.pos - 1, this.state.pos + 2)
+ .match(/^[0-7]+/);
let octalStr = match[0];
let octal = parseInt(octalStr, 8);
@@ -3222,12 +3724,12 @@ class Tokenizer extends CommentsParser {
this.state.pos += octalStr.length - 1;
const next = this.input.charCodeAt(this.state.pos);
- if (octalStr !== "0" || next === 56 || next === 57) {
+ if (octalStr !== '0' || next === 56 || next === 57) {
if (inTemplate) {
return null;
} else {
this.recordStrictModeErrors(Errors.StrictNumericEscape, {
- at: codePos
+ at: codePos,
});
}
}
@@ -3246,7 +3748,7 @@ class Tokenizer extends CommentsParser {
if (n === null) {
if (throwOnInvalid) {
this.raise(Errors.InvalidEscapeSequence, {
- at: codeLoc
+ at: codeLoc,
});
} else {
this.state.pos = codeLoc.index - 1;
@@ -3258,7 +3760,7 @@ class Tokenizer extends CommentsParser {
readWord1(firstCode) {
this.state.containsEsc = false;
- let word = "";
+ let word = '';
const start = this.state.pos;
let chunkStart = this.state.pos;
@@ -3275,11 +3777,12 @@ class Tokenizer extends CommentsParser {
this.state.containsEsc = true;
word += this.input.slice(chunkStart, this.state.pos);
const escStart = this.state.curPosition();
- const identifierCheck = this.state.pos === start ? isIdentifierStart : isIdentifierChar;
+ const identifierCheck =
+ this.state.pos === start ? isIdentifierStart : isIdentifierChar;
if (this.input.charCodeAt(++this.state.pos) !== 117) {
this.raise(Errors.MissingUnicodeEscape, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
chunkStart = this.state.pos - 1;
continue;
@@ -3291,7 +3794,7 @@ class Tokenizer extends CommentsParser {
if (esc !== null) {
if (!identifierCheck(esc)) {
this.raise(Errors.EscapedCharNotAnIdentifier, {
- at: escStart
+ at: escStart,
});
}
@@ -3319,28 +3822,24 @@ class Tokenizer extends CommentsParser {
}
checkKeywordEscapes() {
- const {
- type
- } = this.state;
+ const { type } = this.state;
if (tokenIsKeyword(type) && this.state.containsEsc) {
this.raise(Errors.InvalidEscapedReservedWord, {
at: this.state.startLoc,
- reservedWord: tokenLabelName(type)
+ reservedWord: tokenLabelName(type),
});
}
}
raise(toParseError, raiseProperties) {
- const {
- at
- } = raiseProperties,
- details = _objectWithoutPropertiesLoose(raiseProperties, _excluded);
+ const { at } = raiseProperties,
+ details = _objectWithoutPropertiesLoose(raiseProperties, _excluded);
const loc = at instanceof Position ? at : at.loc.start;
const error = toParseError({
loc,
- details
+ details,
});
if (!this.options.errorRecovery) throw error;
if (!this.isLookahead) this.state.errors.push(error);
@@ -3348,10 +3847,8 @@ class Tokenizer extends CommentsParser {
}
raiseOverwrite(toParseError, raiseProperties) {
- const {
- at
- } = raiseProperties,
- details = _objectWithoutPropertiesLoose(raiseProperties, _excluded2);
+ const { at } = raiseProperties,
+ details = _objectWithoutPropertiesLoose(raiseProperties, _excluded2);
const loc = at instanceof Position ? at : at.loc.start;
const pos = loc.index;
@@ -3361,10 +3858,10 @@ class Tokenizer extends CommentsParser {
const error = errors[i];
if (error.loc.index === pos) {
- return errors[i] = toParseError({
+ return (errors[i] = toParseError({
loc,
- details
- });
+ details,
+ }));
}
if (error.loc.index < pos) break;
@@ -3378,7 +3875,7 @@ class Tokenizer extends CommentsParser {
unexpected(loc, type) {
throw this.raise(Errors.UnexpectedToken, {
expected: type ? tokenLabelName(type) : null,
- at: loc != null ? loc : this.state.startLoc
+ at: loc != null ? loc : this.state.startLoc,
});
}
@@ -3389,19 +3886,18 @@ class Tokenizer extends CommentsParser {
throw this.raise(Errors.MissingPlugin, {
at: loc != null ? loc : this.state.startLoc,
- missingPlugin: [pluginName]
+ missingPlugin: [pluginName],
});
}
expectOnePlugin(pluginNames) {
- if (!pluginNames.some(name => this.hasPlugin(name))) {
+ if (!pluginNames.some((name) => this.hasPlugin(name))) {
throw this.raise(Errors.MissingOneOfPlugins, {
at: this.state.startLoc,
- missingPlugin: pluginNames
+ missingPlugin: pluginNames,
});
}
}
-
}
class Scope {
@@ -3411,7 +3907,6 @@ class Scope {
this.functions = new Set();
this.flags = flags;
}
-
}
class ScopeHandler {
constructor(parser, inModule) {
@@ -3445,10 +3940,8 @@ class ScopeHandler {
}
get inStaticBlock() {
- for (let i = this.scopeStack.length - 1;; i--) {
- const {
- flags
- } = this.scopeStack[i];
+ for (let i = this.scopeStack.length - 1; ; i--) {
+ const { flags } = this.scopeStack[i];
if (flags & SCOPE_STATIC_BLOCK) {
return true;
@@ -3481,7 +3974,10 @@ class ScopeHandler {
}
treatFunctionsAsVarInScope(scope) {
- return !!(scope.flags & (SCOPE_FUNCTION | SCOPE_STATIC_BLOCK) || !this.parser.inModule && scope.flags & SCOPE_PROGRAM);
+ return !!(
+ scope.flags & (SCOPE_FUNCTION | SCOPE_STATIC_BLOCK) ||
+ (!this.parser.inModule && scope.flags & SCOPE_PROGRAM)
+ );
}
declareName(name, bindingType, loc) {
@@ -3524,7 +4020,7 @@ class ScopeHandler {
if (this.isRedeclaredInScope(scope, name, bindingType)) {
this.parser.raise(Errors.VarRedeclaration, {
at: loc,
- identifierName: name
+ identifierName: name,
});
}
}
@@ -3533,23 +4029,39 @@ class ScopeHandler {
if (!(bindingType & BIND_KIND_VALUE)) return false;
if (bindingType & BIND_SCOPE_LEXICAL) {
- return scope.lexical.has(name) || scope.functions.has(name) || scope.var.has(name);
+ return (
+ scope.lexical.has(name) ||
+ scope.functions.has(name) ||
+ scope.var.has(name)
+ );
}
if (bindingType & BIND_SCOPE_FUNCTION) {
- return scope.lexical.has(name) || !this.treatFunctionsAsVarInScope(scope) && scope.var.has(name);
+ return (
+ scope.lexical.has(name) ||
+ (!this.treatFunctionsAsVarInScope(scope) && scope.var.has(name))
+ );
}
- return scope.lexical.has(name) && !(scope.flags & SCOPE_SIMPLE_CATCH && scope.lexical.values().next().value === name) || !this.treatFunctionsAsVarInScope(scope) && scope.functions.has(name);
+ return (
+ (scope.lexical.has(name) &&
+ !(
+ scope.flags & SCOPE_SIMPLE_CATCH &&
+ scope.lexical.values().next().value === name
+ )) ||
+ (!this.treatFunctionsAsVarInScope(scope) && scope.functions.has(name))
+ );
}
checkLocalExport(id) {
- const {
- name
- } = id;
+ const { name } = id;
const topLevelScope = this.scopeStack[0];
- if (!topLevelScope.lexical.has(name) && !topLevelScope.var.has(name) && !topLevelScope.functions.has(name)) {
+ if (
+ !topLevelScope.lexical.has(name) &&
+ !topLevelScope.var.has(name) &&
+ !topLevelScope.functions.has(name)
+ ) {
this.undefinedExports.set(name, id.loc.start);
}
}
@@ -3559,10 +4071,8 @@ class ScopeHandler {
}
currentVarScopeFlags() {
- for (let i = this.scopeStack.length - 1;; i--) {
- const {
- flags
- } = this.scopeStack[i];
+ for (let i = this.scopeStack.length - 1; ; i--) {
+ const { flags } = this.scopeStack[i];
if (flags & SCOPE_VAR) {
return flags;
@@ -3571,17 +4081,14 @@ class ScopeHandler {
}
currentThisScopeFlags() {
- for (let i = this.scopeStack.length - 1;; i--) {
- const {
- flags
- } = this.scopeStack[i];
+ for (let i = this.scopeStack.length - 1; ; i--) {
+ const { flags } = this.scopeStack[i];
if (flags & (SCOPE_VAR | SCOPE_CLASS) && !(flags & SCOPE_ARROW)) {
return flags;
}
}
}
-
}
class FlowScope extends Scope {
@@ -3589,7 +4096,6 @@ class FlowScope extends Scope {
super(...args);
this.declareFunctions = new Set();
}
-
}
class FlowScopeHandler extends ScopeHandler {
@@ -3614,7 +4120,10 @@ class FlowScopeHandler extends ScopeHandler {
if (super.isRedeclaredInScope(...arguments)) return true;
if (bindingType & BIND_FLAGS_FLOW_DECLARE_FN) {
- return !scope.declareFunctions.has(name) && (scope.lexical.has(name) || scope.functions.has(name));
+ return (
+ !scope.declareFunctions.has(name) &&
+ (scope.lexical.has(name) || scope.functions.has(name))
+ );
}
return false;
@@ -3625,7 +4134,6 @@ class FlowScopeHandler extends ScopeHandler {
super.checkLocalExport(id);
}
}
-
}
class ClassScope {
@@ -3634,7 +4142,6 @@ class ClassScope {
this.loneAccessors = new Map();
this.undefinedPrivateNames = new Map();
}
-
}
class ClassScopeHandler {
constructor(parser) {
@@ -3664,18 +4171,15 @@ class ClassScopeHandler {
} else {
this.parser.raise(Errors.InvalidPrivateFieldResolution, {
at: loc,
- identifierName: name
+ identifierName: name,
});
}
}
}
declarePrivateName(name, elementType, loc) {
- const {
- privateNames,
- loneAccessors,
- undefinedPrivateNames
- } = this.current();
+ const { privateNames, loneAccessors, undefinedPrivateNames } =
+ this.current();
let redefined = privateNames.has(name);
if (elementType & CLASS_ELEMENT_KIND_ACCESSOR) {
@@ -3696,7 +4200,7 @@ class ClassScopeHandler {
if (redefined) {
this.parser.raise(Errors.PrivateNameRedeclaration, {
at: loc,
- identifierName: name
+ identifierName: name,
});
}
@@ -3716,17 +4220,16 @@ class ClassScopeHandler {
} else {
this.parser.raise(Errors.InvalidPrivateFieldResolution, {
at: loc,
- identifierName: name
+ identifierName: name,
});
}
}
-
}
const kExpression = 0,
- kMaybeArrowParameterDeclaration = 1,
- kMaybeAsyncArrowParameterDeclaration = 2,
- kParameterDeclaration = 3;
+ kMaybeArrowParameterDeclaration = 1,
+ kMaybeAsyncArrowParameterDeclaration = 2,
+ kParameterDeclaration = 3;
class ExpressionScope {
constructor(type = kExpression) {
@@ -3735,13 +4238,15 @@ class ExpressionScope {
}
canBeArrowParameterDeclaration() {
- return this.type === kMaybeAsyncArrowParameterDeclaration || this.type === kMaybeArrowParameterDeclaration;
+ return (
+ this.type === kMaybeAsyncArrowParameterDeclaration ||
+ this.type === kMaybeArrowParameterDeclaration
+ );
}
isCertainlyParameterDeclaration() {
return this.type === kParameterDeclaration;
}
-
}
class ArrowHeadParsingScope extends ExpressionScope {
@@ -3750,9 +4255,7 @@ class ArrowHeadParsingScope extends ExpressionScope {
this.declarationErrors = new Map();
}
- recordDeclarationError(ParsingErrorClass, {
- at
- }) {
+ recordDeclarationError(ParsingErrorClass, { at }) {
const index = at.index;
this.declarationErrors.set(index, [ParsingErrorClass, at]);
}
@@ -3764,7 +4267,6 @@ class ArrowHeadParsingScope extends ExpressionScope {
iterateErrors(iterator) {
this.declarationErrors.forEach(iterator);
}
-
}
class ExpressionScopeHandler {
@@ -3782,15 +4284,11 @@ class ExpressionScopeHandler {
this.stack.pop();
}
- recordParameterInitializerError(toParseError, {
- at: node
- }) {
+ recordParameterInitializerError(toParseError, { at: node }) {
const origin = {
- at: node.loc.start
+ at: node.loc.start,
};
- const {
- stack
- } = this;
+ const { stack } = this;
let i = stack.length - 1;
let scope = stack[i];
@@ -3807,15 +4305,11 @@ class ExpressionScopeHandler {
this.parser.raise(toParseError, origin);
}
- recordArrowParemeterBindingError(error, {
- at: node
- }) {
- const {
- stack
- } = this;
+ recordArrowParemeterBindingError(error, { at: node }) {
+ const { stack } = this;
const scope = stack[stack.length - 1];
const origin = {
- at: node.loc.start
+ at: node.loc.start,
};
if (scope.isCertainlyParameterDeclaration()) {
@@ -3827,19 +4321,15 @@ class ExpressionScopeHandler {
}
}
- recordAsyncArrowParametersError({
- at
- }) {
- const {
- stack
- } = this;
+ recordAsyncArrowParametersError({ at }) {
+ const { stack } = this;
let i = stack.length - 1;
let scope = stack[i];
while (scope.canBeArrowParameterDeclaration()) {
if (scope.type === kMaybeAsyncArrowParameterDeclaration) {
scope.recordDeclarationError(Errors.AwaitBindingIdentifier, {
- at
+ at,
});
}
@@ -3848,14 +4338,12 @@ class ExpressionScopeHandler {
}
validateAsPattern() {
- const {
- stack
- } = this;
+ const { stack } = this;
const currentScope = stack[stack.length - 1];
if (!currentScope.canBeArrowParameterDeclaration()) return;
currentScope.iterateErrors(([toParseError, loc]) => {
this.parser.raise(toParseError, {
- at: loc
+ at: loc,
});
let i = stack.length - 2;
let scope = stack[i];
@@ -3866,7 +4354,6 @@ class ExpressionScopeHandler {
}
});
}
-
}
function newParameterDeclarationScope() {
return new ExpressionScope(kParameterDeclaration);
@@ -3882,10 +4369,10 @@ function newExpressionScope() {
}
const PARAM = 0b0000,
- PARAM_YIELD = 0b0001,
- PARAM_AWAIT = 0b0010,
- PARAM_RETURN = 0b0100,
- PARAM_IN = 0b1000;
+ PARAM_YIELD = 0b0001,
+ PARAM_AWAIT = 0b0010,
+ PARAM_RETURN = 0b0100,
+ PARAM_IN = 0b1000;
class ProductionParameterHandler {
constructor() {
this.stacks = [];
@@ -3918,7 +4405,6 @@ class ProductionParameterHandler {
get hasIn() {
return (this.currentFlags() & PARAM_IN) > 0;
}
-
}
function functionFlags(isAsync, isGenerator) {
return (isAsync ? PARAM_AWAIT : 0) | (isGenerator ? PARAM_YIELD : 0);
@@ -3927,14 +4413,14 @@ function functionFlags(isAsync, isGenerator) {
class UtilParser extends Tokenizer {
addExtra(node, key, value, enumerable = true) {
if (!node) return;
- const extra = node.extra = node.extra || {};
+ const extra = (node.extra = node.extra || {});
if (enumerable) {
extra[key] = value;
} else {
Object.defineProperty(extra, key, {
enumerable,
- value
+ value,
});
}
}
@@ -3972,7 +4458,7 @@ class UtilParser extends Tokenizer {
if (!this.eatContextual(token)) {
if (toParseError != null) {
throw this.raise(toParseError, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -3985,7 +4471,9 @@ class UtilParser extends Tokenizer {
}
hasPrecedingLineBreak() {
- return lineBreak.test(this.input.slice(this.state.lastTokEndLoc.index, this.state.start));
+ return lineBreak.test(
+ this.input.slice(this.state.lastTokEndLoc.index, this.state.start)
+ );
}
hasFollowingLineBreak() {
@@ -4000,7 +4488,7 @@ class UtilParser extends Tokenizer {
semicolon(allowAsi = true) {
if (allowAsi ? this.isLineTerminator() : this.eat(13)) return;
this.raise(Errors.MissingSemicolon, {
- at: this.state.lastTokEndLoc
+ at: this.state.lastTokEndLoc,
});
}
@@ -4010,7 +4498,7 @@ class UtilParser extends Tokenizer {
tryParse(fn, oldState = this.state.clone()) {
const abortSignal = {
- node: null
+ node: null,
};
try {
@@ -4028,7 +4516,7 @@ class UtilParser extends Tokenizer {
error: failState.errors[oldState.errors.length],
thrown: false,
aborted: false,
- failState
+ failState,
};
}
@@ -4037,7 +4525,7 @@ class UtilParser extends Tokenizer {
error: null,
thrown: false,
aborted: false,
- failState: null
+ failState: null,
};
} catch (error) {
const failState = this.state;
@@ -4049,7 +4537,7 @@ class UtilParser extends Tokenizer {
error,
thrown: true,
aborted: false,
- failState
+ failState,
};
}
@@ -4059,7 +4547,7 @@ class UtilParser extends Tokenizer {
error: null,
thrown: false,
aborted: true,
- failState
+ failState,
};
}
@@ -4073,9 +4561,13 @@ class UtilParser extends Tokenizer {
shorthandAssignLoc,
doubleProtoLoc,
privateKeyLoc,
- optionalParametersLoc
+ optionalParametersLoc,
} = refExpressionErrors;
- const hasErrors = !!shorthandAssignLoc || !!doubleProtoLoc || !!optionalParametersLoc || !!privateKeyLoc;
+ const hasErrors =
+ !!shorthandAssignLoc ||
+ !!doubleProtoLoc ||
+ !!optionalParametersLoc ||
+ !!privateKeyLoc;
if (!andThrow) {
return hasErrors;
@@ -4083,19 +4575,19 @@ class UtilParser extends Tokenizer {
if (shorthandAssignLoc != null) {
this.raise(Errors.InvalidCoverInitializedName, {
- at: shorthandAssignLoc
+ at: shorthandAssignLoc,
});
}
if (doubleProtoLoc != null) {
this.raise(Errors.DuplicateProto, {
- at: doubleProtoLoc
+ at: doubleProtoLoc,
});
}
if (privateKeyLoc != null) {
this.raise(Errors.UnexpectedPrivateField, {
- at: privateKeyLoc
+ at: privateKeyLoc,
});
}
@@ -4109,7 +4601,7 @@ class UtilParser extends Tokenizer {
}
isPrivateName(node) {
- return node.type === "PrivateName";
+ return node.type === 'PrivateName';
}
getPrivateNameSV(node) {
@@ -4117,22 +4609,29 @@ class UtilParser extends Tokenizer {
}
hasPropertyAsPrivateName(node) {
- return (node.type === "MemberExpression" || node.type === "OptionalMemberExpression") && this.isPrivateName(node.property);
+ return (
+ (node.type === 'MemberExpression' ||
+ node.type === 'OptionalMemberExpression') &&
+ this.isPrivateName(node.property)
+ );
}
isOptionalChain(node) {
- return node.type === "OptionalMemberExpression" || node.type === "OptionalCallExpression";
+ return (
+ node.type === 'OptionalMemberExpression' ||
+ node.type === 'OptionalCallExpression'
+ );
}
isObjectProperty(node) {
- return node.type === "ObjectProperty";
+ return node.type === 'ObjectProperty';
}
isObjectMethod(node) {
- return node.type === "ObjectMethod";
+ return node.type === 'ObjectMethod';
}
- initializeScopes(inModule = this.options.sourceType === "module") {
+ initializeScopes(inModule = this.options.sourceType === 'module') {
const oldLabels = this.state.labels;
this.state.labels = [];
const oldExportedIdentifiers = this.exportedIdentifiers;
@@ -4171,15 +4670,12 @@ class UtilParser extends Tokenizer {
}
checkDestructuringPrivate(refExpressionErrors) {
- const {
- privateKeyLoc
- } = refExpressionErrors;
+ const { privateKeyLoc } = refExpressionErrors;
if (privateKeyLoc !== null) {
- this.expectPlugin("destructuringPrivate", privateKeyLoc);
+ this.expectPlugin('destructuringPrivate', privateKeyLoc);
}
}
-
}
class ExpressionErrors {
constructor() {
@@ -4188,19 +4684,17 @@ class ExpressionErrors {
this.privateKeyLoc = null;
this.optionalParametersLoc = null;
}
-
}
class Node {
constructor(parser, pos, loc) {
- this.type = "";
+ this.type = '';
this.start = pos;
this.end = 0;
this.loc = new SourceLocation(loc);
if (parser != null && parser.options.ranges) this.range = [pos, 0];
if (parser != null && parser.filename) this.loc.filename = parser.filename;
}
-
}
const NodePrototype = Node.prototype;
@@ -4212,7 +4706,11 @@ const NodePrototype = Node.prototype;
for (let i = 0, length = keys.length; i < length; i++) {
const key = keys[i];
- if (key !== "leadingComments" && key !== "trailingComments" && key !== "innerComments") {
+ if (
+ key !== 'leadingComments' &&
+ key !== 'trailingComments' &&
+ key !== 'innerComments'
+ ) {
newNode[key] = this[key];
}
}
@@ -4226,15 +4724,7 @@ function clonePlaceholder(node) {
}
function cloneIdentifier(node) {
- const {
- type,
- start,
- end,
- loc,
- range,
- extra,
- name
- } = node;
+ const { type, start, end, loc, range, extra, name } = node;
const cloned = Object.create(NodePrototype);
cloned.type = type;
cloned.start = start;
@@ -4244,23 +4734,16 @@ function cloneIdentifier(node) {
cloned.extra = extra;
cloned.name = name;
- if (type === "Placeholder") {
+ if (type === 'Placeholder') {
cloned.expectedNode = node.expectedNode;
}
return cloned;
}
function cloneStringLiteral(node) {
- const {
- type,
- start,
- end,
- loc,
- range,
- extra
- } = node;
+ const { type, start, end, loc, range, extra } = node;
- if (type === "Placeholder") {
+ if (type === 'Placeholder') {
return clonePlaceholder(node);
}
@@ -4298,7 +4781,6 @@ class NodeUtils extends UtilParser {
}
finishNodeAt(node, type, endLoc) {
-
node.type = type;
node.end = endLoc.index;
node.loc.end = endLoc;
@@ -4322,107 +4804,183 @@ class NodeUtils extends UtilParser {
resetStartLocationFromNode(node, locationNode) {
this.resetStartLocation(node, locationNode.start, locationNode.loc.start);
}
-
}
-const reservedTypes = new Set(["_", "any", "bool", "boolean", "empty", "extends", "false", "interface", "mixed", "null", "number", "static", "string", "true", "typeof", "void"]);
-const FlowErrors = ParseErrorEnum`flow`(_ => ({
- AmbiguousConditionalArrow: _("Ambiguous expression: wrap the arrow functions in parentheses to disambiguate."),
- AmbiguousDeclareModuleKind: _("Found both `declare module.exports` and `declare export` in the same module. Modules can only have 1 since they are either an ES module or they are a CommonJS module."),
- AssignReservedType: _(({
- reservedType
- }) => `Cannot overwrite reserved type ${reservedType}.`),
- DeclareClassElement: _("The `declare` modifier can only appear on class fields."),
- DeclareClassFieldInitializer: _("Initializers are not allowed in fields with the `declare` modifier."),
- DuplicateDeclareModuleExports: _("Duplicate `declare module.exports` statement."),
- EnumBooleanMemberNotInitialized: _(({
- memberName,
- enumName
- }) => `Boolean enum members need to be initialized. Use either \`${memberName} = true,\` or \`${memberName} = false,\` in enum \`${enumName}\`.`),
- EnumDuplicateMemberName: _(({
- memberName,
- enumName
- }) => `Enum member names need to be unique, but the name \`${memberName}\` has already been used before in enum \`${enumName}\`.`),
- EnumInconsistentMemberValues: _(({
- enumName
- }) => `Enum \`${enumName}\` has inconsistent member initializers. Either use no initializers, or consistently use literals (either booleans, numbers, or strings) for all member initializers.`),
- EnumInvalidExplicitType: _(({
- invalidEnumType,
- enumName
- }) => `Enum type \`${invalidEnumType}\` is not valid. Use one of \`boolean\`, \`number\`, \`string\`, or \`symbol\` in enum \`${enumName}\`.`),
- EnumInvalidExplicitTypeUnknownSupplied: _(({
- enumName
- }) => `Supplied enum type is not valid. Use one of \`boolean\`, \`number\`, \`string\`, or \`symbol\` in enum \`${enumName}\`.`),
- EnumInvalidMemberInitializerPrimaryType: _(({
- enumName,
- memberName,
- explicitType
- }) => `Enum \`${enumName}\` has type \`${explicitType}\`, so the initializer of \`${memberName}\` needs to be a ${explicitType} literal.`),
- EnumInvalidMemberInitializerSymbolType: _(({
- enumName,
- memberName
- }) => `Symbol enum members cannot be initialized. Use \`${memberName},\` in enum \`${enumName}\`.`),
- EnumInvalidMemberInitializerUnknownType: _(({
- enumName,
- memberName
- }) => `The enum member initializer for \`${memberName}\` needs to be a literal (either a boolean, number, or string) in enum \`${enumName}\`.`),
- EnumInvalidMemberName: _(({
- enumName,
- memberName,
- suggestion
- }) => `Enum member names cannot start with lowercase 'a' through 'z'. Instead of using \`${memberName}\`, consider using \`${suggestion}\`, in enum \`${enumName}\`.`),
- EnumNumberMemberNotInitialized: _(({
- enumName,
- memberName
- }) => `Number enum members need to be initialized, e.g. \`${memberName} = 1\` in enum \`${enumName}\`.`),
- EnumStringMemberInconsistentlyInitailized: _(({
- enumName
- }) => `String enum members need to consistently either all use initializers, or use no initializers, in enum \`${enumName}\`.`),
- GetterMayNotHaveThisParam: _("A getter cannot have a `this` parameter."),
- ImportTypeShorthandOnlyInPureImport: _("The `type` and `typeof` keywords on named imports can only be used on regular `import` statements. It cannot be used with `import type` or `import typeof` statements."),
- InexactInsideExact: _("Explicit inexact syntax cannot appear inside an explicit exact object type."),
- InexactInsideNonObject: _("Explicit inexact syntax cannot appear in class or interface definitions."),
- InexactVariance: _("Explicit inexact syntax cannot have variance."),
- InvalidNonTypeImportInDeclareModule: _("Imports within a `declare module` body must always be `import type` or `import typeof`."),
- MissingTypeParamDefault: _("Type parameter declaration needs a default, since a preceding type parameter declaration has a default."),
- NestedDeclareModule: _("`declare module` cannot be used inside another `declare module`."),
- NestedFlowComment: _("Cannot have a flow comment inside another flow comment."),
- PatternIsOptional: _("A binding pattern parameter cannot be optional in an implementation signature.", {
- reasonCode: "OptionalBindingPattern"
- }),
- SetterMayNotHaveThisParam: _("A setter cannot have a `this` parameter."),
- SpreadVariance: _("Spread properties cannot have variance."),
- ThisParamAnnotationRequired: _("A type annotation is required for the `this` parameter."),
- ThisParamBannedInConstructor: _("Constructors cannot have a `this` parameter; constructors don't bind `this` like other functions."),
- ThisParamMayNotBeOptional: _("The `this` parameter cannot be optional."),
- ThisParamMustBeFirst: _("The `this` parameter must be the first function parameter."),
- ThisParamNoDefault: _("The `this` parameter may not have a default value."),
- TypeBeforeInitializer: _("Type annotations must come before default assignments, e.g. instead of `age = 25: number` use `age: number = 25`."),
- TypeCastInPattern: _("The type cast expression is expected to be wrapped with parenthesis."),
- UnexpectedExplicitInexactInObject: _("Explicit inexact syntax must appear at the end of an inexact object."),
- UnexpectedReservedType: _(({
- reservedType
- }) => `Unexpected reserved type ${reservedType}.`),
- UnexpectedReservedUnderscore: _("`_` is only allowed as a type argument to call or new."),
- UnexpectedSpaceBetweenModuloChecks: _("Spaces between `%` and `checks` are not allowed here."),
- UnexpectedSpreadType: _("Spread operator cannot appear in class or interface definitions."),
- UnexpectedSubtractionOperand: _('Unexpected token, expected "number" or "bigint".'),
- UnexpectedTokenAfterTypeParameter: _("Expected an arrow function after this type parameter declaration."),
- UnexpectedTypeParameterBeforeAsyncArrowFunction: _("Type parameters must come after the async keyword, e.g. instead of ` async () => {}`, use `async () => {}`."),
- UnsupportedDeclareExportKind: _(({
- unsupportedExportKind,
- suggestion
- }) => `\`declare export ${unsupportedExportKind}\` is not supported. Use \`${suggestion}\` instead.`),
- UnsupportedStatementInDeclareModule: _("Only declares and type imports are allowed inside declare module."),
- UnterminatedFlowComment: _("Unterminated flow-comment.")
+const reservedTypes = new Set([
+ '_',
+ 'any',
+ 'bool',
+ 'boolean',
+ 'empty',
+ 'extends',
+ 'false',
+ 'interface',
+ 'mixed',
+ 'null',
+ 'number',
+ 'static',
+ 'string',
+ 'true',
+ 'typeof',
+ 'void',
+]);
+const FlowErrors = ParseErrorEnum`flow`((_) => ({
+ AmbiguousConditionalArrow: _(
+ 'Ambiguous expression: wrap the arrow functions in parentheses to disambiguate.'
+ ),
+ AmbiguousDeclareModuleKind: _(
+ 'Found both `declare module.exports` and `declare export` in the same module. Modules can only have 1 since they are either an ES module or they are a CommonJS module.'
+ ),
+ AssignReservedType: _(
+ ({ reservedType }) => `Cannot overwrite reserved type ${reservedType}.`
+ ),
+ DeclareClassElement: _(
+ 'The `declare` modifier can only appear on class fields.'
+ ),
+ DeclareClassFieldInitializer: _(
+ 'Initializers are not allowed in fields with the `declare` modifier.'
+ ),
+ DuplicateDeclareModuleExports: _(
+ 'Duplicate `declare module.exports` statement.'
+ ),
+ EnumBooleanMemberNotInitialized: _(
+ ({ memberName, enumName }) =>
+ `Boolean enum members need to be initialized. Use either \`${memberName} = true,\` or \`${memberName} = false,\` in enum \`${enumName}\`.`
+ ),
+ EnumDuplicateMemberName: _(
+ ({ memberName, enumName }) =>
+ `Enum member names need to be unique, but the name \`${memberName}\` has already been used before in enum \`${enumName}\`.`
+ ),
+ EnumInconsistentMemberValues: _(
+ ({ enumName }) =>
+ `Enum \`${enumName}\` has inconsistent member initializers. Either use no initializers, or consistently use literals (either booleans, numbers, or strings) for all member initializers.`
+ ),
+ EnumInvalidExplicitType: _(
+ ({ invalidEnumType, enumName }) =>
+ `Enum type \`${invalidEnumType}\` is not valid. Use one of \`boolean\`, \`number\`, \`string\`, or \`symbol\` in enum \`${enumName}\`.`
+ ),
+ EnumInvalidExplicitTypeUnknownSupplied: _(
+ ({ enumName }) =>
+ `Supplied enum type is not valid. Use one of \`boolean\`, \`number\`, \`string\`, or \`symbol\` in enum \`${enumName}\`.`
+ ),
+ EnumInvalidMemberInitializerPrimaryType: _(
+ ({ enumName, memberName, explicitType }) =>
+ `Enum \`${enumName}\` has type \`${explicitType}\`, so the initializer of \`${memberName}\` needs to be a ${explicitType} literal.`
+ ),
+ EnumInvalidMemberInitializerSymbolType: _(
+ ({ enumName, memberName }) =>
+ `Symbol enum members cannot be initialized. Use \`${memberName},\` in enum \`${enumName}\`.`
+ ),
+ EnumInvalidMemberInitializerUnknownType: _(
+ ({ enumName, memberName }) =>
+ `The enum member initializer for \`${memberName}\` needs to be a literal (either a boolean, number, or string) in enum \`${enumName}\`.`
+ ),
+ EnumInvalidMemberName: _(
+ ({ enumName, memberName, suggestion }) =>
+ `Enum member names cannot start with lowercase 'a' through 'z'. Instead of using \`${memberName}\`, consider using \`${suggestion}\`, in enum \`${enumName}\`.`
+ ),
+ EnumNumberMemberNotInitialized: _(
+ ({ enumName, memberName }) =>
+ `Number enum members need to be initialized, e.g. \`${memberName} = 1\` in enum \`${enumName}\`.`
+ ),
+ EnumStringMemberInconsistentlyInitailized: _(
+ ({ enumName }) =>
+ `String enum members need to consistently either all use initializers, or use no initializers, in enum \`${enumName}\`.`
+ ),
+ GetterMayNotHaveThisParam: _('A getter cannot have a `this` parameter.'),
+ ImportTypeShorthandOnlyInPureImport: _(
+ 'The `type` and `typeof` keywords on named imports can only be used on regular `import` statements. It cannot be used with `import type` or `import typeof` statements.'
+ ),
+ InexactInsideExact: _(
+ 'Explicit inexact syntax cannot appear inside an explicit exact object type.'
+ ),
+ InexactInsideNonObject: _(
+ 'Explicit inexact syntax cannot appear in class or interface definitions.'
+ ),
+ InexactVariance: _('Explicit inexact syntax cannot have variance.'),
+ InvalidNonTypeImportInDeclareModule: _(
+ 'Imports within a `declare module` body must always be `import type` or `import typeof`.'
+ ),
+ MissingTypeParamDefault: _(
+ 'Type parameter declaration needs a default, since a preceding type parameter declaration has a default.'
+ ),
+ NestedDeclareModule: _(
+ '`declare module` cannot be used inside another `declare module`.'
+ ),
+ NestedFlowComment: _(
+ 'Cannot have a flow comment inside another flow comment.'
+ ),
+ PatternIsOptional: _(
+ 'A binding pattern parameter cannot be optional in an implementation signature.',
+ {
+ reasonCode: 'OptionalBindingPattern',
+ }
+ ),
+ SetterMayNotHaveThisParam: _('A setter cannot have a `this` parameter.'),
+ SpreadVariance: _('Spread properties cannot have variance.'),
+ ThisParamAnnotationRequired: _(
+ 'A type annotation is required for the `this` parameter.'
+ ),
+ ThisParamBannedInConstructor: _(
+ "Constructors cannot have a `this` parameter; constructors don't bind `this` like other functions."
+ ),
+ ThisParamMayNotBeOptional: _('The `this` parameter cannot be optional.'),
+ ThisParamMustBeFirst: _(
+ 'The `this` parameter must be the first function parameter.'
+ ),
+ ThisParamNoDefault: _('The `this` parameter may not have a default value.'),
+ TypeBeforeInitializer: _(
+ 'Type annotations must come before default assignments, e.g. instead of `age = 25: number` use `age: number = 25`.'
+ ),
+ TypeCastInPattern: _(
+ 'The type cast expression is expected to be wrapped with parenthesis.'
+ ),
+ UnexpectedExplicitInexactInObject: _(
+ 'Explicit inexact syntax must appear at the end of an inexact object.'
+ ),
+ UnexpectedReservedType: _(
+ ({ reservedType }) => `Unexpected reserved type ${reservedType}.`
+ ),
+ UnexpectedReservedUnderscore: _(
+ '`_` is only allowed as a type argument to call or new.'
+ ),
+ UnexpectedSpaceBetweenModuloChecks: _(
+ 'Spaces between `%` and `checks` are not allowed here.'
+ ),
+ UnexpectedSpreadType: _(
+ 'Spread operator cannot appear in class or interface definitions.'
+ ),
+ UnexpectedSubtractionOperand: _(
+ 'Unexpected token, expected "number" or "bigint".'
+ ),
+ UnexpectedTokenAfterTypeParameter: _(
+ 'Expected an arrow function after this type parameter declaration.'
+ ),
+ UnexpectedTypeParameterBeforeAsyncArrowFunction: _(
+ 'Type parameters must come after the async keyword, e.g. instead of ` async () => {}`, use `async () => {}`.'
+ ),
+ UnsupportedDeclareExportKind: _(
+ ({ unsupportedExportKind, suggestion }) =>
+ `\`declare export ${unsupportedExportKind}\` is not supported. Use \`${suggestion}\` instead.`
+ ),
+ UnsupportedStatementInDeclareModule: _(
+ 'Only declares and type imports are allowed inside declare module.'
+ ),
+ UnterminatedFlowComment: _('Unterminated flow-comment.'),
}));
function isEsModuleType(bodyElement) {
- return bodyElement.type === "DeclareExportAllDeclaration" || bodyElement.type === "DeclareExportDeclaration" && (!bodyElement.declaration || bodyElement.declaration.type !== "TypeAlias" && bodyElement.declaration.type !== "InterfaceDeclaration");
+ return (
+ bodyElement.type === 'DeclareExportAllDeclaration' ||
+ (bodyElement.type === 'DeclareExportDeclaration' &&
+ (!bodyElement.declaration ||
+ (bodyElement.declaration.type !== 'TypeAlias' &&
+ bodyElement.declaration.type !== 'InterfaceDeclaration')))
+ );
}
function hasTypeImportKind(node) {
- return node.importKind === "type" || node.importKind === "typeof";
+ return node.importKind === 'type' || node.importKind === 'typeof';
}
function isMaybeDefaultImport(type) {
@@ -4430,10 +4988,10 @@ function isMaybeDefaultImport(type) {
}
const exportSuggestions = {
- const: "declare export var",
- let: "declare export var",
- type: "export type",
- interface: "export interface"
+ const: 'declare export var',
+ let: 'declare export var',
+ type: 'export type',
+ interface: 'export interface',
};
function partition(list, test) {
@@ -4448,2815 +5006,3103 @@ function partition(list, test) {
}
const FLOW_PRAGMA_REGEX = /\*?\s*@((?:no)?flow)\b/;
-var flow = (superClass => class extends superClass {
- constructor(...args) {
- super(...args);
- this.flowPragma = undefined;
- }
+var flow = (superClass) =>
+ class extends superClass {
+ constructor(...args) {
+ super(...args);
+ this.flowPragma = undefined;
+ }
- getScopeHandler() {
- return FlowScopeHandler;
- }
+ getScopeHandler() {
+ return FlowScopeHandler;
+ }
- shouldParseTypes() {
- return this.getPluginOption("flow", "all") || this.flowPragma === "flow";
- }
+ shouldParseTypes() {
+ return this.getPluginOption('flow', 'all') || this.flowPragma === 'flow';
+ }
- shouldParseEnums() {
- return !!this.getPluginOption("flow", "enums");
- }
+ shouldParseEnums() {
+ return !!this.getPluginOption('flow', 'enums');
+ }
- finishToken(type, val) {
- if (type !== 129 && type !== 13 && type !== 28) {
+ finishToken(type, val) {
+ if (type !== 129 && type !== 13 && type !== 28) {
+ if (this.flowPragma === undefined) {
+ this.flowPragma = null;
+ }
+ }
+
+ return super.finishToken(type, val);
+ }
+
+ addComment(comment) {
if (this.flowPragma === undefined) {
- this.flowPragma = null;
+ const matches = FLOW_PRAGMA_REGEX.exec(comment.value);
+
+ if (!matches);
+ else if (matches[1] === 'flow') {
+ this.flowPragma = 'flow';
+ } else if (matches[1] === 'noflow') {
+ this.flowPragma = 'noflow';
+ } else {
+ throw new Error('Unexpected flow pragma');
+ }
}
+
+ return super.addComment(comment);
}
- return super.finishToken(type, val);
- }
+ flowParseTypeInitialiser(tok) {
+ const oldInType = this.state.inType;
+ this.state.inType = true;
+ this.expect(tok || 14);
+ const type = this.flowParseType();
+ this.state.inType = oldInType;
+ return type;
+ }
- addComment(comment) {
- if (this.flowPragma === undefined) {
- const matches = FLOW_PRAGMA_REGEX.exec(comment.value);
+ flowParsePredicate() {
+ const node = this.startNode();
+ const moduloLoc = this.state.startLoc;
+ this.next();
+ this.expectContextual(107);
- if (!matches) ; else if (matches[1] === "flow") {
- this.flowPragma = "flow";
- } else if (matches[1] === "noflow") {
- this.flowPragma = "noflow";
+ if (this.state.lastTokStart > moduloLoc.index + 1) {
+ this.raise(FlowErrors.UnexpectedSpaceBetweenModuloChecks, {
+ at: moduloLoc,
+ });
+ }
+
+ if (this.eat(10)) {
+ node.value = this.parseExpression();
+ this.expect(11);
+ return this.finishNode(node, 'DeclaredPredicate');
} else {
- throw new Error("Unexpected flow pragma");
+ return this.finishNode(node, 'InferredPredicate');
}
}
- return super.addComment(comment);
- }
-
- flowParseTypeInitialiser(tok) {
- const oldInType = this.state.inType;
- this.state.inType = true;
- this.expect(tok || 14);
- const type = this.flowParseType();
- this.state.inType = oldInType;
- return type;
- }
-
- flowParsePredicate() {
- const node = this.startNode();
- const moduloLoc = this.state.startLoc;
- this.next();
- this.expectContextual(107);
-
- if (this.state.lastTokStart > moduloLoc.index + 1) {
- this.raise(FlowErrors.UnexpectedSpaceBetweenModuloChecks, {
- at: moduloLoc
- });
- }
-
- if (this.eat(10)) {
- node.value = this.parseExpression();
- this.expect(11);
- return this.finishNode(node, "DeclaredPredicate");
- } else {
- return this.finishNode(node, "InferredPredicate");
- }
- }
-
- flowParseTypeAndPredicateInitialiser() {
- const oldInType = this.state.inType;
- this.state.inType = true;
- this.expect(14);
- let type = null;
- let predicate = null;
-
- if (this.match(54)) {
- this.state.inType = oldInType;
- predicate = this.flowParsePredicate();
- } else {
- type = this.flowParseType();
- this.state.inType = oldInType;
+ flowParseTypeAndPredicateInitialiser() {
+ const oldInType = this.state.inType;
+ this.state.inType = true;
+ this.expect(14);
+ let type = null;
+ let predicate = null;
if (this.match(54)) {
+ this.state.inType = oldInType;
predicate = this.flowParsePredicate();
+ } else {
+ type = this.flowParseType();
+ this.state.inType = oldInType;
+
+ if (this.match(54)) {
+ predicate = this.flowParsePredicate();
+ }
+ }
+
+ return [type, predicate];
+ }
+
+ flowParseDeclareClass(node) {
+ this.next();
+ this.flowParseInterfaceish(node, true);
+ return this.finishNode(node, 'DeclareClass');
+ }
+
+ flowParseDeclareFunction(node) {
+ this.next();
+ const id = (node.id = this.parseIdentifier());
+ const typeNode = this.startNode();
+ const typeContainer = this.startNode();
+
+ if (this.match(47)) {
+ typeNode.typeParameters = this.flowParseTypeParameterDeclaration();
+ } else {
+ typeNode.typeParameters = null;
+ }
+
+ this.expect(10);
+ const tmp = this.flowParseFunctionTypeParams();
+ typeNode.params = tmp.params;
+ typeNode.rest = tmp.rest;
+ typeNode.this = tmp._this;
+ this.expect(11);
+ [typeNode.returnType, node.predicate] =
+ this.flowParseTypeAndPredicateInitialiser();
+ typeContainer.typeAnnotation = this.finishNode(
+ typeNode,
+ 'FunctionTypeAnnotation'
+ );
+ id.typeAnnotation = this.finishNode(typeContainer, 'TypeAnnotation');
+ this.resetEndLocation(id);
+ this.semicolon();
+ this.scope.declareName(
+ node.id.name,
+ BIND_FLOW_DECLARE_FN,
+ node.id.loc.start
+ );
+ return this.finishNode(node, 'DeclareFunction');
+ }
+
+ flowParseDeclare(node, insideModule) {
+ if (this.match(80)) {
+ return this.flowParseDeclareClass(node);
+ } else if (this.match(68)) {
+ return this.flowParseDeclareFunction(node);
+ } else if (this.match(74)) {
+ return this.flowParseDeclareVariable(node);
+ } else if (this.eatContextual(123)) {
+ if (this.match(16)) {
+ return this.flowParseDeclareModuleExports(node);
+ } else {
+ if (insideModule) {
+ this.raise(FlowErrors.NestedDeclareModule, {
+ at: this.state.lastTokStartLoc,
+ });
+ }
+
+ return this.flowParseDeclareModule(node);
+ }
+ } else if (this.isContextual(126)) {
+ return this.flowParseDeclareTypeAlias(node);
+ } else if (this.isContextual(127)) {
+ return this.flowParseDeclareOpaqueType(node);
+ } else if (this.isContextual(125)) {
+ return this.flowParseDeclareInterface(node);
+ } else if (this.match(82)) {
+ return this.flowParseDeclareExportDeclaration(node, insideModule);
+ } else {
+ throw this.unexpected();
}
}
- return [type, predicate];
- }
-
- flowParseDeclareClass(node) {
- this.next();
- this.flowParseInterfaceish(node, true);
- return this.finishNode(node, "DeclareClass");
- }
-
- flowParseDeclareFunction(node) {
- this.next();
- const id = node.id = this.parseIdentifier();
- const typeNode = this.startNode();
- const typeContainer = this.startNode();
-
- if (this.match(47)) {
- typeNode.typeParameters = this.flowParseTypeParameterDeclaration();
- } else {
- typeNode.typeParameters = null;
+ flowParseDeclareVariable(node) {
+ this.next();
+ node.id = this.flowParseTypeAnnotatableIdentifier(true);
+ this.scope.declareName(node.id.name, BIND_VAR, node.id.loc.start);
+ this.semicolon();
+ return this.finishNode(node, 'DeclareVariable');
}
- this.expect(10);
- const tmp = this.flowParseFunctionTypeParams();
- typeNode.params = tmp.params;
- typeNode.rest = tmp.rest;
- typeNode.this = tmp._this;
- this.expect(11);
- [typeNode.returnType, node.predicate] = this.flowParseTypeAndPredicateInitialiser();
- typeContainer.typeAnnotation = this.finishNode(typeNode, "FunctionTypeAnnotation");
- id.typeAnnotation = this.finishNode(typeContainer, "TypeAnnotation");
- this.resetEndLocation(id);
- this.semicolon();
- this.scope.declareName(node.id.name, BIND_FLOW_DECLARE_FN, node.id.loc.start);
- return this.finishNode(node, "DeclareFunction");
- }
+ flowParseDeclareModule(node) {
+ this.scope.enter(SCOPE_OTHER);
- flowParseDeclare(node, insideModule) {
- if (this.match(80)) {
- return this.flowParseDeclareClass(node);
- } else if (this.match(68)) {
- return this.flowParseDeclareFunction(node);
- } else if (this.match(74)) {
- return this.flowParseDeclareVariable(node);
- } else if (this.eatContextual(123)) {
- if (this.match(16)) {
- return this.flowParseDeclareModuleExports(node);
+ if (this.match(129)) {
+ node.id = this.parseExprAtom();
} else {
- if (insideModule) {
- this.raise(FlowErrors.NestedDeclareModule, {
- at: this.state.lastTokStartLoc
+ node.id = this.parseIdentifier();
+ }
+
+ const bodyNode = (node.body = this.startNode());
+ const body = (bodyNode.body = []);
+ this.expect(5);
+
+ while (!this.match(8)) {
+ let bodyNode = this.startNode();
+
+ if (this.match(83)) {
+ this.next();
+
+ if (!this.isContextual(126) && !this.match(87)) {
+ this.raise(FlowErrors.InvalidNonTypeImportInDeclareModule, {
+ at: this.state.lastTokStartLoc,
+ });
+ }
+
+ this.parseImport(bodyNode);
+ } else {
+ this.expectContextual(
+ 121,
+ FlowErrors.UnsupportedStatementInDeclareModule
+ );
+ bodyNode = this.flowParseDeclare(bodyNode, true);
+ }
+
+ body.push(bodyNode);
+ }
+
+ this.scope.exit();
+ this.expect(8);
+ this.finishNode(bodyNode, 'BlockStatement');
+ let kind = null;
+ let hasModuleExport = false;
+ body.forEach((bodyElement) => {
+ if (isEsModuleType(bodyElement)) {
+ if (kind === 'CommonJS') {
+ this.raise(FlowErrors.AmbiguousDeclareModuleKind, {
+ at: bodyElement,
+ });
+ }
+
+ kind = 'ES';
+ } else if (bodyElement.type === 'DeclareModuleExports') {
+ if (hasModuleExport) {
+ this.raise(FlowErrors.DuplicateDeclareModuleExports, {
+ at: bodyElement,
+ });
+ }
+
+ if (kind === 'ES') {
+ this.raise(FlowErrors.AmbiguousDeclareModuleKind, {
+ at: bodyElement,
+ });
+ }
+
+ kind = 'CommonJS';
+ hasModuleExport = true;
+ }
+ });
+ node.kind = kind || 'CommonJS';
+ return this.finishNode(node, 'DeclareModule');
+ }
+
+ flowParseDeclareExportDeclaration(node, insideModule) {
+ this.expect(82);
+
+ if (this.eat(65)) {
+ if (this.match(68) || this.match(80)) {
+ node.declaration = this.flowParseDeclare(this.startNode());
+ } else {
+ node.declaration = this.flowParseType();
+ this.semicolon();
+ }
+
+ node.default = true;
+ return this.finishNode(node, 'DeclareExportDeclaration');
+ } else {
+ if (
+ this.match(75) ||
+ this.isLet() ||
+ ((this.isContextual(126) || this.isContextual(125)) && !insideModule)
+ ) {
+ const label = this.state.value;
+ throw this.raise(FlowErrors.UnsupportedDeclareExportKind, {
+ at: this.state.startLoc,
+ unsupportedExportKind: label,
+ suggestion: exportSuggestions[label],
});
}
- return this.flowParseDeclareModule(node);
+ if (
+ this.match(74) ||
+ this.match(68) ||
+ this.match(80) ||
+ this.isContextual(127)
+ ) {
+ node.declaration = this.flowParseDeclare(this.startNode());
+ node.default = false;
+ return this.finishNode(node, 'DeclareExportDeclaration');
+ } else if (
+ this.match(55) ||
+ this.match(5) ||
+ this.isContextual(125) ||
+ this.isContextual(126) ||
+ this.isContextual(127)
+ ) {
+ node = this.parseExport(node);
+
+ if (node.type === 'ExportNamedDeclaration') {
+ node.type = 'ExportDeclaration';
+ node.default = false;
+ delete node.exportKind;
+ }
+
+ node.type = 'Declare' + node.type;
+ return node;
+ }
}
- } else if (this.isContextual(126)) {
- return this.flowParseDeclareTypeAlias(node);
- } else if (this.isContextual(127)) {
- return this.flowParseDeclareOpaqueType(node);
- } else if (this.isContextual(125)) {
- return this.flowParseDeclareInterface(node);
- } else if (this.match(82)) {
- return this.flowParseDeclareExportDeclaration(node, insideModule);
- } else {
+
throw this.unexpected();
}
- }
- flowParseDeclareVariable(node) {
- this.next();
- node.id = this.flowParseTypeAnnotatableIdentifier(true);
- this.scope.declareName(node.id.name, BIND_VAR, node.id.loc.start);
- this.semicolon();
- return this.finishNode(node, "DeclareVariable");
- }
-
- flowParseDeclareModule(node) {
- this.scope.enter(SCOPE_OTHER);
-
- if (this.match(129)) {
- node.id = this.parseExprAtom();
- } else {
- node.id = this.parseIdentifier();
+ flowParseDeclareModuleExports(node) {
+ this.next();
+ this.expectContextual(108);
+ node.typeAnnotation = this.flowParseTypeAnnotation();
+ this.semicolon();
+ return this.finishNode(node, 'DeclareModuleExports');
}
- const bodyNode = node.body = this.startNode();
- const body = bodyNode.body = [];
- this.expect(5);
+ flowParseDeclareTypeAlias(node) {
+ this.next();
+ this.flowParseTypeAlias(node);
+ node.type = 'DeclareTypeAlias';
+ return node;
+ }
- while (!this.match(8)) {
- let bodyNode = this.startNode();
+ flowParseDeclareOpaqueType(node) {
+ this.next();
+ this.flowParseOpaqueType(node, true);
+ node.type = 'DeclareOpaqueType';
+ return node;
+ }
- if (this.match(83)) {
+ flowParseDeclareInterface(node) {
+ this.next();
+ this.flowParseInterfaceish(node);
+ return this.finishNode(node, 'DeclareInterface');
+ }
+
+ flowParseInterfaceish(node, isClass = false) {
+ node.id = this.flowParseRestrictedIdentifier(!isClass, true);
+ this.scope.declareName(
+ node.id.name,
+ isClass ? BIND_FUNCTION : BIND_LEXICAL,
+ node.id.loc.start
+ );
+
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ } else {
+ node.typeParameters = null;
+ }
+
+ node.extends = [];
+ node.implements = [];
+ node.mixins = [];
+
+ if (this.eat(81)) {
+ do {
+ node.extends.push(this.flowParseInterfaceExtends());
+ } while (!isClass && this.eat(12));
+ }
+
+ if (this.isContextual(114)) {
this.next();
- if (!this.isContextual(126) && !this.match(87)) {
- this.raise(FlowErrors.InvalidNonTypeImportInDeclareModule, {
- at: this.state.lastTokStartLoc
- });
- }
-
- this.parseImport(bodyNode);
- } else {
- this.expectContextual(121, FlowErrors.UnsupportedStatementInDeclareModule);
- bodyNode = this.flowParseDeclare(bodyNode, true);
+ do {
+ node.mixins.push(this.flowParseInterfaceExtends());
+ } while (this.eat(12));
}
- body.push(bodyNode);
- }
+ if (this.isContextual(110)) {
+ this.next();
- this.scope.exit();
- this.expect(8);
- this.finishNode(bodyNode, "BlockStatement");
- let kind = null;
- let hasModuleExport = false;
- body.forEach(bodyElement => {
- if (isEsModuleType(bodyElement)) {
- if (kind === "CommonJS") {
- this.raise(FlowErrors.AmbiguousDeclareModuleKind, {
- at: bodyElement
- });
- }
-
- kind = "ES";
- } else if (bodyElement.type === "DeclareModuleExports") {
- if (hasModuleExport) {
- this.raise(FlowErrors.DuplicateDeclareModuleExports, {
- at: bodyElement
- });
- }
-
- if (kind === "ES") {
- this.raise(FlowErrors.AmbiguousDeclareModuleKind, {
- at: bodyElement
- });
- }
-
- kind = "CommonJS";
- hasModuleExport = true;
- }
- });
- node.kind = kind || "CommonJS";
- return this.finishNode(node, "DeclareModule");
- }
-
- flowParseDeclareExportDeclaration(node, insideModule) {
- this.expect(82);
-
- if (this.eat(65)) {
- if (this.match(68) || this.match(80)) {
- node.declaration = this.flowParseDeclare(this.startNode());
- } else {
- node.declaration = this.flowParseType();
- this.semicolon();
+ do {
+ node.implements.push(this.flowParseInterfaceExtends());
+ } while (this.eat(12));
}
- node.default = true;
- return this.finishNode(node, "DeclareExportDeclaration");
- } else {
- if (this.match(75) || this.isLet() || (this.isContextual(126) || this.isContextual(125)) && !insideModule) {
- const label = this.state.value;
- throw this.raise(FlowErrors.UnsupportedDeclareExportKind, {
- at: this.state.startLoc,
- unsupportedExportKind: label,
- suggestion: exportSuggestions[label]
- });
- }
-
- if (this.match(74) || this.match(68) || this.match(80) || this.isContextual(127)) {
- node.declaration = this.flowParseDeclare(this.startNode());
- node.default = false;
- return this.finishNode(node, "DeclareExportDeclaration");
- } else if (this.match(55) || this.match(5) || this.isContextual(125) || this.isContextual(126) || this.isContextual(127)) {
- node = this.parseExport(node);
-
- if (node.type === "ExportNamedDeclaration") {
- node.type = "ExportDeclaration";
- node.default = false;
- delete node.exportKind;
- }
-
- node.type = "Declare" + node.type;
- return node;
- }
- }
-
- throw this.unexpected();
- }
-
- flowParseDeclareModuleExports(node) {
- this.next();
- this.expectContextual(108);
- node.typeAnnotation = this.flowParseTypeAnnotation();
- this.semicolon();
- return this.finishNode(node, "DeclareModuleExports");
- }
-
- flowParseDeclareTypeAlias(node) {
- this.next();
- this.flowParseTypeAlias(node);
- node.type = "DeclareTypeAlias";
- return node;
- }
-
- flowParseDeclareOpaqueType(node) {
- this.next();
- this.flowParseOpaqueType(node, true);
- node.type = "DeclareOpaqueType";
- return node;
- }
-
- flowParseDeclareInterface(node) {
- this.next();
- this.flowParseInterfaceish(node);
- return this.finishNode(node, "DeclareInterface");
- }
-
- flowParseInterfaceish(node, isClass = false) {
- node.id = this.flowParseRestrictedIdentifier(!isClass, true);
- this.scope.declareName(node.id.name, isClass ? BIND_FUNCTION : BIND_LEXICAL, node.id.loc.start);
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- } else {
- node.typeParameters = null;
- }
-
- node.extends = [];
- node.implements = [];
- node.mixins = [];
-
- if (this.eat(81)) {
- do {
- node.extends.push(this.flowParseInterfaceExtends());
- } while (!isClass && this.eat(12));
- }
-
- if (this.isContextual(114)) {
- this.next();
-
- do {
- node.mixins.push(this.flowParseInterfaceExtends());
- } while (this.eat(12));
- }
-
- if (this.isContextual(110)) {
- this.next();
-
- do {
- node.implements.push(this.flowParseInterfaceExtends());
- } while (this.eat(12));
- }
-
- node.body = this.flowParseObjectType({
- allowStatic: isClass,
- allowExact: false,
- allowSpread: false,
- allowProto: isClass,
- allowInexact: false
- });
- }
-
- flowParseInterfaceExtends() {
- const node = this.startNode();
- node.id = this.flowParseQualifiedTypeIdentifier();
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterInstantiation();
- } else {
- node.typeParameters = null;
- }
-
- return this.finishNode(node, "InterfaceExtends");
- }
-
- flowParseInterface(node) {
- this.flowParseInterfaceish(node);
- return this.finishNode(node, "InterfaceDeclaration");
- }
-
- checkNotUnderscore(word) {
- if (word === "_") {
- this.raise(FlowErrors.UnexpectedReservedUnderscore, {
- at: this.state.startLoc
+ node.body = this.flowParseObjectType({
+ allowStatic: isClass,
+ allowExact: false,
+ allowSpread: false,
+ allowProto: isClass,
+ allowInexact: false,
});
}
- }
- checkReservedType(word, startLoc, declaration) {
- if (!reservedTypes.has(word)) return;
- this.raise(declaration ? FlowErrors.AssignReservedType : FlowErrors.UnexpectedReservedType, {
- at: startLoc,
- reservedType: word
- });
- }
+ flowParseInterfaceExtends() {
+ const node = this.startNode();
+ node.id = this.flowParseQualifiedTypeIdentifier();
- flowParseRestrictedIdentifier(liberal, declaration) {
- this.checkReservedType(this.state.value, this.state.startLoc, declaration);
- return this.parseIdentifier(liberal);
- }
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterInstantiation();
+ } else {
+ node.typeParameters = null;
+ }
- flowParseTypeAlias(node) {
- node.id = this.flowParseRestrictedIdentifier(false, true);
- this.scope.declareName(node.id.name, BIND_LEXICAL, node.id.loc.start);
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- } else {
- node.typeParameters = null;
+ return this.finishNode(node, 'InterfaceExtends');
}
- node.right = this.flowParseTypeInitialiser(29);
- this.semicolon();
- return this.finishNode(node, "TypeAlias");
- }
-
- flowParseOpaqueType(node, declare) {
- this.expectContextual(126);
- node.id = this.flowParseRestrictedIdentifier(true, true);
- this.scope.declareName(node.id.name, BIND_LEXICAL, node.id.loc.start);
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- } else {
- node.typeParameters = null;
+ flowParseInterface(node) {
+ this.flowParseInterfaceish(node);
+ return this.finishNode(node, 'InterfaceDeclaration');
}
- node.supertype = null;
-
- if (this.match(14)) {
- node.supertype = this.flowParseTypeInitialiser(14);
- }
-
- node.impltype = null;
-
- if (!declare) {
- node.impltype = this.flowParseTypeInitialiser(29);
- }
-
- this.semicolon();
- return this.finishNode(node, "OpaqueType");
- }
-
- flowParseTypeParameter(requireDefault = false) {
- const nodeStartLoc = this.state.startLoc;
- const node = this.startNode();
- const variance = this.flowParseVariance();
- const ident = this.flowParseTypeAnnotatableIdentifier();
- node.name = ident.name;
- node.variance = variance;
- node.bound = ident.typeAnnotation;
-
- if (this.match(29)) {
- this.eat(29);
- node.default = this.flowParseType();
- } else {
- if (requireDefault) {
- this.raise(FlowErrors.MissingTypeParamDefault, {
- at: nodeStartLoc
+ checkNotUnderscore(word) {
+ if (word === '_') {
+ this.raise(FlowErrors.UnexpectedReservedUnderscore, {
+ at: this.state.startLoc,
});
}
}
- return this.finishNode(node, "TypeParameter");
- }
-
- flowParseTypeParameterDeclaration() {
- const oldInType = this.state.inType;
- const node = this.startNode();
- node.params = [];
- this.state.inType = true;
-
- if (this.match(47) || this.match(138)) {
- this.next();
- } else {
- this.unexpected();
+ checkReservedType(word, startLoc, declaration) {
+ if (!reservedTypes.has(word)) return;
+ this.raise(
+ declaration ?
+ FlowErrors.AssignReservedType
+ : FlowErrors.UnexpectedReservedType,
+ {
+ at: startLoc,
+ reservedType: word,
+ }
+ );
}
- let defaultRequired = false;
+ flowParseRestrictedIdentifier(liberal, declaration) {
+ this.checkReservedType(
+ this.state.value,
+ this.state.startLoc,
+ declaration
+ );
+ return this.parseIdentifier(liberal);
+ }
- do {
- const typeParameter = this.flowParseTypeParameter(defaultRequired);
- node.params.push(typeParameter);
+ flowParseTypeAlias(node) {
+ node.id = this.flowParseRestrictedIdentifier(false, true);
+ this.scope.declareName(node.id.name, BIND_LEXICAL, node.id.loc.start);
- if (typeParameter.default) {
- defaultRequired = true;
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ } else {
+ node.typeParameters = null;
}
- if (!this.match(48)) {
- this.expect(12);
- }
- } while (!this.match(48));
-
- this.expect(48);
- this.state.inType = oldInType;
- return this.finishNode(node, "TypeParameterDeclaration");
- }
-
- flowParseTypeParameterInstantiation() {
- const node = this.startNode();
- const oldInType = this.state.inType;
- node.params = [];
- this.state.inType = true;
- this.expect(47);
- const oldNoAnonFunctionType = this.state.noAnonFunctionType;
- this.state.noAnonFunctionType = false;
-
- while (!this.match(48)) {
- node.params.push(this.flowParseType());
-
- if (!this.match(48)) {
- this.expect(12);
- }
+ node.right = this.flowParseTypeInitialiser(29);
+ this.semicolon();
+ return this.finishNode(node, 'TypeAlias');
}
- this.state.noAnonFunctionType = oldNoAnonFunctionType;
- this.expect(48);
- this.state.inType = oldInType;
- return this.finishNode(node, "TypeParameterInstantiation");
- }
+ flowParseOpaqueType(node, declare) {
+ this.expectContextual(126);
+ node.id = this.flowParseRestrictedIdentifier(true, true);
+ this.scope.declareName(node.id.name, BIND_LEXICAL, node.id.loc.start);
- flowParseTypeParameterInstantiationCallOrNew() {
- const node = this.startNode();
- const oldInType = this.state.inType;
- node.params = [];
- this.state.inType = true;
- this.expect(47);
-
- while (!this.match(48)) {
- node.params.push(this.flowParseTypeOrImplicitInstantiation());
-
- if (!this.match(48)) {
- this.expect(12);
- }
- }
-
- this.expect(48);
- this.state.inType = oldInType;
- return this.finishNode(node, "TypeParameterInstantiation");
- }
-
- flowParseInterfaceType() {
- const node = this.startNode();
- this.expectContextual(125);
- node.extends = [];
-
- if (this.eat(81)) {
- do {
- node.extends.push(this.flowParseInterfaceExtends());
- } while (this.eat(12));
- }
-
- node.body = this.flowParseObjectType({
- allowStatic: false,
- allowExact: false,
- allowSpread: false,
- allowProto: false,
- allowInexact: false
- });
- return this.finishNode(node, "InterfaceTypeAnnotation");
- }
-
- flowParseObjectPropertyKey() {
- return this.match(130) || this.match(129) ? this.parseExprAtom() : this.parseIdentifier(true);
- }
-
- flowParseObjectTypeIndexer(node, isStatic, variance) {
- node.static = isStatic;
-
- if (this.lookahead().type === 14) {
- node.id = this.flowParseObjectPropertyKey();
- node.key = this.flowParseTypeInitialiser();
- } else {
- node.id = null;
- node.key = this.flowParseType();
- }
-
- this.expect(3);
- node.value = this.flowParseTypeInitialiser();
- node.variance = variance;
- return this.finishNode(node, "ObjectTypeIndexer");
- }
-
- flowParseObjectTypeInternalSlot(node, isStatic) {
- node.static = isStatic;
- node.id = this.flowParseObjectPropertyKey();
- this.expect(3);
- this.expect(3);
-
- if (this.match(47) || this.match(10)) {
- node.method = true;
- node.optional = false;
- node.value = this.flowParseObjectTypeMethodish(this.startNodeAt(node.start, node.loc.start));
- } else {
- node.method = false;
-
- if (this.eat(17)) {
- node.optional = true;
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ } else {
+ node.typeParameters = null;
}
- node.value = this.flowParseTypeInitialiser();
- }
+ node.supertype = null;
- return this.finishNode(node, "ObjectTypeInternalSlot");
- }
-
- flowParseObjectTypeMethodish(node) {
- node.params = [];
- node.rest = null;
- node.typeParameters = null;
- node.this = null;
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- }
-
- this.expect(10);
-
- if (this.match(78)) {
- node.this = this.flowParseFunctionTypeParam(true);
- node.this.name = null;
-
- if (!this.match(11)) {
- this.expect(12);
+ if (this.match(14)) {
+ node.supertype = this.flowParseTypeInitialiser(14);
}
- }
- while (!this.match(11) && !this.match(21)) {
- node.params.push(this.flowParseFunctionTypeParam(false));
+ node.impltype = null;
- if (!this.match(11)) {
- this.expect(12);
+ if (!declare) {
+ node.impltype = this.flowParseTypeInitialiser(29);
}
+
+ this.semicolon();
+ return this.finishNode(node, 'OpaqueType');
}
- if (this.eat(21)) {
- node.rest = this.flowParseFunctionTypeParam(false);
- }
-
- this.expect(11);
- node.returnType = this.flowParseTypeInitialiser();
- return this.finishNode(node, "FunctionTypeAnnotation");
- }
-
- flowParseObjectTypeCallProperty(node, isStatic) {
- const valueNode = this.startNode();
- node.static = isStatic;
- node.value = this.flowParseObjectTypeMethodish(valueNode);
- return this.finishNode(node, "ObjectTypeCallProperty");
- }
-
- flowParseObjectType({
- allowStatic,
- allowExact,
- allowSpread,
- allowProto,
- allowInexact
- }) {
- const oldInType = this.state.inType;
- this.state.inType = true;
- const nodeStart = this.startNode();
- nodeStart.callProperties = [];
- nodeStart.properties = [];
- nodeStart.indexers = [];
- nodeStart.internalSlots = [];
- let endDelim;
- let exact;
- let inexact = false;
-
- if (allowExact && this.match(6)) {
- this.expect(6);
- endDelim = 9;
- exact = true;
- } else {
- this.expect(5);
- endDelim = 8;
- exact = false;
- }
-
- nodeStart.exact = exact;
-
- while (!this.match(endDelim)) {
- let isStatic = false;
- let protoStartLoc = null;
- let inexactStartLoc = null;
+ flowParseTypeParameter(requireDefault = false) {
+ const nodeStartLoc = this.state.startLoc;
const node = this.startNode();
-
- if (allowProto && this.isContextual(115)) {
- const lookahead = this.lookahead();
-
- if (lookahead.type !== 14 && lookahead.type !== 17) {
- this.next();
- protoStartLoc = this.state.startLoc;
- allowStatic = false;
- }
- }
-
- if (allowStatic && this.isContextual(104)) {
- const lookahead = this.lookahead();
-
- if (lookahead.type !== 14 && lookahead.type !== 17) {
- this.next();
- isStatic = true;
- }
- }
-
const variance = this.flowParseVariance();
+ const ident = this.flowParseTypeAnnotatableIdentifier();
+ node.name = ident.name;
+ node.variance = variance;
+ node.bound = ident.typeAnnotation;
- if (this.eat(0)) {
- if (protoStartLoc != null) {
- this.unexpected(protoStartLoc);
+ if (this.match(29)) {
+ this.eat(29);
+ node.default = this.flowParseType();
+ } else {
+ if (requireDefault) {
+ this.raise(FlowErrors.MissingTypeParamDefault, {
+ at: nodeStartLoc,
+ });
}
+ }
+
+ return this.finishNode(node, 'TypeParameter');
+ }
+
+ flowParseTypeParameterDeclaration() {
+ const oldInType = this.state.inType;
+ const node = this.startNode();
+ node.params = [];
+ this.state.inType = true;
+
+ if (this.match(47) || this.match(138)) {
+ this.next();
+ } else {
+ this.unexpected();
+ }
+
+ let defaultRequired = false;
+
+ do {
+ const typeParameter = this.flowParseTypeParameter(defaultRequired);
+ node.params.push(typeParameter);
+
+ if (typeParameter.default) {
+ defaultRequired = true;
+ }
+
+ if (!this.match(48)) {
+ this.expect(12);
+ }
+ } while (!this.match(48));
+
+ this.expect(48);
+ this.state.inType = oldInType;
+ return this.finishNode(node, 'TypeParameterDeclaration');
+ }
+
+ flowParseTypeParameterInstantiation() {
+ const node = this.startNode();
+ const oldInType = this.state.inType;
+ node.params = [];
+ this.state.inType = true;
+ this.expect(47);
+ const oldNoAnonFunctionType = this.state.noAnonFunctionType;
+ this.state.noAnonFunctionType = false;
+
+ while (!this.match(48)) {
+ node.params.push(this.flowParseType());
+
+ if (!this.match(48)) {
+ this.expect(12);
+ }
+ }
+
+ this.state.noAnonFunctionType = oldNoAnonFunctionType;
+ this.expect(48);
+ this.state.inType = oldInType;
+ return this.finishNode(node, 'TypeParameterInstantiation');
+ }
+
+ flowParseTypeParameterInstantiationCallOrNew() {
+ const node = this.startNode();
+ const oldInType = this.state.inType;
+ node.params = [];
+ this.state.inType = true;
+ this.expect(47);
+
+ while (!this.match(48)) {
+ node.params.push(this.flowParseTypeOrImplicitInstantiation());
+
+ if (!this.match(48)) {
+ this.expect(12);
+ }
+ }
+
+ this.expect(48);
+ this.state.inType = oldInType;
+ return this.finishNode(node, 'TypeParameterInstantiation');
+ }
+
+ flowParseInterfaceType() {
+ const node = this.startNode();
+ this.expectContextual(125);
+ node.extends = [];
+
+ if (this.eat(81)) {
+ do {
+ node.extends.push(this.flowParseInterfaceExtends());
+ } while (this.eat(12));
+ }
+
+ node.body = this.flowParseObjectType({
+ allowStatic: false,
+ allowExact: false,
+ allowSpread: false,
+ allowProto: false,
+ allowInexact: false,
+ });
+ return this.finishNode(node, 'InterfaceTypeAnnotation');
+ }
+
+ flowParseObjectPropertyKey() {
+ return this.match(130) || this.match(129) ?
+ this.parseExprAtom()
+ : this.parseIdentifier(true);
+ }
+
+ flowParseObjectTypeIndexer(node, isStatic, variance) {
+ node.static = isStatic;
+
+ if (this.lookahead().type === 14) {
+ node.id = this.flowParseObjectPropertyKey();
+ node.key = this.flowParseTypeInitialiser();
+ } else {
+ node.id = null;
+ node.key = this.flowParseType();
+ }
+
+ this.expect(3);
+ node.value = this.flowParseTypeInitialiser();
+ node.variance = variance;
+ return this.finishNode(node, 'ObjectTypeIndexer');
+ }
+
+ flowParseObjectTypeInternalSlot(node, isStatic) {
+ node.static = isStatic;
+ node.id = this.flowParseObjectPropertyKey();
+ this.expect(3);
+ this.expect(3);
+
+ if (this.match(47) || this.match(10)) {
+ node.method = true;
+ node.optional = false;
+ node.value = this.flowParseObjectTypeMethodish(
+ this.startNodeAt(node.start, node.loc.start)
+ );
+ } else {
+ node.method = false;
+
+ if (this.eat(17)) {
+ node.optional = true;
+ }
+
+ node.value = this.flowParseTypeInitialiser();
+ }
+
+ return this.finishNode(node, 'ObjectTypeInternalSlot');
+ }
+
+ flowParseObjectTypeMethodish(node) {
+ node.params = [];
+ node.rest = null;
+ node.typeParameters = null;
+ node.this = null;
+
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ }
+
+ this.expect(10);
+
+ if (this.match(78)) {
+ node.this = this.flowParseFunctionTypeParam(true);
+ node.this.name = null;
+
+ if (!this.match(11)) {
+ this.expect(12);
+ }
+ }
+
+ while (!this.match(11) && !this.match(21)) {
+ node.params.push(this.flowParseFunctionTypeParam(false));
+
+ if (!this.match(11)) {
+ this.expect(12);
+ }
+ }
+
+ if (this.eat(21)) {
+ node.rest = this.flowParseFunctionTypeParam(false);
+ }
+
+ this.expect(11);
+ node.returnType = this.flowParseTypeInitialiser();
+ return this.finishNode(node, 'FunctionTypeAnnotation');
+ }
+
+ flowParseObjectTypeCallProperty(node, isStatic) {
+ const valueNode = this.startNode();
+ node.static = isStatic;
+ node.value = this.flowParseObjectTypeMethodish(valueNode);
+ return this.finishNode(node, 'ObjectTypeCallProperty');
+ }
+
+ flowParseObjectType({
+ allowStatic,
+ allowExact,
+ allowSpread,
+ allowProto,
+ allowInexact,
+ }) {
+ const oldInType = this.state.inType;
+ this.state.inType = true;
+ const nodeStart = this.startNode();
+ nodeStart.callProperties = [];
+ nodeStart.properties = [];
+ nodeStart.indexers = [];
+ nodeStart.internalSlots = [];
+ let endDelim;
+ let exact;
+ let inexact = false;
+
+ if (allowExact && this.match(6)) {
+ this.expect(6);
+ endDelim = 9;
+ exact = true;
+ } else {
+ this.expect(5);
+ endDelim = 8;
+ exact = false;
+ }
+
+ nodeStart.exact = exact;
+
+ while (!this.match(endDelim)) {
+ let isStatic = false;
+ let protoStartLoc = null;
+ let inexactStartLoc = null;
+ const node = this.startNode();
+
+ if (allowProto && this.isContextual(115)) {
+ const lookahead = this.lookahead();
+
+ if (lookahead.type !== 14 && lookahead.type !== 17) {
+ this.next();
+ protoStartLoc = this.state.startLoc;
+ allowStatic = false;
+ }
+ }
+
+ if (allowStatic && this.isContextual(104)) {
+ const lookahead = this.lookahead();
+
+ if (lookahead.type !== 14 && lookahead.type !== 17) {
+ this.next();
+ isStatic = true;
+ }
+ }
+
+ const variance = this.flowParseVariance();
if (this.eat(0)) {
+ if (protoStartLoc != null) {
+ this.unexpected(protoStartLoc);
+ }
+
+ if (this.eat(0)) {
+ if (variance) {
+ this.unexpected(variance.loc.start);
+ }
+
+ nodeStart.internalSlots.push(
+ this.flowParseObjectTypeInternalSlot(node, isStatic)
+ );
+ } else {
+ nodeStart.indexers.push(
+ this.flowParseObjectTypeIndexer(node, isStatic, variance)
+ );
+ }
+ } else if (this.match(10) || this.match(47)) {
+ if (protoStartLoc != null) {
+ this.unexpected(protoStartLoc);
+ }
+
if (variance) {
this.unexpected(variance.loc.start);
}
- nodeStart.internalSlots.push(this.flowParseObjectTypeInternalSlot(node, isStatic));
+ nodeStart.callProperties.push(
+ this.flowParseObjectTypeCallProperty(node, isStatic)
+ );
} else {
- nodeStart.indexers.push(this.flowParseObjectTypeIndexer(node, isStatic, variance));
- }
- } else if (this.match(10) || this.match(47)) {
- if (protoStartLoc != null) {
- this.unexpected(protoStartLoc);
- }
+ let kind = 'init';
- if (variance) {
- this.unexpected(variance.loc.start);
- }
+ if (this.isContextual(98) || this.isContextual(103)) {
+ const lookahead = this.lookahead();
- nodeStart.callProperties.push(this.flowParseObjectTypeCallProperty(node, isStatic));
- } else {
- let kind = "init";
-
- if (this.isContextual(98) || this.isContextual(103)) {
- const lookahead = this.lookahead();
-
- if (tokenIsLiteralPropertyName(lookahead.type)) {
- kind = this.state.value;
- this.next();
+ if (tokenIsLiteralPropertyName(lookahead.type)) {
+ kind = this.state.value;
+ this.next();
+ }
}
- }
- const propOrInexact = this.flowParseObjectTypeProperty(node, isStatic, protoStartLoc, variance, kind, allowSpread, allowInexact != null ? allowInexact : !exact);
-
- if (propOrInexact === null) {
- inexact = true;
- inexactStartLoc = this.state.lastTokStartLoc;
- } else {
- nodeStart.properties.push(propOrInexact);
- }
- }
-
- this.flowObjectTypeSemicolon();
-
- if (inexactStartLoc && !this.match(8) && !this.match(9)) {
- this.raise(FlowErrors.UnexpectedExplicitInexactInObject, {
- at: inexactStartLoc
- });
- }
- }
-
- this.expect(endDelim);
-
- if (allowSpread) {
- nodeStart.inexact = inexact;
- }
-
- const out = this.finishNode(nodeStart, "ObjectTypeAnnotation");
- this.state.inType = oldInType;
- return out;
- }
-
- flowParseObjectTypeProperty(node, isStatic, protoStartLoc, variance, kind, allowSpread, allowInexact) {
- if (this.eat(21)) {
- const isInexactToken = this.match(12) || this.match(13) || this.match(8) || this.match(9);
-
- if (isInexactToken) {
- if (!allowSpread) {
- this.raise(FlowErrors.InexactInsideNonObject, {
- at: this.state.lastTokStartLoc
- });
- } else if (!allowInexact) {
- this.raise(FlowErrors.InexactInsideExact, {
- at: this.state.lastTokStartLoc
- });
- }
-
- if (variance) {
- this.raise(FlowErrors.InexactVariance, {
- at: variance
- });
- }
-
- return null;
- }
-
- if (!allowSpread) {
- this.raise(FlowErrors.UnexpectedSpreadType, {
- at: this.state.lastTokStartLoc
- });
- }
-
- if (protoStartLoc != null) {
- this.unexpected(protoStartLoc);
- }
-
- if (variance) {
- this.raise(FlowErrors.SpreadVariance, {
- at: variance
- });
- }
-
- node.argument = this.flowParseType();
- return this.finishNode(node, "ObjectTypeSpreadProperty");
- } else {
- node.key = this.flowParseObjectPropertyKey();
- node.static = isStatic;
- node.proto = protoStartLoc != null;
- node.kind = kind;
- let optional = false;
-
- if (this.match(47) || this.match(10)) {
- node.method = true;
-
- if (protoStartLoc != null) {
- this.unexpected(protoStartLoc);
- }
-
- if (variance) {
- this.unexpected(variance.loc.start);
- }
-
- node.value = this.flowParseObjectTypeMethodish(this.startNodeAt(node.start, node.loc.start));
-
- if (kind === "get" || kind === "set") {
- this.flowCheckGetterSetterParams(node);
- }
-
- if (!allowSpread && node.key.name === "constructor" && node.value.this) {
- this.raise(FlowErrors.ThisParamBannedInConstructor, {
- at: node.value.this
- });
- }
- } else {
- if (kind !== "init") this.unexpected();
- node.method = false;
-
- if (this.eat(17)) {
- optional = true;
- }
-
- node.value = this.flowParseTypeInitialiser();
- node.variance = variance;
- }
-
- node.optional = optional;
- return this.finishNode(node, "ObjectTypeProperty");
- }
- }
-
- flowCheckGetterSetterParams(property) {
- const paramCount = property.kind === "get" ? 0 : 1;
- const length = property.value.params.length + (property.value.rest ? 1 : 0);
-
- if (property.value.this) {
- this.raise(property.kind === "get" ? FlowErrors.GetterMayNotHaveThisParam : FlowErrors.SetterMayNotHaveThisParam, {
- at: property.value.this
- });
- }
-
- if (length !== paramCount) {
- this.raise(property.kind === "get" ? Errors.BadGetterArity : Errors.BadSetterArity, {
- at: property
- });
- }
-
- if (property.kind === "set" && property.value.rest) {
- this.raise(Errors.BadSetterRestParameter, {
- at: property
- });
- }
- }
-
- flowObjectTypeSemicolon() {
- if (!this.eat(13) && !this.eat(12) && !this.match(8) && !this.match(9)) {
- this.unexpected();
- }
- }
-
- flowParseQualifiedTypeIdentifier(startPos, startLoc, id) {
- startPos = startPos || this.state.start;
- startLoc = startLoc || this.state.startLoc;
- let node = id || this.flowParseRestrictedIdentifier(true);
-
- while (this.eat(16)) {
- const node2 = this.startNodeAt(startPos, startLoc);
- node2.qualification = node;
- node2.id = this.flowParseRestrictedIdentifier(true);
- node = this.finishNode(node2, "QualifiedTypeIdentifier");
- }
-
- return node;
- }
-
- flowParseGenericType(startPos, startLoc, id) {
- const node = this.startNodeAt(startPos, startLoc);
- node.typeParameters = null;
- node.id = this.flowParseQualifiedTypeIdentifier(startPos, startLoc, id);
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterInstantiation();
- }
-
- return this.finishNode(node, "GenericTypeAnnotation");
- }
-
- flowParseTypeofType() {
- const node = this.startNode();
- this.expect(87);
- node.argument = this.flowParsePrimaryType();
- return this.finishNode(node, "TypeofTypeAnnotation");
- }
-
- flowParseTupleType() {
- const node = this.startNode();
- node.types = [];
- this.expect(0);
-
- while (this.state.pos < this.length && !this.match(3)) {
- node.types.push(this.flowParseType());
- if (this.match(3)) break;
- this.expect(12);
- }
-
- this.expect(3);
- return this.finishNode(node, "TupleTypeAnnotation");
- }
-
- flowParseFunctionTypeParam(first) {
- let name = null;
- let optional = false;
- let typeAnnotation = null;
- const node = this.startNode();
- const lh = this.lookahead();
- const isThis = this.state.type === 78;
-
- if (lh.type === 14 || lh.type === 17) {
- if (isThis && !first) {
- this.raise(FlowErrors.ThisParamMustBeFirst, {
- at: node
- });
- }
-
- name = this.parseIdentifier(isThis);
-
- if (this.eat(17)) {
- optional = true;
-
- if (isThis) {
- this.raise(FlowErrors.ThisParamMayNotBeOptional, {
- at: node
- });
- }
- }
-
- typeAnnotation = this.flowParseTypeInitialiser();
- } else {
- typeAnnotation = this.flowParseType();
- }
-
- node.name = name;
- node.optional = optional;
- node.typeAnnotation = typeAnnotation;
- return this.finishNode(node, "FunctionTypeParam");
- }
-
- reinterpretTypeAsFunctionTypeParam(type) {
- const node = this.startNodeAt(type.start, type.loc.start);
- node.name = null;
- node.optional = false;
- node.typeAnnotation = type;
- return this.finishNode(node, "FunctionTypeParam");
- }
-
- flowParseFunctionTypeParams(params = []) {
- let rest = null;
- let _this = null;
-
- if (this.match(78)) {
- _this = this.flowParseFunctionTypeParam(true);
- _this.name = null;
-
- if (!this.match(11)) {
- this.expect(12);
- }
- }
-
- while (!this.match(11) && !this.match(21)) {
- params.push(this.flowParseFunctionTypeParam(false));
-
- if (!this.match(11)) {
- this.expect(12);
- }
- }
-
- if (this.eat(21)) {
- rest = this.flowParseFunctionTypeParam(false);
- }
-
- return {
- params,
- rest,
- _this
- };
- }
-
- flowIdentToTypeAnnotation(startPos, startLoc, node, id) {
- switch (id.name) {
- case "any":
- return this.finishNode(node, "AnyTypeAnnotation");
-
- case "bool":
- case "boolean":
- return this.finishNode(node, "BooleanTypeAnnotation");
-
- case "mixed":
- return this.finishNode(node, "MixedTypeAnnotation");
-
- case "empty":
- return this.finishNode(node, "EmptyTypeAnnotation");
-
- case "number":
- return this.finishNode(node, "NumberTypeAnnotation");
-
- case "string":
- return this.finishNode(node, "StringTypeAnnotation");
-
- case "symbol":
- return this.finishNode(node, "SymbolTypeAnnotation");
-
- default:
- this.checkNotUnderscore(id.name);
- return this.flowParseGenericType(startPos, startLoc, id);
- }
- }
-
- flowParsePrimaryType() {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- const node = this.startNode();
- let tmp;
- let type;
- let isGroupedType = false;
- const oldNoAnonFunctionType = this.state.noAnonFunctionType;
-
- switch (this.state.type) {
- case 5:
- return this.flowParseObjectType({
- allowStatic: false,
- allowExact: false,
- allowSpread: true,
- allowProto: false,
- allowInexact: true
- });
-
- case 6:
- return this.flowParseObjectType({
- allowStatic: false,
- allowExact: true,
- allowSpread: true,
- allowProto: false,
- allowInexact: false
- });
-
- case 0:
- this.state.noAnonFunctionType = false;
- type = this.flowParseTupleType();
- this.state.noAnonFunctionType = oldNoAnonFunctionType;
- return type;
-
- case 47:
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- this.expect(10);
- tmp = this.flowParseFunctionTypeParams();
- node.params = tmp.params;
- node.rest = tmp.rest;
- node.this = tmp._this;
- this.expect(11);
- this.expect(19);
- node.returnType = this.flowParseType();
- return this.finishNode(node, "FunctionTypeAnnotation");
-
- case 10:
- this.next();
-
- if (!this.match(11) && !this.match(21)) {
- if (tokenIsIdentifier(this.state.type) || this.match(78)) {
- const token = this.lookahead().type;
- isGroupedType = token !== 17 && token !== 14;
+ const propOrInexact = this.flowParseObjectTypeProperty(
+ node,
+ isStatic,
+ protoStartLoc,
+ variance,
+ kind,
+ allowSpread,
+ allowInexact != null ? allowInexact : !exact
+ );
+
+ if (propOrInexact === null) {
+ inexact = true;
+ inexactStartLoc = this.state.lastTokStartLoc;
} else {
- isGroupedType = true;
+ nodeStart.properties.push(propOrInexact);
}
}
- if (isGroupedType) {
- this.state.noAnonFunctionType = false;
- type = this.flowParseType();
- this.state.noAnonFunctionType = oldNoAnonFunctionType;
+ this.flowObjectTypeSemicolon();
- if (this.state.noAnonFunctionType || !(this.match(12) || this.match(11) && this.lookahead().type === 19)) {
- this.expect(11);
- return type;
- } else {
- this.eat(12);
- }
- }
-
- if (type) {
- tmp = this.flowParseFunctionTypeParams([this.reinterpretTypeAsFunctionTypeParam(type)]);
- } else {
- tmp = this.flowParseFunctionTypeParams();
- }
-
- node.params = tmp.params;
- node.rest = tmp.rest;
- node.this = tmp._this;
- this.expect(11);
- this.expect(19);
- node.returnType = this.flowParseType();
- node.typeParameters = null;
- return this.finishNode(node, "FunctionTypeAnnotation");
-
- case 129:
- return this.parseLiteral(this.state.value, "StringLiteralTypeAnnotation");
-
- case 85:
- case 86:
- node.value = this.match(85);
- this.next();
- return this.finishNode(node, "BooleanLiteralTypeAnnotation");
-
- case 53:
- if (this.state.value === "-") {
- this.next();
-
- if (this.match(130)) {
- return this.parseLiteralAtNode(-this.state.value, "NumberLiteralTypeAnnotation", node);
- }
-
- if (this.match(131)) {
- return this.parseLiteralAtNode(-this.state.value, "BigIntLiteralTypeAnnotation", node);
- }
-
- throw this.raise(FlowErrors.UnexpectedSubtractionOperand, {
- at: this.state.startLoc
+ if (inexactStartLoc && !this.match(8) && !this.match(9)) {
+ this.raise(FlowErrors.UnexpectedExplicitInexactInObject, {
+ at: inexactStartLoc,
});
}
-
- throw this.unexpected();
-
- case 130:
- return this.parseLiteral(this.state.value, "NumberLiteralTypeAnnotation");
-
- case 131:
- return this.parseLiteral(this.state.value, "BigIntLiteralTypeAnnotation");
-
- case 88:
- this.next();
- return this.finishNode(node, "VoidTypeAnnotation");
-
- case 84:
- this.next();
- return this.finishNode(node, "NullLiteralTypeAnnotation");
-
- case 78:
- this.next();
- return this.finishNode(node, "ThisTypeAnnotation");
-
- case 55:
- this.next();
- return this.finishNode(node, "ExistsTypeAnnotation");
-
- case 87:
- return this.flowParseTypeofType();
-
- default:
- if (tokenIsKeyword(this.state.type)) {
- const label = tokenLabelName(this.state.type);
- this.next();
- return super.createIdentifier(node, label);
- } else if (tokenIsIdentifier(this.state.type)) {
- if (this.isContextual(125)) {
- return this.flowParseInterfaceType();
- }
-
- return this.flowIdentToTypeAnnotation(startPos, startLoc, node, this.parseIdentifier());
- }
-
- }
-
- throw this.unexpected();
- }
-
- flowParsePostfixType() {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- let type = this.flowParsePrimaryType();
- let seenOptionalIndexedAccess = false;
-
- while ((this.match(0) || this.match(18)) && !this.canInsertSemicolon()) {
- const node = this.startNodeAt(startPos, startLoc);
- const optional = this.eat(18);
- seenOptionalIndexedAccess = seenOptionalIndexedAccess || optional;
- this.expect(0);
-
- if (!optional && this.match(3)) {
- node.elementType = type;
- this.next();
- type = this.finishNode(node, "ArrayTypeAnnotation");
- } else {
- node.objectType = type;
- node.indexType = this.flowParseType();
- this.expect(3);
-
- if (seenOptionalIndexedAccess) {
- node.optional = optional;
- type = this.finishNode(node, "OptionalIndexedAccessType");
- } else {
- type = this.finishNode(node, "IndexedAccessType");
- }
- }
- }
-
- return type;
- }
-
- flowParsePrefixType() {
- const node = this.startNode();
-
- if (this.eat(17)) {
- node.typeAnnotation = this.flowParsePrefixType();
- return this.finishNode(node, "NullableTypeAnnotation");
- } else {
- return this.flowParsePostfixType();
- }
- }
-
- flowParseAnonFunctionWithoutParens() {
- const param = this.flowParsePrefixType();
-
- if (!this.state.noAnonFunctionType && this.eat(19)) {
- const node = this.startNodeAt(param.start, param.loc.start);
- node.params = [this.reinterpretTypeAsFunctionTypeParam(param)];
- node.rest = null;
- node.this = null;
- node.returnType = this.flowParseType();
- node.typeParameters = null;
- return this.finishNode(node, "FunctionTypeAnnotation");
- }
-
- return param;
- }
-
- flowParseIntersectionType() {
- const node = this.startNode();
- this.eat(45);
- const type = this.flowParseAnonFunctionWithoutParens();
- node.types = [type];
-
- while (this.eat(45)) {
- node.types.push(this.flowParseAnonFunctionWithoutParens());
- }
-
- return node.types.length === 1 ? type : this.finishNode(node, "IntersectionTypeAnnotation");
- }
-
- flowParseUnionType() {
- const node = this.startNode();
- this.eat(43);
- const type = this.flowParseIntersectionType();
- node.types = [type];
-
- while (this.eat(43)) {
- node.types.push(this.flowParseIntersectionType());
- }
-
- return node.types.length === 1 ? type : this.finishNode(node, "UnionTypeAnnotation");
- }
-
- flowParseType() {
- const oldInType = this.state.inType;
- this.state.inType = true;
- const type = this.flowParseUnionType();
- this.state.inType = oldInType;
- return type;
- }
-
- flowParseTypeOrImplicitInstantiation() {
- if (this.state.type === 128 && this.state.value === "_") {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- const node = this.parseIdentifier();
- return this.flowParseGenericType(startPos, startLoc, node);
- } else {
- return this.flowParseType();
- }
- }
-
- flowParseTypeAnnotation() {
- const node = this.startNode();
- node.typeAnnotation = this.flowParseTypeInitialiser();
- return this.finishNode(node, "TypeAnnotation");
- }
-
- flowParseTypeAnnotatableIdentifier(allowPrimitiveOverride) {
- const ident = allowPrimitiveOverride ? this.parseIdentifier() : this.flowParseRestrictedIdentifier();
-
- if (this.match(14)) {
- ident.typeAnnotation = this.flowParseTypeAnnotation();
- this.resetEndLocation(ident);
- }
-
- return ident;
- }
-
- typeCastToParameter(node) {
- node.expression.typeAnnotation = node.typeAnnotation;
- this.resetEndLocation(node.expression, node.typeAnnotation.loc.end);
- return node.expression;
- }
-
- flowParseVariance() {
- let variance = null;
-
- if (this.match(53)) {
- variance = this.startNode();
-
- if (this.state.value === "+") {
- variance.kind = "plus";
- } else {
- variance.kind = "minus";
}
- this.next();
- this.finishNode(variance, "Variance");
- }
+ this.expect(endDelim);
- return variance;
- }
-
- parseFunctionBody(node, allowExpressionBody, isMethod = false) {
- if (allowExpressionBody) {
- return this.forwardNoArrowParamsConversionAt(node, () => super.parseFunctionBody(node, true, isMethod));
- }
-
- return super.parseFunctionBody(node, false, isMethod);
- }
-
- parseFunctionBodyAndFinish(node, type, isMethod = false) {
- if (this.match(14)) {
- const typeNode = this.startNode();
- [typeNode.typeAnnotation, node.predicate] = this.flowParseTypeAndPredicateInitialiser();
- node.returnType = typeNode.typeAnnotation ? this.finishNode(typeNode, "TypeAnnotation") : null;
- }
-
- super.parseFunctionBodyAndFinish(node, type, isMethod);
- }
-
- parseStatement(context, topLevel) {
- if (this.state.strict && this.isContextual(125)) {
- const lookahead = this.lookahead();
-
- if (tokenIsKeywordOrIdentifier(lookahead.type)) {
- const node = this.startNode();
- this.next();
- return this.flowParseInterface(node);
- }
- } else if (this.shouldParseEnums() && this.isContextual(122)) {
- const node = this.startNode();
- this.next();
- return this.flowParseEnumDeclaration(node);
- }
-
- const stmt = super.parseStatement(context, topLevel);
-
- if (this.flowPragma === undefined && !this.isValidDirective(stmt)) {
- this.flowPragma = null;
- }
-
- return stmt;
- }
-
- parseExpressionStatement(node, expr) {
- if (expr.type === "Identifier") {
- if (expr.name === "declare") {
- if (this.match(80) || tokenIsIdentifier(this.state.type) || this.match(68) || this.match(74) || this.match(82)) {
- return this.flowParseDeclare(node);
- }
- } else if (tokenIsIdentifier(this.state.type)) {
- if (expr.name === "interface") {
- return this.flowParseInterface(node);
- } else if (expr.name === "type") {
- return this.flowParseTypeAlias(node);
- } else if (expr.name === "opaque") {
- return this.flowParseOpaqueType(node, false);
- }
- }
- }
-
- return super.parseExpressionStatement(node, expr);
- }
-
- shouldParseExportDeclaration() {
- const {
- type
- } = this.state;
-
- if (tokenIsFlowInterfaceOrTypeOrOpaque(type) || this.shouldParseEnums() && type === 122) {
- return !this.state.containsEsc;
- }
-
- return super.shouldParseExportDeclaration();
- }
-
- isExportDefaultSpecifier() {
- const {
- type
- } = this.state;
-
- if (tokenIsFlowInterfaceOrTypeOrOpaque(type) || this.shouldParseEnums() && type === 122) {
- return this.state.containsEsc;
- }
-
- return super.isExportDefaultSpecifier();
- }
-
- parseExportDefaultExpression() {
- if (this.shouldParseEnums() && this.isContextual(122)) {
- const node = this.startNode();
- this.next();
- return this.flowParseEnumDeclaration(node);
- }
-
- return super.parseExportDefaultExpression();
- }
-
- parseConditional(expr, startPos, startLoc, refExpressionErrors) {
- if (!this.match(17)) return expr;
-
- if (this.state.maybeInArrowParameters) {
- const nextCh = this.lookaheadCharCode();
-
- if (nextCh === 44 || nextCh === 61 || nextCh === 58 || nextCh === 41) {
- this.setOptionalParametersError(refExpressionErrors);
- return expr;
- }
- }
-
- this.expect(17);
- const state = this.state.clone();
- const originalNoArrowAt = this.state.noArrowAt;
- const node = this.startNodeAt(startPos, startLoc);
- let {
- consequent,
- failed
- } = this.tryParseConditionalConsequent();
- let [valid, invalid] = this.getArrowLikeExpressions(consequent);
-
- if (failed || invalid.length > 0) {
- const noArrowAt = [...originalNoArrowAt];
-
- if (invalid.length > 0) {
- this.state = state;
- this.state.noArrowAt = noArrowAt;
-
- for (let i = 0; i < invalid.length; i++) {
- noArrowAt.push(invalid[i].start);
- }
-
- ({
- consequent,
- failed
- } = this.tryParseConditionalConsequent());
- [valid, invalid] = this.getArrowLikeExpressions(consequent);
+ if (allowSpread) {
+ nodeStart.inexact = inexact;
}
- if (failed && valid.length > 1) {
- this.raise(FlowErrors.AmbiguousConditionalArrow, {
- at: state.startLoc
- });
- }
-
- if (failed && valid.length === 1) {
- this.state = state;
- noArrowAt.push(valid[0].start);
- this.state.noArrowAt = noArrowAt;
- ({
- consequent,
- failed
- } = this.tryParseConditionalConsequent());
- }
+ const out = this.finishNode(nodeStart, 'ObjectTypeAnnotation');
+ this.state.inType = oldInType;
+ return out;
}
- this.getArrowLikeExpressions(consequent, true);
- this.state.noArrowAt = originalNoArrowAt;
- this.expect(14);
- node.test = expr;
- node.consequent = consequent;
- node.alternate = this.forwardNoArrowParamsConversionAt(node, () => this.parseMaybeAssign(undefined, undefined));
- return this.finishNode(node, "ConditionalExpression");
- }
-
- tryParseConditionalConsequent() {
- this.state.noArrowParamsConversionAt.push(this.state.start);
- const consequent = this.parseMaybeAssignAllowIn();
- const failed = !this.match(14);
- this.state.noArrowParamsConversionAt.pop();
- return {
- consequent,
- failed
- };
- }
-
- getArrowLikeExpressions(node, disallowInvalid) {
- const stack = [node];
- const arrows = [];
-
- while (stack.length !== 0) {
- const node = stack.pop();
-
- if (node.type === "ArrowFunctionExpression") {
- if (node.typeParameters || !node.returnType) {
- this.finishArrowValidation(node);
- } else {
- arrows.push(node);
- }
-
- stack.push(node.body);
- } else if (node.type === "ConditionalExpression") {
- stack.push(node.consequent);
- stack.push(node.alternate);
- }
- }
-
- if (disallowInvalid) {
- arrows.forEach(node => this.finishArrowValidation(node));
- return [arrows, []];
- }
-
- return partition(arrows, node => node.params.every(param => this.isAssignable(param, true)));
- }
-
- finishArrowValidation(node) {
- var _node$extra;
-
- this.toAssignableList(node.params, (_node$extra = node.extra) == null ? void 0 : _node$extra.trailingCommaLoc, false);
- this.scope.enter(SCOPE_FUNCTION | SCOPE_ARROW);
- super.checkParams(node, false, true);
- this.scope.exit();
- }
-
- forwardNoArrowParamsConversionAt(node, parse) {
- let result;
-
- if (this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {
- this.state.noArrowParamsConversionAt.push(this.state.start);
- result = parse();
- this.state.noArrowParamsConversionAt.pop();
- } else {
- result = parse();
- }
-
- return result;
- }
-
- parseParenItem(node, startPos, startLoc) {
- node = super.parseParenItem(node, startPos, startLoc);
-
- if (this.eat(17)) {
- node.optional = true;
- this.resetEndLocation(node);
- }
-
- if (this.match(14)) {
- const typeCastNode = this.startNodeAt(startPos, startLoc);
- typeCastNode.expression = node;
- typeCastNode.typeAnnotation = this.flowParseTypeAnnotation();
- return this.finishNode(typeCastNode, "TypeCastExpression");
- }
-
- return node;
- }
-
- assertModuleNodeAllowed(node) {
- if (node.type === "ImportDeclaration" && (node.importKind === "type" || node.importKind === "typeof") || node.type === "ExportNamedDeclaration" && node.exportKind === "type" || node.type === "ExportAllDeclaration" && node.exportKind === "type") {
- return;
- }
-
- super.assertModuleNodeAllowed(node);
- }
-
- parseExport(node) {
- const decl = super.parseExport(node);
-
- if (decl.type === "ExportNamedDeclaration" || decl.type === "ExportAllDeclaration") {
- decl.exportKind = decl.exportKind || "value";
- }
-
- return decl;
- }
-
- parseExportDeclaration(node) {
- if (this.isContextual(126)) {
- node.exportKind = "type";
- const declarationNode = this.startNode();
- this.next();
-
- if (this.match(5)) {
- node.specifiers = this.parseExportSpecifiers(true);
- this.parseExportFrom(node);
- return null;
- } else {
- return this.flowParseTypeAlias(declarationNode);
- }
- } else if (this.isContextual(127)) {
- node.exportKind = "type";
- const declarationNode = this.startNode();
- this.next();
- return this.flowParseOpaqueType(declarationNode, false);
- } else if (this.isContextual(125)) {
- node.exportKind = "type";
- const declarationNode = this.startNode();
- this.next();
- return this.flowParseInterface(declarationNode);
- } else if (this.shouldParseEnums() && this.isContextual(122)) {
- node.exportKind = "value";
- const declarationNode = this.startNode();
- this.next();
- return this.flowParseEnumDeclaration(declarationNode);
- } else {
- return super.parseExportDeclaration(node);
- }
- }
-
- eatExportStar(node) {
- if (super.eatExportStar(...arguments)) return true;
-
- if (this.isContextual(126) && this.lookahead().type === 55) {
- node.exportKind = "type";
- this.next();
- this.next();
- return true;
- }
-
- return false;
- }
-
- maybeParseExportNamespaceSpecifier(node) {
- const {
- startLoc
- } = this.state;
- const hasNamespace = super.maybeParseExportNamespaceSpecifier(node);
-
- if (hasNamespace && node.exportKind === "type") {
- this.unexpected(startLoc);
- }
-
- return hasNamespace;
- }
-
- parseClassId(node, isStatement, optionalId) {
- super.parseClassId(node, isStatement, optionalId);
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- }
- }
-
- parseClassMember(classBody, member, state) {
- const {
- startLoc
- } = this.state;
-
- if (this.isContextual(121)) {
- if (this.parseClassMemberFromModifier(classBody, member)) {
- return;
- }
-
- member.declare = true;
- }
-
- super.parseClassMember(classBody, member, state);
-
- if (member.declare) {
- if (member.type !== "ClassProperty" && member.type !== "ClassPrivateProperty" && member.type !== "PropertyDefinition") {
- this.raise(FlowErrors.DeclareClassElement, {
- at: startLoc
- });
- } else if (member.value) {
- this.raise(FlowErrors.DeclareClassFieldInitializer, {
- at: member.value
- });
- }
- }
- }
-
- isIterator(word) {
- return word === "iterator" || word === "asyncIterator";
- }
-
- readIterator() {
- const word = super.readWord1();
- const fullWord = "@@" + word;
-
- if (!this.isIterator(word) || !this.state.inType) {
- this.raise(Errors.InvalidIdentifier, {
- at: this.state.curPosition(),
- identifierName: fullWord
- });
- }
-
- this.finishToken(128, fullWord);
- }
-
- getTokenFromCode(code) {
- const next = this.input.charCodeAt(this.state.pos + 1);
-
- if (code === 123 && next === 124) {
- return this.finishOp(6, 2);
- } else if (this.state.inType && (code === 62 || code === 60)) {
- return this.finishOp(code === 62 ? 48 : 47, 1);
- } else if (this.state.inType && code === 63) {
- if (next === 46) {
- return this.finishOp(18, 2);
- }
-
- return this.finishOp(17, 1);
- } else if (isIteratorStart(code, next, this.input.charCodeAt(this.state.pos + 2))) {
- this.state.pos += 2;
- return this.readIterator();
- } else {
- return super.getTokenFromCode(code);
- }
- }
-
- isAssignable(node, isBinding) {
- if (node.type === "TypeCastExpression") {
- return this.isAssignable(node.expression, isBinding);
- } else {
- return super.isAssignable(node, isBinding);
- }
- }
-
- toAssignable(node, isLHS = false) {
- if (!isLHS && node.type === "AssignmentExpression" && node.left.type === "TypeCastExpression") {
- node.left = this.typeCastToParameter(node.left);
- }
-
- super.toAssignable(...arguments);
- }
-
- toAssignableList(exprList, trailingCommaLoc, isLHS) {
- for (let i = 0; i < exprList.length; i++) {
- const expr = exprList[i];
-
- if ((expr == null ? void 0 : expr.type) === "TypeCastExpression") {
- exprList[i] = this.typeCastToParameter(expr);
- }
- }
-
- super.toAssignableList(exprList, trailingCommaLoc, isLHS);
- }
-
- toReferencedList(exprList, isParenthesizedExpr) {
- for (let i = 0; i < exprList.length; i++) {
- var _expr$extra;
-
- const expr = exprList[i];
-
- if (expr && expr.type === "TypeCastExpression" && !((_expr$extra = expr.extra) != null && _expr$extra.parenthesized) && (exprList.length > 1 || !isParenthesizedExpr)) {
- this.raise(FlowErrors.TypeCastInPattern, {
- at: expr.typeAnnotation
- });
- }
- }
-
- return exprList;
- }
-
- parseArrayLike(close, canBePattern, isTuple, refExpressionErrors) {
- const node = super.parseArrayLike(close, canBePattern, isTuple, refExpressionErrors);
-
- if (canBePattern && !this.state.maybeInArrowParameters) {
- this.toReferencedList(node.elements);
- }
-
- return node;
- }
-
- isValidLVal(type, ...rest) {
- return type === "TypeCastExpression" || super.isValidLVal(type, ...rest);
- }
-
- parseClassProperty(node) {
- if (this.match(14)) {
- node.typeAnnotation = this.flowParseTypeAnnotation();
- }
-
- return super.parseClassProperty(node);
- }
-
- parseClassPrivateProperty(node) {
- if (this.match(14)) {
- node.typeAnnotation = this.flowParseTypeAnnotation();
- }
-
- return super.parseClassPrivateProperty(node);
- }
-
- isClassMethod() {
- return this.match(47) || super.isClassMethod();
- }
-
- isClassProperty() {
- return this.match(14) || super.isClassProperty();
- }
-
- isNonstaticConstructor(method) {
- return !this.match(14) && super.isNonstaticConstructor(method);
- }
-
- pushClassMethod(classBody, method, isGenerator, isAsync, isConstructor, allowsDirectSuper) {
- if (method.variance) {
- this.unexpected(method.variance.loc.start);
- }
-
- delete method.variance;
-
- if (this.match(47)) {
- method.typeParameters = this.flowParseTypeParameterDeclaration();
- }
-
- super.pushClassMethod(classBody, method, isGenerator, isAsync, isConstructor, allowsDirectSuper);
-
- if (method.params && isConstructor) {
- const params = method.params;
-
- if (params.length > 0 && this.isThisParam(params[0])) {
- this.raise(FlowErrors.ThisParamBannedInConstructor, {
- at: method
- });
- }
- } else if (method.type === "MethodDefinition" && isConstructor && method.value.params) {
- const params = method.value.params;
-
- if (params.length > 0 && this.isThisParam(params[0])) {
- this.raise(FlowErrors.ThisParamBannedInConstructor, {
- at: method
- });
- }
- }
- }
-
- pushClassPrivateMethod(classBody, method, isGenerator, isAsync) {
- if (method.variance) {
- this.unexpected(method.variance.loc.start);
- }
-
- delete method.variance;
-
- if (this.match(47)) {
- method.typeParameters = this.flowParseTypeParameterDeclaration();
- }
-
- super.pushClassPrivateMethod(classBody, method, isGenerator, isAsync);
- }
-
- parseClassSuper(node) {
- super.parseClassSuper(node);
-
- if (node.superClass && this.match(47)) {
- node.superTypeParameters = this.flowParseTypeParameterInstantiation();
- }
-
- if (this.isContextual(110)) {
- this.next();
- const implemented = node.implements = [];
-
- do {
- const node = this.startNode();
- node.id = this.flowParseRestrictedIdentifier(true);
-
- if (this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterInstantiation();
- } else {
- node.typeParameters = null;
- }
-
- implemented.push(this.finishNode(node, "ClassImplements"));
- } while (this.eat(12));
- }
- }
-
- checkGetterSetterParams(method) {
- super.checkGetterSetterParams(method);
- const params = this.getObjectOrClassMethodParams(method);
-
- if (params.length > 0) {
- const param = params[0];
-
- if (this.isThisParam(param) && method.kind === "get") {
- this.raise(FlowErrors.GetterMayNotHaveThisParam, {
- at: param
- });
- } else if (this.isThisParam(param)) {
- this.raise(FlowErrors.SetterMayNotHaveThisParam, {
- at: param
- });
- }
- }
- }
-
- parsePropertyNamePrefixOperator(node) {
- node.variance = this.flowParseVariance();
- }
-
- parseObjPropValue(prop, startPos, startLoc, isGenerator, isAsync, isPattern, isAccessor, refExpressionErrors) {
- if (prop.variance) {
- this.unexpected(prop.variance.loc.start);
- }
-
- delete prop.variance;
- let typeParameters;
-
- if (this.match(47) && !isAccessor) {
- typeParameters = this.flowParseTypeParameterDeclaration();
- if (!this.match(10)) this.unexpected();
- }
-
- super.parseObjPropValue(prop, startPos, startLoc, isGenerator, isAsync, isPattern, isAccessor, refExpressionErrors);
-
- if (typeParameters) {
- (prop.value || prop).typeParameters = typeParameters;
- }
- }
-
- parseAssignableListItemTypes(param) {
- if (this.eat(17)) {
- if (param.type !== "Identifier") {
- this.raise(FlowErrors.PatternIsOptional, {
- at: param
- });
- }
-
- if (this.isThisParam(param)) {
- this.raise(FlowErrors.ThisParamMayNotBeOptional, {
- at: param
- });
- }
-
- param.optional = true;
- }
-
- if (this.match(14)) {
- param.typeAnnotation = this.flowParseTypeAnnotation();
- } else if (this.isThisParam(param)) {
- this.raise(FlowErrors.ThisParamAnnotationRequired, {
- at: param
- });
- }
-
- if (this.match(29) && this.isThisParam(param)) {
- this.raise(FlowErrors.ThisParamNoDefault, {
- at: param
- });
- }
-
- this.resetEndLocation(param);
- return param;
- }
-
- parseMaybeDefault(startPos, startLoc, left) {
- const node = super.parseMaybeDefault(startPos, startLoc, left);
-
- if (node.type === "AssignmentPattern" && node.typeAnnotation && node.right.start < node.typeAnnotation.start) {
- this.raise(FlowErrors.TypeBeforeInitializer, {
- at: node.typeAnnotation
- });
- }
-
- return node;
- }
-
- shouldParseDefaultImport(node) {
- if (!hasTypeImportKind(node)) {
- return super.shouldParseDefaultImport(node);
- }
-
- return isMaybeDefaultImport(this.state.type);
- }
-
- parseImportSpecifierLocal(node, specifier, type) {
- specifier.local = hasTypeImportKind(node) ? this.flowParseRestrictedIdentifier(true, true) : this.parseIdentifier();
- node.specifiers.push(this.finishImportSpecifier(specifier, type));
- }
-
- maybeParseDefaultImportSpecifier(node) {
- node.importKind = "value";
- let kind = null;
-
- if (this.match(87)) {
- kind = "typeof";
- } else if (this.isContextual(126)) {
- kind = "type";
- }
-
- if (kind) {
- const lh = this.lookahead();
- const {
- type
- } = lh;
-
- if (kind === "type" && type === 55) {
- this.unexpected(null, lh.type);
- }
-
- if (isMaybeDefaultImport(type) || type === 5 || type === 55) {
- this.next();
- node.importKind = kind;
- }
- }
-
- return super.maybeParseDefaultImportSpecifier(node);
- }
-
- parseImportSpecifier(specifier, importedIsString, isInTypeOnlyImport, isMaybeTypeOnly) {
- const firstIdent = specifier.imported;
- let specifierTypeKind = null;
-
- if (firstIdent.type === "Identifier") {
- if (firstIdent.name === "type") {
- specifierTypeKind = "type";
- } else if (firstIdent.name === "typeof") {
- specifierTypeKind = "typeof";
- }
- }
-
- let isBinding = false;
-
- if (this.isContextual(93) && !this.isLookaheadContextual("as")) {
- const as_ident = this.parseIdentifier(true);
-
- if (specifierTypeKind !== null && !tokenIsKeywordOrIdentifier(this.state.type)) {
- specifier.imported = as_ident;
- specifier.importKind = specifierTypeKind;
- specifier.local = cloneIdentifier(as_ident);
- } else {
- specifier.imported = firstIdent;
- specifier.importKind = null;
- specifier.local = this.parseIdentifier();
- }
- } else {
- if (specifierTypeKind !== null && tokenIsKeywordOrIdentifier(this.state.type)) {
- specifier.imported = this.parseIdentifier(true);
- specifier.importKind = specifierTypeKind;
- } else {
- if (importedIsString) {
- throw this.raise(Errors.ImportBindingIsString, {
- at: specifier,
- importName: firstIdent.value
- });
- }
-
- specifier.imported = firstIdent;
- specifier.importKind = null;
- }
-
- if (this.eatContextual(93)) {
- specifier.local = this.parseIdentifier();
- } else {
- isBinding = true;
- specifier.local = cloneIdentifier(specifier.imported);
- }
- }
-
- const specifierIsTypeImport = hasTypeImportKind(specifier);
-
- if (isInTypeOnlyImport && specifierIsTypeImport) {
- this.raise(FlowErrors.ImportTypeShorthandOnlyInPureImport, {
- at: specifier
- });
- }
-
- if (isInTypeOnlyImport || specifierIsTypeImport) {
- this.checkReservedType(specifier.local.name, specifier.local.loc.start, true);
- }
-
- if (isBinding && !isInTypeOnlyImport && !specifierIsTypeImport) {
- this.checkReservedWord(specifier.local.name, specifier.loc.start, true, true);
- }
-
- return this.finishImportSpecifier(specifier, "ImportSpecifier");
- }
-
- parseBindingAtom() {
- switch (this.state.type) {
- case 78:
- return this.parseIdentifier(true);
-
- default:
- return super.parseBindingAtom();
- }
- }
-
- parseFunctionParams(node, allowModifiers) {
- const kind = node.kind;
-
- if (kind !== "get" && kind !== "set" && this.match(47)) {
- node.typeParameters = this.flowParseTypeParameterDeclaration();
- }
-
- super.parseFunctionParams(node, allowModifiers);
- }
-
- parseVarId(decl, kind) {
- super.parseVarId(decl, kind);
-
- if (this.match(14)) {
- decl.id.typeAnnotation = this.flowParseTypeAnnotation();
- this.resetEndLocation(decl.id);
- }
- }
-
- parseAsyncArrowFromCallExpression(node, call) {
- if (this.match(14)) {
- const oldNoAnonFunctionType = this.state.noAnonFunctionType;
- this.state.noAnonFunctionType = true;
- node.returnType = this.flowParseTypeAnnotation();
- this.state.noAnonFunctionType = oldNoAnonFunctionType;
- }
-
- return super.parseAsyncArrowFromCallExpression(node, call);
- }
-
- shouldParseAsyncArrow() {
- return this.match(14) || super.shouldParseAsyncArrow();
- }
-
- parseMaybeAssign(refExpressionErrors, afterLeftParse) {
- var _jsx;
-
- let state = null;
- let jsx;
-
- if (this.hasPlugin("jsx") && (this.match(138) || this.match(47))) {
- state = this.state.clone();
- jsx = this.tryParse(() => super.parseMaybeAssign(refExpressionErrors, afterLeftParse), state);
- if (!jsx.error) return jsx.node;
- const {
- context
- } = this.state;
- const currentContext = context[context.length - 1];
-
- if (currentContext === types.j_oTag || currentContext === types.j_expr) {
- context.pop();
- }
- }
-
- if ((_jsx = jsx) != null && _jsx.error || this.match(47)) {
- var _jsx2, _jsx3;
-
- state = state || this.state.clone();
- let typeParameters;
- const arrow = this.tryParse(abort => {
- var _arrowExpression$extr;
-
- typeParameters = this.flowParseTypeParameterDeclaration();
- const arrowExpression = this.forwardNoArrowParamsConversionAt(typeParameters, () => {
- const result = super.parseMaybeAssign(refExpressionErrors, afterLeftParse);
- this.resetStartLocationFromNode(result, typeParameters);
- return result;
- });
- if ((_arrowExpression$extr = arrowExpression.extra) != null && _arrowExpression$extr.parenthesized) abort();
- const expr = this.maybeUnwrapTypeCastExpression(arrowExpression);
- if (expr.type !== "ArrowFunctionExpression") abort();
- expr.typeParameters = typeParameters;
- this.resetStartLocationFromNode(expr, typeParameters);
- return arrowExpression;
- }, state);
- let arrowExpression = null;
-
- if (arrow.node && this.maybeUnwrapTypeCastExpression(arrow.node).type === "ArrowFunctionExpression") {
- if (!arrow.error && !arrow.aborted) {
- if (arrow.node.async) {
- this.raise(FlowErrors.UnexpectedTypeParameterBeforeAsyncArrowFunction, {
- at: typeParameters
+ flowParseObjectTypeProperty(
+ node,
+ isStatic,
+ protoStartLoc,
+ variance,
+ kind,
+ allowSpread,
+ allowInexact
+ ) {
+ if (this.eat(21)) {
+ const isInexactToken =
+ this.match(12) || this.match(13) || this.match(8) || this.match(9);
+
+ if (isInexactToken) {
+ if (!allowSpread) {
+ this.raise(FlowErrors.InexactInsideNonObject, {
+ at: this.state.lastTokStartLoc,
+ });
+ } else if (!allowInexact) {
+ this.raise(FlowErrors.InexactInsideExact, {
+ at: this.state.lastTokStartLoc,
});
}
+ if (variance) {
+ this.raise(FlowErrors.InexactVariance, {
+ at: variance,
+ });
+ }
+
+ return null;
+ }
+
+ if (!allowSpread) {
+ this.raise(FlowErrors.UnexpectedSpreadType, {
+ at: this.state.lastTokStartLoc,
+ });
+ }
+
+ if (protoStartLoc != null) {
+ this.unexpected(protoStartLoc);
+ }
+
+ if (variance) {
+ this.raise(FlowErrors.SpreadVariance, {
+ at: variance,
+ });
+ }
+
+ node.argument = this.flowParseType();
+ return this.finishNode(node, 'ObjectTypeSpreadProperty');
+ } else {
+ node.key = this.flowParseObjectPropertyKey();
+ node.static = isStatic;
+ node.proto = protoStartLoc != null;
+ node.kind = kind;
+ let optional = false;
+
+ if (this.match(47) || this.match(10)) {
+ node.method = true;
+
+ if (protoStartLoc != null) {
+ this.unexpected(protoStartLoc);
+ }
+
+ if (variance) {
+ this.unexpected(variance.loc.start);
+ }
+
+ node.value = this.flowParseObjectTypeMethodish(
+ this.startNodeAt(node.start, node.loc.start)
+ );
+
+ if (kind === 'get' || kind === 'set') {
+ this.flowCheckGetterSetterParams(node);
+ }
+
+ if (
+ !allowSpread &&
+ node.key.name === 'constructor' &&
+ node.value.this
+ ) {
+ this.raise(FlowErrors.ThisParamBannedInConstructor, {
+ at: node.value.this,
+ });
+ }
+ } else {
+ if (kind !== 'init') this.unexpected();
+ node.method = false;
+
+ if (this.eat(17)) {
+ optional = true;
+ }
+
+ node.value = this.flowParseTypeInitialiser();
+ node.variance = variance;
+ }
+
+ node.optional = optional;
+ return this.finishNode(node, 'ObjectTypeProperty');
+ }
+ }
+
+ flowCheckGetterSetterParams(property) {
+ const paramCount = property.kind === 'get' ? 0 : 1;
+ const length =
+ property.value.params.length + (property.value.rest ? 1 : 0);
+
+ if (property.value.this) {
+ this.raise(
+ property.kind === 'get' ?
+ FlowErrors.GetterMayNotHaveThisParam
+ : FlowErrors.SetterMayNotHaveThisParam,
+ {
+ at: property.value.this,
+ }
+ );
+ }
+
+ if (length !== paramCount) {
+ this.raise(
+ property.kind === 'get' ?
+ Errors.BadGetterArity
+ : Errors.BadSetterArity,
+ {
+ at: property,
+ }
+ );
+ }
+
+ if (property.kind === 'set' && property.value.rest) {
+ this.raise(Errors.BadSetterRestParameter, {
+ at: property,
+ });
+ }
+ }
+
+ flowObjectTypeSemicolon() {
+ if (!this.eat(13) && !this.eat(12) && !this.match(8) && !this.match(9)) {
+ this.unexpected();
+ }
+ }
+
+ flowParseQualifiedTypeIdentifier(startPos, startLoc, id) {
+ startPos = startPos || this.state.start;
+ startLoc = startLoc || this.state.startLoc;
+ let node = id || this.flowParseRestrictedIdentifier(true);
+
+ while (this.eat(16)) {
+ const node2 = this.startNodeAt(startPos, startLoc);
+ node2.qualification = node;
+ node2.id = this.flowParseRestrictedIdentifier(true);
+ node = this.finishNode(node2, 'QualifiedTypeIdentifier');
+ }
+
+ return node;
+ }
+
+ flowParseGenericType(startPos, startLoc, id) {
+ const node = this.startNodeAt(startPos, startLoc);
+ node.typeParameters = null;
+ node.id = this.flowParseQualifiedTypeIdentifier(startPos, startLoc, id);
+
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterInstantiation();
+ }
+
+ return this.finishNode(node, 'GenericTypeAnnotation');
+ }
+
+ flowParseTypeofType() {
+ const node = this.startNode();
+ this.expect(87);
+ node.argument = this.flowParsePrimaryType();
+ return this.finishNode(node, 'TypeofTypeAnnotation');
+ }
+
+ flowParseTupleType() {
+ const node = this.startNode();
+ node.types = [];
+ this.expect(0);
+
+ while (this.state.pos < this.length && !this.match(3)) {
+ node.types.push(this.flowParseType());
+ if (this.match(3)) break;
+ this.expect(12);
+ }
+
+ this.expect(3);
+ return this.finishNode(node, 'TupleTypeAnnotation');
+ }
+
+ flowParseFunctionTypeParam(first) {
+ let name = null;
+ let optional = false;
+ let typeAnnotation = null;
+ const node = this.startNode();
+ const lh = this.lookahead();
+ const isThis = this.state.type === 78;
+
+ if (lh.type === 14 || lh.type === 17) {
+ if (isThis && !first) {
+ this.raise(FlowErrors.ThisParamMustBeFirst, {
+ at: node,
+ });
+ }
+
+ name = this.parseIdentifier(isThis);
+
+ if (this.eat(17)) {
+ optional = true;
+
+ if (isThis) {
+ this.raise(FlowErrors.ThisParamMayNotBeOptional, {
+ at: node,
+ });
+ }
+ }
+
+ typeAnnotation = this.flowParseTypeInitialiser();
+ } else {
+ typeAnnotation = this.flowParseType();
+ }
+
+ node.name = name;
+ node.optional = optional;
+ node.typeAnnotation = typeAnnotation;
+ return this.finishNode(node, 'FunctionTypeParam');
+ }
+
+ reinterpretTypeAsFunctionTypeParam(type) {
+ const node = this.startNodeAt(type.start, type.loc.start);
+ node.name = null;
+ node.optional = false;
+ node.typeAnnotation = type;
+ return this.finishNode(node, 'FunctionTypeParam');
+ }
+
+ flowParseFunctionTypeParams(params = []) {
+ let rest = null;
+ let _this = null;
+
+ if (this.match(78)) {
+ _this = this.flowParseFunctionTypeParam(true);
+ _this.name = null;
+
+ if (!this.match(11)) {
+ this.expect(12);
+ }
+ }
+
+ while (!this.match(11) && !this.match(21)) {
+ params.push(this.flowParseFunctionTypeParam(false));
+
+ if (!this.match(11)) {
+ this.expect(12);
+ }
+ }
+
+ if (this.eat(21)) {
+ rest = this.flowParseFunctionTypeParam(false);
+ }
+
+ return {
+ params,
+ rest,
+ _this,
+ };
+ }
+
+ flowIdentToTypeAnnotation(startPos, startLoc, node, id) {
+ switch (id.name) {
+ case 'any':
+ return this.finishNode(node, 'AnyTypeAnnotation');
+
+ case 'bool':
+ case 'boolean':
+ return this.finishNode(node, 'BooleanTypeAnnotation');
+
+ case 'mixed':
+ return this.finishNode(node, 'MixedTypeAnnotation');
+
+ case 'empty':
+ return this.finishNode(node, 'EmptyTypeAnnotation');
+
+ case 'number':
+ return this.finishNode(node, 'NumberTypeAnnotation');
+
+ case 'string':
+ return this.finishNode(node, 'StringTypeAnnotation');
+
+ case 'symbol':
+ return this.finishNode(node, 'SymbolTypeAnnotation');
+
+ default:
+ this.checkNotUnderscore(id.name);
+ return this.flowParseGenericType(startPos, startLoc, id);
+ }
+ }
+
+ flowParsePrimaryType() {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ const node = this.startNode();
+ let tmp;
+ let type;
+ let isGroupedType = false;
+ const oldNoAnonFunctionType = this.state.noAnonFunctionType;
+
+ switch (this.state.type) {
+ case 5:
+ return this.flowParseObjectType({
+ allowStatic: false,
+ allowExact: false,
+ allowSpread: true,
+ allowProto: false,
+ allowInexact: true,
+ });
+
+ case 6:
+ return this.flowParseObjectType({
+ allowStatic: false,
+ allowExact: true,
+ allowSpread: true,
+ allowProto: false,
+ allowInexact: false,
+ });
+
+ case 0:
+ this.state.noAnonFunctionType = false;
+ type = this.flowParseTupleType();
+ this.state.noAnonFunctionType = oldNoAnonFunctionType;
+ return type;
+
+ case 47:
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ this.expect(10);
+ tmp = this.flowParseFunctionTypeParams();
+ node.params = tmp.params;
+ node.rest = tmp.rest;
+ node.this = tmp._this;
+ this.expect(11);
+ this.expect(19);
+ node.returnType = this.flowParseType();
+ return this.finishNode(node, 'FunctionTypeAnnotation');
+
+ case 10:
+ this.next();
+
+ if (!this.match(11) && !this.match(21)) {
+ if (tokenIsIdentifier(this.state.type) || this.match(78)) {
+ const token = this.lookahead().type;
+ isGroupedType = token !== 17 && token !== 14;
+ } else {
+ isGroupedType = true;
+ }
+ }
+
+ if (isGroupedType) {
+ this.state.noAnonFunctionType = false;
+ type = this.flowParseType();
+ this.state.noAnonFunctionType = oldNoAnonFunctionType;
+
+ if (
+ this.state.noAnonFunctionType ||
+ !(
+ this.match(12) ||
+ (this.match(11) && this.lookahead().type === 19)
+ )
+ ) {
+ this.expect(11);
+ return type;
+ } else {
+ this.eat(12);
+ }
+ }
+
+ if (type) {
+ tmp = this.flowParseFunctionTypeParams([
+ this.reinterpretTypeAsFunctionTypeParam(type),
+ ]);
+ } else {
+ tmp = this.flowParseFunctionTypeParams();
+ }
+
+ node.params = tmp.params;
+ node.rest = tmp.rest;
+ node.this = tmp._this;
+ this.expect(11);
+ this.expect(19);
+ node.returnType = this.flowParseType();
+ node.typeParameters = null;
+ return this.finishNode(node, 'FunctionTypeAnnotation');
+
+ case 129:
+ return this.parseLiteral(
+ this.state.value,
+ 'StringLiteralTypeAnnotation'
+ );
+
+ case 85:
+ case 86:
+ node.value = this.match(85);
+ this.next();
+ return this.finishNode(node, 'BooleanLiteralTypeAnnotation');
+
+ case 53:
+ if (this.state.value === '-') {
+ this.next();
+
+ if (this.match(130)) {
+ return this.parseLiteralAtNode(
+ -this.state.value,
+ 'NumberLiteralTypeAnnotation',
+ node
+ );
+ }
+
+ if (this.match(131)) {
+ return this.parseLiteralAtNode(
+ -this.state.value,
+ 'BigIntLiteralTypeAnnotation',
+ node
+ );
+ }
+
+ throw this.raise(FlowErrors.UnexpectedSubtractionOperand, {
+ at: this.state.startLoc,
+ });
+ }
+
+ throw this.unexpected();
+
+ case 130:
+ return this.parseLiteral(
+ this.state.value,
+ 'NumberLiteralTypeAnnotation'
+ );
+
+ case 131:
+ return this.parseLiteral(
+ this.state.value,
+ 'BigIntLiteralTypeAnnotation'
+ );
+
+ case 88:
+ this.next();
+ return this.finishNode(node, 'VoidTypeAnnotation');
+
+ case 84:
+ this.next();
+ return this.finishNode(node, 'NullLiteralTypeAnnotation');
+
+ case 78:
+ this.next();
+ return this.finishNode(node, 'ThisTypeAnnotation');
+
+ case 55:
+ this.next();
+ return this.finishNode(node, 'ExistsTypeAnnotation');
+
+ case 87:
+ return this.flowParseTypeofType();
+
+ default:
+ if (tokenIsKeyword(this.state.type)) {
+ const label = tokenLabelName(this.state.type);
+ this.next();
+ return super.createIdentifier(node, label);
+ } else if (tokenIsIdentifier(this.state.type)) {
+ if (this.isContextual(125)) {
+ return this.flowParseInterfaceType();
+ }
+
+ return this.flowIdentToTypeAnnotation(
+ startPos,
+ startLoc,
+ node,
+ this.parseIdentifier()
+ );
+ }
+ }
+
+ throw this.unexpected();
+ }
+
+ flowParsePostfixType() {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ let type = this.flowParsePrimaryType();
+ let seenOptionalIndexedAccess = false;
+
+ while ((this.match(0) || this.match(18)) && !this.canInsertSemicolon()) {
+ const node = this.startNodeAt(startPos, startLoc);
+ const optional = this.eat(18);
+ seenOptionalIndexedAccess = seenOptionalIndexedAccess || optional;
+ this.expect(0);
+
+ if (!optional && this.match(3)) {
+ node.elementType = type;
+ this.next();
+ type = this.finishNode(node, 'ArrayTypeAnnotation');
+ } else {
+ node.objectType = type;
+ node.indexType = this.flowParseType();
+ this.expect(3);
+
+ if (seenOptionalIndexedAccess) {
+ node.optional = optional;
+ type = this.finishNode(node, 'OptionalIndexedAccessType');
+ } else {
+ type = this.finishNode(node, 'IndexedAccessType');
+ }
+ }
+ }
+
+ return type;
+ }
+
+ flowParsePrefixType() {
+ const node = this.startNode();
+
+ if (this.eat(17)) {
+ node.typeAnnotation = this.flowParsePrefixType();
+ return this.finishNode(node, 'NullableTypeAnnotation');
+ } else {
+ return this.flowParsePostfixType();
+ }
+ }
+
+ flowParseAnonFunctionWithoutParens() {
+ const param = this.flowParsePrefixType();
+
+ if (!this.state.noAnonFunctionType && this.eat(19)) {
+ const node = this.startNodeAt(param.start, param.loc.start);
+ node.params = [this.reinterpretTypeAsFunctionTypeParam(param)];
+ node.rest = null;
+ node.this = null;
+ node.returnType = this.flowParseType();
+ node.typeParameters = null;
+ return this.finishNode(node, 'FunctionTypeAnnotation');
+ }
+
+ return param;
+ }
+
+ flowParseIntersectionType() {
+ const node = this.startNode();
+ this.eat(45);
+ const type = this.flowParseAnonFunctionWithoutParens();
+ node.types = [type];
+
+ while (this.eat(45)) {
+ node.types.push(this.flowParseAnonFunctionWithoutParens());
+ }
+
+ return node.types.length === 1 ?
+ type
+ : this.finishNode(node, 'IntersectionTypeAnnotation');
+ }
+
+ flowParseUnionType() {
+ const node = this.startNode();
+ this.eat(43);
+ const type = this.flowParseIntersectionType();
+ node.types = [type];
+
+ while (this.eat(43)) {
+ node.types.push(this.flowParseIntersectionType());
+ }
+
+ return node.types.length === 1 ?
+ type
+ : this.finishNode(node, 'UnionTypeAnnotation');
+ }
+
+ flowParseType() {
+ const oldInType = this.state.inType;
+ this.state.inType = true;
+ const type = this.flowParseUnionType();
+ this.state.inType = oldInType;
+ return type;
+ }
+
+ flowParseTypeOrImplicitInstantiation() {
+ if (this.state.type === 128 && this.state.value === '_') {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ const node = this.parseIdentifier();
+ return this.flowParseGenericType(startPos, startLoc, node);
+ } else {
+ return this.flowParseType();
+ }
+ }
+
+ flowParseTypeAnnotation() {
+ const node = this.startNode();
+ node.typeAnnotation = this.flowParseTypeInitialiser();
+ return this.finishNode(node, 'TypeAnnotation');
+ }
+
+ flowParseTypeAnnotatableIdentifier(allowPrimitiveOverride) {
+ const ident =
+ allowPrimitiveOverride ?
+ this.parseIdentifier()
+ : this.flowParseRestrictedIdentifier();
+
+ if (this.match(14)) {
+ ident.typeAnnotation = this.flowParseTypeAnnotation();
+ this.resetEndLocation(ident);
+ }
+
+ return ident;
+ }
+
+ typeCastToParameter(node) {
+ node.expression.typeAnnotation = node.typeAnnotation;
+ this.resetEndLocation(node.expression, node.typeAnnotation.loc.end);
+ return node.expression;
+ }
+
+ flowParseVariance() {
+ let variance = null;
+
+ if (this.match(53)) {
+ variance = this.startNode();
+
+ if (this.state.value === '+') {
+ variance.kind = 'plus';
+ } else {
+ variance.kind = 'minus';
+ }
+
+ this.next();
+ this.finishNode(variance, 'Variance');
+ }
+
+ return variance;
+ }
+
+ parseFunctionBody(node, allowExpressionBody, isMethod = false) {
+ if (allowExpressionBody) {
+ return this.forwardNoArrowParamsConversionAt(node, () =>
+ super.parseFunctionBody(node, true, isMethod)
+ );
+ }
+
+ return super.parseFunctionBody(node, false, isMethod);
+ }
+
+ parseFunctionBodyAndFinish(node, type, isMethod = false) {
+ if (this.match(14)) {
+ const typeNode = this.startNode();
+ [typeNode.typeAnnotation, node.predicate] =
+ this.flowParseTypeAndPredicateInitialiser();
+ node.returnType =
+ typeNode.typeAnnotation ?
+ this.finishNode(typeNode, 'TypeAnnotation')
+ : null;
+ }
+
+ super.parseFunctionBodyAndFinish(node, type, isMethod);
+ }
+
+ parseStatement(context, topLevel) {
+ if (this.state.strict && this.isContextual(125)) {
+ const lookahead = this.lookahead();
+
+ if (tokenIsKeywordOrIdentifier(lookahead.type)) {
+ const node = this.startNode();
+ this.next();
+ return this.flowParseInterface(node);
+ }
+ } else if (this.shouldParseEnums() && this.isContextual(122)) {
+ const node = this.startNode();
+ this.next();
+ return this.flowParseEnumDeclaration(node);
+ }
+
+ const stmt = super.parseStatement(context, topLevel);
+
+ if (this.flowPragma === undefined && !this.isValidDirective(stmt)) {
+ this.flowPragma = null;
+ }
+
+ return stmt;
+ }
+
+ parseExpressionStatement(node, expr) {
+ if (expr.type === 'Identifier') {
+ if (expr.name === 'declare') {
+ if (
+ this.match(80) ||
+ tokenIsIdentifier(this.state.type) ||
+ this.match(68) ||
+ this.match(74) ||
+ this.match(82)
+ ) {
+ return this.flowParseDeclare(node);
+ }
+ } else if (tokenIsIdentifier(this.state.type)) {
+ if (expr.name === 'interface') {
+ return this.flowParseInterface(node);
+ } else if (expr.name === 'type') {
+ return this.flowParseTypeAlias(node);
+ } else if (expr.name === 'opaque') {
+ return this.flowParseOpaqueType(node, false);
+ }
+ }
+ }
+
+ return super.parseExpressionStatement(node, expr);
+ }
+
+ shouldParseExportDeclaration() {
+ const { type } = this.state;
+
+ if (
+ tokenIsFlowInterfaceOrTypeOrOpaque(type) ||
+ (this.shouldParseEnums() && type === 122)
+ ) {
+ return !this.state.containsEsc;
+ }
+
+ return super.shouldParseExportDeclaration();
+ }
+
+ isExportDefaultSpecifier() {
+ const { type } = this.state;
+
+ if (
+ tokenIsFlowInterfaceOrTypeOrOpaque(type) ||
+ (this.shouldParseEnums() && type === 122)
+ ) {
+ return this.state.containsEsc;
+ }
+
+ return super.isExportDefaultSpecifier();
+ }
+
+ parseExportDefaultExpression() {
+ if (this.shouldParseEnums() && this.isContextual(122)) {
+ const node = this.startNode();
+ this.next();
+ return this.flowParseEnumDeclaration(node);
+ }
+
+ return super.parseExportDefaultExpression();
+ }
+
+ parseConditional(expr, startPos, startLoc, refExpressionErrors) {
+ if (!this.match(17)) return expr;
+
+ if (this.state.maybeInArrowParameters) {
+ const nextCh = this.lookaheadCharCode();
+
+ if (nextCh === 44 || nextCh === 61 || nextCh === 58 || nextCh === 41) {
+ this.setOptionalParametersError(refExpressionErrors);
+ return expr;
+ }
+ }
+
+ this.expect(17);
+ const state = this.state.clone();
+ const originalNoArrowAt = this.state.noArrowAt;
+ const node = this.startNodeAt(startPos, startLoc);
+ let { consequent, failed } = this.tryParseConditionalConsequent();
+ let [valid, invalid] = this.getArrowLikeExpressions(consequent);
+
+ if (failed || invalid.length > 0) {
+ const noArrowAt = [...originalNoArrowAt];
+
+ if (invalid.length > 0) {
+ this.state = state;
+ this.state.noArrowAt = noArrowAt;
+
+ for (let i = 0; i < invalid.length; i++) {
+ noArrowAt.push(invalid[i].start);
+ }
+
+ ({ consequent, failed } = this.tryParseConditionalConsequent());
+ [valid, invalid] = this.getArrowLikeExpressions(consequent);
+ }
+
+ if (failed && valid.length > 1) {
+ this.raise(FlowErrors.AmbiguousConditionalArrow, {
+ at: state.startLoc,
+ });
+ }
+
+ if (failed && valid.length === 1) {
+ this.state = state;
+ noArrowAt.push(valid[0].start);
+ this.state.noArrowAt = noArrowAt;
+ ({ consequent, failed } = this.tryParseConditionalConsequent());
+ }
+ }
+
+ this.getArrowLikeExpressions(consequent, true);
+ this.state.noArrowAt = originalNoArrowAt;
+ this.expect(14);
+ node.test = expr;
+ node.consequent = consequent;
+ node.alternate = this.forwardNoArrowParamsConversionAt(node, () =>
+ this.parseMaybeAssign(undefined, undefined)
+ );
+ return this.finishNode(node, 'ConditionalExpression');
+ }
+
+ tryParseConditionalConsequent() {
+ this.state.noArrowParamsConversionAt.push(this.state.start);
+ const consequent = this.parseMaybeAssignAllowIn();
+ const failed = !this.match(14);
+ this.state.noArrowParamsConversionAt.pop();
+ return {
+ consequent,
+ failed,
+ };
+ }
+
+ getArrowLikeExpressions(node, disallowInvalid) {
+ const stack = [node];
+ const arrows = [];
+
+ while (stack.length !== 0) {
+ const node = stack.pop();
+
+ if (node.type === 'ArrowFunctionExpression') {
+ if (node.typeParameters || !node.returnType) {
+ this.finishArrowValidation(node);
+ } else {
+ arrows.push(node);
+ }
+
+ stack.push(node.body);
+ } else if (node.type === 'ConditionalExpression') {
+ stack.push(node.consequent);
+ stack.push(node.alternate);
+ }
+ }
+
+ if (disallowInvalid) {
+ arrows.forEach((node) => this.finishArrowValidation(node));
+ return [arrows, []];
+ }
+
+ return partition(arrows, (node) =>
+ node.params.every((param) => this.isAssignable(param, true))
+ );
+ }
+
+ finishArrowValidation(node) {
+ var _node$extra;
+
+ this.toAssignableList(
+ node.params,
+ (_node$extra = node.extra) == null ?
+ void 0
+ : _node$extra.trailingCommaLoc,
+ false
+ );
+ this.scope.enter(SCOPE_FUNCTION | SCOPE_ARROW);
+ super.checkParams(node, false, true);
+ this.scope.exit();
+ }
+
+ forwardNoArrowParamsConversionAt(node, parse) {
+ let result;
+
+ if (this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {
+ this.state.noArrowParamsConversionAt.push(this.state.start);
+ result = parse();
+ this.state.noArrowParamsConversionAt.pop();
+ } else {
+ result = parse();
+ }
+
+ return result;
+ }
+
+ parseParenItem(node, startPos, startLoc) {
+ node = super.parseParenItem(node, startPos, startLoc);
+
+ if (this.eat(17)) {
+ node.optional = true;
+ this.resetEndLocation(node);
+ }
+
+ if (this.match(14)) {
+ const typeCastNode = this.startNodeAt(startPos, startLoc);
+ typeCastNode.expression = node;
+ typeCastNode.typeAnnotation = this.flowParseTypeAnnotation();
+ return this.finishNode(typeCastNode, 'TypeCastExpression');
+ }
+
+ return node;
+ }
+
+ assertModuleNodeAllowed(node) {
+ if (
+ (node.type === 'ImportDeclaration' &&
+ (node.importKind === 'type' || node.importKind === 'typeof')) ||
+ (node.type === 'ExportNamedDeclaration' &&
+ node.exportKind === 'type') ||
+ (node.type === 'ExportAllDeclaration' && node.exportKind === 'type')
+ ) {
+ return;
+ }
+
+ super.assertModuleNodeAllowed(node);
+ }
+
+ parseExport(node) {
+ const decl = super.parseExport(node);
+
+ if (
+ decl.type === 'ExportNamedDeclaration' ||
+ decl.type === 'ExportAllDeclaration'
+ ) {
+ decl.exportKind = decl.exportKind || 'value';
+ }
+
+ return decl;
+ }
+
+ parseExportDeclaration(node) {
+ if (this.isContextual(126)) {
+ node.exportKind = 'type';
+ const declarationNode = this.startNode();
+ this.next();
+
+ if (this.match(5)) {
+ node.specifiers = this.parseExportSpecifiers(true);
+ this.parseExportFrom(node);
+ return null;
+ } else {
+ return this.flowParseTypeAlias(declarationNode);
+ }
+ } else if (this.isContextual(127)) {
+ node.exportKind = 'type';
+ const declarationNode = this.startNode();
+ this.next();
+ return this.flowParseOpaqueType(declarationNode, false);
+ } else if (this.isContextual(125)) {
+ node.exportKind = 'type';
+ const declarationNode = this.startNode();
+ this.next();
+ return this.flowParseInterface(declarationNode);
+ } else if (this.shouldParseEnums() && this.isContextual(122)) {
+ node.exportKind = 'value';
+ const declarationNode = this.startNode();
+ this.next();
+ return this.flowParseEnumDeclaration(declarationNode);
+ } else {
+ return super.parseExportDeclaration(node);
+ }
+ }
+
+ eatExportStar(node) {
+ if (super.eatExportStar(...arguments)) return true;
+
+ if (this.isContextual(126) && this.lookahead().type === 55) {
+ node.exportKind = 'type';
+ this.next();
+ this.next();
+ return true;
+ }
+
+ return false;
+ }
+
+ maybeParseExportNamespaceSpecifier(node) {
+ const { startLoc } = this.state;
+ const hasNamespace = super.maybeParseExportNamespaceSpecifier(node);
+
+ if (hasNamespace && node.exportKind === 'type') {
+ this.unexpected(startLoc);
+ }
+
+ return hasNamespace;
+ }
+
+ parseClassId(node, isStatement, optionalId) {
+ super.parseClassId(node, isStatement, optionalId);
+
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ }
+ }
+
+ parseClassMember(classBody, member, state) {
+ const { startLoc } = this.state;
+
+ if (this.isContextual(121)) {
+ if (this.parseClassMemberFromModifier(classBody, member)) {
+ return;
+ }
+
+ member.declare = true;
+ }
+
+ super.parseClassMember(classBody, member, state);
+
+ if (member.declare) {
+ if (
+ member.type !== 'ClassProperty' &&
+ member.type !== 'ClassPrivateProperty' &&
+ member.type !== 'PropertyDefinition'
+ ) {
+ this.raise(FlowErrors.DeclareClassElement, {
+ at: startLoc,
+ });
+ } else if (member.value) {
+ this.raise(FlowErrors.DeclareClassFieldInitializer, {
+ at: member.value,
+ });
+ }
+ }
+ }
+
+ isIterator(word) {
+ return word === 'iterator' || word === 'asyncIterator';
+ }
+
+ readIterator() {
+ const word = super.readWord1();
+ const fullWord = '@@' + word;
+
+ if (!this.isIterator(word) || !this.state.inType) {
+ this.raise(Errors.InvalidIdentifier, {
+ at: this.state.curPosition(),
+ identifierName: fullWord,
+ });
+ }
+
+ this.finishToken(128, fullWord);
+ }
+
+ getTokenFromCode(code) {
+ const next = this.input.charCodeAt(this.state.pos + 1);
+
+ if (code === 123 && next === 124) {
+ return this.finishOp(6, 2);
+ } else if (this.state.inType && (code === 62 || code === 60)) {
+ return this.finishOp(code === 62 ? 48 : 47, 1);
+ } else if (this.state.inType && code === 63) {
+ if (next === 46) {
+ return this.finishOp(18, 2);
+ }
+
+ return this.finishOp(17, 1);
+ } else if (
+ isIteratorStart(code, next, this.input.charCodeAt(this.state.pos + 2))
+ ) {
+ this.state.pos += 2;
+ return this.readIterator();
+ } else {
+ return super.getTokenFromCode(code);
+ }
+ }
+
+ isAssignable(node, isBinding) {
+ if (node.type === 'TypeCastExpression') {
+ return this.isAssignable(node.expression, isBinding);
+ } else {
+ return super.isAssignable(node, isBinding);
+ }
+ }
+
+ toAssignable(node, isLHS = false) {
+ if (
+ !isLHS &&
+ node.type === 'AssignmentExpression' &&
+ node.left.type === 'TypeCastExpression'
+ ) {
+ node.left = this.typeCastToParameter(node.left);
+ }
+
+ super.toAssignable(...arguments);
+ }
+
+ toAssignableList(exprList, trailingCommaLoc, isLHS) {
+ for (let i = 0; i < exprList.length; i++) {
+ const expr = exprList[i];
+
+ if ((expr == null ? void 0 : expr.type) === 'TypeCastExpression') {
+ exprList[i] = this.typeCastToParameter(expr);
+ }
+ }
+
+ super.toAssignableList(exprList, trailingCommaLoc, isLHS);
+ }
+
+ toReferencedList(exprList, isParenthesizedExpr) {
+ for (let i = 0; i < exprList.length; i++) {
+ var _expr$extra;
+
+ const expr = exprList[i];
+
+ if (
+ expr &&
+ expr.type === 'TypeCastExpression' &&
+ !((_expr$extra = expr.extra) != null && _expr$extra.parenthesized) &&
+ (exprList.length > 1 || !isParenthesizedExpr)
+ ) {
+ this.raise(FlowErrors.TypeCastInPattern, {
+ at: expr.typeAnnotation,
+ });
+ }
+ }
+
+ return exprList;
+ }
+
+ parseArrayLike(close, canBePattern, isTuple, refExpressionErrors) {
+ const node = super.parseArrayLike(
+ close,
+ canBePattern,
+ isTuple,
+ refExpressionErrors
+ );
+
+ if (canBePattern && !this.state.maybeInArrowParameters) {
+ this.toReferencedList(node.elements);
+ }
+
+ return node;
+ }
+
+ isValidLVal(type, ...rest) {
+ return type === 'TypeCastExpression' || super.isValidLVal(type, ...rest);
+ }
+
+ parseClassProperty(node) {
+ if (this.match(14)) {
+ node.typeAnnotation = this.flowParseTypeAnnotation();
+ }
+
+ return super.parseClassProperty(node);
+ }
+
+ parseClassPrivateProperty(node) {
+ if (this.match(14)) {
+ node.typeAnnotation = this.flowParseTypeAnnotation();
+ }
+
+ return super.parseClassPrivateProperty(node);
+ }
+
+ isClassMethod() {
+ return this.match(47) || super.isClassMethod();
+ }
+
+ isClassProperty() {
+ return this.match(14) || super.isClassProperty();
+ }
+
+ isNonstaticConstructor(method) {
+ return !this.match(14) && super.isNonstaticConstructor(method);
+ }
+
+ pushClassMethod(
+ classBody,
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper
+ ) {
+ if (method.variance) {
+ this.unexpected(method.variance.loc.start);
+ }
+
+ delete method.variance;
+
+ if (this.match(47)) {
+ method.typeParameters = this.flowParseTypeParameterDeclaration();
+ }
+
+ super.pushClassMethod(
+ classBody,
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper
+ );
+
+ if (method.params && isConstructor) {
+ const params = method.params;
+
+ if (params.length > 0 && this.isThisParam(params[0])) {
+ this.raise(FlowErrors.ThisParamBannedInConstructor, {
+ at: method,
+ });
+ }
+ } else if (
+ method.type === 'MethodDefinition' &&
+ isConstructor &&
+ method.value.params
+ ) {
+ const params = method.value.params;
+
+ if (params.length > 0 && this.isThisParam(params[0])) {
+ this.raise(FlowErrors.ThisParamBannedInConstructor, {
+ at: method,
+ });
+ }
+ }
+ }
+
+ pushClassPrivateMethod(classBody, method, isGenerator, isAsync) {
+ if (method.variance) {
+ this.unexpected(method.variance.loc.start);
+ }
+
+ delete method.variance;
+
+ if (this.match(47)) {
+ method.typeParameters = this.flowParseTypeParameterDeclaration();
+ }
+
+ super.pushClassPrivateMethod(classBody, method, isGenerator, isAsync);
+ }
+
+ parseClassSuper(node) {
+ super.parseClassSuper(node);
+
+ if (node.superClass && this.match(47)) {
+ node.superTypeParameters = this.flowParseTypeParameterInstantiation();
+ }
+
+ if (this.isContextual(110)) {
+ this.next();
+ const implemented = (node.implements = []);
+
+ do {
+ const node = this.startNode();
+ node.id = this.flowParseRestrictedIdentifier(true);
+
+ if (this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterInstantiation();
+ } else {
+ node.typeParameters = null;
+ }
+
+ implemented.push(this.finishNode(node, 'ClassImplements'));
+ } while (this.eat(12));
+ }
+ }
+
+ checkGetterSetterParams(method) {
+ super.checkGetterSetterParams(method);
+ const params = this.getObjectOrClassMethodParams(method);
+
+ if (params.length > 0) {
+ const param = params[0];
+
+ if (this.isThisParam(param) && method.kind === 'get') {
+ this.raise(FlowErrors.GetterMayNotHaveThisParam, {
+ at: param,
+ });
+ } else if (this.isThisParam(param)) {
+ this.raise(FlowErrors.SetterMayNotHaveThisParam, {
+ at: param,
+ });
+ }
+ }
+ }
+
+ parsePropertyNamePrefixOperator(node) {
+ node.variance = this.flowParseVariance();
+ }
+
+ parseObjPropValue(
+ prop,
+ startPos,
+ startLoc,
+ isGenerator,
+ isAsync,
+ isPattern,
+ isAccessor,
+ refExpressionErrors
+ ) {
+ if (prop.variance) {
+ this.unexpected(prop.variance.loc.start);
+ }
+
+ delete prop.variance;
+ let typeParameters;
+
+ if (this.match(47) && !isAccessor) {
+ typeParameters = this.flowParseTypeParameterDeclaration();
+ if (!this.match(10)) this.unexpected();
+ }
+
+ super.parseObjPropValue(
+ prop,
+ startPos,
+ startLoc,
+ isGenerator,
+ isAsync,
+ isPattern,
+ isAccessor,
+ refExpressionErrors
+ );
+
+ if (typeParameters) {
+ (prop.value || prop).typeParameters = typeParameters;
+ }
+ }
+
+ parseAssignableListItemTypes(param) {
+ if (this.eat(17)) {
+ if (param.type !== 'Identifier') {
+ this.raise(FlowErrors.PatternIsOptional, {
+ at: param,
+ });
+ }
+
+ if (this.isThisParam(param)) {
+ this.raise(FlowErrors.ThisParamMayNotBeOptional, {
+ at: param,
+ });
+ }
+
+ param.optional = true;
+ }
+
+ if (this.match(14)) {
+ param.typeAnnotation = this.flowParseTypeAnnotation();
+ } else if (this.isThisParam(param)) {
+ this.raise(FlowErrors.ThisParamAnnotationRequired, {
+ at: param,
+ });
+ }
+
+ if (this.match(29) && this.isThisParam(param)) {
+ this.raise(FlowErrors.ThisParamNoDefault, {
+ at: param,
+ });
+ }
+
+ this.resetEndLocation(param);
+ return param;
+ }
+
+ parseMaybeDefault(startPos, startLoc, left) {
+ const node = super.parseMaybeDefault(startPos, startLoc, left);
+
+ if (
+ node.type === 'AssignmentPattern' &&
+ node.typeAnnotation &&
+ node.right.start < node.typeAnnotation.start
+ ) {
+ this.raise(FlowErrors.TypeBeforeInitializer, {
+ at: node.typeAnnotation,
+ });
+ }
+
+ return node;
+ }
+
+ shouldParseDefaultImport(node) {
+ if (!hasTypeImportKind(node)) {
+ return super.shouldParseDefaultImport(node);
+ }
+
+ return isMaybeDefaultImport(this.state.type);
+ }
+
+ parseImportSpecifierLocal(node, specifier, type) {
+ specifier.local =
+ hasTypeImportKind(node) ?
+ this.flowParseRestrictedIdentifier(true, true)
+ : this.parseIdentifier();
+ node.specifiers.push(this.finishImportSpecifier(specifier, type));
+ }
+
+ maybeParseDefaultImportSpecifier(node) {
+ node.importKind = 'value';
+ let kind = null;
+
+ if (this.match(87)) {
+ kind = 'typeof';
+ } else if (this.isContextual(126)) {
+ kind = 'type';
+ }
+
+ if (kind) {
+ const lh = this.lookahead();
+ const { type } = lh;
+
+ if (kind === 'type' && type === 55) {
+ this.unexpected(null, lh.type);
+ }
+
+ if (isMaybeDefaultImport(type) || type === 5 || type === 55) {
+ this.next();
+ node.importKind = kind;
+ }
+ }
+
+ return super.maybeParseDefaultImportSpecifier(node);
+ }
+
+ parseImportSpecifier(
+ specifier,
+ importedIsString,
+ isInTypeOnlyImport,
+ isMaybeTypeOnly
+ ) {
+ const firstIdent = specifier.imported;
+ let specifierTypeKind = null;
+
+ if (firstIdent.type === 'Identifier') {
+ if (firstIdent.name === 'type') {
+ specifierTypeKind = 'type';
+ } else if (firstIdent.name === 'typeof') {
+ specifierTypeKind = 'typeof';
+ }
+ }
+
+ let isBinding = false;
+
+ if (this.isContextual(93) && !this.isLookaheadContextual('as')) {
+ const as_ident = this.parseIdentifier(true);
+
+ if (
+ specifierTypeKind !== null &&
+ !tokenIsKeywordOrIdentifier(this.state.type)
+ ) {
+ specifier.imported = as_ident;
+ specifier.importKind = specifierTypeKind;
+ specifier.local = cloneIdentifier(as_ident);
+ } else {
+ specifier.imported = firstIdent;
+ specifier.importKind = null;
+ specifier.local = this.parseIdentifier();
+ }
+ } else {
+ if (
+ specifierTypeKind !== null &&
+ tokenIsKeywordOrIdentifier(this.state.type)
+ ) {
+ specifier.imported = this.parseIdentifier(true);
+ specifier.importKind = specifierTypeKind;
+ } else {
+ if (importedIsString) {
+ throw this.raise(Errors.ImportBindingIsString, {
+ at: specifier,
+ importName: firstIdent.value,
+ });
+ }
+
+ specifier.imported = firstIdent;
+ specifier.importKind = null;
+ }
+
+ if (this.eatContextual(93)) {
+ specifier.local = this.parseIdentifier();
+ } else {
+ isBinding = true;
+ specifier.local = cloneIdentifier(specifier.imported);
+ }
+ }
+
+ const specifierIsTypeImport = hasTypeImportKind(specifier);
+
+ if (isInTypeOnlyImport && specifierIsTypeImport) {
+ this.raise(FlowErrors.ImportTypeShorthandOnlyInPureImport, {
+ at: specifier,
+ });
+ }
+
+ if (isInTypeOnlyImport || specifierIsTypeImport) {
+ this.checkReservedType(
+ specifier.local.name,
+ specifier.local.loc.start,
+ true
+ );
+ }
+
+ if (isBinding && !isInTypeOnlyImport && !specifierIsTypeImport) {
+ this.checkReservedWord(
+ specifier.local.name,
+ specifier.loc.start,
+ true,
+ true
+ );
+ }
+
+ return this.finishImportSpecifier(specifier, 'ImportSpecifier');
+ }
+
+ parseBindingAtom() {
+ switch (this.state.type) {
+ case 78:
+ return this.parseIdentifier(true);
+
+ default:
+ return super.parseBindingAtom();
+ }
+ }
+
+ parseFunctionParams(node, allowModifiers) {
+ const kind = node.kind;
+
+ if (kind !== 'get' && kind !== 'set' && this.match(47)) {
+ node.typeParameters = this.flowParseTypeParameterDeclaration();
+ }
+
+ super.parseFunctionParams(node, allowModifiers);
+ }
+
+ parseVarId(decl, kind) {
+ super.parseVarId(decl, kind);
+
+ if (this.match(14)) {
+ decl.id.typeAnnotation = this.flowParseTypeAnnotation();
+ this.resetEndLocation(decl.id);
+ }
+ }
+
+ parseAsyncArrowFromCallExpression(node, call) {
+ if (this.match(14)) {
+ const oldNoAnonFunctionType = this.state.noAnonFunctionType;
+ this.state.noAnonFunctionType = true;
+ node.returnType = this.flowParseTypeAnnotation();
+ this.state.noAnonFunctionType = oldNoAnonFunctionType;
+ }
+
+ return super.parseAsyncArrowFromCallExpression(node, call);
+ }
+
+ shouldParseAsyncArrow() {
+ return this.match(14) || super.shouldParseAsyncArrow();
+ }
+
+ parseMaybeAssign(refExpressionErrors, afterLeftParse) {
+ var _jsx;
+
+ let state = null;
+ let jsx;
+
+ if (this.hasPlugin('jsx') && (this.match(138) || this.match(47))) {
+ state = this.state.clone();
+ jsx = this.tryParse(
+ () => super.parseMaybeAssign(refExpressionErrors, afterLeftParse),
+ state
+ );
+ if (!jsx.error) return jsx.node;
+ const { context } = this.state;
+ const currentContext = context[context.length - 1];
+
+ if (
+ currentContext === types.j_oTag ||
+ currentContext === types.j_expr
+ ) {
+ context.pop();
+ }
+ }
+
+ if (((_jsx = jsx) != null && _jsx.error) || this.match(47)) {
+ var _jsx2, _jsx3;
+
+ state = state || this.state.clone();
+ let typeParameters;
+ const arrow = this.tryParse((abort) => {
+ var _arrowExpression$extr;
+
+ typeParameters = this.flowParseTypeParameterDeclaration();
+ const arrowExpression = this.forwardNoArrowParamsConversionAt(
+ typeParameters,
+ () => {
+ const result = super.parseMaybeAssign(
+ refExpressionErrors,
+ afterLeftParse
+ );
+ this.resetStartLocationFromNode(result, typeParameters);
+ return result;
+ }
+ );
+ if (
+ (_arrowExpression$extr = arrowExpression.extra) != null &&
+ _arrowExpression$extr.parenthesized
+ )
+ abort();
+ const expr = this.maybeUnwrapTypeCastExpression(arrowExpression);
+ if (expr.type !== 'ArrowFunctionExpression') abort();
+ expr.typeParameters = typeParameters;
+ this.resetStartLocationFromNode(expr, typeParameters);
+ return arrowExpression;
+ }, state);
+ let arrowExpression = null;
+
+ if (
+ arrow.node &&
+ this.maybeUnwrapTypeCastExpression(arrow.node).type ===
+ 'ArrowFunctionExpression'
+ ) {
+ if (!arrow.error && !arrow.aborted) {
+ if (arrow.node.async) {
+ this.raise(
+ FlowErrors.UnexpectedTypeParameterBeforeAsyncArrowFunction,
+ {
+ at: typeParameters,
+ }
+ );
+ }
+
+ return arrow.node;
+ }
+
+ arrowExpression = arrow.node;
+ }
+
+ if ((_jsx2 = jsx) != null && _jsx2.node) {
+ this.state = jsx.failState;
+ return jsx.node;
+ }
+
+ if (arrowExpression) {
+ this.state = arrow.failState;
+ return arrowExpression;
+ }
+
+ if ((_jsx3 = jsx) != null && _jsx3.thrown) throw jsx.error;
+ if (arrow.thrown) throw arrow.error;
+ throw this.raise(FlowErrors.UnexpectedTokenAfterTypeParameter, {
+ at: typeParameters,
+ });
+ }
+
+ return super.parseMaybeAssign(refExpressionErrors, afterLeftParse);
+ }
+
+ parseArrow(node) {
+ if (this.match(14)) {
+ const result = this.tryParse(() => {
+ const oldNoAnonFunctionType = this.state.noAnonFunctionType;
+ this.state.noAnonFunctionType = true;
+ const typeNode = this.startNode();
+ [typeNode.typeAnnotation, node.predicate] =
+ this.flowParseTypeAndPredicateInitialiser();
+ this.state.noAnonFunctionType = oldNoAnonFunctionType;
+ if (this.canInsertSemicolon()) this.unexpected();
+ if (!this.match(19)) this.unexpected();
+ return typeNode;
+ });
+ if (result.thrown) return null;
+ if (result.error) this.state = result.failState;
+ node.returnType =
+ result.node.typeAnnotation ?
+ this.finishNode(result.node, 'TypeAnnotation')
+ : null;
+ }
+
+ return super.parseArrow(node);
+ }
+
+ shouldParseArrow(params) {
+ return this.match(14) || super.shouldParseArrow(params);
+ }
+
+ setArrowFunctionParameters(node, params) {
+ if (this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {
+ node.params = params;
+ } else {
+ super.setArrowFunctionParameters(node, params);
+ }
+ }
+
+ checkParams(node, allowDuplicates, isArrowFunction) {
+ if (
+ isArrowFunction &&
+ this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1
+ ) {
+ return;
+ }
+
+ for (let i = 0; i < node.params.length; i++) {
+ if (this.isThisParam(node.params[i]) && i > 0) {
+ this.raise(FlowErrors.ThisParamMustBeFirst, {
+ at: node.params[i],
+ });
+ }
+ }
+
+ return super.checkParams(...arguments);
+ }
+
+ parseParenAndDistinguishExpression(canBeArrow) {
+ return super.parseParenAndDistinguishExpression(
+ canBeArrow && this.state.noArrowAt.indexOf(this.state.start) === -1
+ );
+ }
+
+ parseSubscripts(base, startPos, startLoc, noCalls) {
+ if (
+ base.type === 'Identifier' &&
+ base.name === 'async' &&
+ this.state.noArrowAt.indexOf(startPos) !== -1
+ ) {
+ this.next();
+ const node = this.startNodeAt(startPos, startLoc);
+ node.callee = base;
+ node.arguments = this.parseCallExpressionArguments(11, false);
+ base = this.finishNode(node, 'CallExpression');
+ } else if (
+ base.type === 'Identifier' &&
+ base.name === 'async' &&
+ this.match(47)
+ ) {
+ const state = this.state.clone();
+ const arrow = this.tryParse(
+ (abort) =>
+ this.parseAsyncArrowWithTypeParameters(startPos, startLoc) ||
+ abort(),
+ state
+ );
+ if (!arrow.error && !arrow.aborted) return arrow.node;
+ const result = this.tryParse(
+ () => super.parseSubscripts(base, startPos, startLoc, noCalls),
+ state
+ );
+ if (result.node && !result.error) return result.node;
+
+ if (arrow.node) {
+ this.state = arrow.failState;
return arrow.node;
}
- arrowExpression = arrow.node;
+ if (result.node) {
+ this.state = result.failState;
+ return result.node;
+ }
+
+ throw arrow.error || result.error;
}
- if ((_jsx2 = jsx) != null && _jsx2.node) {
- this.state = jsx.failState;
- return jsx.node;
- }
-
- if (arrowExpression) {
- this.state = arrow.failState;
- return arrowExpression;
- }
-
- if ((_jsx3 = jsx) != null && _jsx3.thrown) throw jsx.error;
- if (arrow.thrown) throw arrow.error;
- throw this.raise(FlowErrors.UnexpectedTokenAfterTypeParameter, {
- at: typeParameters
- });
+ return super.parseSubscripts(base, startPos, startLoc, noCalls);
}
- return super.parseMaybeAssign(refExpressionErrors, afterLeftParse);
- }
+ parseSubscript(base, startPos, startLoc, noCalls, subscriptState) {
+ if (this.match(18) && this.isLookaheadToken_lt()) {
+ subscriptState.optionalChainMember = true;
- parseArrow(node) {
- if (this.match(14)) {
- const result = this.tryParse(() => {
- const oldNoAnonFunctionType = this.state.noAnonFunctionType;
- this.state.noAnonFunctionType = true;
- const typeNode = this.startNode();
- [typeNode.typeAnnotation, node.predicate] = this.flowParseTypeAndPredicateInitialiser();
- this.state.noAnonFunctionType = oldNoAnonFunctionType;
- if (this.canInsertSemicolon()) this.unexpected();
- if (!this.match(19)) this.unexpected();
- return typeNode;
- });
- if (result.thrown) return null;
- if (result.error) this.state = result.failState;
- node.returnType = result.node.typeAnnotation ? this.finishNode(result.node, "TypeAnnotation") : null;
- }
+ if (noCalls) {
+ subscriptState.stop = true;
+ return base;
+ }
- return super.parseArrow(node);
- }
-
- shouldParseArrow(params) {
- return this.match(14) || super.shouldParseArrow(params);
- }
-
- setArrowFunctionParameters(node, params) {
- if (this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {
- node.params = params;
- } else {
- super.setArrowFunctionParameters(node, params);
- }
- }
-
- checkParams(node, allowDuplicates, isArrowFunction) {
- if (isArrowFunction && this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {
- return;
- }
-
- for (let i = 0; i < node.params.length; i++) {
- if (this.isThisParam(node.params[i]) && i > 0) {
- this.raise(FlowErrors.ThisParamMustBeFirst, {
- at: node.params[i]
- });
- }
- }
-
- return super.checkParams(...arguments);
- }
-
- parseParenAndDistinguishExpression(canBeArrow) {
- return super.parseParenAndDistinguishExpression(canBeArrow && this.state.noArrowAt.indexOf(this.state.start) === -1);
- }
-
- parseSubscripts(base, startPos, startLoc, noCalls) {
- if (base.type === "Identifier" && base.name === "async" && this.state.noArrowAt.indexOf(startPos) !== -1) {
- this.next();
- const node = this.startNodeAt(startPos, startLoc);
- node.callee = base;
- node.arguments = this.parseCallExpressionArguments(11, false);
- base = this.finishNode(node, "CallExpression");
- } else if (base.type === "Identifier" && base.name === "async" && this.match(47)) {
- const state = this.state.clone();
- const arrow = this.tryParse(abort => this.parseAsyncArrowWithTypeParameters(startPos, startLoc) || abort(), state);
- if (!arrow.error && !arrow.aborted) return arrow.node;
- const result = this.tryParse(() => super.parseSubscripts(base, startPos, startLoc, noCalls), state);
- if (result.node && !result.error) return result.node;
-
- if (arrow.node) {
- this.state = arrow.failState;
- return arrow.node;
- }
-
- if (result.node) {
- this.state = result.failState;
- return result.node;
- }
-
- throw arrow.error || result.error;
- }
-
- return super.parseSubscripts(base, startPos, startLoc, noCalls);
- }
-
- parseSubscript(base, startPos, startLoc, noCalls, subscriptState) {
- if (this.match(18) && this.isLookaheadToken_lt()) {
- subscriptState.optionalChainMember = true;
-
- if (noCalls) {
- subscriptState.stop = true;
- return base;
- }
-
- this.next();
- const node = this.startNodeAt(startPos, startLoc);
- node.callee = base;
- node.typeArguments = this.flowParseTypeParameterInstantiation();
- this.expect(10);
- node.arguments = this.parseCallExpressionArguments(11, false);
- node.optional = true;
- return this.finishCallExpression(node, true);
- } else if (!noCalls && this.shouldParseTypes() && this.match(47)) {
- const node = this.startNodeAt(startPos, startLoc);
- node.callee = base;
- const result = this.tryParse(() => {
- node.typeArguments = this.flowParseTypeParameterInstantiationCallOrNew();
+ this.next();
+ const node = this.startNodeAt(startPos, startLoc);
+ node.callee = base;
+ node.typeArguments = this.flowParseTypeParameterInstantiation();
this.expect(10);
node.arguments = this.parseCallExpressionArguments(11, false);
- if (subscriptState.optionalChainMember) node.optional = false;
- return this.finishCallExpression(node, subscriptState.optionalChainMember);
- });
+ node.optional = true;
+ return this.finishCallExpression(node, true);
+ } else if (!noCalls && this.shouldParseTypes() && this.match(47)) {
+ const node = this.startNodeAt(startPos, startLoc);
+ node.callee = base;
+ const result = this.tryParse(() => {
+ node.typeArguments =
+ this.flowParseTypeParameterInstantiationCallOrNew();
+ this.expect(10);
+ node.arguments = this.parseCallExpressionArguments(11, false);
+ if (subscriptState.optionalChainMember) node.optional = false;
+ return this.finishCallExpression(
+ node,
+ subscriptState.optionalChainMember
+ );
+ });
- if (result.node) {
- if (result.error) this.state = result.failState;
- return result.node;
+ if (result.node) {
+ if (result.error) this.state = result.failState;
+ return result.node;
+ }
}
+
+ return super.parseSubscript(
+ base,
+ startPos,
+ startLoc,
+ noCalls,
+ subscriptState
+ );
}
- return super.parseSubscript(base, startPos, startLoc, noCalls, subscriptState);
- }
+ parseNewCallee(node) {
+ super.parseNewCallee(node);
+ let targs = null;
- parseNewCallee(node) {
- super.parseNewCallee(node);
- let targs = null;
+ if (this.shouldParseTypes() && this.match(47)) {
+ targs = this.tryParse(() =>
+ this.flowParseTypeParameterInstantiationCallOrNew()
+ ).node;
+ }
- if (this.shouldParseTypes() && this.match(47)) {
- targs = this.tryParse(() => this.flowParseTypeParameterInstantiationCallOrNew()).node;
+ node.typeArguments = targs;
}
- node.typeArguments = targs;
- }
-
- parseAsyncArrowWithTypeParameters(startPos, startLoc) {
- const node = this.startNodeAt(startPos, startLoc);
- this.parseFunctionParams(node);
- if (!this.parseArrow(node)) return;
- return this.parseArrowExpression(node, undefined, true);
- }
-
- readToken_mult_modulo(code) {
- const next = this.input.charCodeAt(this.state.pos + 1);
-
- if (code === 42 && next === 47 && this.state.hasFlowComment) {
- this.state.hasFlowComment = false;
- this.state.pos += 2;
- this.nextToken();
- return;
+ parseAsyncArrowWithTypeParameters(startPos, startLoc) {
+ const node = this.startNodeAt(startPos, startLoc);
+ this.parseFunctionParams(node);
+ if (!this.parseArrow(node)) return;
+ return this.parseArrowExpression(node, undefined, true);
}
- super.readToken_mult_modulo(code);
- }
+ readToken_mult_modulo(code) {
+ const next = this.input.charCodeAt(this.state.pos + 1);
- readToken_pipe_amp(code) {
- const next = this.input.charCodeAt(this.state.pos + 1);
+ if (code === 42 && next === 47 && this.state.hasFlowComment) {
+ this.state.hasFlowComment = false;
+ this.state.pos += 2;
+ this.nextToken();
+ return;
+ }
- if (code === 124 && next === 125) {
- this.finishOp(9, 2);
- return;
+ super.readToken_mult_modulo(code);
}
- super.readToken_pipe_amp(code);
- }
+ readToken_pipe_amp(code) {
+ const next = this.input.charCodeAt(this.state.pos + 1);
- parseTopLevel(file, program) {
- const fileNode = super.parseTopLevel(file, program);
+ if (code === 124 && next === 125) {
+ this.finishOp(9, 2);
+ return;
+ }
- if (this.state.hasFlowComment) {
- this.raise(FlowErrors.UnterminatedFlowComment, {
- at: this.state.curPosition()
- });
+ super.readToken_pipe_amp(code);
}
- return fileNode;
- }
+ parseTopLevel(file, program) {
+ const fileNode = super.parseTopLevel(file, program);
- skipBlockComment() {
- if (this.hasPlugin("flowComments") && this.skipFlowComment()) {
if (this.state.hasFlowComment) {
- throw this.raise(FlowErrors.NestedFlowComment, {
- at: this.state.startLoc
+ this.raise(FlowErrors.UnterminatedFlowComment, {
+ at: this.state.curPosition(),
});
}
- this.hasFlowCommentCompletion();
- this.state.pos += this.skipFlowComment();
- this.state.hasFlowComment = true;
- return;
+ return fileNode;
}
- if (this.state.hasFlowComment) {
- const end = this.input.indexOf("*-/", this.state.pos + 2);
+ skipBlockComment() {
+ if (this.hasPlugin('flowComments') && this.skipFlowComment()) {
+ if (this.state.hasFlowComment) {
+ throw this.raise(FlowErrors.NestedFlowComment, {
+ at: this.state.startLoc,
+ });
+ }
+
+ this.hasFlowCommentCompletion();
+ this.state.pos += this.skipFlowComment();
+ this.state.hasFlowComment = true;
+ return;
+ }
+
+ if (this.state.hasFlowComment) {
+ const end = this.input.indexOf('*-/', this.state.pos + 2);
+
+ if (end === -1) {
+ throw this.raise(Errors.UnterminatedComment, {
+ at: this.state.curPosition(),
+ });
+ }
+
+ this.state.pos = end + 2 + 3;
+ return;
+ }
+
+ return super.skipBlockComment();
+ }
+
+ skipFlowComment() {
+ const { pos } = this.state;
+ let shiftToFirstNonWhiteSpace = 2;
+
+ while (
+ [32, 9].includes(this.input.charCodeAt(pos + shiftToFirstNonWhiteSpace))
+ ) {
+ shiftToFirstNonWhiteSpace++;
+ }
+
+ const ch2 = this.input.charCodeAt(shiftToFirstNonWhiteSpace + pos);
+ const ch3 = this.input.charCodeAt(shiftToFirstNonWhiteSpace + pos + 1);
+
+ if (ch2 === 58 && ch3 === 58) {
+ return shiftToFirstNonWhiteSpace + 2;
+ }
+
+ if (
+ this.input.slice(
+ shiftToFirstNonWhiteSpace + pos,
+ shiftToFirstNonWhiteSpace + pos + 12
+ ) === 'flow-include'
+ ) {
+ return shiftToFirstNonWhiteSpace + 12;
+ }
+
+ if (ch2 === 58 && ch3 !== 58) {
+ return shiftToFirstNonWhiteSpace;
+ }
+
+ return false;
+ }
+
+ hasFlowCommentCompletion() {
+ const end = this.input.indexOf('*/', this.state.pos);
if (end === -1) {
throw this.raise(Errors.UnterminatedComment, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
-
- this.state.pos = end + 2 + 3;
- return;
}
- return super.skipBlockComment();
- }
-
- skipFlowComment() {
- const {
- pos
- } = this.state;
- let shiftToFirstNonWhiteSpace = 2;
-
- while ([32, 9].includes(this.input.charCodeAt(pos + shiftToFirstNonWhiteSpace))) {
- shiftToFirstNonWhiteSpace++;
- }
-
- const ch2 = this.input.charCodeAt(shiftToFirstNonWhiteSpace + pos);
- const ch3 = this.input.charCodeAt(shiftToFirstNonWhiteSpace + pos + 1);
-
- if (ch2 === 58 && ch3 === 58) {
- return shiftToFirstNonWhiteSpace + 2;
- }
-
- if (this.input.slice(shiftToFirstNonWhiteSpace + pos, shiftToFirstNonWhiteSpace + pos + 12) === "flow-include") {
- return shiftToFirstNonWhiteSpace + 12;
- }
-
- if (ch2 === 58 && ch3 !== 58) {
- return shiftToFirstNonWhiteSpace;
- }
-
- return false;
- }
-
- hasFlowCommentCompletion() {
- const end = this.input.indexOf("*/", this.state.pos);
-
- if (end === -1) {
- throw this.raise(Errors.UnterminatedComment, {
- at: this.state.curPosition()
+ flowEnumErrorBooleanMemberNotInitialized(loc, { enumName, memberName }) {
+ this.raise(FlowErrors.EnumBooleanMemberNotInitialized, {
+ at: loc,
+ memberName,
+ enumName,
});
}
- }
- flowEnumErrorBooleanMemberNotInitialized(loc, {
- enumName,
- memberName
- }) {
- this.raise(FlowErrors.EnumBooleanMemberNotInitialized, {
- at: loc,
- memberName,
- enumName
- });
- }
+ flowEnumErrorInvalidMemberInitializer(loc, enumContext) {
+ return this.raise(
+ !enumContext.explicitType ?
+ FlowErrors.EnumInvalidMemberInitializerUnknownType
+ : enumContext.explicitType === 'symbol' ?
+ FlowErrors.EnumInvalidMemberInitializerSymbolType
+ : FlowErrors.EnumInvalidMemberInitializerPrimaryType,
+ Object.assign(
+ {
+ at: loc,
+ },
+ enumContext
+ )
+ );
+ }
- flowEnumErrorInvalidMemberInitializer(loc, enumContext) {
- return this.raise(!enumContext.explicitType ? FlowErrors.EnumInvalidMemberInitializerUnknownType : enumContext.explicitType === "symbol" ? FlowErrors.EnumInvalidMemberInitializerSymbolType : FlowErrors.EnumInvalidMemberInitializerPrimaryType, Object.assign({
- at: loc
- }, enumContext));
- }
+ flowEnumErrorNumberMemberNotInitialized(loc, { enumName, memberName }) {
+ this.raise(FlowErrors.EnumNumberMemberNotInitialized, {
+ at: loc,
+ enumName,
+ memberName,
+ });
+ }
- flowEnumErrorNumberMemberNotInitialized(loc, {
- enumName,
- memberName
- }) {
- this.raise(FlowErrors.EnumNumberMemberNotInitialized, {
- at: loc,
- enumName,
- memberName
- });
- }
+ flowEnumErrorStringMemberInconsistentlyInitailized(node, { enumName }) {
+ this.raise(FlowErrors.EnumStringMemberInconsistentlyInitailized, {
+ at: node,
+ enumName,
+ });
+ }
- flowEnumErrorStringMemberInconsistentlyInitailized(node, {
- enumName
- }) {
- this.raise(FlowErrors.EnumStringMemberInconsistentlyInitailized, {
- at: node,
- enumName
- });
- }
+ flowEnumMemberInit() {
+ const startLoc = this.state.startLoc;
- flowEnumMemberInit() {
- const startLoc = this.state.startLoc;
+ const endOfInit = () => this.match(12) || this.match(8);
- const endOfInit = () => this.match(12) || this.match(8);
-
- switch (this.state.type) {
- case 130:
- {
+ switch (this.state.type) {
+ case 130: {
const literal = this.parseNumericLiteral(this.state.value);
if (endOfInit()) {
return {
- type: "number",
+ type: 'number',
loc: literal.loc.start,
- value: literal
+ value: literal,
};
}
return {
- type: "invalid",
- loc: startLoc
+ type: 'invalid',
+ loc: startLoc,
};
}
- case 129:
- {
+ case 129: {
const literal = this.parseStringLiteral(this.state.value);
if (endOfInit()) {
return {
- type: "string",
+ type: 'string',
loc: literal.loc.start,
- value: literal
+ value: literal,
};
}
return {
- type: "invalid",
- loc: startLoc
+ type: 'invalid',
+ loc: startLoc,
};
}
- case 85:
- case 86:
- {
+ case 85:
+ case 86: {
const literal = this.parseBooleanLiteral(this.match(85));
if (endOfInit()) {
return {
- type: "boolean",
+ type: 'boolean',
loc: literal.loc.start,
- value: literal
+ value: literal,
};
}
return {
- type: "invalid",
- loc: startLoc
+ type: 'invalid',
+ loc: startLoc,
};
}
- default:
- return {
- type: "invalid",
- loc: startLoc
- };
- }
- }
-
- flowEnumMemberRaw() {
- const loc = this.state.startLoc;
- const id = this.parseIdentifier(true);
- const init = this.eat(29) ? this.flowEnumMemberInit() : {
- type: "none",
- loc
- };
- return {
- id,
- init
- };
- }
-
- flowEnumCheckExplicitTypeMismatch(loc, context, expectedType) {
- const {
- explicitType
- } = context;
-
- if (explicitType === null) {
- return;
- }
-
- if (explicitType !== expectedType) {
- this.flowEnumErrorInvalidMemberInitializer(loc, context);
- }
- }
-
- flowEnumMembers({
- enumName,
- explicitType
- }) {
- const seenNames = new Set();
- const members = {
- booleanMembers: [],
- numberMembers: [],
- stringMembers: [],
- defaultedMembers: []
- };
- let hasUnknownMembers = false;
-
- while (!this.match(8)) {
- if (this.eat(21)) {
- hasUnknownMembers = true;
- break;
+ default:
+ return {
+ type: 'invalid',
+ loc: startLoc,
+ };
}
+ }
- const memberNode = this.startNode();
- const {
+ flowEnumMemberRaw() {
+ const loc = this.state.startLoc;
+ const id = this.parseIdentifier(true);
+ const init =
+ this.eat(29) ?
+ this.flowEnumMemberInit()
+ : {
+ type: 'none',
+ loc,
+ };
+ return {
id,
- init
- } = this.flowEnumMemberRaw();
- const memberName = id.name;
-
- if (memberName === "") {
- continue;
- }
-
- if (/^[a-z]/.test(memberName)) {
- this.raise(FlowErrors.EnumInvalidMemberName, {
- at: id,
- memberName,
- suggestion: memberName[0].toUpperCase() + memberName.slice(1),
- enumName
- });
- }
-
- if (seenNames.has(memberName)) {
- this.raise(FlowErrors.EnumDuplicateMemberName, {
- at: id,
- memberName,
- enumName
- });
- }
-
- seenNames.add(memberName);
- const context = {
- enumName,
- explicitType,
- memberName
+ init,
};
- memberNode.id = id;
+ }
- switch (init.type) {
- case "boolean":
- {
- this.flowEnumCheckExplicitTypeMismatch(init.loc, context, "boolean");
+ flowEnumCheckExplicitTypeMismatch(loc, context, expectedType) {
+ const { explicitType } = context;
+
+ if (explicitType === null) {
+ return;
+ }
+
+ if (explicitType !== expectedType) {
+ this.flowEnumErrorInvalidMemberInitializer(loc, context);
+ }
+ }
+
+ flowEnumMembers({ enumName, explicitType }) {
+ const seenNames = new Set();
+ const members = {
+ booleanMembers: [],
+ numberMembers: [],
+ stringMembers: [],
+ defaultedMembers: [],
+ };
+ let hasUnknownMembers = false;
+
+ while (!this.match(8)) {
+ if (this.eat(21)) {
+ hasUnknownMembers = true;
+ break;
+ }
+
+ const memberNode = this.startNode();
+ const { id, init } = this.flowEnumMemberRaw();
+ const memberName = id.name;
+
+ if (memberName === '') {
+ continue;
+ }
+
+ if (/^[a-z]/.test(memberName)) {
+ this.raise(FlowErrors.EnumInvalidMemberName, {
+ at: id,
+ memberName,
+ suggestion: memberName[0].toUpperCase() + memberName.slice(1),
+ enumName,
+ });
+ }
+
+ if (seenNames.has(memberName)) {
+ this.raise(FlowErrors.EnumDuplicateMemberName, {
+ at: id,
+ memberName,
+ enumName,
+ });
+ }
+
+ seenNames.add(memberName);
+ const context = {
+ enumName,
+ explicitType,
+ memberName,
+ };
+ memberNode.id = id;
+
+ switch (init.type) {
+ case 'boolean': {
+ this.flowEnumCheckExplicitTypeMismatch(
+ init.loc,
+ context,
+ 'boolean'
+ );
memberNode.init = init.value;
- members.booleanMembers.push(this.finishNode(memberNode, "EnumBooleanMember"));
+ members.booleanMembers.push(
+ this.finishNode(memberNode, 'EnumBooleanMember')
+ );
break;
}
- case "number":
- {
- this.flowEnumCheckExplicitTypeMismatch(init.loc, context, "number");
+ case 'number': {
+ this.flowEnumCheckExplicitTypeMismatch(init.loc, context, 'number');
memberNode.init = init.value;
- members.numberMembers.push(this.finishNode(memberNode, "EnumNumberMember"));
+ members.numberMembers.push(
+ this.finishNode(memberNode, 'EnumNumberMember')
+ );
break;
}
- case "string":
- {
- this.flowEnumCheckExplicitTypeMismatch(init.loc, context, "string");
+ case 'string': {
+ this.flowEnumCheckExplicitTypeMismatch(init.loc, context, 'string');
memberNode.init = init.value;
- members.stringMembers.push(this.finishNode(memberNode, "EnumStringMember"));
+ members.stringMembers.push(
+ this.finishNode(memberNode, 'EnumStringMember')
+ );
break;
}
- case "invalid":
- {
+ case 'invalid': {
throw this.flowEnumErrorInvalidMemberInitializer(init.loc, context);
}
- case "none":
- {
+ case 'none': {
switch (explicitType) {
- case "boolean":
- this.flowEnumErrorBooleanMemberNotInitialized(init.loc, context);
+ case 'boolean':
+ this.flowEnumErrorBooleanMemberNotInitialized(
+ init.loc,
+ context
+ );
break;
- case "number":
+ case 'number':
this.flowEnumErrorNumberMemberNotInitialized(init.loc, context);
break;
default:
- members.defaultedMembers.push(this.finishNode(memberNode, "EnumDefaultedMember"));
+ members.defaultedMembers.push(
+ this.finishNode(memberNode, 'EnumDefaultedMember')
+ );
}
}
+ }
+
+ if (!this.match(8)) {
+ this.expect(12);
+ }
}
- if (!this.match(8)) {
- this.expect(12);
+ return {
+ members,
+ hasUnknownMembers,
+ };
+ }
+
+ flowEnumStringMembers(initializedMembers, defaultedMembers, { enumName }) {
+ if (initializedMembers.length === 0) {
+ return defaultedMembers;
+ } else if (defaultedMembers.length === 0) {
+ return initializedMembers;
+ } else if (defaultedMembers.length > initializedMembers.length) {
+ for (const member of initializedMembers) {
+ this.flowEnumErrorStringMemberInconsistentlyInitailized(member, {
+ enumName,
+ });
+ }
+
+ return defaultedMembers;
+ } else {
+ for (const member of defaultedMembers) {
+ this.flowEnumErrorStringMemberInconsistentlyInitailized(member, {
+ enumName,
+ });
+ }
+
+ return initializedMembers;
}
}
- return {
- members,
- hasUnknownMembers
- };
- }
+ flowEnumParseExplicitType({ enumName }) {
+ if (!this.eatContextual(101)) return null;
- flowEnumStringMembers(initializedMembers, defaultedMembers, {
- enumName
- }) {
- if (initializedMembers.length === 0) {
- return defaultedMembers;
- } else if (defaultedMembers.length === 0) {
- return initializedMembers;
- } else if (defaultedMembers.length > initializedMembers.length) {
- for (const member of initializedMembers) {
- this.flowEnumErrorStringMemberInconsistentlyInitailized(member, {
- enumName
+ if (!tokenIsIdentifier(this.state.type)) {
+ throw this.raise(FlowErrors.EnumInvalidExplicitTypeUnknownSupplied, {
+ at: this.state.startLoc,
+ enumName,
});
}
- return defaultedMembers;
- } else {
- for (const member of defaultedMembers) {
- this.flowEnumErrorStringMemberInconsistentlyInitailized(member, {
- enumName
+ const { value } = this.state;
+ this.next();
+
+ if (
+ value !== 'boolean' &&
+ value !== 'number' &&
+ value !== 'string' &&
+ value !== 'symbol'
+ ) {
+ this.raise(FlowErrors.EnumInvalidExplicitType, {
+ at: this.state.startLoc,
+ enumName,
+ invalidEnumType: value,
});
}
- return initializedMembers;
- }
- }
-
- flowEnumParseExplicitType({
- enumName
- }) {
- if (!this.eatContextual(101)) return null;
-
- if (!tokenIsIdentifier(this.state.type)) {
- throw this.raise(FlowErrors.EnumInvalidExplicitTypeUnknownSupplied, {
- at: this.state.startLoc,
- enumName
- });
+ return value;
}
- const {
- value
- } = this.state;
- this.next();
-
- if (value !== "boolean" && value !== "number" && value !== "string" && value !== "symbol") {
- this.raise(FlowErrors.EnumInvalidExplicitType, {
- at: this.state.startLoc,
+ flowEnumBody(node, id) {
+ const enumName = id.name;
+ const nameLoc = id.loc.start;
+ const explicitType = this.flowEnumParseExplicitType({
enumName,
- invalidEnumType: value
});
- }
+ this.expect(5);
+ const { members, hasUnknownMembers } = this.flowEnumMembers({
+ enumName,
+ explicitType,
+ });
+ node.hasUnknownMembers = hasUnknownMembers;
- return value;
- }
+ switch (explicitType) {
+ case 'boolean':
+ node.explicitType = true;
+ node.members = members.booleanMembers;
+ this.expect(8);
+ return this.finishNode(node, 'EnumBooleanBody');
- flowEnumBody(node, id) {
- const enumName = id.name;
- const nameLoc = id.loc.start;
- const explicitType = this.flowEnumParseExplicitType({
- enumName
- });
- this.expect(5);
- const {
- members,
- hasUnknownMembers
- } = this.flowEnumMembers({
- enumName,
- explicitType
- });
- node.hasUnknownMembers = hasUnknownMembers;
+ case 'number':
+ node.explicitType = true;
+ node.members = members.numberMembers;
+ this.expect(8);
+ return this.finishNode(node, 'EnumNumberBody');
- switch (explicitType) {
- case "boolean":
- node.explicitType = true;
- node.members = members.booleanMembers;
- this.expect(8);
- return this.finishNode(node, "EnumBooleanBody");
+ case 'string':
+ node.explicitType = true;
+ node.members = this.flowEnumStringMembers(
+ members.stringMembers,
+ members.defaultedMembers,
+ {
+ enumName,
+ }
+ );
+ this.expect(8);
+ return this.finishNode(node, 'EnumStringBody');
- case "number":
- node.explicitType = true;
- node.members = members.numberMembers;
- this.expect(8);
- return this.finishNode(node, "EnumNumberBody");
+ case 'symbol':
+ node.members = members.defaultedMembers;
+ this.expect(8);
+ return this.finishNode(node, 'EnumSymbolBody');
- case "string":
- node.explicitType = true;
- node.members = this.flowEnumStringMembers(members.stringMembers, members.defaultedMembers, {
- enumName
- });
- this.expect(8);
- return this.finishNode(node, "EnumStringBody");
-
- case "symbol":
- node.members = members.defaultedMembers;
- this.expect(8);
- return this.finishNode(node, "EnumSymbolBody");
-
- default:
- {
+ default: {
const empty = () => {
node.members = [];
this.expect(8);
- return this.finishNode(node, "EnumStringBody");
+ return this.finishNode(node, 'EnumStringBody');
};
node.explicitType = false;
@@ -7268,697 +8114,727 @@ var flow = (superClass => class extends superClass {
if (!boolsLen && !numsLen && !strsLen && !defaultedLen) {
return empty();
} else if (!boolsLen && !numsLen) {
- node.members = this.flowEnumStringMembers(members.stringMembers, members.defaultedMembers, {
- enumName
- });
+ node.members = this.flowEnumStringMembers(
+ members.stringMembers,
+ members.defaultedMembers,
+ {
+ enumName,
+ }
+ );
this.expect(8);
- return this.finishNode(node, "EnumStringBody");
+ return this.finishNode(node, 'EnumStringBody');
} else if (!numsLen && !strsLen && boolsLen >= defaultedLen) {
for (const member of members.defaultedMembers) {
this.flowEnumErrorBooleanMemberNotInitialized(member.loc.start, {
enumName,
- memberName: member.id.name
+ memberName: member.id.name,
});
}
node.members = members.booleanMembers;
this.expect(8);
- return this.finishNode(node, "EnumBooleanBody");
+ return this.finishNode(node, 'EnumBooleanBody');
} else if (!boolsLen && !strsLen && numsLen >= defaultedLen) {
for (const member of members.defaultedMembers) {
this.flowEnumErrorNumberMemberNotInitialized(member.loc.start, {
enumName,
- memberName: member.id.name
+ memberName: member.id.name,
});
}
node.members = members.numberMembers;
this.expect(8);
- return this.finishNode(node, "EnumNumberBody");
+ return this.finishNode(node, 'EnumNumberBody');
} else {
this.raise(FlowErrors.EnumInconsistentMemberValues, {
at: nameLoc,
- enumName
+ enumName,
});
return empty();
}
}
- }
- }
-
- flowParseEnumDeclaration(node) {
- const id = this.parseIdentifier();
- node.id = id;
- node.body = this.flowEnumBody(this.startNode(), id);
- return this.finishNode(node, "EnumDeclaration");
- }
-
- isLookaheadToken_lt() {
- const next = this.nextTokenStart();
-
- if (this.input.charCodeAt(next) === 60) {
- const afterNext = this.input.charCodeAt(next + 1);
- return afterNext !== 60 && afterNext !== 61;
+ }
}
- return false;
- }
+ flowParseEnumDeclaration(node) {
+ const id = this.parseIdentifier();
+ node.id = id;
+ node.body = this.flowEnumBody(this.startNode(), id);
+ return this.finishNode(node, 'EnumDeclaration');
+ }
- maybeUnwrapTypeCastExpression(node) {
- return node.type === "TypeCastExpression" ? node.expression : node;
- }
+ isLookaheadToken_lt() {
+ const next = this.nextTokenStart();
-});
+ if (this.input.charCodeAt(next) === 60) {
+ const afterNext = this.input.charCodeAt(next + 1);
+ return afterNext !== 60 && afterNext !== 61;
+ }
+
+ return false;
+ }
+
+ maybeUnwrapTypeCastExpression(node) {
+ return node.type === 'TypeCastExpression' ? node.expression : node;
+ }
+ };
const entities = {
__proto__: null,
- quot: "\u0022",
- amp: "&",
- apos: "\u0027",
- lt: "<",
- gt: ">",
- nbsp: "\u00A0",
- iexcl: "\u00A1",
- cent: "\u00A2",
- pound: "\u00A3",
- curren: "\u00A4",
- yen: "\u00A5",
- brvbar: "\u00A6",
- sect: "\u00A7",
- uml: "\u00A8",
- copy: "\u00A9",
- ordf: "\u00AA",
- laquo: "\u00AB",
- not: "\u00AC",
- shy: "\u00AD",
- reg: "\u00AE",
- macr: "\u00AF",
- deg: "\u00B0",
- plusmn: "\u00B1",
- sup2: "\u00B2",
- sup3: "\u00B3",
- acute: "\u00B4",
- micro: "\u00B5",
- para: "\u00B6",
- middot: "\u00B7",
- cedil: "\u00B8",
- sup1: "\u00B9",
- ordm: "\u00BA",
- raquo: "\u00BB",
- frac14: "\u00BC",
- frac12: "\u00BD",
- frac34: "\u00BE",
- iquest: "\u00BF",
- Agrave: "\u00C0",
- Aacute: "\u00C1",
- Acirc: "\u00C2",
- Atilde: "\u00C3",
- Auml: "\u00C4",
- Aring: "\u00C5",
- AElig: "\u00C6",
- Ccedil: "\u00C7",
- Egrave: "\u00C8",
- Eacute: "\u00C9",
- Ecirc: "\u00CA",
- Euml: "\u00CB",
- Igrave: "\u00CC",
- Iacute: "\u00CD",
- Icirc: "\u00CE",
- Iuml: "\u00CF",
- ETH: "\u00D0",
- Ntilde: "\u00D1",
- Ograve: "\u00D2",
- Oacute: "\u00D3",
- Ocirc: "\u00D4",
- Otilde: "\u00D5",
- Ouml: "\u00D6",
- times: "\u00D7",
- Oslash: "\u00D8",
- Ugrave: "\u00D9",
- Uacute: "\u00DA",
- Ucirc: "\u00DB",
- Uuml: "\u00DC",
- Yacute: "\u00DD",
- THORN: "\u00DE",
- szlig: "\u00DF",
- agrave: "\u00E0",
- aacute: "\u00E1",
- acirc: "\u00E2",
- atilde: "\u00E3",
- auml: "\u00E4",
- aring: "\u00E5",
- aelig: "\u00E6",
- ccedil: "\u00E7",
- egrave: "\u00E8",
- eacute: "\u00E9",
- ecirc: "\u00EA",
- euml: "\u00EB",
- igrave: "\u00EC",
- iacute: "\u00ED",
- icirc: "\u00EE",
- iuml: "\u00EF",
- eth: "\u00F0",
- ntilde: "\u00F1",
- ograve: "\u00F2",
- oacute: "\u00F3",
- ocirc: "\u00F4",
- otilde: "\u00F5",
- ouml: "\u00F6",
- divide: "\u00F7",
- oslash: "\u00F8",
- ugrave: "\u00F9",
- uacute: "\u00FA",
- ucirc: "\u00FB",
- uuml: "\u00FC",
- yacute: "\u00FD",
- thorn: "\u00FE",
- yuml: "\u00FF",
- OElig: "\u0152",
- oelig: "\u0153",
- Scaron: "\u0160",
- scaron: "\u0161",
- Yuml: "\u0178",
- fnof: "\u0192",
- circ: "\u02C6",
- tilde: "\u02DC",
- Alpha: "\u0391",
- Beta: "\u0392",
- Gamma: "\u0393",
- Delta: "\u0394",
- Epsilon: "\u0395",
- Zeta: "\u0396",
- Eta: "\u0397",
- Theta: "\u0398",
- Iota: "\u0399",
- Kappa: "\u039A",
- Lambda: "\u039B",
- Mu: "\u039C",
- Nu: "\u039D",
- Xi: "\u039E",
- Omicron: "\u039F",
- Pi: "\u03A0",
- Rho: "\u03A1",
- Sigma: "\u03A3",
- Tau: "\u03A4",
- Upsilon: "\u03A5",
- Phi: "\u03A6",
- Chi: "\u03A7",
- Psi: "\u03A8",
- Omega: "\u03A9",
- alpha: "\u03B1",
- beta: "\u03B2",
- gamma: "\u03B3",
- delta: "\u03B4",
- epsilon: "\u03B5",
- zeta: "\u03B6",
- eta: "\u03B7",
- theta: "\u03B8",
- iota: "\u03B9",
- kappa: "\u03BA",
- lambda: "\u03BB",
- mu: "\u03BC",
- nu: "\u03BD",
- xi: "\u03BE",
- omicron: "\u03BF",
- pi: "\u03C0",
- rho: "\u03C1",
- sigmaf: "\u03C2",
- sigma: "\u03C3",
- tau: "\u03C4",
- upsilon: "\u03C5",
- phi: "\u03C6",
- chi: "\u03C7",
- psi: "\u03C8",
- omega: "\u03C9",
- thetasym: "\u03D1",
- upsih: "\u03D2",
- piv: "\u03D6",
- ensp: "\u2002",
- emsp: "\u2003",
- thinsp: "\u2009",
- zwnj: "\u200C",
- zwj: "\u200D",
- lrm: "\u200E",
- rlm: "\u200F",
- ndash: "\u2013",
- mdash: "\u2014",
- lsquo: "\u2018",
- rsquo: "\u2019",
- sbquo: "\u201A",
- ldquo: "\u201C",
- rdquo: "\u201D",
- bdquo: "\u201E",
- dagger: "\u2020",
- Dagger: "\u2021",
- bull: "\u2022",
- hellip: "\u2026",
- permil: "\u2030",
- prime: "\u2032",
- Prime: "\u2033",
- lsaquo: "\u2039",
- rsaquo: "\u203A",
- oline: "\u203E",
- frasl: "\u2044",
- euro: "\u20AC",
- image: "\u2111",
- weierp: "\u2118",
- real: "\u211C",
- trade: "\u2122",
- alefsym: "\u2135",
- larr: "\u2190",
- uarr: "\u2191",
- rarr: "\u2192",
- darr: "\u2193",
- harr: "\u2194",
- crarr: "\u21B5",
- lArr: "\u21D0",
- uArr: "\u21D1",
- rArr: "\u21D2",
- dArr: "\u21D3",
- hArr: "\u21D4",
- forall: "\u2200",
- part: "\u2202",
- exist: "\u2203",
- empty: "\u2205",
- nabla: "\u2207",
- isin: "\u2208",
- notin: "\u2209",
- ni: "\u220B",
- prod: "\u220F",
- sum: "\u2211",
- minus: "\u2212",
- lowast: "\u2217",
- radic: "\u221A",
- prop: "\u221D",
- infin: "\u221E",
- ang: "\u2220",
- and: "\u2227",
- or: "\u2228",
- cap: "\u2229",
- cup: "\u222A",
- int: "\u222B",
- there4: "\u2234",
- sim: "\u223C",
- cong: "\u2245",
- asymp: "\u2248",
- ne: "\u2260",
- equiv: "\u2261",
- le: "\u2264",
- ge: "\u2265",
- sub: "\u2282",
- sup: "\u2283",
- nsub: "\u2284",
- sube: "\u2286",
- supe: "\u2287",
- oplus: "\u2295",
- otimes: "\u2297",
- perp: "\u22A5",
- sdot: "\u22C5",
- lceil: "\u2308",
- rceil: "\u2309",
- lfloor: "\u230A",
- rfloor: "\u230B",
- lang: "\u2329",
- rang: "\u232A",
- loz: "\u25CA",
- spades: "\u2660",
- clubs: "\u2663",
- hearts: "\u2665",
- diams: "\u2666"
+ quot: '\u0022',
+ amp: '&',
+ apos: '\u0027',
+ lt: '<',
+ gt: '>',
+ nbsp: '\u00A0',
+ iexcl: '\u00A1',
+ cent: '\u00A2',
+ pound: '\u00A3',
+ curren: '\u00A4',
+ yen: '\u00A5',
+ brvbar: '\u00A6',
+ sect: '\u00A7',
+ uml: '\u00A8',
+ copy: '\u00A9',
+ ordf: '\u00AA',
+ laquo: '\u00AB',
+ not: '\u00AC',
+ shy: '\u00AD',
+ reg: '\u00AE',
+ macr: '\u00AF',
+ deg: '\u00B0',
+ plusmn: '\u00B1',
+ sup2: '\u00B2',
+ sup3: '\u00B3',
+ acute: '\u00B4',
+ micro: '\u00B5',
+ para: '\u00B6',
+ middot: '\u00B7',
+ cedil: '\u00B8',
+ sup1: '\u00B9',
+ ordm: '\u00BA',
+ raquo: '\u00BB',
+ frac14: '\u00BC',
+ frac12: '\u00BD',
+ frac34: '\u00BE',
+ iquest: '\u00BF',
+ Agrave: '\u00C0',
+ Aacute: '\u00C1',
+ Acirc: '\u00C2',
+ Atilde: '\u00C3',
+ Auml: '\u00C4',
+ Aring: '\u00C5',
+ AElig: '\u00C6',
+ Ccedil: '\u00C7',
+ Egrave: '\u00C8',
+ Eacute: '\u00C9',
+ Ecirc: '\u00CA',
+ Euml: '\u00CB',
+ Igrave: '\u00CC',
+ Iacute: '\u00CD',
+ Icirc: '\u00CE',
+ Iuml: '\u00CF',
+ ETH: '\u00D0',
+ Ntilde: '\u00D1',
+ Ograve: '\u00D2',
+ Oacute: '\u00D3',
+ Ocirc: '\u00D4',
+ Otilde: '\u00D5',
+ Ouml: '\u00D6',
+ times: '\u00D7',
+ Oslash: '\u00D8',
+ Ugrave: '\u00D9',
+ Uacute: '\u00DA',
+ Ucirc: '\u00DB',
+ Uuml: '\u00DC',
+ Yacute: '\u00DD',
+ THORN: '\u00DE',
+ szlig: '\u00DF',
+ agrave: '\u00E0',
+ aacute: '\u00E1',
+ acirc: '\u00E2',
+ atilde: '\u00E3',
+ auml: '\u00E4',
+ aring: '\u00E5',
+ aelig: '\u00E6',
+ ccedil: '\u00E7',
+ egrave: '\u00E8',
+ eacute: '\u00E9',
+ ecirc: '\u00EA',
+ euml: '\u00EB',
+ igrave: '\u00EC',
+ iacute: '\u00ED',
+ icirc: '\u00EE',
+ iuml: '\u00EF',
+ eth: '\u00F0',
+ ntilde: '\u00F1',
+ ograve: '\u00F2',
+ oacute: '\u00F3',
+ ocirc: '\u00F4',
+ otilde: '\u00F5',
+ ouml: '\u00F6',
+ divide: '\u00F7',
+ oslash: '\u00F8',
+ ugrave: '\u00F9',
+ uacute: '\u00FA',
+ ucirc: '\u00FB',
+ uuml: '\u00FC',
+ yacute: '\u00FD',
+ thorn: '\u00FE',
+ yuml: '\u00FF',
+ OElig: '\u0152',
+ oelig: '\u0153',
+ Scaron: '\u0160',
+ scaron: '\u0161',
+ Yuml: '\u0178',
+ fnof: '\u0192',
+ circ: '\u02C6',
+ tilde: '\u02DC',
+ Alpha: '\u0391',
+ Beta: '\u0392',
+ Gamma: '\u0393',
+ Delta: '\u0394',
+ Epsilon: '\u0395',
+ Zeta: '\u0396',
+ Eta: '\u0397',
+ Theta: '\u0398',
+ Iota: '\u0399',
+ Kappa: '\u039A',
+ Lambda: '\u039B',
+ Mu: '\u039C',
+ Nu: '\u039D',
+ Xi: '\u039E',
+ Omicron: '\u039F',
+ Pi: '\u03A0',
+ Rho: '\u03A1',
+ Sigma: '\u03A3',
+ Tau: '\u03A4',
+ Upsilon: '\u03A5',
+ Phi: '\u03A6',
+ Chi: '\u03A7',
+ Psi: '\u03A8',
+ Omega: '\u03A9',
+ alpha: '\u03B1',
+ beta: '\u03B2',
+ gamma: '\u03B3',
+ delta: '\u03B4',
+ epsilon: '\u03B5',
+ zeta: '\u03B6',
+ eta: '\u03B7',
+ theta: '\u03B8',
+ iota: '\u03B9',
+ kappa: '\u03BA',
+ lambda: '\u03BB',
+ mu: '\u03BC',
+ nu: '\u03BD',
+ xi: '\u03BE',
+ omicron: '\u03BF',
+ pi: '\u03C0',
+ rho: '\u03C1',
+ sigmaf: '\u03C2',
+ sigma: '\u03C3',
+ tau: '\u03C4',
+ upsilon: '\u03C5',
+ phi: '\u03C6',
+ chi: '\u03C7',
+ psi: '\u03C8',
+ omega: '\u03C9',
+ thetasym: '\u03D1',
+ upsih: '\u03D2',
+ piv: '\u03D6',
+ ensp: '\u2002',
+ emsp: '\u2003',
+ thinsp: '\u2009',
+ zwnj: '\u200C',
+ zwj: '\u200D',
+ lrm: '\u200E',
+ rlm: '\u200F',
+ ndash: '\u2013',
+ mdash: '\u2014',
+ lsquo: '\u2018',
+ rsquo: '\u2019',
+ sbquo: '\u201A',
+ ldquo: '\u201C',
+ rdquo: '\u201D',
+ bdquo: '\u201E',
+ dagger: '\u2020',
+ Dagger: '\u2021',
+ bull: '\u2022',
+ hellip: '\u2026',
+ permil: '\u2030',
+ prime: '\u2032',
+ Prime: '\u2033',
+ lsaquo: '\u2039',
+ rsaquo: '\u203A',
+ oline: '\u203E',
+ frasl: '\u2044',
+ euro: '\u20AC',
+ image: '\u2111',
+ weierp: '\u2118',
+ real: '\u211C',
+ trade: '\u2122',
+ alefsym: '\u2135',
+ larr: '\u2190',
+ uarr: '\u2191',
+ rarr: '\u2192',
+ darr: '\u2193',
+ harr: '\u2194',
+ crarr: '\u21B5',
+ lArr: '\u21D0',
+ uArr: '\u21D1',
+ rArr: '\u21D2',
+ dArr: '\u21D3',
+ hArr: '\u21D4',
+ forall: '\u2200',
+ part: '\u2202',
+ exist: '\u2203',
+ empty: '\u2205',
+ nabla: '\u2207',
+ isin: '\u2208',
+ notin: '\u2209',
+ ni: '\u220B',
+ prod: '\u220F',
+ sum: '\u2211',
+ minus: '\u2212',
+ lowast: '\u2217',
+ radic: '\u221A',
+ prop: '\u221D',
+ infin: '\u221E',
+ ang: '\u2220',
+ and: '\u2227',
+ or: '\u2228',
+ cap: '\u2229',
+ cup: '\u222A',
+ int: '\u222B',
+ there4: '\u2234',
+ sim: '\u223C',
+ cong: '\u2245',
+ asymp: '\u2248',
+ ne: '\u2260',
+ equiv: '\u2261',
+ le: '\u2264',
+ ge: '\u2265',
+ sub: '\u2282',
+ sup: '\u2283',
+ nsub: '\u2284',
+ sube: '\u2286',
+ supe: '\u2287',
+ oplus: '\u2295',
+ otimes: '\u2297',
+ perp: '\u22A5',
+ sdot: '\u22C5',
+ lceil: '\u2308',
+ rceil: '\u2309',
+ lfloor: '\u230A',
+ rfloor: '\u230B',
+ lang: '\u2329',
+ rang: '\u232A',
+ loz: '\u25CA',
+ spades: '\u2660',
+ clubs: '\u2663',
+ hearts: '\u2665',
+ diams: '\u2666',
};
-const JsxErrors = ParseErrorEnum`jsx`(_ => ({
- AttributeIsEmpty: _("JSX attributes must only be assigned a non-empty expression."),
- MissingClosingTagElement: _(({
- openingTagName
- }) => `Expected corresponding JSX closing tag for <${openingTagName}>.`),
- MissingClosingTagFragment: _("Expected corresponding JSX closing tag for <>."),
- UnexpectedSequenceExpression: _("Sequence expressions cannot be directly nested inside JSX. Did you mean to wrap it in parentheses (...)?"),
- UnexpectedToken: _(({
- unexpected,
- HTMLEntity
- }) => `Unexpected token \`${unexpected}\`. Did you mean \`${HTMLEntity}\` or \`{'${unexpected}'}\`?`),
- UnsupportedJsxValue: _("JSX value should be either an expression or a quoted JSX text."),
- UnterminatedJsxContent: _("Unterminated JSX contents."),
- UnwrappedAdjacentJSXElements: _("Adjacent JSX elements must be wrapped in an enclosing tag. Did you want a JSX fragment <>...>?")
+const JsxErrors = ParseErrorEnum`jsx`((_) => ({
+ AttributeIsEmpty: _(
+ 'JSX attributes must only be assigned a non-empty expression.'
+ ),
+ MissingClosingTagElement: _(
+ ({ openingTagName }) =>
+ `Expected corresponding JSX closing tag for <${openingTagName}>.`
+ ),
+ MissingClosingTagFragment: _(
+ 'Expected corresponding JSX closing tag for <>.'
+ ),
+ UnexpectedSequenceExpression: _(
+ 'Sequence expressions cannot be directly nested inside JSX. Did you mean to wrap it in parentheses (...)?'
+ ),
+ UnexpectedToken: _(
+ ({ unexpected, HTMLEntity }) =>
+ `Unexpected token \`${unexpected}\`. Did you mean \`${HTMLEntity}\` or \`{'${unexpected}'}\`?`
+ ),
+ UnsupportedJsxValue: _(
+ 'JSX value should be either an expression or a quoted JSX text.'
+ ),
+ UnterminatedJsxContent: _('Unterminated JSX contents.'),
+ UnwrappedAdjacentJSXElements: _(
+ 'Adjacent JSX elements must be wrapped in an enclosing tag. Did you want a JSX fragment <>...>?'
+ ),
}));
function isFragment(object) {
- return object ? object.type === "JSXOpeningFragment" || object.type === "JSXClosingFragment" : false;
+ return object ?
+ object.type === 'JSXOpeningFragment' ||
+ object.type === 'JSXClosingFragment'
+ : false;
}
function getQualifiedJSXName(object) {
- if (object.type === "JSXIdentifier") {
+ if (object.type === 'JSXIdentifier') {
return object.name;
}
- if (object.type === "JSXNamespacedName") {
- return object.namespace.name + ":" + object.name.name;
+ if (object.type === 'JSXNamespacedName') {
+ return object.namespace.name + ':' + object.name.name;
}
- if (object.type === "JSXMemberExpression") {
- return getQualifiedJSXName(object.object) + "." + getQualifiedJSXName(object.property);
+ if (object.type === 'JSXMemberExpression') {
+ return (
+ getQualifiedJSXName(object.object) +
+ '.' +
+ getQualifiedJSXName(object.property)
+ );
}
- throw new Error("Node had unexpected type: " + object.type);
+ throw new Error('Node had unexpected type: ' + object.type);
}
-var jsx = (superClass => class extends superClass {
- jsxReadToken() {
- let out = "";
- let chunkStart = this.state.pos;
+var jsx = (superClass) =>
+ class extends superClass {
+ jsxReadToken() {
+ let out = '';
+ let chunkStart = this.state.pos;
- for (;;) {
- if (this.state.pos >= this.length) {
- throw this.raise(JsxErrors.UnterminatedJsxContent, {
- at: this.state.startLoc
- });
- }
-
- const ch = this.input.charCodeAt(this.state.pos);
-
- switch (ch) {
- case 60:
- case 123:
- if (this.state.pos === this.state.start) {
- if (ch === 60 && this.state.canStartJSXElement) {
- ++this.state.pos;
- return this.finishToken(138);
- }
-
- return super.getTokenFromCode(ch);
- }
-
- out += this.input.slice(chunkStart, this.state.pos);
- return this.finishToken(137, out);
-
- case 38:
- out += this.input.slice(chunkStart, this.state.pos);
- out += this.jsxReadEntity();
- chunkStart = this.state.pos;
- break;
-
- case 62:
- case 125:
-
- default:
- if (isNewLine(ch)) {
- out += this.input.slice(chunkStart, this.state.pos);
- out += this.jsxReadNewLine(true);
- chunkStart = this.state.pos;
- } else {
- ++this.state.pos;
- }
-
- }
- }
- }
-
- jsxReadNewLine(normalizeCRLF) {
- const ch = this.input.charCodeAt(this.state.pos);
- let out;
- ++this.state.pos;
-
- if (ch === 13 && this.input.charCodeAt(this.state.pos) === 10) {
- ++this.state.pos;
- out = normalizeCRLF ? "\n" : "\r\n";
- } else {
- out = String.fromCharCode(ch);
- }
-
- ++this.state.curLine;
- this.state.lineStart = this.state.pos;
- return out;
- }
-
- jsxReadString(quote) {
- let out = "";
- let chunkStart = ++this.state.pos;
-
- for (;;) {
- if (this.state.pos >= this.length) {
- throw this.raise(Errors.UnterminatedString, {
- at: this.state.startLoc
- });
- }
-
- const ch = this.input.charCodeAt(this.state.pos);
- if (ch === quote) break;
-
- if (ch === 38) {
- out += this.input.slice(chunkStart, this.state.pos);
- out += this.jsxReadEntity();
- chunkStart = this.state.pos;
- } else if (isNewLine(ch)) {
- out += this.input.slice(chunkStart, this.state.pos);
- out += this.jsxReadNewLine(false);
- chunkStart = this.state.pos;
- } else {
- ++this.state.pos;
- }
- }
-
- out += this.input.slice(chunkStart, this.state.pos++);
- return this.finishToken(129, out);
- }
-
- jsxReadEntity() {
- const startPos = ++this.state.pos;
-
- if (this.codePointAtPos(this.state.pos) === 35) {
- ++this.state.pos;
- let radix = 10;
-
- if (this.codePointAtPos(this.state.pos) === 120) {
- radix = 16;
- ++this.state.pos;
- }
-
- const codePoint = this.readInt(radix, undefined, false, "bail");
-
- if (codePoint !== null && this.codePointAtPos(this.state.pos) === 59) {
- ++this.state.pos;
- return String.fromCodePoint(codePoint);
- }
- } else {
- let count = 0;
- let semi = false;
-
- while (count++ < 10 && this.state.pos < this.length && !(semi = this.codePointAtPos(this.state.pos) == 59)) {
- ++this.state.pos;
- }
-
- if (semi) {
- const desc = this.input.slice(startPos, this.state.pos);
- const entity = entities[desc];
- ++this.state.pos;
-
- if (entity) {
- return entity;
- }
- }
- }
-
- this.state.pos = startPos;
- return "&";
- }
-
- jsxReadWord() {
- let ch;
- const start = this.state.pos;
-
- do {
- ch = this.input.charCodeAt(++this.state.pos);
- } while (isIdentifierChar(ch) || ch === 45);
-
- return this.finishToken(136, this.input.slice(start, this.state.pos));
- }
-
- jsxParseIdentifier() {
- const node = this.startNode();
-
- if (this.match(136)) {
- node.name = this.state.value;
- } else if (tokenIsKeyword(this.state.type)) {
- node.name = tokenLabelName(this.state.type);
- } else {
- this.unexpected();
- }
-
- this.next();
- return this.finishNode(node, "JSXIdentifier");
- }
-
- jsxParseNamespacedName() {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- const name = this.jsxParseIdentifier();
- if (!this.eat(14)) return name;
- const node = this.startNodeAt(startPos, startLoc);
- node.namespace = name;
- node.name = this.jsxParseIdentifier();
- return this.finishNode(node, "JSXNamespacedName");
- }
-
- jsxParseElementName() {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- let node = this.jsxParseNamespacedName();
-
- if (node.type === "JSXNamespacedName") {
- return node;
- }
-
- while (this.eat(16)) {
- const newNode = this.startNodeAt(startPos, startLoc);
- newNode.object = node;
- newNode.property = this.jsxParseIdentifier();
- node = this.finishNode(newNode, "JSXMemberExpression");
- }
-
- return node;
- }
-
- jsxParseAttributeValue() {
- let node;
-
- switch (this.state.type) {
- case 5:
- node = this.startNode();
- this.setContext(types.brace);
- this.next();
- node = this.jsxParseExpressionContainer(node, types.j_oTag);
-
- if (node.expression.type === "JSXEmptyExpression") {
- this.raise(JsxErrors.AttributeIsEmpty, {
- at: node
+ for (;;) {
+ if (this.state.pos >= this.length) {
+ throw this.raise(JsxErrors.UnterminatedJsxContent, {
+ at: this.state.startLoc,
});
}
- return node;
+ const ch = this.input.charCodeAt(this.state.pos);
- case 138:
- case 129:
- return this.parseExprAtom();
+ switch (ch) {
+ case 60:
+ case 123:
+ if (this.state.pos === this.state.start) {
+ if (ch === 60 && this.state.canStartJSXElement) {
+ ++this.state.pos;
+ return this.finishToken(138);
+ }
- default:
- throw this.raise(JsxErrors.UnsupportedJsxValue, {
- at: this.state.startLoc
- });
- }
- }
+ return super.getTokenFromCode(ch);
+ }
- jsxParseEmptyExpression() {
- const node = this.startNodeAt(this.state.lastTokEndLoc.index, this.state.lastTokEndLoc);
- return this.finishNodeAt(node, "JSXEmptyExpression", this.state.startLoc);
- }
+ out += this.input.slice(chunkStart, this.state.pos);
+ return this.finishToken(137, out);
- jsxParseSpreadChild(node) {
- this.next();
- node.expression = this.parseExpression();
- this.setContext(types.j_oTag);
- this.state.canStartJSXElement = true;
- this.expect(8);
- return this.finishNode(node, "JSXSpreadChild");
- }
+ case 38:
+ out += this.input.slice(chunkStart, this.state.pos);
+ out += this.jsxReadEntity();
+ chunkStart = this.state.pos;
+ break;
- jsxParseExpressionContainer(node, previousContext) {
- if (this.match(8)) {
- node.expression = this.jsxParseEmptyExpression();
- } else {
- const expression = this.parseExpression();
- node.expression = expression;
+ case 62:
+ case 125:
+
+ default:
+ if (isNewLine(ch)) {
+ out += this.input.slice(chunkStart, this.state.pos);
+ out += this.jsxReadNewLine(true);
+ chunkStart = this.state.pos;
+ } else {
+ ++this.state.pos;
+ }
+ }
+ }
}
- this.setContext(previousContext);
- this.state.canStartJSXElement = true;
- this.expect(8);
- return this.finishNode(node, "JSXExpressionContainer");
- }
+ jsxReadNewLine(normalizeCRLF) {
+ const ch = this.input.charCodeAt(this.state.pos);
+ let out;
+ ++this.state.pos;
- jsxParseAttribute() {
- const node = this.startNode();
+ if (ch === 13 && this.input.charCodeAt(this.state.pos) === 10) {
+ ++this.state.pos;
+ out = normalizeCRLF ? '\n' : '\r\n';
+ } else {
+ out = String.fromCharCode(ch);
+ }
+
+ ++this.state.curLine;
+ this.state.lineStart = this.state.pos;
+ return out;
+ }
+
+ jsxReadString(quote) {
+ let out = '';
+ let chunkStart = ++this.state.pos;
+
+ for (;;) {
+ if (this.state.pos >= this.length) {
+ throw this.raise(Errors.UnterminatedString, {
+ at: this.state.startLoc,
+ });
+ }
+
+ const ch = this.input.charCodeAt(this.state.pos);
+ if (ch === quote) break;
+
+ if (ch === 38) {
+ out += this.input.slice(chunkStart, this.state.pos);
+ out += this.jsxReadEntity();
+ chunkStart = this.state.pos;
+ } else if (isNewLine(ch)) {
+ out += this.input.slice(chunkStart, this.state.pos);
+ out += this.jsxReadNewLine(false);
+ chunkStart = this.state.pos;
+ } else {
+ ++this.state.pos;
+ }
+ }
+
+ out += this.input.slice(chunkStart, this.state.pos++);
+ return this.finishToken(129, out);
+ }
+
+ jsxReadEntity() {
+ const startPos = ++this.state.pos;
+
+ if (this.codePointAtPos(this.state.pos) === 35) {
+ ++this.state.pos;
+ let radix = 10;
+
+ if (this.codePointAtPos(this.state.pos) === 120) {
+ radix = 16;
+ ++this.state.pos;
+ }
+
+ const codePoint = this.readInt(radix, undefined, false, 'bail');
+
+ if (codePoint !== null && this.codePointAtPos(this.state.pos) === 59) {
+ ++this.state.pos;
+ return String.fromCodePoint(codePoint);
+ }
+ } else {
+ let count = 0;
+ let semi = false;
+
+ while (
+ count++ < 10 &&
+ this.state.pos < this.length &&
+ !(semi = this.codePointAtPos(this.state.pos) == 59)
+ ) {
+ ++this.state.pos;
+ }
+
+ if (semi) {
+ const desc = this.input.slice(startPos, this.state.pos);
+ const entity = entities[desc];
+ ++this.state.pos;
+
+ if (entity) {
+ return entity;
+ }
+ }
+ }
+
+ this.state.pos = startPos;
+ return '&';
+ }
+
+ jsxReadWord() {
+ let ch;
+ const start = this.state.pos;
+
+ do {
+ ch = this.input.charCodeAt(++this.state.pos);
+ } while (isIdentifierChar(ch) || ch === 45);
+
+ return this.finishToken(136, this.input.slice(start, this.state.pos));
+ }
+
+ jsxParseIdentifier() {
+ const node = this.startNode();
+
+ if (this.match(136)) {
+ node.name = this.state.value;
+ } else if (tokenIsKeyword(this.state.type)) {
+ node.name = tokenLabelName(this.state.type);
+ } else {
+ this.unexpected();
+ }
- if (this.match(5)) {
- this.setContext(types.brace);
this.next();
- this.expect(21);
- node.argument = this.parseMaybeAssignAllowIn();
+ return this.finishNode(node, 'JSXIdentifier');
+ }
+
+ jsxParseNamespacedName() {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ const name = this.jsxParseIdentifier();
+ if (!this.eat(14)) return name;
+ const node = this.startNodeAt(startPos, startLoc);
+ node.namespace = name;
+ node.name = this.jsxParseIdentifier();
+ return this.finishNode(node, 'JSXNamespacedName');
+ }
+
+ jsxParseElementName() {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ let node = this.jsxParseNamespacedName();
+
+ if (node.type === 'JSXNamespacedName') {
+ return node;
+ }
+
+ while (this.eat(16)) {
+ const newNode = this.startNodeAt(startPos, startLoc);
+ newNode.object = node;
+ newNode.property = this.jsxParseIdentifier();
+ node = this.finishNode(newNode, 'JSXMemberExpression');
+ }
+
+ return node;
+ }
+
+ jsxParseAttributeValue() {
+ let node;
+
+ switch (this.state.type) {
+ case 5:
+ node = this.startNode();
+ this.setContext(types.brace);
+ this.next();
+ node = this.jsxParseExpressionContainer(node, types.j_oTag);
+
+ if (node.expression.type === 'JSXEmptyExpression') {
+ this.raise(JsxErrors.AttributeIsEmpty, {
+ at: node,
+ });
+ }
+
+ return node;
+
+ case 138:
+ case 129:
+ return this.parseExprAtom();
+
+ default:
+ throw this.raise(JsxErrors.UnsupportedJsxValue, {
+ at: this.state.startLoc,
+ });
+ }
+ }
+
+ jsxParseEmptyExpression() {
+ const node = this.startNodeAt(
+ this.state.lastTokEndLoc.index,
+ this.state.lastTokEndLoc
+ );
+ return this.finishNodeAt(node, 'JSXEmptyExpression', this.state.startLoc);
+ }
+
+ jsxParseSpreadChild(node) {
+ this.next();
+ node.expression = this.parseExpression();
this.setContext(types.j_oTag);
this.state.canStartJSXElement = true;
this.expect(8);
- return this.finishNode(node, "JSXSpreadAttribute");
+ return this.finishNode(node, 'JSXSpreadChild');
}
- node.name = this.jsxParseNamespacedName();
- node.value = this.eat(29) ? this.jsxParseAttributeValue() : null;
- return this.finishNode(node, "JSXAttribute");
- }
+ jsxParseExpressionContainer(node, previousContext) {
+ if (this.match(8)) {
+ node.expression = this.jsxParseEmptyExpression();
+ } else {
+ const expression = this.parseExpression();
+ node.expression = expression;
+ }
- jsxParseOpeningElementAt(startPos, startLoc) {
- const node = this.startNodeAt(startPos, startLoc);
-
- if (this.eat(139)) {
- return this.finishNode(node, "JSXOpeningFragment");
+ this.setContext(previousContext);
+ this.state.canStartJSXElement = true;
+ this.expect(8);
+ return this.finishNode(node, 'JSXExpressionContainer');
}
- node.name = this.jsxParseElementName();
- return this.jsxParseOpeningElementAfterName(node);
- }
+ jsxParseAttribute() {
+ const node = this.startNode();
- jsxParseOpeningElementAfterName(node) {
- const attributes = [];
+ if (this.match(5)) {
+ this.setContext(types.brace);
+ this.next();
+ this.expect(21);
+ node.argument = this.parseMaybeAssignAllowIn();
+ this.setContext(types.j_oTag);
+ this.state.canStartJSXElement = true;
+ this.expect(8);
+ return this.finishNode(node, 'JSXSpreadAttribute');
+ }
- while (!this.match(56) && !this.match(139)) {
- attributes.push(this.jsxParseAttribute());
+ node.name = this.jsxParseNamespacedName();
+ node.value = this.eat(29) ? this.jsxParseAttributeValue() : null;
+ return this.finishNode(node, 'JSXAttribute');
}
- node.attributes = attributes;
- node.selfClosing = this.eat(56);
- this.expect(139);
- return this.finishNode(node, "JSXOpeningElement");
- }
+ jsxParseOpeningElementAt(startPos, startLoc) {
+ const node = this.startNodeAt(startPos, startLoc);
- jsxParseClosingElementAt(startPos, startLoc) {
- const node = this.startNodeAt(startPos, startLoc);
+ if (this.eat(139)) {
+ return this.finishNode(node, 'JSXOpeningFragment');
+ }
- if (this.eat(139)) {
- return this.finishNode(node, "JSXClosingFragment");
+ node.name = this.jsxParseElementName();
+ return this.jsxParseOpeningElementAfterName(node);
}
- node.name = this.jsxParseElementName();
- this.expect(139);
- return this.finishNode(node, "JSXClosingElement");
- }
+ jsxParseOpeningElementAfterName(node) {
+ const attributes = [];
- jsxParseElementAt(startPos, startLoc) {
- const node = this.startNodeAt(startPos, startLoc);
- const children = [];
- const openingElement = this.jsxParseOpeningElementAt(startPos, startLoc);
- let closingElement = null;
+ while (!this.match(56) && !this.match(139)) {
+ attributes.push(this.jsxParseAttribute());
+ }
- if (!openingElement.selfClosing) {
- contents: for (;;) {
- switch (this.state.type) {
- case 138:
- startPos = this.state.start;
- startLoc = this.state.startLoc;
- this.next();
+ node.attributes = attributes;
+ node.selfClosing = this.eat(56);
+ this.expect(139);
+ return this.finishNode(node, 'JSXOpeningElement');
+ }
- if (this.eat(56)) {
- closingElement = this.jsxParseClosingElementAt(startPos, startLoc);
- break contents;
- }
+ jsxParseClosingElementAt(startPos, startLoc) {
+ const node = this.startNodeAt(startPos, startLoc);
- children.push(this.jsxParseElementAt(startPos, startLoc));
- break;
+ if (this.eat(139)) {
+ return this.finishNode(node, 'JSXClosingFragment');
+ }
- case 137:
- children.push(this.parseExprAtom());
- break;
+ node.name = this.jsxParseElementName();
+ this.expect(139);
+ return this.finishNode(node, 'JSXClosingElement');
+ }
- case 5:
- {
+ jsxParseElementAt(startPos, startLoc) {
+ const node = this.startNodeAt(startPos, startLoc);
+ const children = [];
+ const openingElement = this.jsxParseOpeningElementAt(startPos, startLoc);
+ let closingElement = null;
+
+ if (!openingElement.selfClosing) {
+ contents: for (;;) {
+ switch (this.state.type) {
+ case 138:
+ startPos = this.state.start;
+ startLoc = this.state.startLoc;
+ this.next();
+
+ if (this.eat(56)) {
+ closingElement = this.jsxParseClosingElementAt(
+ startPos,
+ startLoc
+ );
+ break contents;
+ }
+
+ children.push(this.jsxParseElementAt(startPos, startLoc));
+ break;
+
+ case 137:
+ children.push(this.parseExprAtom());
+ break;
+
+ case 5: {
const node = this.startNode();
this.setContext(types.brace);
this.next();
@@ -7966,144 +8842,157 @@ var jsx = (superClass => class extends superClass {
if (this.match(21)) {
children.push(this.jsxParseSpreadChild(node));
} else {
- children.push(this.jsxParseExpressionContainer(node, types.j_expr));
+ children.push(
+ this.jsxParseExpressionContainer(node, types.j_expr)
+ );
}
break;
}
- default:
- throw this.unexpected();
+ default:
+ throw this.unexpected();
+ }
}
- }
- if (isFragment(openingElement) && !isFragment(closingElement) && closingElement !== null) {
- this.raise(JsxErrors.MissingClosingTagFragment, {
- at: closingElement
- });
- } else if (!isFragment(openingElement) && isFragment(closingElement)) {
- this.raise(JsxErrors.MissingClosingTagElement, {
- at: closingElement,
- openingTagName: getQualifiedJSXName(openingElement.name)
- });
- } else if (!isFragment(openingElement) && !isFragment(closingElement)) {
- if (getQualifiedJSXName(closingElement.name) !== getQualifiedJSXName(openingElement.name)) {
+ if (
+ isFragment(openingElement) &&
+ !isFragment(closingElement) &&
+ closingElement !== null
+ ) {
+ this.raise(JsxErrors.MissingClosingTagFragment, {
+ at: closingElement,
+ });
+ } else if (!isFragment(openingElement) && isFragment(closingElement)) {
this.raise(JsxErrors.MissingClosingTagElement, {
at: closingElement,
- openingTagName: getQualifiedJSXName(openingElement.name)
+ openingTagName: getQualifiedJSXName(openingElement.name),
});
+ } else if (!isFragment(openingElement) && !isFragment(closingElement)) {
+ if (
+ getQualifiedJSXName(closingElement.name) !==
+ getQualifiedJSXName(openingElement.name)
+ ) {
+ this.raise(JsxErrors.MissingClosingTagElement, {
+ at: closingElement,
+ openingTagName: getQualifiedJSXName(openingElement.name),
+ });
+ }
}
}
- }
- if (isFragment(openingElement)) {
- node.openingFragment = openingElement;
- node.closingFragment = closingElement;
- } else {
- node.openingElement = openingElement;
- node.closingElement = closingElement;
- }
-
- node.children = children;
-
- if (this.match(47)) {
- throw this.raise(JsxErrors.UnwrappedAdjacentJSXElements, {
- at: this.state.startLoc
- });
- }
-
- return isFragment(openingElement) ? this.finishNode(node, "JSXFragment") : this.finishNode(node, "JSXElement");
- }
-
- jsxParseElement() {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- this.next();
- return this.jsxParseElementAt(startPos, startLoc);
- }
-
- setContext(newContext) {
- const {
- context
- } = this.state;
- context[context.length - 1] = newContext;
- }
-
- parseExprAtom(refExpressionErrors) {
- if (this.match(137)) {
- return this.parseLiteral(this.state.value, "JSXText");
- } else if (this.match(138)) {
- return this.jsxParseElement();
- } else if (this.match(47) && this.input.charCodeAt(this.state.pos) !== 33) {
- this.replaceToken(138);
- return this.jsxParseElement();
- } else {
- return super.parseExprAtom(refExpressionErrors);
- }
- }
-
- skipSpace() {
- const curContext = this.curContext();
- if (!curContext.preserveSpace) super.skipSpace();
- }
-
- getTokenFromCode(code) {
- const context = this.curContext();
-
- if (context === types.j_expr) {
- return this.jsxReadToken();
- }
-
- if (context === types.j_oTag || context === types.j_cTag) {
- if (isIdentifierStart(code)) {
- return this.jsxReadWord();
- }
-
- if (code === 62) {
- ++this.state.pos;
- return this.finishToken(139);
- }
-
- if ((code === 34 || code === 39) && context === types.j_oTag) {
- return this.jsxReadString(code);
- }
- }
-
- if (code === 60 && this.state.canStartJSXElement && this.input.charCodeAt(this.state.pos + 1) !== 33) {
- ++this.state.pos;
- return this.finishToken(138);
- }
-
- return super.getTokenFromCode(code);
- }
-
- updateContext(prevType) {
- const {
- context,
- type
- } = this.state;
-
- if (type === 56 && prevType === 138) {
- context.splice(-2, 2, types.j_cTag);
- this.state.canStartJSXElement = false;
- } else if (type === 138) {
- context.push(types.j_oTag);
- } else if (type === 139) {
- const out = context[context.length - 1];
-
- if (out === types.j_oTag && prevType === 56 || out === types.j_cTag) {
- context.pop();
- this.state.canStartJSXElement = context[context.length - 1] === types.j_expr;
+ if (isFragment(openingElement)) {
+ node.openingFragment = openingElement;
+ node.closingFragment = closingElement;
} else {
- this.setContext(types.j_expr);
- this.state.canStartJSXElement = true;
+ node.openingElement = openingElement;
+ node.closingElement = closingElement;
}
- } else {
- this.state.canStartJSXElement = tokenComesBeforeExpression(type);
- }
- }
-});
+ node.children = children;
+
+ if (this.match(47)) {
+ throw this.raise(JsxErrors.UnwrappedAdjacentJSXElements, {
+ at: this.state.startLoc,
+ });
+ }
+
+ return isFragment(openingElement) ?
+ this.finishNode(node, 'JSXFragment')
+ : this.finishNode(node, 'JSXElement');
+ }
+
+ jsxParseElement() {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ this.next();
+ return this.jsxParseElementAt(startPos, startLoc);
+ }
+
+ setContext(newContext) {
+ const { context } = this.state;
+ context[context.length - 1] = newContext;
+ }
+
+ parseExprAtom(refExpressionErrors) {
+ if (this.match(137)) {
+ return this.parseLiteral(this.state.value, 'JSXText');
+ } else if (this.match(138)) {
+ return this.jsxParseElement();
+ } else if (
+ this.match(47) &&
+ this.input.charCodeAt(this.state.pos) !== 33
+ ) {
+ this.replaceToken(138);
+ return this.jsxParseElement();
+ } else {
+ return super.parseExprAtom(refExpressionErrors);
+ }
+ }
+
+ skipSpace() {
+ const curContext = this.curContext();
+ if (!curContext.preserveSpace) super.skipSpace();
+ }
+
+ getTokenFromCode(code) {
+ const context = this.curContext();
+
+ if (context === types.j_expr) {
+ return this.jsxReadToken();
+ }
+
+ if (context === types.j_oTag || context === types.j_cTag) {
+ if (isIdentifierStart(code)) {
+ return this.jsxReadWord();
+ }
+
+ if (code === 62) {
+ ++this.state.pos;
+ return this.finishToken(139);
+ }
+
+ if ((code === 34 || code === 39) && context === types.j_oTag) {
+ return this.jsxReadString(code);
+ }
+ }
+
+ if (
+ code === 60 &&
+ this.state.canStartJSXElement &&
+ this.input.charCodeAt(this.state.pos + 1) !== 33
+ ) {
+ ++this.state.pos;
+ return this.finishToken(138);
+ }
+
+ return super.getTokenFromCode(code);
+ }
+
+ updateContext(prevType) {
+ const { context, type } = this.state;
+
+ if (type === 56 && prevType === 138) {
+ context.splice(-2, 2, types.j_cTag);
+ this.state.canStartJSXElement = false;
+ } else if (type === 138) {
+ context.push(types.j_oTag);
+ } else if (type === 139) {
+ const out = context[context.length - 1];
+
+ if ((out === types.j_oTag && prevType === 56) || out === types.j_cTag) {
+ context.pop();
+ this.state.canStartJSXElement =
+ context[context.length - 1] === types.j_expr;
+ } else {
+ this.setContext(types.j_expr);
+ this.state.canStartJSXElement = true;
+ }
+ } else {
+ this.state.canStartJSXElement = tokenComesBeforeExpression(type);
+ }
+ }
+ };
class TypeScriptScope extends Scope {
constructor(...args) {
@@ -8114,7 +9003,6 @@ class TypeScriptScope extends Scope {
this.classes = new Set();
this.exportOnlyBindings = new Set();
}
-
}
class TypeScriptScopeHandler extends ScopeHandler {
@@ -8175,18 +9063,19 @@ class TypeScriptScopeHandler extends ScopeHandler {
checkLocalExport(id) {
const topLevelScope = this.scopeStack[0];
- const {
- name
- } = id;
+ const { name } = id;
- if (!topLevelScope.types.has(name) && !topLevelScope.exportOnlyBindings.has(name)) {
+ if (
+ !topLevelScope.types.has(name) &&
+ !topLevelScope.exportOnlyBindings.has(name)
+ ) {
super.checkLocalExport(id);
}
}
-
}
-const getOwn$1 = (object, key) => Object.hasOwnProperty.call(object, key) && object[key];
+const getOwn$1 = (object, key) =>
+ Object.hasOwnProperty.call(object, key) && object[key];
function nonNull(x) {
if (x == null) {
@@ -8198,7 +9087,7 @@ function nonNull(x) {
function assert(x) {
if (!x) {
- throw new Error("Assert fail");
+ throw new Error('Assert fail');
}
}
@@ -8206,131 +9095,209 @@ function tsTokenCanStartExpression(token) {
return tokenCanStartExpression(token) || tokenIsBinaryOperator(token);
}
-const TSErrors = ParseErrorEnum`typescript`(_ => ({
- AbstractMethodHasImplementation: _(({
- methodName
- }) => `Method '${methodName}' cannot have an implementation because it is marked abstract.`),
- AbstractPropertyHasInitializer: _(({
- propertyName
- }) => `Property '${propertyName}' cannot have an initializer because it is marked abstract.`),
- AccesorCannotDeclareThisParameter: _("'get' and 'set' accessors cannot declare 'this' parameters."),
- AccesorCannotHaveTypeParameters: _("An accessor cannot have type parameters."),
- CannotFindName: _(({
- name
- }) => `Cannot find name '${name}'.`),
+const TSErrors = ParseErrorEnum`typescript`((_) => ({
+ AbstractMethodHasImplementation: _(
+ ({ methodName }) =>
+ `Method '${methodName}' cannot have an implementation because it is marked abstract.`
+ ),
+ AbstractPropertyHasInitializer: _(
+ ({ propertyName }) =>
+ `Property '${propertyName}' cannot have an initializer because it is marked abstract.`
+ ),
+ AccesorCannotDeclareThisParameter: _(
+ "'get' and 'set' accessors cannot declare 'this' parameters."
+ ),
+ AccesorCannotHaveTypeParameters: _(
+ 'An accessor cannot have type parameters.'
+ ),
+ CannotFindName: _(({ name }) => `Cannot find name '${name}'.`),
ClassMethodHasDeclare: _("Class methods cannot have the 'declare' modifier."),
- ClassMethodHasReadonly: _("Class methods cannot have the 'readonly' modifier."),
- ConstInitiailizerMustBeStringOrNumericLiteralOrLiteralEnumReference: _("A 'const' initializer in an ambient context must be a string or numeric literal or literal enum reference."),
- ConstructorHasTypeParameters: _("Type parameters cannot appear on a constructor declaration."),
- DeclareAccessor: _(({
- kind
- }) => `'declare' is not allowed in ${kind}ters.`),
- DeclareClassFieldHasInitializer: _("Initializers are not allowed in ambient contexts."),
- DeclareFunctionHasImplementation: _("An implementation cannot be declared in ambient contexts."),
- DuplicateAccessibilityModifier: _(({
- modifier
- }) => `Accessibility modifier already seen.`),
- DuplicateModifier: _(({
- modifier
- }) => `Duplicate modifier: '${modifier}'.`),
- EmptyHeritageClauseType: _(({
- token
- }) => `'${token}' list cannot be empty.`),
- EmptyTypeArguments: _("Type argument list cannot be empty."),
- EmptyTypeParameters: _("Type parameter list cannot be empty."),
- ExpectedAmbientAfterExportDeclare: _("'export declare' must be followed by an ambient declaration."),
+ ClassMethodHasReadonly: _(
+ "Class methods cannot have the 'readonly' modifier."
+ ),
+ ConstInitiailizerMustBeStringOrNumericLiteralOrLiteralEnumReference: _(
+ "A 'const' initializer in an ambient context must be a string or numeric literal or literal enum reference."
+ ),
+ ConstructorHasTypeParameters: _(
+ 'Type parameters cannot appear on a constructor declaration.'
+ ),
+ DeclareAccessor: _(({ kind }) => `'declare' is not allowed in ${kind}ters.`),
+ DeclareClassFieldHasInitializer: _(
+ 'Initializers are not allowed in ambient contexts.'
+ ),
+ DeclareFunctionHasImplementation: _(
+ 'An implementation cannot be declared in ambient contexts.'
+ ),
+ DuplicateAccessibilityModifier: _(
+ ({ modifier }) => `Accessibility modifier already seen.`
+ ),
+ DuplicateModifier: _(({ modifier }) => `Duplicate modifier: '${modifier}'.`),
+ EmptyHeritageClauseType: _(({ token }) => `'${token}' list cannot be empty.`),
+ EmptyTypeArguments: _('Type argument list cannot be empty.'),
+ EmptyTypeParameters: _('Type parameter list cannot be empty.'),
+ ExpectedAmbientAfterExportDeclare: _(
+ "'export declare' must be followed by an ambient declaration."
+ ),
ImportAliasHasImportType: _("An import alias can not use 'import type'."),
- IncompatibleModifiers: _(({
- modifiers
- }) => `'${modifiers[0]}' modifier cannot be used with '${modifiers[1]}' modifier.`),
- IndexSignatureHasAbstract: _("Index signatures cannot have the 'abstract' modifier."),
- IndexSignatureHasAccessibility: _(({
- modifier
- }) => `Index signatures cannot have an accessibility modifier ('${modifier}').`),
- IndexSignatureHasDeclare: _("Index signatures cannot have the 'declare' modifier."),
- IndexSignatureHasOverride: _("'override' modifier cannot appear on an index signature."),
- IndexSignatureHasStatic: _("Index signatures cannot have the 'static' modifier."),
- InitializerNotAllowedInAmbientContext: _("Initializers are not allowed in ambient contexts."),
- InvalidModifierOnTypeMember: _(({
- modifier
- }) => `'${modifier}' modifier cannot appear on a type member.`),
- InvalidModifierOnTypeParameter: _(({
- modifier
- }) => `'${modifier}' modifier cannot appear on a type parameter.`),
- InvalidModifierOnTypeParameterPositions: _(({
- modifier
- }) => `'${modifier}' modifier can only appear on a type parameter of a class, interface or type alias.`),
- InvalidModifiersOrder: _(({
- orderedModifiers
- }) => `'${orderedModifiers[0]}' modifier must precede '${orderedModifiers[1]}' modifier.`),
- InvalidTupleMemberLabel: _("Tuple members must be labeled with a simple identifier."),
- MissingInterfaceName: _("'interface' declarations must be followed by an identifier."),
- MixedLabeledAndUnlabeledElements: _("Tuple members must all have names or all not have names."),
- NonAbstractClassHasAbstractMethod: _("Abstract methods can only appear within an abstract class."),
- NonClassMethodPropertyHasAbstractModifer: _("'abstract' modifier can only appear on a class, method, or property declaration."),
- OptionalTypeBeforeRequired: _("A required element cannot follow an optional element."),
- OverrideNotInSubClass: _("This member cannot have an 'override' modifier because its containing class does not extend another class."),
- PatternIsOptional: _("A binding pattern parameter cannot be optional in an implementation signature."),
- PrivateElementHasAbstract: _("Private elements cannot have the 'abstract' modifier."),
- PrivateElementHasAccessibility: _(({
- modifier
- }) => `Private elements cannot have an accessibility modifier ('${modifier}').`),
- ReadonlyForMethodSignature: _("'readonly' modifier can only appear on a property declaration or index signature."),
- ReservedArrowTypeParam: _("This syntax is reserved in files with the .mts or .cts extension. Add a trailing comma, as in `() => ...`."),
- ReservedTypeAssertion: _("This syntax is reserved in files with the .mts or .cts extension. Use an `as` expression instead."),
- SetAccesorCannotHaveOptionalParameter: _("A 'set' accessor cannot have an optional parameter."),
- SetAccesorCannotHaveRestParameter: _("A 'set' accessor cannot have rest parameter."),
- SetAccesorCannotHaveReturnType: _("A 'set' accessor cannot have a return type annotation."),
- SingleTypeParameterWithoutTrailingComma: _(({
- typeParameterName
- }) => `Single type parameter ${typeParameterName} should have a trailing comma. Example usage: <${typeParameterName},>.`),
- StaticBlockCannotHaveModifier: _("Static class blocks cannot have any modifier."),
- TypeAnnotationAfterAssign: _("Type annotations must come before default assignments, e.g. instead of `age = 25: number` use `age: number = 25`."),
- TypeImportCannotSpecifyDefaultAndNamed: _("A type-only import can specify a default import or named bindings, but not both."),
- TypeModifierIsUsedInTypeExports: _("The 'type' modifier cannot be used on a named export when 'export type' is used on its export statement."),
- TypeModifierIsUsedInTypeImports: _("The 'type' modifier cannot be used on a named import when 'import type' is used on its import statement."),
- UnexpectedParameterModifier: _("A parameter property is only allowed in a constructor implementation."),
- UnexpectedReadonly: _("'readonly' type modifier is only permitted on array and tuple literal types."),
- UnexpectedTypeAnnotation: _("Did not expect a type annotation here."),
- UnexpectedTypeCastInParameter: _("Unexpected type cast in parameter position."),
- UnsupportedImportTypeArgument: _("Argument in a type import must be a string literal."),
- UnsupportedParameterPropertyKind: _("A parameter property may not be declared using a binding pattern."),
- UnsupportedSignatureParameterKind: _(({
- type
- }) => `Name in a signature must be an Identifier, ObjectPattern or ArrayPattern, instead got ${type}.`)
+ IncompatibleModifiers: _(
+ ({ modifiers }) =>
+ `'${modifiers[0]}' modifier cannot be used with '${modifiers[1]}' modifier.`
+ ),
+ IndexSignatureHasAbstract: _(
+ "Index signatures cannot have the 'abstract' modifier."
+ ),
+ IndexSignatureHasAccessibility: _(
+ ({ modifier }) =>
+ `Index signatures cannot have an accessibility modifier ('${modifier}').`
+ ),
+ IndexSignatureHasDeclare: _(
+ "Index signatures cannot have the 'declare' modifier."
+ ),
+ IndexSignatureHasOverride: _(
+ "'override' modifier cannot appear on an index signature."
+ ),
+ IndexSignatureHasStatic: _(
+ "Index signatures cannot have the 'static' modifier."
+ ),
+ InitializerNotAllowedInAmbientContext: _(
+ 'Initializers are not allowed in ambient contexts.'
+ ),
+ InvalidModifierOnTypeMember: _(
+ ({ modifier }) => `'${modifier}' modifier cannot appear on a type member.`
+ ),
+ InvalidModifierOnTypeParameter: _(
+ ({ modifier }) =>
+ `'${modifier}' modifier cannot appear on a type parameter.`
+ ),
+ InvalidModifierOnTypeParameterPositions: _(
+ ({ modifier }) =>
+ `'${modifier}' modifier can only appear on a type parameter of a class, interface or type alias.`
+ ),
+ InvalidModifiersOrder: _(
+ ({ orderedModifiers }) =>
+ `'${orderedModifiers[0]}' modifier must precede '${orderedModifiers[1]}' modifier.`
+ ),
+ InvalidTupleMemberLabel: _(
+ 'Tuple members must be labeled with a simple identifier.'
+ ),
+ MissingInterfaceName: _(
+ "'interface' declarations must be followed by an identifier."
+ ),
+ MixedLabeledAndUnlabeledElements: _(
+ 'Tuple members must all have names or all not have names.'
+ ),
+ NonAbstractClassHasAbstractMethod: _(
+ 'Abstract methods can only appear within an abstract class.'
+ ),
+ NonClassMethodPropertyHasAbstractModifer: _(
+ "'abstract' modifier can only appear on a class, method, or property declaration."
+ ),
+ OptionalTypeBeforeRequired: _(
+ 'A required element cannot follow an optional element.'
+ ),
+ OverrideNotInSubClass: _(
+ "This member cannot have an 'override' modifier because its containing class does not extend another class."
+ ),
+ PatternIsOptional: _(
+ 'A binding pattern parameter cannot be optional in an implementation signature.'
+ ),
+ PrivateElementHasAbstract: _(
+ "Private elements cannot have the 'abstract' modifier."
+ ),
+ PrivateElementHasAccessibility: _(
+ ({ modifier }) =>
+ `Private elements cannot have an accessibility modifier ('${modifier}').`
+ ),
+ ReadonlyForMethodSignature: _(
+ "'readonly' modifier can only appear on a property declaration or index signature."
+ ),
+ ReservedArrowTypeParam: _(
+ 'This syntax is reserved in files with the .mts or .cts extension. Add a trailing comma, as in `() => ...`.'
+ ),
+ ReservedTypeAssertion: _(
+ 'This syntax is reserved in files with the .mts or .cts extension. Use an `as` expression instead.'
+ ),
+ SetAccesorCannotHaveOptionalParameter: _(
+ "A 'set' accessor cannot have an optional parameter."
+ ),
+ SetAccesorCannotHaveRestParameter: _(
+ "A 'set' accessor cannot have rest parameter."
+ ),
+ SetAccesorCannotHaveReturnType: _(
+ "A 'set' accessor cannot have a return type annotation."
+ ),
+ SingleTypeParameterWithoutTrailingComma: _(
+ ({ typeParameterName }) =>
+ `Single type parameter ${typeParameterName} should have a trailing comma. Example usage: <${typeParameterName},>.`
+ ),
+ StaticBlockCannotHaveModifier: _(
+ 'Static class blocks cannot have any modifier.'
+ ),
+ TypeAnnotationAfterAssign: _(
+ 'Type annotations must come before default assignments, e.g. instead of `age = 25: number` use `age: number = 25`.'
+ ),
+ TypeImportCannotSpecifyDefaultAndNamed: _(
+ 'A type-only import can specify a default import or named bindings, but not both.'
+ ),
+ TypeModifierIsUsedInTypeExports: _(
+ "The 'type' modifier cannot be used on a named export when 'export type' is used on its export statement."
+ ),
+ TypeModifierIsUsedInTypeImports: _(
+ "The 'type' modifier cannot be used on a named import when 'import type' is used on its import statement."
+ ),
+ UnexpectedParameterModifier: _(
+ 'A parameter property is only allowed in a constructor implementation.'
+ ),
+ UnexpectedReadonly: _(
+ "'readonly' type modifier is only permitted on array and tuple literal types."
+ ),
+ UnexpectedTypeAnnotation: _('Did not expect a type annotation here.'),
+ UnexpectedTypeCastInParameter: _(
+ 'Unexpected type cast in parameter position.'
+ ),
+ UnsupportedImportTypeArgument: _(
+ 'Argument in a type import must be a string literal.'
+ ),
+ UnsupportedParameterPropertyKind: _(
+ 'A parameter property may not be declared using a binding pattern.'
+ ),
+ UnsupportedSignatureParameterKind: _(
+ ({ type }) =>
+ `Name in a signature must be an Identifier, ObjectPattern or ArrayPattern, instead got ${type}.`
+ ),
}));
function keywordTypeFromName(value) {
switch (value) {
- case "any":
- return "TSAnyKeyword";
+ case 'any':
+ return 'TSAnyKeyword';
- case "boolean":
- return "TSBooleanKeyword";
+ case 'boolean':
+ return 'TSBooleanKeyword';
- case "bigint":
- return "TSBigIntKeyword";
+ case 'bigint':
+ return 'TSBigIntKeyword';
- case "never":
- return "TSNeverKeyword";
+ case 'never':
+ return 'TSNeverKeyword';
- case "number":
- return "TSNumberKeyword";
+ case 'number':
+ return 'TSNumberKeyword';
- case "object":
- return "TSObjectKeyword";
+ case 'object':
+ return 'TSObjectKeyword';
- case "string":
- return "TSStringKeyword";
+ case 'string':
+ return 'TSStringKeyword';
- case "symbol":
- return "TSSymbolKeyword";
+ case 'symbol':
+ return 'TSSymbolKeyword';
- case "undefined":
- return "TSUndefinedKeyword";
+ case 'undefined':
+ return 'TSUndefinedKeyword';
- case "unknown":
- return "TSUnknownKeyword";
+ case 'unknown':
+ return 'TSUnknownKeyword';
default:
return undefined;
@@ -8338,842 +9305,953 @@ function keywordTypeFromName(value) {
}
function tsIsAccessModifier(modifier) {
- return modifier === "private" || modifier === "public" || modifier === "protected";
+ return (
+ modifier === 'private' || modifier === 'public' || modifier === 'protected'
+ );
}
function tsIsVarianceAnnotations(modifier) {
- return modifier === "in" || modifier === "out";
+ return modifier === 'in' || modifier === 'out';
}
-var typescript = (superClass => class extends superClass {
- getScopeHandler() {
- return TypeScriptScopeHandler;
- }
-
- tsIsIdentifier() {
- return tokenIsIdentifier(this.state.type);
- }
-
- tsTokenCanFollowModifier() {
- return (this.match(0) || this.match(5) || this.match(55) || this.match(21) || this.match(134) || this.isLiteralPropertyName()) && !this.hasPrecedingLineBreak();
- }
-
- tsNextTokenCanFollowModifier() {
- this.next();
- return this.tsTokenCanFollowModifier();
- }
-
- tsParseModifier(allowedModifiers, stopOnStartOfClassStaticBlock) {
- if (!tokenIsIdentifier(this.state.type) && this.state.type !== 58) {
- return undefined;
+var typescript = (superClass) =>
+ class extends superClass {
+ getScopeHandler() {
+ return TypeScriptScopeHandler;
}
- const modifier = this.state.value;
+ tsIsIdentifier() {
+ return tokenIsIdentifier(this.state.type);
+ }
- if (allowedModifiers.indexOf(modifier) !== -1) {
- if (stopOnStartOfClassStaticBlock && this.tsIsStartOfStaticBlocks()) {
+ tsTokenCanFollowModifier() {
+ return (
+ (this.match(0) ||
+ this.match(5) ||
+ this.match(55) ||
+ this.match(21) ||
+ this.match(134) ||
+ this.isLiteralPropertyName()) &&
+ !this.hasPrecedingLineBreak()
+ );
+ }
+
+ tsNextTokenCanFollowModifier() {
+ this.next();
+ return this.tsTokenCanFollowModifier();
+ }
+
+ tsParseModifier(allowedModifiers, stopOnStartOfClassStaticBlock) {
+ if (!tokenIsIdentifier(this.state.type) && this.state.type !== 58) {
return undefined;
}
- if (this.tsTryParse(this.tsNextTokenCanFollowModifier.bind(this))) {
- return modifier;
- }
- }
+ const modifier = this.state.value;
- return undefined;
- }
-
- tsParseModifiers({
- modified,
- allowedModifiers,
- disallowedModifiers,
- stopOnStartOfClassStaticBlock,
- errorTemplate = TSErrors.InvalidModifierOnTypeMember
- }) {
- const enforceOrder = (loc, modifier, before, after) => {
- if (modifier === before && modified[after]) {
- this.raise(TSErrors.InvalidModifiersOrder, {
- at: loc,
- orderedModifiers: [before, after]
- });
- }
- };
-
- const incompatible = (loc, modifier, mod1, mod2) => {
- if (modified[mod1] && modifier === mod2 || modified[mod2] && modifier === mod1) {
- this.raise(TSErrors.IncompatibleModifiers, {
- at: loc,
- modifiers: [mod1, mod2]
- });
- }
- };
-
- for (;;) {
- const {
- startLoc
- } = this.state;
- const modifier = this.tsParseModifier(allowedModifiers.concat(disallowedModifiers != null ? disallowedModifiers : []), stopOnStartOfClassStaticBlock);
- if (!modifier) break;
-
- if (tsIsAccessModifier(modifier)) {
- if (modified.accessibility) {
- this.raise(TSErrors.DuplicateAccessibilityModifier, {
- at: startLoc,
- modifier
- });
- } else {
- enforceOrder(startLoc, modifier, modifier, "override");
- enforceOrder(startLoc, modifier, modifier, "static");
- enforceOrder(startLoc, modifier, modifier, "readonly");
- modified.accessibility = modifier;
- }
- } else if (tsIsVarianceAnnotations(modifier)) {
- if (modified[modifier]) {
- this.raise(TSErrors.DuplicateModifier, {
- at: startLoc,
- modifier
- });
+ if (allowedModifiers.indexOf(modifier) !== -1) {
+ if (stopOnStartOfClassStaticBlock && this.tsIsStartOfStaticBlocks()) {
+ return undefined;
}
- modified[modifier] = true;
- enforceOrder(startLoc, modifier, "in", "out");
- } else {
- if (Object.hasOwnProperty.call(modified, modifier)) {
- this.raise(TSErrors.DuplicateModifier, {
- at: startLoc,
- modifier
- });
- } else {
- enforceOrder(startLoc, modifier, "static", "readonly");
- enforceOrder(startLoc, modifier, "static", "override");
- enforceOrder(startLoc, modifier, "override", "readonly");
- enforceOrder(startLoc, modifier, "abstract", "override");
- incompatible(startLoc, modifier, "declare", "override");
- incompatible(startLoc, modifier, "static", "abstract");
+ if (this.tsTryParse(this.tsNextTokenCanFollowModifier.bind(this))) {
+ return modifier;
}
-
- modified[modifier] = true;
- }
-
- if (disallowedModifiers != null && disallowedModifiers.includes(modifier)) {
- this.raise(errorTemplate, {
- at: startLoc,
- modifier
- });
- }
- }
- }
-
- tsIsListTerminator(kind) {
- switch (kind) {
- case "EnumMembers":
- case "TypeMembers":
- return this.match(8);
-
- case "HeritageClauseElement":
- return this.match(5);
-
- case "TupleElementTypes":
- return this.match(3);
-
- case "TypeParametersOrArguments":
- return this.match(48);
- }
-
- throw new Error("Unreachable");
- }
-
- tsParseList(kind, parseElement) {
- const result = [];
-
- while (!this.tsIsListTerminator(kind)) {
- result.push(parseElement());
- }
-
- return result;
- }
-
- tsParseDelimitedList(kind, parseElement, refTrailingCommaPos) {
- return nonNull(this.tsParseDelimitedListWorker(kind, parseElement, true, refTrailingCommaPos));
- }
-
- tsParseDelimitedListWorker(kind, parseElement, expectSuccess, refTrailingCommaPos) {
- const result = [];
- let trailingCommaPos = -1;
-
- for (;;) {
- if (this.tsIsListTerminator(kind)) {
- break;
- }
-
- trailingCommaPos = -1;
- const element = parseElement();
-
- if (element == null) {
- return undefined;
- }
-
- result.push(element);
-
- if (this.eat(12)) {
- trailingCommaPos = this.state.lastTokStart;
- continue;
- }
-
- if (this.tsIsListTerminator(kind)) {
- break;
- }
-
- if (expectSuccess) {
- this.expect(12);
}
return undefined;
}
- if (refTrailingCommaPos) {
- refTrailingCommaPos.value = trailingCommaPos;
+ tsParseModifiers({
+ modified,
+ allowedModifiers,
+ disallowedModifiers,
+ stopOnStartOfClassStaticBlock,
+ errorTemplate = TSErrors.InvalidModifierOnTypeMember,
+ }) {
+ const enforceOrder = (loc, modifier, before, after) => {
+ if (modifier === before && modified[after]) {
+ this.raise(TSErrors.InvalidModifiersOrder, {
+ at: loc,
+ orderedModifiers: [before, after],
+ });
+ }
+ };
+
+ const incompatible = (loc, modifier, mod1, mod2) => {
+ if (
+ (modified[mod1] && modifier === mod2) ||
+ (modified[mod2] && modifier === mod1)
+ ) {
+ this.raise(TSErrors.IncompatibleModifiers, {
+ at: loc,
+ modifiers: [mod1, mod2],
+ });
+ }
+ };
+
+ for (;;) {
+ const { startLoc } = this.state;
+ const modifier = this.tsParseModifier(
+ allowedModifiers.concat(
+ disallowedModifiers != null ? disallowedModifiers : []
+ ),
+ stopOnStartOfClassStaticBlock
+ );
+ if (!modifier) break;
+
+ if (tsIsAccessModifier(modifier)) {
+ if (modified.accessibility) {
+ this.raise(TSErrors.DuplicateAccessibilityModifier, {
+ at: startLoc,
+ modifier,
+ });
+ } else {
+ enforceOrder(startLoc, modifier, modifier, 'override');
+ enforceOrder(startLoc, modifier, modifier, 'static');
+ enforceOrder(startLoc, modifier, modifier, 'readonly');
+ modified.accessibility = modifier;
+ }
+ } else if (tsIsVarianceAnnotations(modifier)) {
+ if (modified[modifier]) {
+ this.raise(TSErrors.DuplicateModifier, {
+ at: startLoc,
+ modifier,
+ });
+ }
+
+ modified[modifier] = true;
+ enforceOrder(startLoc, modifier, 'in', 'out');
+ } else {
+ if (Object.hasOwnProperty.call(modified, modifier)) {
+ this.raise(TSErrors.DuplicateModifier, {
+ at: startLoc,
+ modifier,
+ });
+ } else {
+ enforceOrder(startLoc, modifier, 'static', 'readonly');
+ enforceOrder(startLoc, modifier, 'static', 'override');
+ enforceOrder(startLoc, modifier, 'override', 'readonly');
+ enforceOrder(startLoc, modifier, 'abstract', 'override');
+ incompatible(startLoc, modifier, 'declare', 'override');
+ incompatible(startLoc, modifier, 'static', 'abstract');
+ }
+
+ modified[modifier] = true;
+ }
+
+ if (
+ disallowedModifiers != null &&
+ disallowedModifiers.includes(modifier)
+ ) {
+ this.raise(errorTemplate, {
+ at: startLoc,
+ modifier,
+ });
+ }
+ }
}
- return result;
- }
+ tsIsListTerminator(kind) {
+ switch (kind) {
+ case 'EnumMembers':
+ case 'TypeMembers':
+ return this.match(8);
+
+ case 'HeritageClauseElement':
+ return this.match(5);
+
+ case 'TupleElementTypes':
+ return this.match(3);
+
+ case 'TypeParametersOrArguments':
+ return this.match(48);
+ }
+
+ throw new Error('Unreachable');
+ }
+
+ tsParseList(kind, parseElement) {
+ const result = [];
+
+ while (!this.tsIsListTerminator(kind)) {
+ result.push(parseElement());
+ }
+
+ return result;
+ }
+
+ tsParseDelimitedList(kind, parseElement, refTrailingCommaPos) {
+ return nonNull(
+ this.tsParseDelimitedListWorker(
+ kind,
+ parseElement,
+ true,
+ refTrailingCommaPos
+ )
+ );
+ }
+
+ tsParseDelimitedListWorker(
+ kind,
+ parseElement,
+ expectSuccess,
+ refTrailingCommaPos
+ ) {
+ const result = [];
+ let trailingCommaPos = -1;
+
+ for (;;) {
+ if (this.tsIsListTerminator(kind)) {
+ break;
+ }
+
+ trailingCommaPos = -1;
+ const element = parseElement();
+
+ if (element == null) {
+ return undefined;
+ }
+
+ result.push(element);
+
+ if (this.eat(12)) {
+ trailingCommaPos = this.state.lastTokStart;
+ continue;
+ }
+
+ if (this.tsIsListTerminator(kind)) {
+ break;
+ }
+
+ if (expectSuccess) {
+ this.expect(12);
+ }
+
+ return undefined;
+ }
+
+ if (refTrailingCommaPos) {
+ refTrailingCommaPos.value = trailingCommaPos;
+ }
+
+ return result;
+ }
+
+ tsParseBracketedList(
+ kind,
+ parseElement,
+ bracket,
+ skipFirstToken,
+ refTrailingCommaPos
+ ) {
+ if (!skipFirstToken) {
+ if (bracket) {
+ this.expect(0);
+ } else {
+ this.expect(47);
+ }
+ }
+
+ const result = this.tsParseDelimitedList(
+ kind,
+ parseElement,
+ refTrailingCommaPos
+ );
- tsParseBracketedList(kind, parseElement, bracket, skipFirstToken, refTrailingCommaPos) {
- if (!skipFirstToken) {
if (bracket) {
- this.expect(0);
+ this.expect(3);
} else {
- this.expect(47);
+ this.expect(48);
+ }
+
+ return result;
+ }
+
+ tsParseImportType() {
+ const node = this.startNode();
+ this.expect(83);
+ this.expect(10);
+
+ if (!this.match(129)) {
+ this.raise(TSErrors.UnsupportedImportTypeArgument, {
+ at: this.state.startLoc,
+ });
+ }
+
+ node.argument = this.parseExprAtom();
+ this.expect(11);
+
+ if (this.eat(16)) {
+ node.qualifier = this.tsParseEntityName();
+ }
+
+ if (this.match(47)) {
+ node.typeParameters = this.tsParseTypeArguments();
+ }
+
+ return this.finishNode(node, 'TSImportType');
+ }
+
+ tsParseEntityName(allowReservedWords = true) {
+ let entity = this.parseIdentifier(allowReservedWords);
+
+ while (this.eat(16)) {
+ const node = this.startNodeAtNode(entity);
+ node.left = entity;
+ node.right = this.parseIdentifier(allowReservedWords);
+ entity = this.finishNode(node, 'TSQualifiedName');
+ }
+
+ return entity;
+ }
+
+ tsParseTypeReference() {
+ const node = this.startNode();
+ node.typeName = this.tsParseEntityName();
+
+ if (!this.hasPrecedingLineBreak() && this.match(47)) {
+ node.typeParameters = this.tsParseTypeArguments();
+ }
+
+ return this.finishNode(node, 'TSTypeReference');
+ }
+
+ tsParseThisTypePredicate(lhs) {
+ this.next();
+ const node = this.startNodeAtNode(lhs);
+ node.parameterName = lhs;
+ node.typeAnnotation = this.tsParseTypeAnnotation(false);
+ node.asserts = false;
+ return this.finishNode(node, 'TSTypePredicate');
+ }
+
+ tsParseThisTypeNode() {
+ const node = this.startNode();
+ this.next();
+ return this.finishNode(node, 'TSThisType');
+ }
+
+ tsParseTypeQuery() {
+ const node = this.startNode();
+ this.expect(87);
+
+ if (this.match(83)) {
+ node.exprName = this.tsParseImportType();
+ } else {
+ node.exprName = this.tsParseEntityName();
+ }
+
+ if (!this.hasPrecedingLineBreak() && this.match(47)) {
+ node.typeParameters = this.tsParseTypeArguments();
+ }
+
+ return this.finishNode(node, 'TSTypeQuery');
+ }
+
+ tsParseInOutModifiers(node) {
+ this.tsParseModifiers({
+ modified: node,
+ allowedModifiers: ['in', 'out'],
+ disallowedModifiers: [
+ 'public',
+ 'private',
+ 'protected',
+ 'readonly',
+ 'declare',
+ 'abstract',
+ 'override',
+ ],
+ errorTemplate: TSErrors.InvalidModifierOnTypeParameter,
+ });
+ }
+
+ tsParseNoneModifiers(node) {
+ this.tsParseModifiers({
+ modified: node,
+ allowedModifiers: [],
+ disallowedModifiers: ['in', 'out'],
+ errorTemplate: TSErrors.InvalidModifierOnTypeParameterPositions,
+ });
+ }
+
+ tsParseTypeParameter(
+ parseModifiers = this.tsParseNoneModifiers.bind(this)
+ ) {
+ const node = this.startNode();
+ parseModifiers(node);
+ node.name = this.tsParseTypeParameterName();
+ node.constraint = this.tsEatThenParseType(81);
+ node.default = this.tsEatThenParseType(29);
+ return this.finishNode(node, 'TSTypeParameter');
+ }
+
+ tsTryParseTypeParameters(parseModifiers) {
+ if (this.match(47)) {
+ return this.tsParseTypeParameters(parseModifiers);
}
}
- const result = this.tsParseDelimitedList(kind, parseElement, refTrailingCommaPos);
+ tsParseTypeParameters(parseModifiers) {
+ const node = this.startNode();
- if (bracket) {
+ if (this.match(47) || this.match(138)) {
+ this.next();
+ } else {
+ this.unexpected();
+ }
+
+ const refTrailingCommaPos = {
+ value: -1,
+ };
+ node.params = this.tsParseBracketedList(
+ 'TypeParametersOrArguments',
+ this.tsParseTypeParameter.bind(this, parseModifiers),
+ false,
+ true,
+ refTrailingCommaPos
+ );
+
+ if (node.params.length === 0) {
+ this.raise(TSErrors.EmptyTypeParameters, {
+ at: node,
+ });
+ }
+
+ if (refTrailingCommaPos.value !== -1) {
+ this.addExtra(node, 'trailingComma', refTrailingCommaPos.value);
+ }
+
+ return this.finishNode(node, 'TSTypeParameterDeclaration');
+ }
+
+ tsTryNextParseConstantContext() {
+ if (this.lookahead().type !== 75) return null;
+ this.next();
+ const typeReference = this.tsParseTypeReference();
+
+ if (typeReference.typeParameters) {
+ this.raise(TSErrors.CannotFindName, {
+ at: typeReference.typeName,
+ name: 'const',
+ });
+ }
+
+ return typeReference;
+ }
+
+ tsFillSignature(returnToken, signature) {
+ const returnTokenRequired = returnToken === 19;
+ const paramsKey = 'parameters';
+ const returnTypeKey = 'typeAnnotation';
+ signature.typeParameters = this.tsTryParseTypeParameters();
+ this.expect(10);
+ signature[paramsKey] = this.tsParseBindingListForSignature();
+
+ if (returnTokenRequired) {
+ signature[returnTypeKey] =
+ this.tsParseTypeOrTypePredicateAnnotation(returnToken);
+ } else if (this.match(returnToken)) {
+ signature[returnTypeKey] =
+ this.tsParseTypeOrTypePredicateAnnotation(returnToken);
+ }
+ }
+
+ tsParseBindingListForSignature() {
+ return this.parseBindingList(11, 41).map((pattern) => {
+ if (
+ pattern.type !== 'Identifier' &&
+ pattern.type !== 'RestElement' &&
+ pattern.type !== 'ObjectPattern' &&
+ pattern.type !== 'ArrayPattern'
+ ) {
+ this.raise(TSErrors.UnsupportedSignatureParameterKind, {
+ at: pattern,
+ type: pattern.type,
+ });
+ }
+
+ return pattern;
+ });
+ }
+
+ tsParseTypeMemberSemicolon() {
+ if (!this.eat(12) && !this.isLineTerminator()) {
+ this.expect(13);
+ }
+ }
+
+ tsParseSignatureMember(kind, node) {
+ this.tsFillSignature(14, node);
+ this.tsParseTypeMemberSemicolon();
+ return this.finishNode(node, kind);
+ }
+
+ tsIsUnambiguouslyIndexSignature() {
+ this.next();
+
+ if (tokenIsIdentifier(this.state.type)) {
+ this.next();
+ return this.match(14);
+ }
+
+ return false;
+ }
+
+ tsTryParseIndexSignature(node) {
+ if (
+ !(
+ this.match(0) &&
+ this.tsLookAhead(this.tsIsUnambiguouslyIndexSignature.bind(this))
+ )
+ ) {
+ return undefined;
+ }
+
+ this.expect(0);
+ const id = this.parseIdentifier();
+ id.typeAnnotation = this.tsParseTypeAnnotation();
+ this.resetEndLocation(id);
this.expect(3);
- } else {
- this.expect(48);
- }
-
- return result;
- }
-
- tsParseImportType() {
- const node = this.startNode();
- this.expect(83);
- this.expect(10);
-
- if (!this.match(129)) {
- this.raise(TSErrors.UnsupportedImportTypeArgument, {
- at: this.state.startLoc
- });
- }
-
- node.argument = this.parseExprAtom();
- this.expect(11);
-
- if (this.eat(16)) {
- node.qualifier = this.tsParseEntityName();
- }
-
- if (this.match(47)) {
- node.typeParameters = this.tsParseTypeArguments();
- }
-
- return this.finishNode(node, "TSImportType");
- }
-
- tsParseEntityName(allowReservedWords = true) {
- let entity = this.parseIdentifier(allowReservedWords);
-
- while (this.eat(16)) {
- const node = this.startNodeAtNode(entity);
- node.left = entity;
- node.right = this.parseIdentifier(allowReservedWords);
- entity = this.finishNode(node, "TSQualifiedName");
- }
-
- return entity;
- }
-
- tsParseTypeReference() {
- const node = this.startNode();
- node.typeName = this.tsParseEntityName();
-
- if (!this.hasPrecedingLineBreak() && this.match(47)) {
- node.typeParameters = this.tsParseTypeArguments();
- }
-
- return this.finishNode(node, "TSTypeReference");
- }
-
- tsParseThisTypePredicate(lhs) {
- this.next();
- const node = this.startNodeAtNode(lhs);
- node.parameterName = lhs;
- node.typeAnnotation = this.tsParseTypeAnnotation(false);
- node.asserts = false;
- return this.finishNode(node, "TSTypePredicate");
- }
-
- tsParseThisTypeNode() {
- const node = this.startNode();
- this.next();
- return this.finishNode(node, "TSThisType");
- }
-
- tsParseTypeQuery() {
- const node = this.startNode();
- this.expect(87);
-
- if (this.match(83)) {
- node.exprName = this.tsParseImportType();
- } else {
- node.exprName = this.tsParseEntityName();
- }
-
- if (!this.hasPrecedingLineBreak() && this.match(47)) {
- node.typeParameters = this.tsParseTypeArguments();
- }
-
- return this.finishNode(node, "TSTypeQuery");
- }
-
- tsParseInOutModifiers(node) {
- this.tsParseModifiers({
- modified: node,
- allowedModifiers: ["in", "out"],
- disallowedModifiers: ["public", "private", "protected", "readonly", "declare", "abstract", "override"],
- errorTemplate: TSErrors.InvalidModifierOnTypeParameter
- });
- }
-
- tsParseNoneModifiers(node) {
- this.tsParseModifiers({
- modified: node,
- allowedModifiers: [],
- disallowedModifiers: ["in", "out"],
- errorTemplate: TSErrors.InvalidModifierOnTypeParameterPositions
- });
- }
-
- tsParseTypeParameter(parseModifiers = this.tsParseNoneModifiers.bind(this)) {
- const node = this.startNode();
- parseModifiers(node);
- node.name = this.tsParseTypeParameterName();
- node.constraint = this.tsEatThenParseType(81);
- node.default = this.tsEatThenParseType(29);
- return this.finishNode(node, "TSTypeParameter");
- }
-
- tsTryParseTypeParameters(parseModifiers) {
- if (this.match(47)) {
- return this.tsParseTypeParameters(parseModifiers);
- }
- }
-
- tsParseTypeParameters(parseModifiers) {
- const node = this.startNode();
-
- if (this.match(47) || this.match(138)) {
- this.next();
- } else {
- this.unexpected();
- }
-
- const refTrailingCommaPos = {
- value: -1
- };
- node.params = this.tsParseBracketedList("TypeParametersOrArguments", this.tsParseTypeParameter.bind(this, parseModifiers), false, true, refTrailingCommaPos);
-
- if (node.params.length === 0) {
- this.raise(TSErrors.EmptyTypeParameters, {
- at: node
- });
- }
-
- if (refTrailingCommaPos.value !== -1) {
- this.addExtra(node, "trailingComma", refTrailingCommaPos.value);
- }
-
- return this.finishNode(node, "TSTypeParameterDeclaration");
- }
-
- tsTryNextParseConstantContext() {
- if (this.lookahead().type !== 75) return null;
- this.next();
- const typeReference = this.tsParseTypeReference();
-
- if (typeReference.typeParameters) {
- this.raise(TSErrors.CannotFindName, {
- at: typeReference.typeName,
- name: "const"
- });
- }
-
- return typeReference;
- }
-
- tsFillSignature(returnToken, signature) {
- const returnTokenRequired = returnToken === 19;
- const paramsKey = "parameters";
- const returnTypeKey = "typeAnnotation";
- signature.typeParameters = this.tsTryParseTypeParameters();
- this.expect(10);
- signature[paramsKey] = this.tsParseBindingListForSignature();
-
- if (returnTokenRequired) {
- signature[returnTypeKey] = this.tsParseTypeOrTypePredicateAnnotation(returnToken);
- } else if (this.match(returnToken)) {
- signature[returnTypeKey] = this.tsParseTypeOrTypePredicateAnnotation(returnToken);
- }
- }
-
- tsParseBindingListForSignature() {
- return this.parseBindingList(11, 41).map(pattern => {
- if (pattern.type !== "Identifier" && pattern.type !== "RestElement" && pattern.type !== "ObjectPattern" && pattern.type !== "ArrayPattern") {
- this.raise(TSErrors.UnsupportedSignatureParameterKind, {
- at: pattern,
- type: pattern.type
- });
- }
-
- return pattern;
- });
- }
-
- tsParseTypeMemberSemicolon() {
- if (!this.eat(12) && !this.isLineTerminator()) {
- this.expect(13);
- }
- }
-
- tsParseSignatureMember(kind, node) {
- this.tsFillSignature(14, node);
- this.tsParseTypeMemberSemicolon();
- return this.finishNode(node, kind);
- }
-
- tsIsUnambiguouslyIndexSignature() {
- this.next();
-
- if (tokenIsIdentifier(this.state.type)) {
- this.next();
- return this.match(14);
- }
-
- return false;
- }
-
- tsTryParseIndexSignature(node) {
- if (!(this.match(0) && this.tsLookAhead(this.tsIsUnambiguouslyIndexSignature.bind(this)))) {
- return undefined;
- }
-
- this.expect(0);
- const id = this.parseIdentifier();
- id.typeAnnotation = this.tsParseTypeAnnotation();
- this.resetEndLocation(id);
- this.expect(3);
- node.parameters = [id];
- const type = this.tsTryParseTypeAnnotation();
- if (type) node.typeAnnotation = type;
- this.tsParseTypeMemberSemicolon();
- return this.finishNode(node, "TSIndexSignature");
- }
-
- tsParsePropertyOrMethodSignature(node, readonly) {
- if (this.eat(17)) node.optional = true;
- const nodeAny = node;
-
- if (this.match(10) || this.match(47)) {
- if (readonly) {
- this.raise(TSErrors.ReadonlyForMethodSignature, {
- at: node
- });
- }
-
- const method = nodeAny;
-
- if (method.kind && this.match(47)) {
- this.raise(TSErrors.AccesorCannotHaveTypeParameters, {
- at: this.state.curPosition()
- });
- }
-
- this.tsFillSignature(14, method);
- this.tsParseTypeMemberSemicolon();
- const paramsKey = "parameters";
- const returnTypeKey = "typeAnnotation";
-
- if (method.kind === "get") {
- if (method[paramsKey].length > 0) {
- this.raise(Errors.BadGetterArity, {
- at: this.state.curPosition()
- });
-
- if (this.isThisParam(method[paramsKey][0])) {
- this.raise(TSErrors.AccesorCannotDeclareThisParameter, {
- at: this.state.curPosition()
- });
- }
- }
- } else if (method.kind === "set") {
- if (method[paramsKey].length !== 1) {
- this.raise(Errors.BadSetterArity, {
- at: this.state.curPosition()
- });
- } else {
- const firstParameter = method[paramsKey][0];
-
- if (this.isThisParam(firstParameter)) {
- this.raise(TSErrors.AccesorCannotDeclareThisParameter, {
- at: this.state.curPosition()
- });
- }
-
- if (firstParameter.type === "Identifier" && firstParameter.optional) {
- this.raise(TSErrors.SetAccesorCannotHaveOptionalParameter, {
- at: this.state.curPosition()
- });
- }
-
- if (firstParameter.type === "RestElement") {
- this.raise(TSErrors.SetAccesorCannotHaveRestParameter, {
- at: this.state.curPosition()
- });
- }
- }
-
- if (method[returnTypeKey]) {
- this.raise(TSErrors.SetAccesorCannotHaveReturnType, {
- at: method[returnTypeKey]
- });
- }
- } else {
- method.kind = "method";
- }
-
- return this.finishNode(method, "TSMethodSignature");
- } else {
- const property = nodeAny;
- if (readonly) property.readonly = true;
+ node.parameters = [id];
const type = this.tsTryParseTypeAnnotation();
- if (type) property.typeAnnotation = type;
+ if (type) node.typeAnnotation = type;
this.tsParseTypeMemberSemicolon();
- return this.finishNode(property, "TSPropertySignature");
- }
- }
-
- tsParseTypeMember() {
- const node = this.startNode();
-
- if (this.match(10) || this.match(47)) {
- return this.tsParseSignatureMember("TSCallSignatureDeclaration", node);
+ return this.finishNode(node, 'TSIndexSignature');
}
- if (this.match(77)) {
- const id = this.startNode();
- this.next();
+ tsParsePropertyOrMethodSignature(node, readonly) {
+ if (this.eat(17)) node.optional = true;
+ const nodeAny = node;
if (this.match(10) || this.match(47)) {
- return this.tsParseSignatureMember("TSConstructSignatureDeclaration", node);
- } else {
- node.key = this.createIdentifier(id, "new");
- return this.tsParsePropertyOrMethodSignature(node, false);
- }
- }
-
- this.tsParseModifiers({
- modified: node,
- allowedModifiers: ["readonly"],
- disallowedModifiers: ["declare", "abstract", "private", "protected", "public", "static", "override"]
- });
- const idx = this.tsTryParseIndexSignature(node);
-
- if (idx) {
- return idx;
- }
-
- this.parsePropertyName(node);
-
- if (!node.computed && node.key.type === "Identifier" && (node.key.name === "get" || node.key.name === "set") && this.tsTokenCanFollowModifier()) {
- node.kind = node.key.name;
- this.parsePropertyName(node);
- }
-
- return this.tsParsePropertyOrMethodSignature(node, !!node.readonly);
- }
-
- tsParseTypeLiteral() {
- const node = this.startNode();
- node.members = this.tsParseObjectTypeMembers();
- return this.finishNode(node, "TSTypeLiteral");
- }
-
- tsParseObjectTypeMembers() {
- this.expect(5);
- const members = this.tsParseList("TypeMembers", this.tsParseTypeMember.bind(this));
- this.expect(8);
- return members;
- }
-
- tsIsStartOfMappedType() {
- this.next();
-
- if (this.eat(53)) {
- return this.isContextual(118);
- }
-
- if (this.isContextual(118)) {
- this.next();
- }
-
- if (!this.match(0)) {
- return false;
- }
-
- this.next();
-
- if (!this.tsIsIdentifier()) {
- return false;
- }
-
- this.next();
- return this.match(58);
- }
-
- tsParseMappedTypeParameter() {
- const node = this.startNode();
- node.name = this.tsParseTypeParameterName();
- node.constraint = this.tsExpectThenParseType(58);
- return this.finishNode(node, "TSTypeParameter");
- }
-
- tsParseMappedType() {
- const node = this.startNode();
- this.expect(5);
-
- if (this.match(53)) {
- node.readonly = this.state.value;
- this.next();
- this.expectContextual(118);
- } else if (this.eatContextual(118)) {
- node.readonly = true;
- }
-
- this.expect(0);
- node.typeParameter = this.tsParseMappedTypeParameter();
- node.nameType = this.eatContextual(93) ? this.tsParseType() : null;
- this.expect(3);
-
- if (this.match(53)) {
- node.optional = this.state.value;
- this.next();
- this.expect(17);
- } else if (this.eat(17)) {
- node.optional = true;
- }
-
- node.typeAnnotation = this.tsTryParseType();
- this.semicolon();
- this.expect(8);
- return this.finishNode(node, "TSMappedType");
- }
-
- tsParseTupleType() {
- const node = this.startNode();
- node.elementTypes = this.tsParseBracketedList("TupleElementTypes", this.tsParseTupleElementType.bind(this), true, false);
- let seenOptionalElement = false;
- let labeledElements = null;
- node.elementTypes.forEach(elementNode => {
- var _labeledElements;
-
- let {
- type
- } = elementNode;
-
- if (seenOptionalElement && type !== "TSRestType" && type !== "TSOptionalType" && !(type === "TSNamedTupleMember" && elementNode.optional)) {
- this.raise(TSErrors.OptionalTypeBeforeRequired, {
- at: elementNode
- });
- }
-
- seenOptionalElement = seenOptionalElement || type === "TSNamedTupleMember" && elementNode.optional || type === "TSOptionalType";
-
- if (type === "TSRestType") {
- elementNode = elementNode.typeAnnotation;
- type = elementNode.type;
- }
-
- const isLabeled = type === "TSNamedTupleMember";
- labeledElements = (_labeledElements = labeledElements) != null ? _labeledElements : isLabeled;
-
- if (labeledElements !== isLabeled) {
- this.raise(TSErrors.MixedLabeledAndUnlabeledElements, {
- at: elementNode
- });
- }
- });
- return this.finishNode(node, "TSTupleType");
- }
-
- tsParseTupleElementType() {
- const {
- start: startPos,
- startLoc
- } = this.state;
- const rest = this.eat(21);
- let type = this.tsParseType();
- const optional = this.eat(17);
- const labeled = this.eat(14);
-
- if (labeled) {
- const labeledNode = this.startNodeAtNode(type);
- labeledNode.optional = optional;
-
- if (type.type === "TSTypeReference" && !type.typeParameters && type.typeName.type === "Identifier") {
- labeledNode.label = type.typeName;
- } else {
- this.raise(TSErrors.InvalidTupleMemberLabel, {
- at: type
- });
- labeledNode.label = type;
- }
-
- labeledNode.elementType = this.tsParseType();
- type = this.finishNode(labeledNode, "TSNamedTupleMember");
- } else if (optional) {
- const optionalTypeNode = this.startNodeAtNode(type);
- optionalTypeNode.typeAnnotation = type;
- type = this.finishNode(optionalTypeNode, "TSOptionalType");
- }
-
- if (rest) {
- const restNode = this.startNodeAt(startPos, startLoc);
- restNode.typeAnnotation = type;
- type = this.finishNode(restNode, "TSRestType");
- }
-
- return type;
- }
-
- tsParseParenthesizedType() {
- const node = this.startNode();
- this.expect(10);
- node.typeAnnotation = this.tsParseType();
- this.expect(11);
- return this.finishNode(node, "TSParenthesizedType");
- }
-
- tsParseFunctionOrConstructorType(type, abstract) {
- const node = this.startNode();
-
- if (type === "TSConstructorType") {
- node.abstract = !!abstract;
- if (abstract) this.next();
- this.next();
- }
-
- this.tsInAllowConditionalTypesContext(() => this.tsFillSignature(19, node));
- return this.finishNode(node, type);
- }
-
- tsParseLiteralTypeNode() {
- const node = this.startNode();
-
- node.literal = (() => {
- switch (this.state.type) {
- case 130:
- case 131:
- case 129:
- case 85:
- case 86:
- return this.parseExprAtom();
-
- default:
- throw this.unexpected();
- }
- })();
-
- return this.finishNode(node, "TSLiteralType");
- }
-
- tsParseTemplateLiteralType() {
- const node = this.startNode();
- node.literal = this.parseTemplate(false);
- return this.finishNode(node, "TSLiteralType");
- }
-
- parseTemplateSubstitution() {
- if (this.state.inType) return this.tsParseType();
- return super.parseTemplateSubstitution();
- }
-
- tsParseThisTypeOrThisTypePredicate() {
- const thisKeyword = this.tsParseThisTypeNode();
-
- if (this.isContextual(113) && !this.hasPrecedingLineBreak()) {
- return this.tsParseThisTypePredicate(thisKeyword);
- } else {
- return thisKeyword;
- }
- }
-
- tsParseNonArrayType() {
- switch (this.state.type) {
- case 129:
- case 130:
- case 131:
- case 85:
- case 86:
- return this.tsParseLiteralTypeNode();
-
- case 53:
- if (this.state.value === "-") {
- const node = this.startNode();
- const nextToken = this.lookahead();
-
- if (nextToken.type !== 130 && nextToken.type !== 131) {
- throw this.unexpected();
- }
-
- node.literal = this.parseMaybeUnary();
- return this.finishNode(node, "TSLiteralType");
+ if (readonly) {
+ this.raise(TSErrors.ReadonlyForMethodSignature, {
+ at: node,
+ });
}
- break;
+ const method = nodeAny;
- case 78:
- return this.tsParseThisTypeOrThisTypePredicate();
+ if (method.kind && this.match(47)) {
+ this.raise(TSErrors.AccesorCannotHaveTypeParameters, {
+ at: this.state.curPosition(),
+ });
+ }
- case 87:
- return this.tsParseTypeQuery();
+ this.tsFillSignature(14, method);
+ this.tsParseTypeMemberSemicolon();
+ const paramsKey = 'parameters';
+ const returnTypeKey = 'typeAnnotation';
- case 83:
- return this.tsParseImportType();
+ if (method.kind === 'get') {
+ if (method[paramsKey].length > 0) {
+ this.raise(Errors.BadGetterArity, {
+ at: this.state.curPosition(),
+ });
- case 5:
- return this.tsLookAhead(this.tsIsStartOfMappedType.bind(this)) ? this.tsParseMappedType() : this.tsParseTypeLiteral();
+ if (this.isThisParam(method[paramsKey][0])) {
+ this.raise(TSErrors.AccesorCannotDeclareThisParameter, {
+ at: this.state.curPosition(),
+ });
+ }
+ }
+ } else if (method.kind === 'set') {
+ if (method[paramsKey].length !== 1) {
+ this.raise(Errors.BadSetterArity, {
+ at: this.state.curPosition(),
+ });
+ } else {
+ const firstParameter = method[paramsKey][0];
- case 0:
- return this.tsParseTupleType();
+ if (this.isThisParam(firstParameter)) {
+ this.raise(TSErrors.AccesorCannotDeclareThisParameter, {
+ at: this.state.curPosition(),
+ });
+ }
- case 10:
- return this.tsParseParenthesizedType();
+ if (
+ firstParameter.type === 'Identifier' &&
+ firstParameter.optional
+ ) {
+ this.raise(TSErrors.SetAccesorCannotHaveOptionalParameter, {
+ at: this.state.curPosition(),
+ });
+ }
- case 25:
- case 24:
- return this.tsParseTemplateLiteralType();
+ if (firstParameter.type === 'RestElement') {
+ this.raise(TSErrors.SetAccesorCannotHaveRestParameter, {
+ at: this.state.curPosition(),
+ });
+ }
+ }
- default:
- {
- const {
- type
- } = this.state;
+ if (method[returnTypeKey]) {
+ this.raise(TSErrors.SetAccesorCannotHaveReturnType, {
+ at: method[returnTypeKey],
+ });
+ }
+ } else {
+ method.kind = 'method';
+ }
+
+ return this.finishNode(method, 'TSMethodSignature');
+ } else {
+ const property = nodeAny;
+ if (readonly) property.readonly = true;
+ const type = this.tsTryParseTypeAnnotation();
+ if (type) property.typeAnnotation = type;
+ this.tsParseTypeMemberSemicolon();
+ return this.finishNode(property, 'TSPropertySignature');
+ }
+ }
+
+ tsParseTypeMember() {
+ const node = this.startNode();
+
+ if (this.match(10) || this.match(47)) {
+ return this.tsParseSignatureMember('TSCallSignatureDeclaration', node);
+ }
+
+ if (this.match(77)) {
+ const id = this.startNode();
+ this.next();
+
+ if (this.match(10) || this.match(47)) {
+ return this.tsParseSignatureMember(
+ 'TSConstructSignatureDeclaration',
+ node
+ );
+ } else {
+ node.key = this.createIdentifier(id, 'new');
+ return this.tsParsePropertyOrMethodSignature(node, false);
+ }
+ }
+
+ this.tsParseModifiers({
+ modified: node,
+ allowedModifiers: ['readonly'],
+ disallowedModifiers: [
+ 'declare',
+ 'abstract',
+ 'private',
+ 'protected',
+ 'public',
+ 'static',
+ 'override',
+ ],
+ });
+ const idx = this.tsTryParseIndexSignature(node);
+
+ if (idx) {
+ return idx;
+ }
+
+ this.parsePropertyName(node);
+
+ if (
+ !node.computed &&
+ node.key.type === 'Identifier' &&
+ (node.key.name === 'get' || node.key.name === 'set') &&
+ this.tsTokenCanFollowModifier()
+ ) {
+ node.kind = node.key.name;
+ this.parsePropertyName(node);
+ }
+
+ return this.tsParsePropertyOrMethodSignature(node, !!node.readonly);
+ }
+
+ tsParseTypeLiteral() {
+ const node = this.startNode();
+ node.members = this.tsParseObjectTypeMembers();
+ return this.finishNode(node, 'TSTypeLiteral');
+ }
+
+ tsParseObjectTypeMembers() {
+ this.expect(5);
+ const members = this.tsParseList(
+ 'TypeMembers',
+ this.tsParseTypeMember.bind(this)
+ );
+ this.expect(8);
+ return members;
+ }
+
+ tsIsStartOfMappedType() {
+ this.next();
+
+ if (this.eat(53)) {
+ return this.isContextual(118);
+ }
+
+ if (this.isContextual(118)) {
+ this.next();
+ }
+
+ if (!this.match(0)) {
+ return false;
+ }
+
+ this.next();
+
+ if (!this.tsIsIdentifier()) {
+ return false;
+ }
+
+ this.next();
+ return this.match(58);
+ }
+
+ tsParseMappedTypeParameter() {
+ const node = this.startNode();
+ node.name = this.tsParseTypeParameterName();
+ node.constraint = this.tsExpectThenParseType(58);
+ return this.finishNode(node, 'TSTypeParameter');
+ }
+
+ tsParseMappedType() {
+ const node = this.startNode();
+ this.expect(5);
+
+ if (this.match(53)) {
+ node.readonly = this.state.value;
+ this.next();
+ this.expectContextual(118);
+ } else if (this.eatContextual(118)) {
+ node.readonly = true;
+ }
+
+ this.expect(0);
+ node.typeParameter = this.tsParseMappedTypeParameter();
+ node.nameType = this.eatContextual(93) ? this.tsParseType() : null;
+ this.expect(3);
+
+ if (this.match(53)) {
+ node.optional = this.state.value;
+ this.next();
+ this.expect(17);
+ } else if (this.eat(17)) {
+ node.optional = true;
+ }
+
+ node.typeAnnotation = this.tsTryParseType();
+ this.semicolon();
+ this.expect(8);
+ return this.finishNode(node, 'TSMappedType');
+ }
+
+ tsParseTupleType() {
+ const node = this.startNode();
+ node.elementTypes = this.tsParseBracketedList(
+ 'TupleElementTypes',
+ this.tsParseTupleElementType.bind(this),
+ true,
+ false
+ );
+ let seenOptionalElement = false;
+ let labeledElements = null;
+ node.elementTypes.forEach((elementNode) => {
+ var _labeledElements;
+
+ let { type } = elementNode;
+
+ if (
+ seenOptionalElement &&
+ type !== 'TSRestType' &&
+ type !== 'TSOptionalType' &&
+ !(type === 'TSNamedTupleMember' && elementNode.optional)
+ ) {
+ this.raise(TSErrors.OptionalTypeBeforeRequired, {
+ at: elementNode,
+ });
+ }
+
+ seenOptionalElement =
+ seenOptionalElement ||
+ (type === 'TSNamedTupleMember' && elementNode.optional) ||
+ type === 'TSOptionalType';
+
+ if (type === 'TSRestType') {
+ elementNode = elementNode.typeAnnotation;
+ type = elementNode.type;
+ }
+
+ const isLabeled = type === 'TSNamedTupleMember';
+ labeledElements =
+ (_labeledElements = labeledElements) != null ?
+ _labeledElements
+ : isLabeled;
+
+ if (labeledElements !== isLabeled) {
+ this.raise(TSErrors.MixedLabeledAndUnlabeledElements, {
+ at: elementNode,
+ });
+ }
+ });
+ return this.finishNode(node, 'TSTupleType');
+ }
+
+ tsParseTupleElementType() {
+ const { start: startPos, startLoc } = this.state;
+ const rest = this.eat(21);
+ let type = this.tsParseType();
+ const optional = this.eat(17);
+ const labeled = this.eat(14);
+
+ if (labeled) {
+ const labeledNode = this.startNodeAtNode(type);
+ labeledNode.optional = optional;
+
+ if (
+ type.type === 'TSTypeReference' &&
+ !type.typeParameters &&
+ type.typeName.type === 'Identifier'
+ ) {
+ labeledNode.label = type.typeName;
+ } else {
+ this.raise(TSErrors.InvalidTupleMemberLabel, {
+ at: type,
+ });
+ labeledNode.label = type;
+ }
+
+ labeledNode.elementType = this.tsParseType();
+ type = this.finishNode(labeledNode, 'TSNamedTupleMember');
+ } else if (optional) {
+ const optionalTypeNode = this.startNodeAtNode(type);
+ optionalTypeNode.typeAnnotation = type;
+ type = this.finishNode(optionalTypeNode, 'TSOptionalType');
+ }
+
+ if (rest) {
+ const restNode = this.startNodeAt(startPos, startLoc);
+ restNode.typeAnnotation = type;
+ type = this.finishNode(restNode, 'TSRestType');
+ }
+
+ return type;
+ }
+
+ tsParseParenthesizedType() {
+ const node = this.startNode();
+ this.expect(10);
+ node.typeAnnotation = this.tsParseType();
+ this.expect(11);
+ return this.finishNode(node, 'TSParenthesizedType');
+ }
+
+ tsParseFunctionOrConstructorType(type, abstract) {
+ const node = this.startNode();
+
+ if (type === 'TSConstructorType') {
+ node.abstract = !!abstract;
+ if (abstract) this.next();
+ this.next();
+ }
+
+ this.tsInAllowConditionalTypesContext(() =>
+ this.tsFillSignature(19, node)
+ );
+ return this.finishNode(node, type);
+ }
+
+ tsParseLiteralTypeNode() {
+ const node = this.startNode();
+
+ node.literal = (() => {
+ switch (this.state.type) {
+ case 130:
+ case 131:
+ case 129:
+ case 85:
+ case 86:
+ return this.parseExprAtom();
+
+ default:
+ throw this.unexpected();
+ }
+ })();
+
+ return this.finishNode(node, 'TSLiteralType');
+ }
+
+ tsParseTemplateLiteralType() {
+ const node = this.startNode();
+ node.literal = this.parseTemplate(false);
+ return this.finishNode(node, 'TSLiteralType');
+ }
+
+ parseTemplateSubstitution() {
+ if (this.state.inType) return this.tsParseType();
+ return super.parseTemplateSubstitution();
+ }
+
+ tsParseThisTypeOrThisTypePredicate() {
+ const thisKeyword = this.tsParseThisTypeNode();
+
+ if (this.isContextual(113) && !this.hasPrecedingLineBreak()) {
+ return this.tsParseThisTypePredicate(thisKeyword);
+ } else {
+ return thisKeyword;
+ }
+ }
+
+ tsParseNonArrayType() {
+ switch (this.state.type) {
+ case 129:
+ case 130:
+ case 131:
+ case 85:
+ case 86:
+ return this.tsParseLiteralTypeNode();
+
+ case 53:
+ if (this.state.value === '-') {
+ const node = this.startNode();
+ const nextToken = this.lookahead();
+
+ if (nextToken.type !== 130 && nextToken.type !== 131) {
+ throw this.unexpected();
+ }
+
+ node.literal = this.parseMaybeUnary();
+ return this.finishNode(node, 'TSLiteralType');
+ }
+
+ break;
+
+ case 78:
+ return this.tsParseThisTypeOrThisTypePredicate();
+
+ case 87:
+ return this.tsParseTypeQuery();
+
+ case 83:
+ return this.tsParseImportType();
+
+ case 5:
+ return this.tsLookAhead(this.tsIsStartOfMappedType.bind(this)) ?
+ this.tsParseMappedType()
+ : this.tsParseTypeLiteral();
+
+ case 0:
+ return this.tsParseTupleType();
+
+ case 10:
+ return this.tsParseParenthesizedType();
+
+ case 25:
+ case 24:
+ return this.tsParseTemplateLiteralType();
+
+ default: {
+ const { type } = this.state;
if (tokenIsIdentifier(type) || type === 88 || type === 84) {
- const nodeType = type === 88 ? "TSVoidKeyword" : type === 84 ? "TSNullKeyword" : keywordTypeFromName(this.state.value);
+ const nodeType =
+ type === 88 ? 'TSVoidKeyword'
+ : type === 84 ? 'TSNullKeyword'
+ : keywordTypeFromName(this.state.value);
if (nodeType !== undefined && this.lookaheadCharCode() !== 46) {
const node = this.startNode();
@@ -9184,673 +10262,734 @@ var typescript = (superClass => class extends superClass {
return this.tsParseTypeReference();
}
}
- }
-
- throw this.unexpected();
- }
-
- tsParseArrayTypeOrHigher() {
- let type = this.tsParseNonArrayType();
-
- while (!this.hasPrecedingLineBreak() && this.eat(0)) {
- if (this.match(3)) {
- const node = this.startNodeAtNode(type);
- node.elementType = type;
- this.expect(3);
- type = this.finishNode(node, "TSArrayType");
- } else {
- const node = this.startNodeAtNode(type);
- node.objectType = type;
- node.indexType = this.tsParseType();
- this.expect(3);
- type = this.finishNode(node, "TSIndexedAccessType");
- }
- }
-
- return type;
- }
-
- tsParseTypeOperator() {
- const node = this.startNode();
- const operator = this.state.value;
- this.next();
- node.operator = operator;
- node.typeAnnotation = this.tsParseTypeOperatorOrHigher();
-
- if (operator === "readonly") {
- this.tsCheckTypeAnnotationForReadOnly(node);
- }
-
- return this.finishNode(node, "TSTypeOperator");
- }
-
- tsCheckTypeAnnotationForReadOnly(node) {
- switch (node.typeAnnotation.type) {
- case "TSTupleType":
- case "TSArrayType":
- return;
-
- default:
- this.raise(TSErrors.UnexpectedReadonly, {
- at: node
- });
- }
- }
-
- tsParseInferType() {
- const node = this.startNode();
- this.expectContextual(112);
- const typeParameter = this.startNode();
- typeParameter.name = this.tsParseTypeParameterName();
- typeParameter.constraint = this.tsTryParse(() => this.tsParseConstraintForInferType());
- node.typeParameter = this.finishNode(typeParameter, "TSTypeParameter");
- return this.finishNode(node, "TSInferType");
- }
-
- tsParseConstraintForInferType() {
- if (this.eat(81)) {
- const constraint = this.tsInDisallowConditionalTypesContext(() => this.tsParseType());
-
- if (this.state.inDisallowConditionalTypesContext || !this.match(17)) {
- return constraint;
- }
- }
- }
-
- tsParseTypeOperatorOrHigher() {
- const isTypeOperator = tokenIsTSTypeOperator(this.state.type) && !this.state.containsEsc;
- return isTypeOperator ? this.tsParseTypeOperator() : this.isContextual(112) ? this.tsParseInferType() : this.tsInAllowConditionalTypesContext(() => this.tsParseArrayTypeOrHigher());
- }
-
- tsParseUnionOrIntersectionType(kind, parseConstituentType, operator) {
- const node = this.startNode();
- const hasLeadingOperator = this.eat(operator);
- const types = [];
-
- do {
- types.push(parseConstituentType());
- } while (this.eat(operator));
-
- if (types.length === 1 && !hasLeadingOperator) {
- return types[0];
- }
-
- node.types = types;
- return this.finishNode(node, kind);
- }
-
- tsParseIntersectionTypeOrHigher() {
- return this.tsParseUnionOrIntersectionType("TSIntersectionType", this.tsParseTypeOperatorOrHigher.bind(this), 45);
- }
-
- tsParseUnionTypeOrHigher() {
- return this.tsParseUnionOrIntersectionType("TSUnionType", this.tsParseIntersectionTypeOrHigher.bind(this), 43);
- }
-
- tsIsStartOfFunctionType() {
- if (this.match(47)) {
- return true;
- }
-
- return this.match(10) && this.tsLookAhead(this.tsIsUnambiguouslyStartOfFunctionType.bind(this));
- }
-
- tsSkipParameterStart() {
- if (tokenIsIdentifier(this.state.type) || this.match(78)) {
- this.next();
- return true;
- }
-
- if (this.match(5)) {
- const {
- errors
- } = this.state;
- const previousErrorCount = errors.length;
-
- try {
- this.parseObjectLike(8, true);
- return errors.length === previousErrorCount;
- } catch (_unused) {
- return false;
- }
- }
-
- if (this.match(0)) {
- this.next();
- const {
- errors
- } = this.state;
- const previousErrorCount = errors.length;
-
- try {
- this.parseBindingList(3, 93, true);
- return errors.length === previousErrorCount;
- } catch (_unused2) {
- return false;
- }
- }
-
- return false;
- }
-
- tsIsUnambiguouslyStartOfFunctionType() {
- this.next();
-
- if (this.match(11) || this.match(21)) {
- return true;
- }
-
- if (this.tsSkipParameterStart()) {
- if (this.match(14) || this.match(12) || this.match(17) || this.match(29)) {
- return true;
}
- if (this.match(11)) {
- this.next();
-
- if (this.match(19)) {
- return true;
- }
- }
- }
-
- return false;
- }
-
- tsParseTypeOrTypePredicateAnnotation(returnToken) {
- return this.tsInType(() => {
- const t = this.startNode();
- this.expect(returnToken);
- const node = this.startNode();
- const asserts = !!this.tsTryParse(this.tsParseTypePredicateAsserts.bind(this));
-
- if (asserts && this.match(78)) {
- let thisTypePredicate = this.tsParseThisTypeOrThisTypePredicate();
-
- if (thisTypePredicate.type === "TSThisType") {
- node.parameterName = thisTypePredicate;
- node.asserts = true;
- node.typeAnnotation = null;
- thisTypePredicate = this.finishNode(node, "TSTypePredicate");
- } else {
- this.resetStartLocationFromNode(thisTypePredicate, node);
- thisTypePredicate.asserts = true;
- }
-
- t.typeAnnotation = thisTypePredicate;
- return this.finishNode(t, "TSTypeAnnotation");
- }
-
- const typePredicateVariable = this.tsIsIdentifier() && this.tsTryParse(this.tsParseTypePredicatePrefix.bind(this));
-
- if (!typePredicateVariable) {
- if (!asserts) {
- return this.tsParseTypeAnnotation(false, t);
- }
-
- node.parameterName = this.parseIdentifier();
- node.asserts = asserts;
- node.typeAnnotation = null;
- t.typeAnnotation = this.finishNode(node, "TSTypePredicate");
- return this.finishNode(t, "TSTypeAnnotation");
- }
-
- const type = this.tsParseTypeAnnotation(false);
- node.parameterName = typePredicateVariable;
- node.typeAnnotation = type;
- node.asserts = asserts;
- t.typeAnnotation = this.finishNode(node, "TSTypePredicate");
- return this.finishNode(t, "TSTypeAnnotation");
- });
- }
-
- tsTryParseTypeOrTypePredicateAnnotation() {
- return this.match(14) ? this.tsParseTypeOrTypePredicateAnnotation(14) : undefined;
- }
-
- tsTryParseTypeAnnotation() {
- return this.match(14) ? this.tsParseTypeAnnotation() : undefined;
- }
-
- tsTryParseType() {
- return this.tsEatThenParseType(14);
- }
-
- tsParseTypePredicatePrefix() {
- const id = this.parseIdentifier();
-
- if (this.isContextual(113) && !this.hasPrecedingLineBreak()) {
- this.next();
- return id;
- }
- }
-
- tsParseTypePredicateAsserts() {
- if (this.state.type !== 106) {
- return false;
- }
-
- const containsEsc = this.state.containsEsc;
- this.next();
-
- if (!tokenIsIdentifier(this.state.type) && !this.match(78)) {
- return false;
- }
-
- if (containsEsc) {
- this.raise(Errors.InvalidEscapedReservedWord, {
- at: this.state.lastTokStartLoc,
- reservedWord: "asserts"
- });
- }
-
- return true;
- }
-
- tsParseTypeAnnotation(eatColon = true, t = this.startNode()) {
- this.tsInType(() => {
- if (eatColon) this.expect(14);
- t.typeAnnotation = this.tsParseType();
- });
- return this.finishNode(t, "TSTypeAnnotation");
- }
-
- tsParseType() {
- assert(this.state.inType);
- const type = this.tsParseNonConditionalType();
-
- if (this.state.inDisallowConditionalTypesContext || this.hasPrecedingLineBreak() || !this.eat(81)) {
- return type;
- }
-
- const node = this.startNodeAtNode(type);
- node.checkType = type;
- node.extendsType = this.tsInDisallowConditionalTypesContext(() => this.tsParseNonConditionalType());
- this.expect(17);
- node.trueType = this.tsInAllowConditionalTypesContext(() => this.tsParseType());
- this.expect(14);
- node.falseType = this.tsInAllowConditionalTypesContext(() => this.tsParseType());
- return this.finishNode(node, "TSConditionalType");
- }
-
- isAbstractConstructorSignature() {
- return this.isContextual(120) && this.lookahead().type === 77;
- }
-
- tsParseNonConditionalType() {
- if (this.tsIsStartOfFunctionType()) {
- return this.tsParseFunctionOrConstructorType("TSFunctionType");
- }
-
- if (this.match(77)) {
- return this.tsParseFunctionOrConstructorType("TSConstructorType");
- } else if (this.isAbstractConstructorSignature()) {
- return this.tsParseFunctionOrConstructorType("TSConstructorType", true);
- }
-
- return this.tsParseUnionTypeOrHigher();
- }
-
- tsParseTypeAssertion() {
- if (this.getPluginOption("typescript", "disallowAmbiguousJSXLike")) {
- this.raise(TSErrors.ReservedTypeAssertion, {
- at: this.state.startLoc
- });
- }
-
- const node = this.startNode();
-
- const _const = this.tsTryNextParseConstantContext();
-
- node.typeAnnotation = _const || this.tsNextThenParseType();
- this.expect(48);
- node.expression = this.parseMaybeUnary();
- return this.finishNode(node, "TSTypeAssertion");
- }
-
- tsParseHeritageClause(token) {
- const originalStartLoc = this.state.startLoc;
- const delimitedList = this.tsParseDelimitedList("HeritageClauseElement", () => {
- const node = this.startNode();
- node.expression = this.tsParseEntityName();
-
- if (this.match(47)) {
- node.typeParameters = this.tsParseTypeArguments();
- }
-
- return this.finishNode(node, "TSExpressionWithTypeArguments");
- });
-
- if (!delimitedList.length) {
- this.raise(TSErrors.EmptyHeritageClauseType, {
- at: originalStartLoc,
- token
- });
- }
-
- return delimitedList;
- }
-
- tsParseInterfaceDeclaration(node, properties = {}) {
- if (this.hasFollowingLineBreak()) return null;
- this.expectContextual(125);
- if (properties.declare) node.declare = true;
-
- if (tokenIsIdentifier(this.state.type)) {
- node.id = this.parseIdentifier();
- this.checkIdentifier(node.id, BIND_TS_INTERFACE);
- } else {
- node.id = null;
- this.raise(TSErrors.MissingInterfaceName, {
- at: this.state.startLoc
- });
- }
-
- node.typeParameters = this.tsTryParseTypeParameters(this.tsParseInOutModifiers.bind(this));
-
- if (this.eat(81)) {
- node.extends = this.tsParseHeritageClause("extends");
- }
-
- const body = this.startNode();
- body.body = this.tsInType(this.tsParseObjectTypeMembers.bind(this));
- node.body = this.finishNode(body, "TSInterfaceBody");
- return this.finishNode(node, "TSInterfaceDeclaration");
- }
-
- tsParseTypeAliasDeclaration(node) {
- node.id = this.parseIdentifier();
- this.checkIdentifier(node.id, BIND_TS_TYPE);
- node.typeAnnotation = this.tsInType(() => {
- node.typeParameters = this.tsTryParseTypeParameters(this.tsParseInOutModifiers.bind(this));
- this.expect(29);
-
- if (this.isContextual(111) && this.lookahead().type !== 16) {
- const node = this.startNode();
- this.next();
- return this.finishNode(node, "TSIntrinsicKeyword");
- }
-
- return this.tsParseType();
- });
- this.semicolon();
- return this.finishNode(node, "TSTypeAliasDeclaration");
- }
-
- tsInNoContext(cb) {
- const oldContext = this.state.context;
- this.state.context = [oldContext[0]];
-
- try {
- return cb();
- } finally {
- this.state.context = oldContext;
- }
- }
-
- tsInType(cb) {
- const oldInType = this.state.inType;
- this.state.inType = true;
-
- try {
- return cb();
- } finally {
- this.state.inType = oldInType;
- }
- }
-
- tsInDisallowConditionalTypesContext(cb) {
- const oldInDisallowConditionalTypesContext = this.state.inDisallowConditionalTypesContext;
- this.state.inDisallowConditionalTypesContext = true;
-
- try {
- return cb();
- } finally {
- this.state.inDisallowConditionalTypesContext = oldInDisallowConditionalTypesContext;
- }
- }
-
- tsInAllowConditionalTypesContext(cb) {
- const oldInDisallowConditionalTypesContext = this.state.inDisallowConditionalTypesContext;
- this.state.inDisallowConditionalTypesContext = false;
-
- try {
- return cb();
- } finally {
- this.state.inDisallowConditionalTypesContext = oldInDisallowConditionalTypesContext;
- }
- }
-
- tsEatThenParseType(token) {
- return !this.match(token) ? undefined : this.tsNextThenParseType();
- }
-
- tsExpectThenParseType(token) {
- return this.tsDoThenParseType(() => this.expect(token));
- }
-
- tsNextThenParseType() {
- return this.tsDoThenParseType(() => this.next());
- }
-
- tsDoThenParseType(cb) {
- return this.tsInType(() => {
- cb();
- return this.tsParseType();
- });
- }
-
- tsParseEnumMember() {
- const node = this.startNode();
- node.id = this.match(129) ? this.parseExprAtom() : this.parseIdentifier(true);
-
- if (this.eat(29)) {
- node.initializer = this.parseMaybeAssignAllowIn();
- }
-
- return this.finishNode(node, "TSEnumMember");
- }
-
- tsParseEnumDeclaration(node, properties = {}) {
- if (properties.const) node.const = true;
- if (properties.declare) node.declare = true;
- this.expectContextual(122);
- node.id = this.parseIdentifier();
- this.checkIdentifier(node.id, node.const ? BIND_TS_CONST_ENUM : BIND_TS_ENUM);
- this.expect(5);
- node.members = this.tsParseDelimitedList("EnumMembers", this.tsParseEnumMember.bind(this));
- this.expect(8);
- return this.finishNode(node, "TSEnumDeclaration");
- }
-
- tsParseModuleBlock() {
- const node = this.startNode();
- this.scope.enter(SCOPE_OTHER);
- this.expect(5);
- this.parseBlockOrModuleBlockBody(node.body = [], undefined, true, 8);
- this.scope.exit();
- return this.finishNode(node, "TSModuleBlock");
- }
-
- tsParseModuleOrNamespaceDeclaration(node, nested = false) {
- node.id = this.parseIdentifier();
-
- if (!nested) {
- this.checkIdentifier(node.id, BIND_TS_NAMESPACE);
- }
-
- if (this.eat(16)) {
- const inner = this.startNode();
- this.tsParseModuleOrNamespaceDeclaration(inner, true);
- node.body = inner;
- } else {
- this.scope.enter(SCOPE_TS_MODULE);
- this.prodParam.enter(PARAM);
- node.body = this.tsParseModuleBlock();
- this.prodParam.exit();
- this.scope.exit();
- }
-
- return this.finishNode(node, "TSModuleDeclaration");
- }
-
- tsParseAmbientExternalModuleDeclaration(node) {
- if (this.isContextual(109)) {
- node.global = true;
- node.id = this.parseIdentifier();
- } else if (this.match(129)) {
- node.id = this.parseExprAtom();
- } else {
- this.unexpected();
- }
-
- if (this.match(5)) {
- this.scope.enter(SCOPE_TS_MODULE);
- this.prodParam.enter(PARAM);
- node.body = this.tsParseModuleBlock();
- this.prodParam.exit();
- this.scope.exit();
- } else {
- this.semicolon();
- }
-
- return this.finishNode(node, "TSModuleDeclaration");
- }
-
- tsParseImportEqualsDeclaration(node, isExport) {
- node.isExport = isExport || false;
- node.id = this.parseIdentifier();
- this.checkIdentifier(node.id, BIND_LEXICAL);
- this.expect(29);
- const moduleReference = this.tsParseModuleReference();
-
- if (node.importKind === "type" && moduleReference.type !== "TSExternalModuleReference") {
- this.raise(TSErrors.ImportAliasHasImportType, {
- at: moduleReference
- });
- }
-
- node.moduleReference = moduleReference;
- this.semicolon();
- return this.finishNode(node, "TSImportEqualsDeclaration");
- }
-
- tsIsExternalModuleReference() {
- return this.isContextual(116) && this.lookaheadCharCode() === 40;
- }
-
- tsParseModuleReference() {
- return this.tsIsExternalModuleReference() ? this.tsParseExternalModuleReference() : this.tsParseEntityName(false);
- }
-
- tsParseExternalModuleReference() {
- const node = this.startNode();
- this.expectContextual(116);
- this.expect(10);
-
- if (!this.match(129)) {
throw this.unexpected();
}
- node.expression = this.parseExprAtom();
- this.expect(11);
- return this.finishNode(node, "TSExternalModuleReference");
- }
+ tsParseArrayTypeOrHigher() {
+ let type = this.tsParseNonArrayType();
- tsLookAhead(f) {
- const state = this.state.clone();
- const res = f();
- this.state = state;
- return res;
- }
+ while (!this.hasPrecedingLineBreak() && this.eat(0)) {
+ if (this.match(3)) {
+ const node = this.startNodeAtNode(type);
+ node.elementType = type;
+ this.expect(3);
+ type = this.finishNode(node, 'TSArrayType');
+ } else {
+ const node = this.startNodeAtNode(type);
+ node.objectType = type;
+ node.indexType = this.tsParseType();
+ this.expect(3);
+ type = this.finishNode(node, 'TSIndexedAccessType');
+ }
+ }
- tsTryParseAndCatch(f) {
- const result = this.tryParse(abort => f() || abort());
- if (result.aborted || !result.node) return undefined;
- if (result.error) this.state = result.failState;
- return result.node;
- }
-
- tsTryParse(f) {
- const state = this.state.clone();
- const result = f();
-
- if (result !== undefined && result !== false) {
- return result;
- } else {
- this.state = state;
- return undefined;
- }
- }
-
- tsTryParseDeclare(nany) {
- if (this.isLineTerminator()) {
- return;
+ return type;
}
- let starttype = this.state.type;
- let kind;
+ tsParseTypeOperator() {
+ const node = this.startNode();
+ const operator = this.state.value;
+ this.next();
+ node.operator = operator;
+ node.typeAnnotation = this.tsParseTypeOperatorOrHigher();
- if (this.isContextual(99)) {
- starttype = 74;
- kind = "let";
+ if (operator === 'readonly') {
+ this.tsCheckTypeAnnotationForReadOnly(node);
+ }
+
+ return this.finishNode(node, 'TSTypeOperator');
}
- return this.tsInAmbientContext(() => {
- if (starttype === 68) {
- nany.declare = true;
- return this.parseFunctionStatement(nany, false, true);
+ tsCheckTypeAnnotationForReadOnly(node) {
+ switch (node.typeAnnotation.type) {
+ case 'TSTupleType':
+ case 'TSArrayType':
+ return;
+
+ default:
+ this.raise(TSErrors.UnexpectedReadonly, {
+ at: node,
+ });
+ }
+ }
+
+ tsParseInferType() {
+ const node = this.startNode();
+ this.expectContextual(112);
+ const typeParameter = this.startNode();
+ typeParameter.name = this.tsParseTypeParameterName();
+ typeParameter.constraint = this.tsTryParse(() =>
+ this.tsParseConstraintForInferType()
+ );
+ node.typeParameter = this.finishNode(typeParameter, 'TSTypeParameter');
+ return this.finishNode(node, 'TSInferType');
+ }
+
+ tsParseConstraintForInferType() {
+ if (this.eat(81)) {
+ const constraint = this.tsInDisallowConditionalTypesContext(() =>
+ this.tsParseType()
+ );
+
+ if (this.state.inDisallowConditionalTypesContext || !this.match(17)) {
+ return constraint;
+ }
+ }
+ }
+
+ tsParseTypeOperatorOrHigher() {
+ const isTypeOperator =
+ tokenIsTSTypeOperator(this.state.type) && !this.state.containsEsc;
+ return (
+ isTypeOperator ? this.tsParseTypeOperator()
+ : this.isContextual(112) ? this.tsParseInferType()
+ : this.tsInAllowConditionalTypesContext(() =>
+ this.tsParseArrayTypeOrHigher()
+ )
+ );
+ }
+
+ tsParseUnionOrIntersectionType(kind, parseConstituentType, operator) {
+ const node = this.startNode();
+ const hasLeadingOperator = this.eat(operator);
+ const types = [];
+
+ do {
+ types.push(parseConstituentType());
+ } while (this.eat(operator));
+
+ if (types.length === 1 && !hasLeadingOperator) {
+ return types[0];
}
- if (starttype === 80) {
- nany.declare = true;
- return this.parseClass(nany, true, false);
+ node.types = types;
+ return this.finishNode(node, kind);
+ }
+
+ tsParseIntersectionTypeOrHigher() {
+ return this.tsParseUnionOrIntersectionType(
+ 'TSIntersectionType',
+ this.tsParseTypeOperatorOrHigher.bind(this),
+ 45
+ );
+ }
+
+ tsParseUnionTypeOrHigher() {
+ return this.tsParseUnionOrIntersectionType(
+ 'TSUnionType',
+ this.tsParseIntersectionTypeOrHigher.bind(this),
+ 43
+ );
+ }
+
+ tsIsStartOfFunctionType() {
+ if (this.match(47)) {
+ return true;
}
- if (starttype === 122) {
- return this.tsParseEnumDeclaration(nany, {
- declare: true
- });
+ return (
+ this.match(10) &&
+ this.tsLookAhead(this.tsIsUnambiguouslyStartOfFunctionType.bind(this))
+ );
+ }
+
+ tsSkipParameterStart() {
+ if (tokenIsIdentifier(this.state.type) || this.match(78)) {
+ this.next();
+ return true;
}
- if (starttype === 109) {
- return this.tsParseAmbientExternalModuleDeclaration(nany);
+ if (this.match(5)) {
+ const { errors } = this.state;
+ const previousErrorCount = errors.length;
+
+ try {
+ this.parseObjectLike(8, true);
+ return errors.length === previousErrorCount;
+ } catch (_unused) {
+ return false;
+ }
}
- if (starttype === 75 || starttype === 74) {
- if (!this.match(75) || !this.isLookaheadContextual("enum")) {
- nany.declare = true;
- return this.parseVarStatement(nany, kind || this.state.value, true);
+ if (this.match(0)) {
+ this.next();
+ const { errors } = this.state;
+ const previousErrorCount = errors.length;
+
+ try {
+ this.parseBindingList(3, 93, true);
+ return errors.length === previousErrorCount;
+ } catch (_unused2) {
+ return false;
+ }
+ }
+
+ return false;
+ }
+
+ tsIsUnambiguouslyStartOfFunctionType() {
+ this.next();
+
+ if (this.match(11) || this.match(21)) {
+ return true;
+ }
+
+ if (this.tsSkipParameterStart()) {
+ if (
+ this.match(14) ||
+ this.match(12) ||
+ this.match(17) ||
+ this.match(29)
+ ) {
+ return true;
}
- this.expect(75);
- return this.tsParseEnumDeclaration(nany, {
- const: true,
- declare: true
+ if (this.match(11)) {
+ this.next();
+
+ if (this.match(19)) {
+ return true;
+ }
+ }
+ }
+
+ return false;
+ }
+
+ tsParseTypeOrTypePredicateAnnotation(returnToken) {
+ return this.tsInType(() => {
+ const t = this.startNode();
+ this.expect(returnToken);
+ const node = this.startNode();
+ const asserts = !!this.tsTryParse(
+ this.tsParseTypePredicateAsserts.bind(this)
+ );
+
+ if (asserts && this.match(78)) {
+ let thisTypePredicate = this.tsParseThisTypeOrThisTypePredicate();
+
+ if (thisTypePredicate.type === 'TSThisType') {
+ node.parameterName = thisTypePredicate;
+ node.asserts = true;
+ node.typeAnnotation = null;
+ thisTypePredicate = this.finishNode(node, 'TSTypePredicate');
+ } else {
+ this.resetStartLocationFromNode(thisTypePredicate, node);
+ thisTypePredicate.asserts = true;
+ }
+
+ t.typeAnnotation = thisTypePredicate;
+ return this.finishNode(t, 'TSTypeAnnotation');
+ }
+
+ const typePredicateVariable =
+ this.tsIsIdentifier() &&
+ this.tsTryParse(this.tsParseTypePredicatePrefix.bind(this));
+
+ if (!typePredicateVariable) {
+ if (!asserts) {
+ return this.tsParseTypeAnnotation(false, t);
+ }
+
+ node.parameterName = this.parseIdentifier();
+ node.asserts = asserts;
+ node.typeAnnotation = null;
+ t.typeAnnotation = this.finishNode(node, 'TSTypePredicate');
+ return this.finishNode(t, 'TSTypeAnnotation');
+ }
+
+ const type = this.tsParseTypeAnnotation(false);
+ node.parameterName = typePredicateVariable;
+ node.typeAnnotation = type;
+ node.asserts = asserts;
+ t.typeAnnotation = this.finishNode(node, 'TSTypePredicate');
+ return this.finishNode(t, 'TSTypeAnnotation');
+ });
+ }
+
+ tsTryParseTypeOrTypePredicateAnnotation() {
+ return this.match(14) ?
+ this.tsParseTypeOrTypePredicateAnnotation(14)
+ : undefined;
+ }
+
+ tsTryParseTypeAnnotation() {
+ return this.match(14) ? this.tsParseTypeAnnotation() : undefined;
+ }
+
+ tsTryParseType() {
+ return this.tsEatThenParseType(14);
+ }
+
+ tsParseTypePredicatePrefix() {
+ const id = this.parseIdentifier();
+
+ if (this.isContextual(113) && !this.hasPrecedingLineBreak()) {
+ this.next();
+ return id;
+ }
+ }
+
+ tsParseTypePredicateAsserts() {
+ if (this.state.type !== 106) {
+ return false;
+ }
+
+ const containsEsc = this.state.containsEsc;
+ this.next();
+
+ if (!tokenIsIdentifier(this.state.type) && !this.match(78)) {
+ return false;
+ }
+
+ if (containsEsc) {
+ this.raise(Errors.InvalidEscapedReservedWord, {
+ at: this.state.lastTokStartLoc,
+ reservedWord: 'asserts',
});
}
- if (starttype === 125) {
- const result = this.tsParseInterfaceDeclaration(nany, {
- declare: true
+ return true;
+ }
+
+ tsParseTypeAnnotation(eatColon = true, t = this.startNode()) {
+ this.tsInType(() => {
+ if (eatColon) this.expect(14);
+ t.typeAnnotation = this.tsParseType();
+ });
+ return this.finishNode(t, 'TSTypeAnnotation');
+ }
+
+ tsParseType() {
+ assert(this.state.inType);
+ const type = this.tsParseNonConditionalType();
+
+ if (
+ this.state.inDisallowConditionalTypesContext ||
+ this.hasPrecedingLineBreak() ||
+ !this.eat(81)
+ ) {
+ return type;
+ }
+
+ const node = this.startNodeAtNode(type);
+ node.checkType = type;
+ node.extendsType = this.tsInDisallowConditionalTypesContext(() =>
+ this.tsParseNonConditionalType()
+ );
+ this.expect(17);
+ node.trueType = this.tsInAllowConditionalTypesContext(() =>
+ this.tsParseType()
+ );
+ this.expect(14);
+ node.falseType = this.tsInAllowConditionalTypesContext(() =>
+ this.tsParseType()
+ );
+ return this.finishNode(node, 'TSConditionalType');
+ }
+
+ isAbstractConstructorSignature() {
+ return this.isContextual(120) && this.lookahead().type === 77;
+ }
+
+ tsParseNonConditionalType() {
+ if (this.tsIsStartOfFunctionType()) {
+ return this.tsParseFunctionOrConstructorType('TSFunctionType');
+ }
+
+ if (this.match(77)) {
+ return this.tsParseFunctionOrConstructorType('TSConstructorType');
+ } else if (this.isAbstractConstructorSignature()) {
+ return this.tsParseFunctionOrConstructorType('TSConstructorType', true);
+ }
+
+ return this.tsParseUnionTypeOrHigher();
+ }
+
+ tsParseTypeAssertion() {
+ if (this.getPluginOption('typescript', 'disallowAmbiguousJSXLike')) {
+ this.raise(TSErrors.ReservedTypeAssertion, {
+ at: this.state.startLoc,
});
- if (result) return result;
}
- if (tokenIsIdentifier(starttype)) {
- return this.tsParseDeclaration(nany, this.state.value, true);
+ const node = this.startNode();
+
+ const _const = this.tsTryNextParseConstantContext();
+
+ node.typeAnnotation = _const || this.tsNextThenParseType();
+ this.expect(48);
+ node.expression = this.parseMaybeUnary();
+ return this.finishNode(node, 'TSTypeAssertion');
+ }
+
+ tsParseHeritageClause(token) {
+ const originalStartLoc = this.state.startLoc;
+ const delimitedList = this.tsParseDelimitedList(
+ 'HeritageClauseElement',
+ () => {
+ const node = this.startNode();
+ node.expression = this.tsParseEntityName();
+
+ if (this.match(47)) {
+ node.typeParameters = this.tsParseTypeArguments();
+ }
+
+ return this.finishNode(node, 'TSExpressionWithTypeArguments');
+ }
+ );
+
+ if (!delimitedList.length) {
+ this.raise(TSErrors.EmptyHeritageClauseType, {
+ at: originalStartLoc,
+ token,
+ });
}
- });
- }
- tsTryParseExportDeclaration() {
- return this.tsParseDeclaration(this.startNode(), this.state.value, true);
- }
+ return delimitedList;
+ }
- tsParseExpressionStatement(node, expr) {
- switch (expr.name) {
- case "declare":
- {
+ tsParseInterfaceDeclaration(node, properties = {}) {
+ if (this.hasFollowingLineBreak()) return null;
+ this.expectContextual(125);
+ if (properties.declare) node.declare = true;
+
+ if (tokenIsIdentifier(this.state.type)) {
+ node.id = this.parseIdentifier();
+ this.checkIdentifier(node.id, BIND_TS_INTERFACE);
+ } else {
+ node.id = null;
+ this.raise(TSErrors.MissingInterfaceName, {
+ at: this.state.startLoc,
+ });
+ }
+
+ node.typeParameters = this.tsTryParseTypeParameters(
+ this.tsParseInOutModifiers.bind(this)
+ );
+
+ if (this.eat(81)) {
+ node.extends = this.tsParseHeritageClause('extends');
+ }
+
+ const body = this.startNode();
+ body.body = this.tsInType(this.tsParseObjectTypeMembers.bind(this));
+ node.body = this.finishNode(body, 'TSInterfaceBody');
+ return this.finishNode(node, 'TSInterfaceDeclaration');
+ }
+
+ tsParseTypeAliasDeclaration(node) {
+ node.id = this.parseIdentifier();
+ this.checkIdentifier(node.id, BIND_TS_TYPE);
+ node.typeAnnotation = this.tsInType(() => {
+ node.typeParameters = this.tsTryParseTypeParameters(
+ this.tsParseInOutModifiers.bind(this)
+ );
+ this.expect(29);
+
+ if (this.isContextual(111) && this.lookahead().type !== 16) {
+ const node = this.startNode();
+ this.next();
+ return this.finishNode(node, 'TSIntrinsicKeyword');
+ }
+
+ return this.tsParseType();
+ });
+ this.semicolon();
+ return this.finishNode(node, 'TSTypeAliasDeclaration');
+ }
+
+ tsInNoContext(cb) {
+ const oldContext = this.state.context;
+ this.state.context = [oldContext[0]];
+
+ try {
+ return cb();
+ } finally {
+ this.state.context = oldContext;
+ }
+ }
+
+ tsInType(cb) {
+ const oldInType = this.state.inType;
+ this.state.inType = true;
+
+ try {
+ return cb();
+ } finally {
+ this.state.inType = oldInType;
+ }
+ }
+
+ tsInDisallowConditionalTypesContext(cb) {
+ const oldInDisallowConditionalTypesContext =
+ this.state.inDisallowConditionalTypesContext;
+ this.state.inDisallowConditionalTypesContext = true;
+
+ try {
+ return cb();
+ } finally {
+ this.state.inDisallowConditionalTypesContext =
+ oldInDisallowConditionalTypesContext;
+ }
+ }
+
+ tsInAllowConditionalTypesContext(cb) {
+ const oldInDisallowConditionalTypesContext =
+ this.state.inDisallowConditionalTypesContext;
+ this.state.inDisallowConditionalTypesContext = false;
+
+ try {
+ return cb();
+ } finally {
+ this.state.inDisallowConditionalTypesContext =
+ oldInDisallowConditionalTypesContext;
+ }
+ }
+
+ tsEatThenParseType(token) {
+ return !this.match(token) ? undefined : this.tsNextThenParseType();
+ }
+
+ tsExpectThenParseType(token) {
+ return this.tsDoThenParseType(() => this.expect(token));
+ }
+
+ tsNextThenParseType() {
+ return this.tsDoThenParseType(() => this.next());
+ }
+
+ tsDoThenParseType(cb) {
+ return this.tsInType(() => {
+ cb();
+ return this.tsParseType();
+ });
+ }
+
+ tsParseEnumMember() {
+ const node = this.startNode();
+ node.id =
+ this.match(129) ? this.parseExprAtom() : this.parseIdentifier(true);
+
+ if (this.eat(29)) {
+ node.initializer = this.parseMaybeAssignAllowIn();
+ }
+
+ return this.finishNode(node, 'TSEnumMember');
+ }
+
+ tsParseEnumDeclaration(node, properties = {}) {
+ if (properties.const) node.const = true;
+ if (properties.declare) node.declare = true;
+ this.expectContextual(122);
+ node.id = this.parseIdentifier();
+ this.checkIdentifier(
+ node.id,
+ node.const ? BIND_TS_CONST_ENUM : BIND_TS_ENUM
+ );
+ this.expect(5);
+ node.members = this.tsParseDelimitedList(
+ 'EnumMembers',
+ this.tsParseEnumMember.bind(this)
+ );
+ this.expect(8);
+ return this.finishNode(node, 'TSEnumDeclaration');
+ }
+
+ tsParseModuleBlock() {
+ const node = this.startNode();
+ this.scope.enter(SCOPE_OTHER);
+ this.expect(5);
+ this.parseBlockOrModuleBlockBody((node.body = []), undefined, true, 8);
+ this.scope.exit();
+ return this.finishNode(node, 'TSModuleBlock');
+ }
+
+ tsParseModuleOrNamespaceDeclaration(node, nested = false) {
+ node.id = this.parseIdentifier();
+
+ if (!nested) {
+ this.checkIdentifier(node.id, BIND_TS_NAMESPACE);
+ }
+
+ if (this.eat(16)) {
+ const inner = this.startNode();
+ this.tsParseModuleOrNamespaceDeclaration(inner, true);
+ node.body = inner;
+ } else {
+ this.scope.enter(SCOPE_TS_MODULE);
+ this.prodParam.enter(PARAM);
+ node.body = this.tsParseModuleBlock();
+ this.prodParam.exit();
+ this.scope.exit();
+ }
+
+ return this.finishNode(node, 'TSModuleDeclaration');
+ }
+
+ tsParseAmbientExternalModuleDeclaration(node) {
+ if (this.isContextual(109)) {
+ node.global = true;
+ node.id = this.parseIdentifier();
+ } else if (this.match(129)) {
+ node.id = this.parseExprAtom();
+ } else {
+ this.unexpected();
+ }
+
+ if (this.match(5)) {
+ this.scope.enter(SCOPE_TS_MODULE);
+ this.prodParam.enter(PARAM);
+ node.body = this.tsParseModuleBlock();
+ this.prodParam.exit();
+ this.scope.exit();
+ } else {
+ this.semicolon();
+ }
+
+ return this.finishNode(node, 'TSModuleDeclaration');
+ }
+
+ tsParseImportEqualsDeclaration(node, isExport) {
+ node.isExport = isExport || false;
+ node.id = this.parseIdentifier();
+ this.checkIdentifier(node.id, BIND_LEXICAL);
+ this.expect(29);
+ const moduleReference = this.tsParseModuleReference();
+
+ if (
+ node.importKind === 'type' &&
+ moduleReference.type !== 'TSExternalModuleReference'
+ ) {
+ this.raise(TSErrors.ImportAliasHasImportType, {
+ at: moduleReference,
+ });
+ }
+
+ node.moduleReference = moduleReference;
+ this.semicolon();
+ return this.finishNode(node, 'TSImportEqualsDeclaration');
+ }
+
+ tsIsExternalModuleReference() {
+ return this.isContextual(116) && this.lookaheadCharCode() === 40;
+ }
+
+ tsParseModuleReference() {
+ return this.tsIsExternalModuleReference() ?
+ this.tsParseExternalModuleReference()
+ : this.tsParseEntityName(false);
+ }
+
+ tsParseExternalModuleReference() {
+ const node = this.startNode();
+ this.expectContextual(116);
+ this.expect(10);
+
+ if (!this.match(129)) {
+ throw this.unexpected();
+ }
+
+ node.expression = this.parseExprAtom();
+ this.expect(11);
+ return this.finishNode(node, 'TSExternalModuleReference');
+ }
+
+ tsLookAhead(f) {
+ const state = this.state.clone();
+ const res = f();
+ this.state = state;
+ return res;
+ }
+
+ tsTryParseAndCatch(f) {
+ const result = this.tryParse((abort) => f() || abort());
+ if (result.aborted || !result.node) return undefined;
+ if (result.error) this.state = result.failState;
+ return result.node;
+ }
+
+ tsTryParse(f) {
+ const state = this.state.clone();
+ const result = f();
+
+ if (result !== undefined && result !== false) {
+ return result;
+ } else {
+ this.state = state;
+ return undefined;
+ }
+ }
+
+ tsTryParseDeclare(nany) {
+ if (this.isLineTerminator()) {
+ return;
+ }
+
+ let starttype = this.state.type;
+ let kind;
+
+ if (this.isContextual(99)) {
+ starttype = 74;
+ kind = 'let';
+ }
+
+ return this.tsInAmbientContext(() => {
+ if (starttype === 68) {
+ nany.declare = true;
+ return this.parseFunctionStatement(nany, false, true);
+ }
+
+ if (starttype === 80) {
+ nany.declare = true;
+ return this.parseClass(nany, true, false);
+ }
+
+ if (starttype === 122) {
+ return this.tsParseEnumDeclaration(nany, {
+ declare: true,
+ });
+ }
+
+ if (starttype === 109) {
+ return this.tsParseAmbientExternalModuleDeclaration(nany);
+ }
+
+ if (starttype === 75 || starttype === 74) {
+ if (!this.match(75) || !this.isLookaheadContextual('enum')) {
+ nany.declare = true;
+ return this.parseVarStatement(nany, kind || this.state.value, true);
+ }
+
+ this.expect(75);
+ return this.tsParseEnumDeclaration(nany, {
+ const: true,
+ declare: true,
+ });
+ }
+
+ if (starttype === 125) {
+ const result = this.tsParseInterfaceDeclaration(nany, {
+ declare: true,
+ });
+ if (result) return result;
+ }
+
+ if (tokenIsIdentifier(starttype)) {
+ return this.tsParseDeclaration(nany, this.state.value, true);
+ }
+ });
+ }
+
+ tsTryParseExportDeclaration() {
+ return this.tsParseDeclaration(this.startNode(), this.state.value, true);
+ }
+
+ tsParseExpressionStatement(node, expr) {
+ switch (expr.name) {
+ case 'declare': {
const declaration = this.tsTryParseDeclare(node);
if (declaration) {
@@ -9861,1408 +11000,1615 @@ var typescript = (superClass => class extends superClass {
break;
}
- case "global":
- if (this.match(5)) {
- this.scope.enter(SCOPE_TS_MODULE);
- this.prodParam.enter(PARAM);
- const mod = node;
- mod.global = true;
- mod.id = expr;
- mod.body = this.tsParseModuleBlock();
- this.scope.exit();
- this.prodParam.exit();
- return this.finishNode(mod, "TSModuleDeclaration");
- }
+ case 'global':
+ if (this.match(5)) {
+ this.scope.enter(SCOPE_TS_MODULE);
+ this.prodParam.enter(PARAM);
+ const mod = node;
+ mod.global = true;
+ mod.id = expr;
+ mod.body = this.tsParseModuleBlock();
+ this.scope.exit();
+ this.prodParam.exit();
+ return this.finishNode(mod, 'TSModuleDeclaration');
+ }
- break;
+ break;
- default:
- return this.tsParseDeclaration(node, expr.name, false);
+ default:
+ return this.tsParseDeclaration(node, expr.name, false);
+ }
}
- }
- tsParseDeclaration(node, value, next) {
- switch (value) {
- case "abstract":
- if (this.tsCheckLineTerminator(next) && (this.match(80) || tokenIsIdentifier(this.state.type))) {
- return this.tsParseAbstractDeclaration(node);
- }
+ tsParseDeclaration(node, value, next) {
+ switch (value) {
+ case 'abstract':
+ if (
+ this.tsCheckLineTerminator(next) &&
+ (this.match(80) || tokenIsIdentifier(this.state.type))
+ ) {
+ return this.tsParseAbstractDeclaration(node);
+ }
- break;
+ break;
- case "module":
- if (this.tsCheckLineTerminator(next)) {
- if (this.match(129)) {
- return this.tsParseAmbientExternalModuleDeclaration(node);
- } else if (tokenIsIdentifier(this.state.type)) {
+ case 'module':
+ if (this.tsCheckLineTerminator(next)) {
+ if (this.match(129)) {
+ return this.tsParseAmbientExternalModuleDeclaration(node);
+ } else if (tokenIsIdentifier(this.state.type)) {
+ return this.tsParseModuleOrNamespaceDeclaration(node);
+ }
+ }
+
+ break;
+
+ case 'namespace':
+ if (
+ this.tsCheckLineTerminator(next) &&
+ tokenIsIdentifier(this.state.type)
+ ) {
return this.tsParseModuleOrNamespaceDeclaration(node);
}
- }
- break;
+ break;
- case "namespace":
- if (this.tsCheckLineTerminator(next) && tokenIsIdentifier(this.state.type)) {
- return this.tsParseModuleOrNamespaceDeclaration(node);
- }
-
- break;
-
- case "type":
- if (this.tsCheckLineTerminator(next) && tokenIsIdentifier(this.state.type)) {
- return this.tsParseTypeAliasDeclaration(node);
- }
-
- break;
- }
- }
-
- tsCheckLineTerminator(next) {
- if (next) {
- if (this.hasFollowingLineBreak()) return false;
- this.next();
- return true;
- }
-
- return !this.isLineTerminator();
- }
-
- tsTryParseGenericAsyncArrowFunction(startPos, startLoc) {
- if (!this.match(47)) {
- return undefined;
- }
-
- const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;
- this.state.maybeInArrowParameters = true;
- const res = this.tsTryParseAndCatch(() => {
- const node = this.startNodeAt(startPos, startLoc);
- node.typeParameters = this.tsParseTypeParameters();
- super.parseFunctionParams(node);
- node.returnType = this.tsTryParseTypeOrTypePredicateAnnotation();
- this.expect(19);
- return node;
- });
- this.state.maybeInArrowParameters = oldMaybeInArrowParameters;
-
- if (!res) {
- return undefined;
- }
-
- return this.parseArrowExpression(res, null, true);
- }
-
- tsParseTypeArgumentsInExpression() {
- if (this.reScan_lt() !== 47) {
- return undefined;
- }
-
- return this.tsParseTypeArguments();
- }
-
- tsParseTypeArguments() {
- const node = this.startNode();
- node.params = this.tsInType(() => this.tsInNoContext(() => {
- this.expect(47);
- return this.tsParseDelimitedList("TypeParametersOrArguments", this.tsParseType.bind(this));
- }));
-
- if (node.params.length === 0) {
- this.raise(TSErrors.EmptyTypeArguments, {
- at: node
- });
- }
-
- this.expect(48);
- return this.finishNode(node, "TSTypeParameterInstantiation");
- }
-
- tsIsDeclarationStart() {
- return tokenIsTSDeclarationStart(this.state.type);
- }
-
- isExportDefaultSpecifier() {
- if (this.tsIsDeclarationStart()) return false;
- return super.isExportDefaultSpecifier();
- }
-
- parseAssignableListItem(allowModifiers, decorators) {
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- let accessibility;
- let readonly = false;
- let override = false;
-
- if (allowModifiers !== undefined) {
- const modified = {};
- this.tsParseModifiers({
- modified,
- allowedModifiers: ["public", "private", "protected", "override", "readonly"]
- });
- accessibility = modified.accessibility;
- override = modified.override;
- readonly = modified.readonly;
-
- if (allowModifiers === false && (accessibility || readonly || override)) {
- this.raise(TSErrors.UnexpectedParameterModifier, {
- at: startLoc
- });
- }
- }
-
- const left = this.parseMaybeDefault();
- this.parseAssignableListItemTypes(left);
- const elt = this.parseMaybeDefault(left.start, left.loc.start, left);
-
- if (accessibility || readonly || override) {
- const pp = this.startNodeAt(startPos, startLoc);
-
- if (decorators.length) {
- pp.decorators = decorators;
- }
-
- if (accessibility) pp.accessibility = accessibility;
- if (readonly) pp.readonly = readonly;
- if (override) pp.override = override;
-
- if (elt.type !== "Identifier" && elt.type !== "AssignmentPattern") {
- this.raise(TSErrors.UnsupportedParameterPropertyKind, {
- at: pp
- });
- }
-
- pp.parameter = elt;
- return this.finishNode(pp, "TSParameterProperty");
- }
-
- if (decorators.length) {
- left.decorators = decorators;
- }
-
- return elt;
- }
-
- isSimpleParameter(node) {
- return node.type === "TSParameterProperty" && super.isSimpleParameter(node.parameter) || super.isSimpleParameter(node);
- }
-
- parseFunctionBodyAndFinish(node, type, isMethod = false) {
- if (this.match(14)) {
- node.returnType = this.tsParseTypeOrTypePredicateAnnotation(14);
- }
-
- const bodilessType = type === "FunctionDeclaration" ? "TSDeclareFunction" : type === "ClassMethod" || type === "ClassPrivateMethod" ? "TSDeclareMethod" : undefined;
-
- if (bodilessType && !this.match(5) && this.isLineTerminator()) {
- this.finishNode(node, bodilessType);
- return;
- }
-
- if (bodilessType === "TSDeclareFunction" && this.state.isAmbientContext) {
- this.raise(TSErrors.DeclareFunctionHasImplementation, {
- at: node
- });
-
- if (node.declare) {
- super.parseFunctionBodyAndFinish(node, bodilessType, isMethod);
- return;
- }
- }
-
- super.parseFunctionBodyAndFinish(node, type, isMethod);
- }
-
- registerFunctionStatementId(node) {
- if (!node.body && node.id) {
- this.checkIdentifier(node.id, BIND_TS_AMBIENT);
- } else {
- super.registerFunctionStatementId(...arguments);
- }
- }
-
- tsCheckForInvalidTypeCasts(items) {
- items.forEach(node => {
- if ((node == null ? void 0 : node.type) === "TSTypeCastExpression") {
- this.raise(TSErrors.UnexpectedTypeAnnotation, {
- at: node.typeAnnotation
- });
- }
- });
- }
-
- toReferencedList(exprList, isInParens) {
- this.tsCheckForInvalidTypeCasts(exprList);
- return exprList;
- }
-
- parseArrayLike(...args) {
- const node = super.parseArrayLike(...args);
-
- if (node.type === "ArrayExpression") {
- this.tsCheckForInvalidTypeCasts(node.elements);
- }
-
- return node;
- }
-
- parseSubscript(base, startPos, startLoc, noCalls, state) {
- if (!this.hasPrecedingLineBreak() && this.match(35)) {
- this.state.canStartJSXElement = false;
- this.next();
- const nonNullExpression = this.startNodeAt(startPos, startLoc);
- nonNullExpression.expression = base;
- return this.finishNode(nonNullExpression, "TSNonNullExpression");
- }
-
- let isOptionalCall = false;
-
- if (this.match(18) && this.lookaheadCharCode() === 60) {
- if (noCalls) {
- state.stop = true;
- return base;
- }
-
- state.optionalChainMember = isOptionalCall = true;
- this.next();
- }
-
- if (this.match(47) || this.match(51)) {
- let missingParenErrorLoc;
- const result = this.tsTryParseAndCatch(() => {
- if (!noCalls && this.atPossibleAsyncArrow(base)) {
- const asyncArrowFn = this.tsTryParseGenericAsyncArrowFunction(startPos, startLoc);
-
- if (asyncArrowFn) {
- return asyncArrowFn;
- }
- }
-
- const typeArguments = this.tsParseTypeArgumentsInExpression();
- if (!typeArguments) throw this.unexpected();
-
- if (isOptionalCall && !this.match(10)) {
- missingParenErrorLoc = this.state.curPosition();
- throw this.unexpected();
- }
-
- if (tokenIsTemplate(this.state.type)) {
- const result = this.parseTaggedTemplateExpression(base, startPos, startLoc, state);
- result.typeParameters = typeArguments;
- return result;
- }
-
- if (!noCalls && this.eat(10)) {
- const node = this.startNodeAt(startPos, startLoc);
- node.callee = base;
- node.arguments = this.parseCallExpressionArguments(11, false);
- this.tsCheckForInvalidTypeCasts(node.arguments);
- node.typeParameters = typeArguments;
-
- if (state.optionalChainMember) {
- node.optional = isOptionalCall;
+ case 'type':
+ if (
+ this.tsCheckLineTerminator(next) &&
+ tokenIsIdentifier(this.state.type)
+ ) {
+ return this.tsParseTypeAliasDeclaration(node);
}
- return this.finishCallExpression(node, state.optionalChainMember);
- }
+ break;
+ }
+ }
- if (tsTokenCanStartExpression(this.state.type) && this.state.type !== 10) {
- throw this.unexpected();
- }
+ tsCheckLineTerminator(next) {
+ if (next) {
+ if (this.hasFollowingLineBreak()) return false;
+ this.next();
+ return true;
+ }
+ return !this.isLineTerminator();
+ }
+
+ tsTryParseGenericAsyncArrowFunction(startPos, startLoc) {
+ if (!this.match(47)) {
+ return undefined;
+ }
+
+ const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;
+ this.state.maybeInArrowParameters = true;
+ const res = this.tsTryParseAndCatch(() => {
const node = this.startNodeAt(startPos, startLoc);
- node.expression = base;
- node.typeParameters = typeArguments;
- return this.finishNode(node, "TSInstantiationExpression");
+ node.typeParameters = this.tsParseTypeParameters();
+ super.parseFunctionParams(node);
+ node.returnType = this.tsTryParseTypeOrTypePredicateAnnotation();
+ this.expect(19);
+ return node;
});
+ this.state.maybeInArrowParameters = oldMaybeInArrowParameters;
- if (missingParenErrorLoc) {
- this.unexpected(missingParenErrorLoc, 10);
+ if (!res) {
+ return undefined;
}
- if (result) return result;
+ return this.parseArrowExpression(res, null, true);
}
- return super.parseSubscript(base, startPos, startLoc, noCalls, state);
- }
-
- parseNewCallee(node) {
- var _callee$extra;
-
- super.parseNewCallee(node);
- const {
- callee
- } = node;
-
- if (callee.type === "TSInstantiationExpression" && !((_callee$extra = callee.extra) != null && _callee$extra.parenthesized)) {
- node.typeParameters = callee.typeParameters;
- node.callee = callee.expression;
- }
- }
-
- parseExprOp(left, leftStartPos, leftStartLoc, minPrec) {
- if (tokenOperatorPrecedence(58) > minPrec && !this.hasPrecedingLineBreak() && this.isContextual(93)) {
- const node = this.startNodeAt(leftStartPos, leftStartLoc);
- node.expression = left;
-
- const _const = this.tsTryNextParseConstantContext();
-
- if (_const) {
- node.typeAnnotation = _const;
- } else {
- node.typeAnnotation = this.tsNextThenParseType();
+ tsParseTypeArgumentsInExpression() {
+ if (this.reScan_lt() !== 47) {
+ return undefined;
}
- this.finishNode(node, "TSAsExpression");
- this.reScan_lt_gt();
- return this.parseExprOp(node, leftStartPos, leftStartLoc, minPrec);
+ return this.tsParseTypeArguments();
}
- return super.parseExprOp(left, leftStartPos, leftStartLoc, minPrec);
- }
-
- checkReservedWord(word, startLoc, checkKeywords, isBinding) {
- if (!this.state.isAmbientContext) {
- super.checkReservedWord(word, startLoc, checkKeywords, isBinding);
- }
- }
-
- checkDuplicateExports() {}
-
- parseImport(node) {
- node.importKind = "value";
-
- if (tokenIsIdentifier(this.state.type) || this.match(55) || this.match(5)) {
- let ahead = this.lookahead();
-
- if (this.isContextual(126) && ahead.type !== 12 && ahead.type !== 97 && ahead.type !== 29) {
- node.importKind = "type";
- this.next();
- ahead = this.lookahead();
- }
-
- if (tokenIsIdentifier(this.state.type) && ahead.type === 29) {
- return this.tsParseImportEqualsDeclaration(node);
- }
- }
-
- const importNode = super.parseImport(node);
-
- if (importNode.importKind === "type" && importNode.specifiers.length > 1 && importNode.specifiers[0].type === "ImportDefaultSpecifier") {
- this.raise(TSErrors.TypeImportCannotSpecifyDefaultAndNamed, {
- at: importNode
- });
- }
-
- return importNode;
- }
-
- parseExport(node) {
- if (this.match(83)) {
- this.next();
-
- if (this.isContextual(126) && this.lookaheadCharCode() !== 61) {
- node.importKind = "type";
- this.next();
- } else {
- node.importKind = "value";
- }
-
- return this.tsParseImportEqualsDeclaration(node, true);
- } else if (this.eat(29)) {
- const assign = node;
- assign.expression = this.parseExpression();
- this.semicolon();
- return this.finishNode(assign, "TSExportAssignment");
- } else if (this.eatContextual(93)) {
- const decl = node;
- this.expectContextual(124);
- decl.id = this.parseIdentifier();
- this.semicolon();
- return this.finishNode(decl, "TSNamespaceExportDeclaration");
- } else {
- if (this.isContextual(126) && this.lookahead().type === 5) {
- this.next();
- node.exportKind = "type";
- } else {
- node.exportKind = "value";
- }
-
- return super.parseExport(node);
- }
- }
-
- isAbstractClass() {
- return this.isContextual(120) && this.lookahead().type === 80;
- }
-
- parseExportDefaultExpression() {
- if (this.isAbstractClass()) {
- const cls = this.startNode();
- this.next();
- cls.abstract = true;
- this.parseClass(cls, true, true);
- return cls;
- }
-
- if (this.match(125)) {
- const result = this.tsParseInterfaceDeclaration(this.startNode());
- if (result) return result;
- }
-
- return super.parseExportDefaultExpression();
- }
-
- parseVarStatement(node, kind, allowMissingInitializer = false) {
- const {
- isAmbientContext
- } = this.state;
- const declaration = super.parseVarStatement(node, kind, allowMissingInitializer || isAmbientContext);
- if (!isAmbientContext) return declaration;
-
- for (const {
- id,
- init
- } of declaration.declarations) {
- if (!init) continue;
-
- if (kind !== "const" || !!id.typeAnnotation) {
- this.raise(TSErrors.InitializerNotAllowedInAmbientContext, {
- at: init
- });
- } else if (init.type !== "StringLiteral" && init.type !== "BooleanLiteral" && init.type !== "NumericLiteral" && init.type !== "BigIntLiteral" && (init.type !== "TemplateLiteral" || init.expressions.length > 0) && !isPossiblyLiteralEnum(init)) {
- this.raise(TSErrors.ConstInitiailizerMustBeStringOrNumericLiteralOrLiteralEnumReference, {
- at: init
- });
- }
- }
-
- return declaration;
- }
-
- parseStatementContent(context, topLevel) {
- if (this.match(75) && this.isLookaheadContextual("enum")) {
+ tsParseTypeArguments() {
const node = this.startNode();
- this.expect(75);
- return this.tsParseEnumDeclaration(node, {
- const: true
- });
- }
+ node.params = this.tsInType(() =>
+ this.tsInNoContext(() => {
+ this.expect(47);
+ return this.tsParseDelimitedList(
+ 'TypeParametersOrArguments',
+ this.tsParseType.bind(this)
+ );
+ })
+ );
- if (this.isContextual(122)) {
- return this.tsParseEnumDeclaration(this.startNode());
- }
-
- if (this.isContextual(125)) {
- const result = this.tsParseInterfaceDeclaration(this.startNode());
- if (result) return result;
- }
-
- return super.parseStatementContent(context, topLevel);
- }
-
- parseAccessModifier() {
- return this.tsParseModifier(["public", "protected", "private"]);
- }
-
- tsHasSomeModifiers(member, modifiers) {
- return modifiers.some(modifier => {
- if (tsIsAccessModifier(modifier)) {
- return member.accessibility === modifier;
+ if (node.params.length === 0) {
+ this.raise(TSErrors.EmptyTypeArguments, {
+ at: node,
+ });
}
- return !!member[modifier];
- });
- }
+ this.expect(48);
+ return this.finishNode(node, 'TSTypeParameterInstantiation');
+ }
- tsIsStartOfStaticBlocks() {
- return this.isContextual(104) && this.lookaheadCharCode() === 123;
- }
+ tsIsDeclarationStart() {
+ return tokenIsTSDeclarationStart(this.state.type);
+ }
- parseClassMember(classBody, member, state) {
- const modifiers = ["declare", "private", "public", "protected", "override", "abstract", "readonly", "static"];
- this.tsParseModifiers({
- modified: member,
- allowedModifiers: modifiers,
- disallowedModifiers: ["in", "out"],
- stopOnStartOfClassStaticBlock: true,
- errorTemplate: TSErrors.InvalidModifierOnTypeParameterPositions
- });
+ isExportDefaultSpecifier() {
+ if (this.tsIsDeclarationStart()) return false;
+ return super.isExportDefaultSpecifier();
+ }
- const callParseClassMemberWithIsStatic = () => {
- if (this.tsIsStartOfStaticBlocks()) {
- this.next();
- this.next();
+ parseAssignableListItem(allowModifiers, decorators) {
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ let accessibility;
+ let readonly = false;
+ let override = false;
- if (this.tsHasSomeModifiers(member, modifiers)) {
- this.raise(TSErrors.StaticBlockCannotHaveModifier, {
- at: this.state.curPosition()
+ if (allowModifiers !== undefined) {
+ const modified = {};
+ this.tsParseModifiers({
+ modified,
+ allowedModifiers: [
+ 'public',
+ 'private',
+ 'protected',
+ 'override',
+ 'readonly',
+ ],
+ });
+ accessibility = modified.accessibility;
+ override = modified.override;
+ readonly = modified.readonly;
+
+ if (
+ allowModifiers === false &&
+ (accessibility || readonly || override)
+ ) {
+ this.raise(TSErrors.UnexpectedParameterModifier, {
+ at: startLoc,
+ });
+ }
+ }
+
+ const left = this.parseMaybeDefault();
+ this.parseAssignableListItemTypes(left);
+ const elt = this.parseMaybeDefault(left.start, left.loc.start, left);
+
+ if (accessibility || readonly || override) {
+ const pp = this.startNodeAt(startPos, startLoc);
+
+ if (decorators.length) {
+ pp.decorators = decorators;
+ }
+
+ if (accessibility) pp.accessibility = accessibility;
+ if (readonly) pp.readonly = readonly;
+ if (override) pp.override = override;
+
+ if (elt.type !== 'Identifier' && elt.type !== 'AssignmentPattern') {
+ this.raise(TSErrors.UnsupportedParameterPropertyKind, {
+ at: pp,
});
}
- this.parseClassStaticBlock(classBody, member);
- } else {
- this.parseClassMemberWithIsStatic(classBody, member, state, !!member.static);
+ pp.parameter = elt;
+ return this.finishNode(pp, 'TSParameterProperty');
}
- };
- if (member.declare) {
- this.tsInAmbientContext(callParseClassMemberWithIsStatic);
- } else {
- callParseClassMemberWithIsStatic();
+ if (decorators.length) {
+ left.decorators = decorators;
+ }
+
+ return elt;
}
- }
- parseClassMemberWithIsStatic(classBody, member, state, isStatic) {
- const idx = this.tsTryParseIndexSignature(member);
+ isSimpleParameter(node) {
+ return (
+ (node.type === 'TSParameterProperty' &&
+ super.isSimpleParameter(node.parameter)) ||
+ super.isSimpleParameter(node)
+ );
+ }
- if (idx) {
- classBody.body.push(idx);
+ parseFunctionBodyAndFinish(node, type, isMethod = false) {
+ if (this.match(14)) {
+ node.returnType = this.tsParseTypeOrTypePredicateAnnotation(14);
+ }
- if (member.abstract) {
- this.raise(TSErrors.IndexSignatureHasAbstract, {
- at: member
+ const bodilessType =
+ type === 'FunctionDeclaration' ? 'TSDeclareFunction'
+ : type === 'ClassMethod' || type === 'ClassPrivateMethod' ?
+ 'TSDeclareMethod'
+ : undefined;
+
+ if (bodilessType && !this.match(5) && this.isLineTerminator()) {
+ this.finishNode(node, bodilessType);
+ return;
+ }
+
+ if (bodilessType === 'TSDeclareFunction' && this.state.isAmbientContext) {
+ this.raise(TSErrors.DeclareFunctionHasImplementation, {
+ at: node,
+ });
+
+ if (node.declare) {
+ super.parseFunctionBodyAndFinish(node, bodilessType, isMethod);
+ return;
+ }
+ }
+
+ super.parseFunctionBodyAndFinish(node, type, isMethod);
+ }
+
+ registerFunctionStatementId(node) {
+ if (!node.body && node.id) {
+ this.checkIdentifier(node.id, BIND_TS_AMBIENT);
+ } else {
+ super.registerFunctionStatementId(...arguments);
+ }
+ }
+
+ tsCheckForInvalidTypeCasts(items) {
+ items.forEach((node) => {
+ if ((node == null ? void 0 : node.type) === 'TSTypeCastExpression') {
+ this.raise(TSErrors.UnexpectedTypeAnnotation, {
+ at: node.typeAnnotation,
+ });
+ }
+ });
+ }
+
+ toReferencedList(exprList, isInParens) {
+ this.tsCheckForInvalidTypeCasts(exprList);
+ return exprList;
+ }
+
+ parseArrayLike(...args) {
+ const node = super.parseArrayLike(...args);
+
+ if (node.type === 'ArrayExpression') {
+ this.tsCheckForInvalidTypeCasts(node.elements);
+ }
+
+ return node;
+ }
+
+ parseSubscript(base, startPos, startLoc, noCalls, state) {
+ if (!this.hasPrecedingLineBreak() && this.match(35)) {
+ this.state.canStartJSXElement = false;
+ this.next();
+ const nonNullExpression = this.startNodeAt(startPos, startLoc);
+ nonNullExpression.expression = base;
+ return this.finishNode(nonNullExpression, 'TSNonNullExpression');
+ }
+
+ let isOptionalCall = false;
+
+ if (this.match(18) && this.lookaheadCharCode() === 60) {
+ if (noCalls) {
+ state.stop = true;
+ return base;
+ }
+
+ state.optionalChainMember = isOptionalCall = true;
+ this.next();
+ }
+
+ if (this.match(47) || this.match(51)) {
+ let missingParenErrorLoc;
+ const result = this.tsTryParseAndCatch(() => {
+ if (!noCalls && this.atPossibleAsyncArrow(base)) {
+ const asyncArrowFn = this.tsTryParseGenericAsyncArrowFunction(
+ startPos,
+ startLoc
+ );
+
+ if (asyncArrowFn) {
+ return asyncArrowFn;
+ }
+ }
+
+ const typeArguments = this.tsParseTypeArgumentsInExpression();
+ if (!typeArguments) throw this.unexpected();
+
+ if (isOptionalCall && !this.match(10)) {
+ missingParenErrorLoc = this.state.curPosition();
+ throw this.unexpected();
+ }
+
+ if (tokenIsTemplate(this.state.type)) {
+ const result = this.parseTaggedTemplateExpression(
+ base,
+ startPos,
+ startLoc,
+ state
+ );
+ result.typeParameters = typeArguments;
+ return result;
+ }
+
+ if (!noCalls && this.eat(10)) {
+ const node = this.startNodeAt(startPos, startLoc);
+ node.callee = base;
+ node.arguments = this.parseCallExpressionArguments(11, false);
+ this.tsCheckForInvalidTypeCasts(node.arguments);
+ node.typeParameters = typeArguments;
+
+ if (state.optionalChainMember) {
+ node.optional = isOptionalCall;
+ }
+
+ return this.finishCallExpression(node, state.optionalChainMember);
+ }
+
+ if (
+ tsTokenCanStartExpression(this.state.type) &&
+ this.state.type !== 10
+ ) {
+ throw this.unexpected();
+ }
+
+ const node = this.startNodeAt(startPos, startLoc);
+ node.expression = base;
+ node.typeParameters = typeArguments;
+ return this.finishNode(node, 'TSInstantiationExpression');
+ });
+
+ if (missingParenErrorLoc) {
+ this.unexpected(missingParenErrorLoc, 10);
+ }
+
+ if (result) return result;
+ }
+
+ return super.parseSubscript(base, startPos, startLoc, noCalls, state);
+ }
+
+ parseNewCallee(node) {
+ var _callee$extra;
+
+ super.parseNewCallee(node);
+ const { callee } = node;
+
+ if (
+ callee.type === 'TSInstantiationExpression' &&
+ !((_callee$extra = callee.extra) != null && _callee$extra.parenthesized)
+ ) {
+ node.typeParameters = callee.typeParameters;
+ node.callee = callee.expression;
+ }
+ }
+
+ parseExprOp(left, leftStartPos, leftStartLoc, minPrec) {
+ if (
+ tokenOperatorPrecedence(58) > minPrec &&
+ !this.hasPrecedingLineBreak() &&
+ this.isContextual(93)
+ ) {
+ const node = this.startNodeAt(leftStartPos, leftStartLoc);
+ node.expression = left;
+
+ const _const = this.tsTryNextParseConstantContext();
+
+ if (_const) {
+ node.typeAnnotation = _const;
+ } else {
+ node.typeAnnotation = this.tsNextThenParseType();
+ }
+
+ this.finishNode(node, 'TSAsExpression');
+ this.reScan_lt_gt();
+ return this.parseExprOp(node, leftStartPos, leftStartLoc, minPrec);
+ }
+
+ return super.parseExprOp(left, leftStartPos, leftStartLoc, minPrec);
+ }
+
+ checkReservedWord(word, startLoc, checkKeywords, isBinding) {
+ if (!this.state.isAmbientContext) {
+ super.checkReservedWord(word, startLoc, checkKeywords, isBinding);
+ }
+ }
+
+ checkDuplicateExports() {}
+
+ parseImport(node) {
+ node.importKind = 'value';
+
+ if (
+ tokenIsIdentifier(this.state.type) ||
+ this.match(55) ||
+ this.match(5)
+ ) {
+ let ahead = this.lookahead();
+
+ if (
+ this.isContextual(126) &&
+ ahead.type !== 12 &&
+ ahead.type !== 97 &&
+ ahead.type !== 29
+ ) {
+ node.importKind = 'type';
+ this.next();
+ ahead = this.lookahead();
+ }
+
+ if (tokenIsIdentifier(this.state.type) && ahead.type === 29) {
+ return this.tsParseImportEqualsDeclaration(node);
+ }
+ }
+
+ const importNode = super.parseImport(node);
+
+ if (
+ importNode.importKind === 'type' &&
+ importNode.specifiers.length > 1 &&
+ importNode.specifiers[0].type === 'ImportDefaultSpecifier'
+ ) {
+ this.raise(TSErrors.TypeImportCannotSpecifyDefaultAndNamed, {
+ at: importNode,
});
}
- if (member.accessibility) {
- this.raise(TSErrors.IndexSignatureHasAccessibility, {
- at: member,
- modifier: member.accessibility
+ return importNode;
+ }
+
+ parseExport(node) {
+ if (this.match(83)) {
+ this.next();
+
+ if (this.isContextual(126) && this.lookaheadCharCode() !== 61) {
+ node.importKind = 'type';
+ this.next();
+ } else {
+ node.importKind = 'value';
+ }
+
+ return this.tsParseImportEqualsDeclaration(node, true);
+ } else if (this.eat(29)) {
+ const assign = node;
+ assign.expression = this.parseExpression();
+ this.semicolon();
+ return this.finishNode(assign, 'TSExportAssignment');
+ } else if (this.eatContextual(93)) {
+ const decl = node;
+ this.expectContextual(124);
+ decl.id = this.parseIdentifier();
+ this.semicolon();
+ return this.finishNode(decl, 'TSNamespaceExportDeclaration');
+ } else {
+ if (this.isContextual(126) && this.lookahead().type === 5) {
+ this.next();
+ node.exportKind = 'type';
+ } else {
+ node.exportKind = 'value';
+ }
+
+ return super.parseExport(node);
+ }
+ }
+
+ isAbstractClass() {
+ return this.isContextual(120) && this.lookahead().type === 80;
+ }
+
+ parseExportDefaultExpression() {
+ if (this.isAbstractClass()) {
+ const cls = this.startNode();
+ this.next();
+ cls.abstract = true;
+ this.parseClass(cls, true, true);
+ return cls;
+ }
+
+ if (this.match(125)) {
+ const result = this.tsParseInterfaceDeclaration(this.startNode());
+ if (result) return result;
+ }
+
+ return super.parseExportDefaultExpression();
+ }
+
+ parseVarStatement(node, kind, allowMissingInitializer = false) {
+ const { isAmbientContext } = this.state;
+ const declaration = super.parseVarStatement(
+ node,
+ kind,
+ allowMissingInitializer || isAmbientContext
+ );
+ if (!isAmbientContext) return declaration;
+
+ for (const { id, init } of declaration.declarations) {
+ if (!init) continue;
+
+ if (kind !== 'const' || !!id.typeAnnotation) {
+ this.raise(TSErrors.InitializerNotAllowedInAmbientContext, {
+ at: init,
+ });
+ } else if (
+ init.type !== 'StringLiteral' &&
+ init.type !== 'BooleanLiteral' &&
+ init.type !== 'NumericLiteral' &&
+ init.type !== 'BigIntLiteral' &&
+ (init.type !== 'TemplateLiteral' || init.expressions.length > 0) &&
+ !isPossiblyLiteralEnum(init)
+ ) {
+ this.raise(
+ TSErrors.ConstInitiailizerMustBeStringOrNumericLiteralOrLiteralEnumReference,
+ {
+ at: init,
+ }
+ );
+ }
+ }
+
+ return declaration;
+ }
+
+ parseStatementContent(context, topLevel) {
+ if (this.match(75) && this.isLookaheadContextual('enum')) {
+ const node = this.startNode();
+ this.expect(75);
+ return this.tsParseEnumDeclaration(node, {
+ const: true,
});
}
+ if (this.isContextual(122)) {
+ return this.tsParseEnumDeclaration(this.startNode());
+ }
+
+ if (this.isContextual(125)) {
+ const result = this.tsParseInterfaceDeclaration(this.startNode());
+ if (result) return result;
+ }
+
+ return super.parseStatementContent(context, topLevel);
+ }
+
+ parseAccessModifier() {
+ return this.tsParseModifier(['public', 'protected', 'private']);
+ }
+
+ tsHasSomeModifiers(member, modifiers) {
+ return modifiers.some((modifier) => {
+ if (tsIsAccessModifier(modifier)) {
+ return member.accessibility === modifier;
+ }
+
+ return !!member[modifier];
+ });
+ }
+
+ tsIsStartOfStaticBlocks() {
+ return this.isContextual(104) && this.lookaheadCharCode() === 123;
+ }
+
+ parseClassMember(classBody, member, state) {
+ const modifiers = [
+ 'declare',
+ 'private',
+ 'public',
+ 'protected',
+ 'override',
+ 'abstract',
+ 'readonly',
+ 'static',
+ ];
+ this.tsParseModifiers({
+ modified: member,
+ allowedModifiers: modifiers,
+ disallowedModifiers: ['in', 'out'],
+ stopOnStartOfClassStaticBlock: true,
+ errorTemplate: TSErrors.InvalidModifierOnTypeParameterPositions,
+ });
+
+ const callParseClassMemberWithIsStatic = () => {
+ if (this.tsIsStartOfStaticBlocks()) {
+ this.next();
+ this.next();
+
+ if (this.tsHasSomeModifiers(member, modifiers)) {
+ this.raise(TSErrors.StaticBlockCannotHaveModifier, {
+ at: this.state.curPosition(),
+ });
+ }
+
+ this.parseClassStaticBlock(classBody, member);
+ } else {
+ this.parseClassMemberWithIsStatic(
+ classBody,
+ member,
+ state,
+ !!member.static
+ );
+ }
+ };
+
if (member.declare) {
- this.raise(TSErrors.IndexSignatureHasDeclare, {
- at: member
+ this.tsInAmbientContext(callParseClassMemberWithIsStatic);
+ } else {
+ callParseClassMemberWithIsStatic();
+ }
+ }
+
+ parseClassMemberWithIsStatic(classBody, member, state, isStatic) {
+ const idx = this.tsTryParseIndexSignature(member);
+
+ if (idx) {
+ classBody.body.push(idx);
+
+ if (member.abstract) {
+ this.raise(TSErrors.IndexSignatureHasAbstract, {
+ at: member,
+ });
+ }
+
+ if (member.accessibility) {
+ this.raise(TSErrors.IndexSignatureHasAccessibility, {
+ at: member,
+ modifier: member.accessibility,
+ });
+ }
+
+ if (member.declare) {
+ this.raise(TSErrors.IndexSignatureHasDeclare, {
+ at: member,
+ });
+ }
+
+ if (member.override) {
+ this.raise(TSErrors.IndexSignatureHasOverride, {
+ at: member,
+ });
+ }
+
+ return;
+ }
+
+ if (!this.state.inAbstractClass && member.abstract) {
+ this.raise(TSErrors.NonAbstractClassHasAbstractMethod, {
+ at: member,
});
}
if (member.override) {
- this.raise(TSErrors.IndexSignatureHasOverride, {
- at: member
- });
- }
-
- return;
- }
-
- if (!this.state.inAbstractClass && member.abstract) {
- this.raise(TSErrors.NonAbstractClassHasAbstractMethod, {
- at: member
- });
- }
-
- if (member.override) {
- if (!state.hadSuperClass) {
- this.raise(TSErrors.OverrideNotInSubClass, {
- at: member
- });
- }
- }
-
- super.parseClassMemberWithIsStatic(classBody, member, state, isStatic);
- }
-
- parsePostMemberNameModifiers(methodOrProp) {
- const optional = this.eat(17);
- if (optional) methodOrProp.optional = true;
-
- if (methodOrProp.readonly && this.match(10)) {
- this.raise(TSErrors.ClassMethodHasReadonly, {
- at: methodOrProp
- });
- }
-
- if (methodOrProp.declare && this.match(10)) {
- this.raise(TSErrors.ClassMethodHasDeclare, {
- at: methodOrProp
- });
- }
- }
-
- parseExpressionStatement(node, expr) {
- const decl = expr.type === "Identifier" ? this.tsParseExpressionStatement(node, expr) : undefined;
- return decl || super.parseExpressionStatement(node, expr);
- }
-
- shouldParseExportDeclaration() {
- if (this.tsIsDeclarationStart()) return true;
- return super.shouldParseExportDeclaration();
- }
-
- parseConditional(expr, startPos, startLoc, refExpressionErrors) {
- if (!this.state.maybeInArrowParameters || !this.match(17)) {
- return super.parseConditional(expr, startPos, startLoc, refExpressionErrors);
- }
-
- const result = this.tryParse(() => super.parseConditional(expr, startPos, startLoc));
-
- if (!result.node) {
- if (result.error) {
- super.setOptionalParametersError(refExpressionErrors, result.error);
- }
-
- return expr;
- }
-
- if (result.error) this.state = result.failState;
- return result.node;
- }
-
- parseParenItem(node, startPos, startLoc) {
- node = super.parseParenItem(node, startPos, startLoc);
-
- if (this.eat(17)) {
- node.optional = true;
- this.resetEndLocation(node);
- }
-
- if (this.match(14)) {
- const typeCastNode = this.startNodeAt(startPos, startLoc);
- typeCastNode.expression = node;
- typeCastNode.typeAnnotation = this.tsParseTypeAnnotation();
- return this.finishNode(typeCastNode, "TSTypeCastExpression");
- }
-
- return node;
- }
-
- parseExportDeclaration(node) {
- if (!this.state.isAmbientContext && this.isContextual(121)) {
- return this.tsInAmbientContext(() => this.parseExportDeclaration(node));
- }
-
- const startPos = this.state.start;
- const startLoc = this.state.startLoc;
- const isDeclare = this.eatContextual(121);
-
- if (isDeclare && (this.isContextual(121) || !this.shouldParseExportDeclaration())) {
- throw this.raise(TSErrors.ExpectedAmbientAfterExportDeclare, {
- at: this.state.startLoc
- });
- }
-
- const isIdentifier = tokenIsIdentifier(this.state.type);
- const declaration = isIdentifier && this.tsTryParseExportDeclaration() || super.parseExportDeclaration(node);
- if (!declaration) return null;
-
- if (declaration.type === "TSInterfaceDeclaration" || declaration.type === "TSTypeAliasDeclaration" || isDeclare) {
- node.exportKind = "type";
- }
-
- if (isDeclare) {
- this.resetStartLocation(declaration, startPos, startLoc);
- declaration.declare = true;
- }
-
- return declaration;
- }
-
- parseClassId(node, isStatement, optionalId) {
- if ((!isStatement || optionalId) && this.isContextual(110)) {
- return;
- }
-
- super.parseClassId(node, isStatement, optionalId, node.declare ? BIND_TS_AMBIENT : BIND_CLASS);
- const typeParameters = this.tsTryParseTypeParameters(this.tsParseInOutModifiers.bind(this));
- if (typeParameters) node.typeParameters = typeParameters;
- }
-
- parseClassPropertyAnnotation(node) {
- if (!node.optional && this.eat(35)) {
- node.definite = true;
- }
-
- const type = this.tsTryParseTypeAnnotation();
- if (type) node.typeAnnotation = type;
- }
-
- parseClassProperty(node) {
- this.parseClassPropertyAnnotation(node);
-
- if (this.state.isAmbientContext && this.match(29)) {
- this.raise(TSErrors.DeclareClassFieldHasInitializer, {
- at: this.state.startLoc
- });
- }
-
- if (node.abstract && this.match(29)) {
- const {
- key
- } = node;
- this.raise(TSErrors.AbstractPropertyHasInitializer, {
- at: this.state.startLoc,
- propertyName: key.type === "Identifier" && !node.computed ? key.name : `[${this.input.slice(key.start, key.end)}]`
- });
- }
-
- return super.parseClassProperty(node);
- }
-
- parseClassPrivateProperty(node) {
- if (node.abstract) {
- this.raise(TSErrors.PrivateElementHasAbstract, {
- at: node
- });
- }
-
- if (node.accessibility) {
- this.raise(TSErrors.PrivateElementHasAccessibility, {
- at: node,
- modifier: node.accessibility
- });
- }
-
- this.parseClassPropertyAnnotation(node);
- return super.parseClassPrivateProperty(node);
- }
-
- pushClassMethod(classBody, method, isGenerator, isAsync, isConstructor, allowsDirectSuper) {
- const typeParameters = this.tsTryParseTypeParameters();
-
- if (typeParameters && isConstructor) {
- this.raise(TSErrors.ConstructorHasTypeParameters, {
- at: typeParameters
- });
- }
-
- const {
- declare = false,
- kind
- } = method;
-
- if (declare && (kind === "get" || kind === "set")) {
- this.raise(TSErrors.DeclareAccessor, {
- at: method,
- kind
- });
- }
-
- if (typeParameters) method.typeParameters = typeParameters;
- super.pushClassMethod(classBody, method, isGenerator, isAsync, isConstructor, allowsDirectSuper);
- }
-
- pushClassPrivateMethod(classBody, method, isGenerator, isAsync) {
- const typeParameters = this.tsTryParseTypeParameters();
- if (typeParameters) method.typeParameters = typeParameters;
- super.pushClassPrivateMethod(classBody, method, isGenerator, isAsync);
- }
-
- declareClassPrivateMethodInScope(node, kind) {
- if (node.type === "TSDeclareMethod") return;
- if (node.type === "MethodDefinition" && !node.value.body) return;
- super.declareClassPrivateMethodInScope(node, kind);
- }
-
- parseClassSuper(node) {
- super.parseClassSuper(node);
-
- if (node.superClass && (this.match(47) || this.match(51))) {
- node.superTypeParameters = this.tsParseTypeArgumentsInExpression();
- }
-
- if (this.eatContextual(110)) {
- node.implements = this.tsParseHeritageClause("implements");
- }
- }
-
- parseObjPropValue(prop, ...args) {
- const typeParameters = this.tsTryParseTypeParameters();
- if (typeParameters) prop.typeParameters = typeParameters;
- super.parseObjPropValue(prop, ...args);
- }
-
- parseFunctionParams(node, allowModifiers) {
- const typeParameters = this.tsTryParseTypeParameters();
- if (typeParameters) node.typeParameters = typeParameters;
- super.parseFunctionParams(node, allowModifiers);
- }
-
- parseVarId(decl, kind) {
- super.parseVarId(decl, kind);
-
- if (decl.id.type === "Identifier" && !this.hasPrecedingLineBreak() && this.eat(35)) {
- decl.definite = true;
- }
-
- const type = this.tsTryParseTypeAnnotation();
-
- if (type) {
- decl.id.typeAnnotation = type;
- this.resetEndLocation(decl.id);
- }
- }
-
- parseAsyncArrowFromCallExpression(node, call) {
- if (this.match(14)) {
- node.returnType = this.tsParseTypeAnnotation();
- }
-
- return super.parseAsyncArrowFromCallExpression(node, call);
- }
-
- parseMaybeAssign(...args) {
- var _jsx, _jsx2, _typeCast, _jsx3, _typeCast2, _jsx4, _typeCast3;
-
- let state;
- let jsx;
- let typeCast;
-
- if (this.hasPlugin("jsx") && (this.match(138) || this.match(47))) {
- state = this.state.clone();
- jsx = this.tryParse(() => super.parseMaybeAssign(...args), state);
- if (!jsx.error) return jsx.node;
- const {
- context
- } = this.state;
- const currentContext = context[context.length - 1];
-
- if (currentContext === types.j_oTag || currentContext === types.j_expr) {
- context.pop();
- }
- }
-
- if (!((_jsx = jsx) != null && _jsx.error) && !this.match(47)) {
- return super.parseMaybeAssign(...args);
- }
-
- let typeParameters;
- state = state || this.state.clone();
- const arrow = this.tryParse(abort => {
- var _expr$extra, _typeParameters, _expr$typeParameters$;
-
- typeParameters = this.tsParseTypeParameters();
- const expr = super.parseMaybeAssign(...args);
-
- if (expr.type !== "ArrowFunctionExpression" || (_expr$extra = expr.extra) != null && _expr$extra.parenthesized) {
- abort();
- }
-
- if (((_typeParameters = typeParameters) == null ? void 0 : _typeParameters.params.length) !== 0) {
- this.resetStartLocationFromNode(expr, typeParameters);
- }
-
- expr.typeParameters = typeParameters;
-
- if (this.hasPlugin("jsx") && expr.typeParameters.params.length === 1 && !((_expr$typeParameters$ = expr.typeParameters.extra) != null && _expr$typeParameters$.trailingComma)) {
- const parameter = expr.typeParameters.params[0];
-
- if (!parameter.constraint) ;
- }
-
- return expr;
- }, state);
-
- if (!arrow.error && !arrow.aborted) {
- if (typeParameters) this.reportReservedArrowTypeParam(typeParameters);
- return arrow.node;
- }
-
- if (!jsx) {
- assert(!this.hasPlugin("jsx"));
- typeCast = this.tryParse(() => super.parseMaybeAssign(...args), state);
- if (!typeCast.error) return typeCast.node;
- }
-
- if ((_jsx2 = jsx) != null && _jsx2.node) {
- this.state = jsx.failState;
- return jsx.node;
- }
-
- if (arrow.node) {
- this.state = arrow.failState;
- if (typeParameters) this.reportReservedArrowTypeParam(typeParameters);
- return arrow.node;
- }
-
- if ((_typeCast = typeCast) != null && _typeCast.node) {
- this.state = typeCast.failState;
- return typeCast.node;
- }
-
- if ((_jsx3 = jsx) != null && _jsx3.thrown) throw jsx.error;
- if (arrow.thrown) throw arrow.error;
- if ((_typeCast2 = typeCast) != null && _typeCast2.thrown) throw typeCast.error;
- throw ((_jsx4 = jsx) == null ? void 0 : _jsx4.error) || arrow.error || ((_typeCast3 = typeCast) == null ? void 0 : _typeCast3.error);
- }
-
- reportReservedArrowTypeParam(node) {
- var _node$extra;
-
- if (node.params.length === 1 && !((_node$extra = node.extra) != null && _node$extra.trailingComma) && this.getPluginOption("typescript", "disallowAmbiguousJSXLike")) {
- this.raise(TSErrors.ReservedArrowTypeParam, {
- at: node
- });
- }
- }
-
- parseMaybeUnary(refExpressionErrors) {
- if (!this.hasPlugin("jsx") && this.match(47)) {
- return this.tsParseTypeAssertion();
- } else {
- return super.parseMaybeUnary(refExpressionErrors);
- }
- }
-
- parseArrow(node) {
- if (this.match(14)) {
- const result = this.tryParse(abort => {
- const returnType = this.tsParseTypeOrTypePredicateAnnotation(14);
- if (this.canInsertSemicolon() || !this.match(19)) abort();
- return returnType;
- });
- if (result.aborted) return;
-
- if (!result.thrown) {
- if (result.error) this.state = result.failState;
- node.returnType = result.node;
- }
- }
-
- return super.parseArrow(node);
- }
-
- parseAssignableListItemTypes(param) {
- if (this.eat(17)) {
- if (param.type !== "Identifier" && !this.state.isAmbientContext && !this.state.inType) {
- this.raise(TSErrors.PatternIsOptional, {
- at: param
- });
- }
-
- param.optional = true;
- }
-
- const type = this.tsTryParseTypeAnnotation();
- if (type) param.typeAnnotation = type;
- this.resetEndLocation(param);
- return param;
- }
-
- isAssignable(node, isBinding) {
- switch (node.type) {
- case "TSTypeCastExpression":
- return this.isAssignable(node.expression, isBinding);
-
- case "TSParameterProperty":
- return true;
-
- default:
- return super.isAssignable(node, isBinding);
- }
- }
-
- toAssignable(node, isLHS = false) {
- switch (node.type) {
- case "ParenthesizedExpression":
- this.toAssignableParenthesizedExpression(node, isLHS);
- break;
-
- case "TSAsExpression":
- case "TSNonNullExpression":
- case "TSTypeAssertion":
- if (isLHS) {
- this.expressionScope.recordArrowParemeterBindingError(TSErrors.UnexpectedTypeCastInParameter, {
- at: node
- });
- } else {
- this.raise(TSErrors.UnexpectedTypeCastInParameter, {
- at: node
+ if (!state.hadSuperClass) {
+ this.raise(TSErrors.OverrideNotInSubClass, {
+ at: member,
});
}
+ }
- this.toAssignable(node.expression, isLHS);
- break;
+ super.parseClassMemberWithIsStatic(classBody, member, state, isStatic);
+ }
- case "AssignmentExpression":
- if (!isLHS && node.left.type === "TSTypeCastExpression") {
- node.left = this.typeCastToParameter(node.left);
+ parsePostMemberNameModifiers(methodOrProp) {
+ const optional = this.eat(17);
+ if (optional) methodOrProp.optional = true;
+
+ if (methodOrProp.readonly && this.match(10)) {
+ this.raise(TSErrors.ClassMethodHasReadonly, {
+ at: methodOrProp,
+ });
+ }
+
+ if (methodOrProp.declare && this.match(10)) {
+ this.raise(TSErrors.ClassMethodHasDeclare, {
+ at: methodOrProp,
+ });
+ }
+ }
+
+ parseExpressionStatement(node, expr) {
+ const decl =
+ expr.type === 'Identifier' ?
+ this.tsParseExpressionStatement(node, expr)
+ : undefined;
+ return decl || super.parseExpressionStatement(node, expr);
+ }
+
+ shouldParseExportDeclaration() {
+ if (this.tsIsDeclarationStart()) return true;
+ return super.shouldParseExportDeclaration();
+ }
+
+ parseConditional(expr, startPos, startLoc, refExpressionErrors) {
+ if (!this.state.maybeInArrowParameters || !this.match(17)) {
+ return super.parseConditional(
+ expr,
+ startPos,
+ startLoc,
+ refExpressionErrors
+ );
+ }
+
+ const result = this.tryParse(() =>
+ super.parseConditional(expr, startPos, startLoc)
+ );
+
+ if (!result.node) {
+ if (result.error) {
+ super.setOptionalParametersError(refExpressionErrors, result.error);
}
- default:
- super.toAssignable(node, isLHS);
- }
- }
-
- toAssignableParenthesizedExpression(node, isLHS) {
- switch (node.expression.type) {
- case "TSAsExpression":
- case "TSNonNullExpression":
- case "TSTypeAssertion":
- case "ParenthesizedExpression":
- this.toAssignable(node.expression, isLHS);
- break;
-
- default:
- super.toAssignable(node, isLHS);
- }
- }
-
- checkToRestConversion(node, allowPattern) {
- switch (node.type) {
- case "TSAsExpression":
- case "TSTypeAssertion":
- case "TSNonNullExpression":
- this.checkToRestConversion(node.expression, false);
- break;
-
- default:
- super.checkToRestConversion(node, allowPattern);
- }
- }
-
- isValidLVal(type, isUnparenthesizedInAssign, binding) {
- return getOwn$1({
- TSTypeCastExpression: true,
- TSParameterProperty: "parameter",
- TSNonNullExpression: "expression",
- TSAsExpression: (binding !== BIND_NONE || !isUnparenthesizedInAssign) && ["expression", true],
- TSTypeAssertion: (binding !== BIND_NONE || !isUnparenthesizedInAssign) && ["expression", true]
- }, type) || super.isValidLVal(type, isUnparenthesizedInAssign, binding);
- }
-
- parseBindingAtom() {
- switch (this.state.type) {
- case 78:
- return this.parseIdentifier(true);
-
- default:
- return super.parseBindingAtom();
- }
- }
-
- parseMaybeDecoratorArguments(expr) {
- if (this.match(47) || this.match(51)) {
- const typeArguments = this.tsParseTypeArgumentsInExpression();
-
- if (this.match(10)) {
- const call = super.parseMaybeDecoratorArguments(expr);
- call.typeParameters = typeArguments;
- return call;
+ return expr;
}
- this.unexpected(null, 10);
+ if (result.error) this.state = result.failState;
+ return result.node;
}
- return super.parseMaybeDecoratorArguments(expr);
- }
+ parseParenItem(node, startPos, startLoc) {
+ node = super.parseParenItem(node, startPos, startLoc);
- checkCommaAfterRest(close) {
- if (this.state.isAmbientContext && this.match(12) && this.lookaheadCharCode() === close) {
- this.next();
- return false;
- } else {
- return super.checkCommaAfterRest(close);
- }
- }
-
- isClassMethod() {
- return this.match(47) || super.isClassMethod();
- }
-
- isClassProperty() {
- return this.match(35) || this.match(14) || super.isClassProperty();
- }
-
- parseMaybeDefault(...args) {
- const node = super.parseMaybeDefault(...args);
-
- if (node.type === "AssignmentPattern" && node.typeAnnotation && node.right.start < node.typeAnnotation.start) {
- this.raise(TSErrors.TypeAnnotationAfterAssign, {
- at: node.typeAnnotation
- });
- }
-
- return node;
- }
-
- getTokenFromCode(code) {
- if (this.state.inType) {
- if (code === 62) {
- return this.finishOp(48, 1);
+ if (this.eat(17)) {
+ node.optional = true;
+ this.resetEndLocation(node);
}
- if (code === 60) {
- return this.finishOp(47, 1);
+ if (this.match(14)) {
+ const typeCastNode = this.startNodeAt(startPos, startLoc);
+ typeCastNode.expression = node;
+ typeCastNode.typeAnnotation = this.tsParseTypeAnnotation();
+ return this.finishNode(typeCastNode, 'TSTypeCastExpression');
}
+
+ return node;
}
- return super.getTokenFromCode(code);
- }
-
- reScan_lt_gt() {
- const {
- type
- } = this.state;
-
- if (type === 47) {
- this.state.pos -= 1;
- this.readToken_lt();
- } else if (type === 48) {
- this.state.pos -= 1;
- this.readToken_gt();
- }
- }
-
- reScan_lt() {
- const {
- type
- } = this.state;
-
- if (type === 51) {
- this.state.pos -= 2;
- this.finishOp(47, 1);
- return 47;
- }
-
- return type;
- }
-
- toAssignableList(exprList) {
- for (let i = 0; i < exprList.length; i++) {
- const expr = exprList[i];
-
- if ((expr == null ? void 0 : expr.type) === "TSTypeCastExpression") {
- exprList[i] = this.typeCastToParameter(expr);
+ parseExportDeclaration(node) {
+ if (!this.state.isAmbientContext && this.isContextual(121)) {
+ return this.tsInAmbientContext(() => this.parseExportDeclaration(node));
}
- }
- super.toAssignableList(...arguments);
- }
+ const startPos = this.state.start;
+ const startLoc = this.state.startLoc;
+ const isDeclare = this.eatContextual(121);
- typeCastToParameter(node) {
- node.expression.typeAnnotation = node.typeAnnotation;
- this.resetEndLocation(node.expression, node.typeAnnotation.loc.end);
- return node.expression;
- }
-
- shouldParseArrow(params) {
- if (this.match(14)) {
- return params.every(expr => this.isAssignable(expr, true));
- }
-
- return super.shouldParseArrow(params);
- }
-
- shouldParseAsyncArrow() {
- return this.match(14) || super.shouldParseAsyncArrow();
- }
-
- canHaveLeadingDecorator() {
- return super.canHaveLeadingDecorator() || this.isAbstractClass();
- }
-
- jsxParseOpeningElementAfterName(node) {
- if (this.match(47) || this.match(51)) {
- const typeArguments = this.tsTryParseAndCatch(() => this.tsParseTypeArgumentsInExpression());
- if (typeArguments) node.typeParameters = typeArguments;
- }
-
- return super.jsxParseOpeningElementAfterName(node);
- }
-
- getGetterSetterExpectedParamCount(method) {
- const baseCount = super.getGetterSetterExpectedParamCount(method);
- const params = this.getObjectOrClassMethodParams(method);
- const firstParam = params[0];
- const hasContextParam = firstParam && this.isThisParam(firstParam);
- return hasContextParam ? baseCount + 1 : baseCount;
- }
-
- parseCatchClauseParam() {
- const param = super.parseCatchClauseParam();
- const type = this.tsTryParseTypeAnnotation();
-
- if (type) {
- param.typeAnnotation = type;
- this.resetEndLocation(param);
- }
-
- return param;
- }
-
- tsInAmbientContext(cb) {
- const oldIsAmbientContext = this.state.isAmbientContext;
- this.state.isAmbientContext = true;
-
- try {
- return cb();
- } finally {
- this.state.isAmbientContext = oldIsAmbientContext;
- }
- }
-
- parseClass(node, ...args) {
- const oldInAbstractClass = this.state.inAbstractClass;
- this.state.inAbstractClass = !!node.abstract;
-
- try {
- return super.parseClass(node, ...args);
- } finally {
- this.state.inAbstractClass = oldInAbstractClass;
- }
- }
-
- tsParseAbstractDeclaration(node) {
- if (this.match(80)) {
- node.abstract = true;
- return this.parseClass(node, true, false);
- } else if (this.isContextual(125)) {
- if (!this.hasFollowingLineBreak()) {
- node.abstract = true;
- this.raise(TSErrors.NonClassMethodPropertyHasAbstractModifer, {
- at: node
+ if (
+ isDeclare &&
+ (this.isContextual(121) || !this.shouldParseExportDeclaration())
+ ) {
+ throw this.raise(TSErrors.ExpectedAmbientAfterExportDeclare, {
+ at: this.state.startLoc,
});
- return this.tsParseInterfaceDeclaration(node);
}
- } else {
- this.unexpected(null, 80);
+
+ const isIdentifier = tokenIsIdentifier(this.state.type);
+ const declaration =
+ (isIdentifier && this.tsTryParseExportDeclaration()) ||
+ super.parseExportDeclaration(node);
+ if (!declaration) return null;
+
+ if (
+ declaration.type === 'TSInterfaceDeclaration' ||
+ declaration.type === 'TSTypeAliasDeclaration' ||
+ isDeclare
+ ) {
+ node.exportKind = 'type';
+ }
+
+ if (isDeclare) {
+ this.resetStartLocation(declaration, startPos, startLoc);
+ declaration.declare = true;
+ }
+
+ return declaration;
}
- }
- parseMethod(...args) {
- const method = super.parseMethod(...args);
+ parseClassId(node, isStatement, optionalId) {
+ if ((!isStatement || optionalId) && this.isContextual(110)) {
+ return;
+ }
- if (method.abstract) {
- const hasBody = this.hasPlugin("estree") ? !!method.value.body : !!method.body;
+ super.parseClassId(
+ node,
+ isStatement,
+ optionalId,
+ node.declare ? BIND_TS_AMBIENT : BIND_CLASS
+ );
+ const typeParameters = this.tsTryParseTypeParameters(
+ this.tsParseInOutModifiers.bind(this)
+ );
+ if (typeParameters) node.typeParameters = typeParameters;
+ }
- if (hasBody) {
- const {
- key
- } = method;
- this.raise(TSErrors.AbstractMethodHasImplementation, {
+ parseClassPropertyAnnotation(node) {
+ if (!node.optional && this.eat(35)) {
+ node.definite = true;
+ }
+
+ const type = this.tsTryParseTypeAnnotation();
+ if (type) node.typeAnnotation = type;
+ }
+
+ parseClassProperty(node) {
+ this.parseClassPropertyAnnotation(node);
+
+ if (this.state.isAmbientContext && this.match(29)) {
+ this.raise(TSErrors.DeclareClassFieldHasInitializer, {
+ at: this.state.startLoc,
+ });
+ }
+
+ if (node.abstract && this.match(29)) {
+ const { key } = node;
+ this.raise(TSErrors.AbstractPropertyHasInitializer, {
+ at: this.state.startLoc,
+ propertyName:
+ key.type === 'Identifier' && !node.computed ?
+ key.name
+ : `[${this.input.slice(key.start, key.end)}]`,
+ });
+ }
+
+ return super.parseClassProperty(node);
+ }
+
+ parseClassPrivateProperty(node) {
+ if (node.abstract) {
+ this.raise(TSErrors.PrivateElementHasAbstract, {
+ at: node,
+ });
+ }
+
+ if (node.accessibility) {
+ this.raise(TSErrors.PrivateElementHasAccessibility, {
+ at: node,
+ modifier: node.accessibility,
+ });
+ }
+
+ this.parseClassPropertyAnnotation(node);
+ return super.parseClassPrivateProperty(node);
+ }
+
+ pushClassMethod(
+ classBody,
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper
+ ) {
+ const typeParameters = this.tsTryParseTypeParameters();
+
+ if (typeParameters && isConstructor) {
+ this.raise(TSErrors.ConstructorHasTypeParameters, {
+ at: typeParameters,
+ });
+ }
+
+ const { declare = false, kind } = method;
+
+ if (declare && (kind === 'get' || kind === 'set')) {
+ this.raise(TSErrors.DeclareAccessor, {
at: method,
- methodName: key.type === "Identifier" && !method.computed ? key.name : `[${this.input.slice(key.start, key.end)}]`
+ kind,
+ });
+ }
+
+ if (typeParameters) method.typeParameters = typeParameters;
+ super.pushClassMethod(
+ classBody,
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper
+ );
+ }
+
+ pushClassPrivateMethod(classBody, method, isGenerator, isAsync) {
+ const typeParameters = this.tsTryParseTypeParameters();
+ if (typeParameters) method.typeParameters = typeParameters;
+ super.pushClassPrivateMethod(classBody, method, isGenerator, isAsync);
+ }
+
+ declareClassPrivateMethodInScope(node, kind) {
+ if (node.type === 'TSDeclareMethod') return;
+ if (node.type === 'MethodDefinition' && !node.value.body) return;
+ super.declareClassPrivateMethodInScope(node, kind);
+ }
+
+ parseClassSuper(node) {
+ super.parseClassSuper(node);
+
+ if (node.superClass && (this.match(47) || this.match(51))) {
+ node.superTypeParameters = this.tsParseTypeArgumentsInExpression();
+ }
+
+ if (this.eatContextual(110)) {
+ node.implements = this.tsParseHeritageClause('implements');
+ }
+ }
+
+ parseObjPropValue(prop, ...args) {
+ const typeParameters = this.tsTryParseTypeParameters();
+ if (typeParameters) prop.typeParameters = typeParameters;
+ super.parseObjPropValue(prop, ...args);
+ }
+
+ parseFunctionParams(node, allowModifiers) {
+ const typeParameters = this.tsTryParseTypeParameters();
+ if (typeParameters) node.typeParameters = typeParameters;
+ super.parseFunctionParams(node, allowModifiers);
+ }
+
+ parseVarId(decl, kind) {
+ super.parseVarId(decl, kind);
+
+ if (
+ decl.id.type === 'Identifier' &&
+ !this.hasPrecedingLineBreak() &&
+ this.eat(35)
+ ) {
+ decl.definite = true;
+ }
+
+ const type = this.tsTryParseTypeAnnotation();
+
+ if (type) {
+ decl.id.typeAnnotation = type;
+ this.resetEndLocation(decl.id);
+ }
+ }
+
+ parseAsyncArrowFromCallExpression(node, call) {
+ if (this.match(14)) {
+ node.returnType = this.tsParseTypeAnnotation();
+ }
+
+ return super.parseAsyncArrowFromCallExpression(node, call);
+ }
+
+ parseMaybeAssign(...args) {
+ var _jsx, _jsx2, _typeCast, _jsx3, _typeCast2, _jsx4, _typeCast3;
+
+ let state;
+ let jsx;
+ let typeCast;
+
+ if (this.hasPlugin('jsx') && (this.match(138) || this.match(47))) {
+ state = this.state.clone();
+ jsx = this.tryParse(() => super.parseMaybeAssign(...args), state);
+ if (!jsx.error) return jsx.node;
+ const { context } = this.state;
+ const currentContext = context[context.length - 1];
+
+ if (
+ currentContext === types.j_oTag ||
+ currentContext === types.j_expr
+ ) {
+ context.pop();
+ }
+ }
+
+ if (!((_jsx = jsx) != null && _jsx.error) && !this.match(47)) {
+ return super.parseMaybeAssign(...args);
+ }
+
+ let typeParameters;
+ state = state || this.state.clone();
+ const arrow = this.tryParse((abort) => {
+ var _expr$extra, _typeParameters, _expr$typeParameters$;
+
+ typeParameters = this.tsParseTypeParameters();
+ const expr = super.parseMaybeAssign(...args);
+
+ if (
+ expr.type !== 'ArrowFunctionExpression' ||
+ ((_expr$extra = expr.extra) != null && _expr$extra.parenthesized)
+ ) {
+ abort();
+ }
+
+ if (
+ ((_typeParameters = typeParameters) == null ?
+ void 0
+ : _typeParameters.params.length) !== 0
+ ) {
+ this.resetStartLocationFromNode(expr, typeParameters);
+ }
+
+ expr.typeParameters = typeParameters;
+
+ if (
+ this.hasPlugin('jsx') &&
+ expr.typeParameters.params.length === 1 &&
+ !(
+ (_expr$typeParameters$ = expr.typeParameters.extra) != null &&
+ _expr$typeParameters$.trailingComma
+ )
+ ) {
+ const parameter = expr.typeParameters.params[0];
+
+ if (!parameter.constraint);
+ }
+
+ return expr;
+ }, state);
+
+ if (!arrow.error && !arrow.aborted) {
+ if (typeParameters) this.reportReservedArrowTypeParam(typeParameters);
+ return arrow.node;
+ }
+
+ if (!jsx) {
+ assert(!this.hasPlugin('jsx'));
+ typeCast = this.tryParse(() => super.parseMaybeAssign(...args), state);
+ if (!typeCast.error) return typeCast.node;
+ }
+
+ if ((_jsx2 = jsx) != null && _jsx2.node) {
+ this.state = jsx.failState;
+ return jsx.node;
+ }
+
+ if (arrow.node) {
+ this.state = arrow.failState;
+ if (typeParameters) this.reportReservedArrowTypeParam(typeParameters);
+ return arrow.node;
+ }
+
+ if ((_typeCast = typeCast) != null && _typeCast.node) {
+ this.state = typeCast.failState;
+ return typeCast.node;
+ }
+
+ if ((_jsx3 = jsx) != null && _jsx3.thrown) throw jsx.error;
+ if (arrow.thrown) throw arrow.error;
+ if ((_typeCast2 = typeCast) != null && _typeCast2.thrown)
+ throw typeCast.error;
+ throw (
+ ((_jsx4 = jsx) == null ? void 0 : _jsx4.error) ||
+ arrow.error ||
+ ((_typeCast3 = typeCast) == null ? void 0 : _typeCast3.error)
+ );
+ }
+
+ reportReservedArrowTypeParam(node) {
+ var _node$extra;
+
+ if (
+ node.params.length === 1 &&
+ !((_node$extra = node.extra) != null && _node$extra.trailingComma) &&
+ this.getPluginOption('typescript', 'disallowAmbiguousJSXLike')
+ ) {
+ this.raise(TSErrors.ReservedArrowTypeParam, {
+ at: node,
});
}
}
- return method;
- }
+ parseMaybeUnary(refExpressionErrors) {
+ if (!this.hasPlugin('jsx') && this.match(47)) {
+ return this.tsParseTypeAssertion();
+ } else {
+ return super.parseMaybeUnary(refExpressionErrors);
+ }
+ }
- tsParseTypeParameterName() {
- const typeName = this.parseIdentifier();
- return typeName.name;
- }
+ parseArrow(node) {
+ if (this.match(14)) {
+ const result = this.tryParse((abort) => {
+ const returnType = this.tsParseTypeOrTypePredicateAnnotation(14);
+ if (this.canInsertSemicolon() || !this.match(19)) abort();
+ return returnType;
+ });
+ if (result.aborted) return;
- shouldParseAsAmbientContext() {
- return !!this.getPluginOption("typescript", "dts");
- }
+ if (!result.thrown) {
+ if (result.error) this.state = result.failState;
+ node.returnType = result.node;
+ }
+ }
- parse() {
- if (this.shouldParseAsAmbientContext()) {
+ return super.parseArrow(node);
+ }
+
+ parseAssignableListItemTypes(param) {
+ if (this.eat(17)) {
+ if (
+ param.type !== 'Identifier' &&
+ !this.state.isAmbientContext &&
+ !this.state.inType
+ ) {
+ this.raise(TSErrors.PatternIsOptional, {
+ at: param,
+ });
+ }
+
+ param.optional = true;
+ }
+
+ const type = this.tsTryParseTypeAnnotation();
+ if (type) param.typeAnnotation = type;
+ this.resetEndLocation(param);
+ return param;
+ }
+
+ isAssignable(node, isBinding) {
+ switch (node.type) {
+ case 'TSTypeCastExpression':
+ return this.isAssignable(node.expression, isBinding);
+
+ case 'TSParameterProperty':
+ return true;
+
+ default:
+ return super.isAssignable(node, isBinding);
+ }
+ }
+
+ toAssignable(node, isLHS = false) {
+ switch (node.type) {
+ case 'ParenthesizedExpression':
+ this.toAssignableParenthesizedExpression(node, isLHS);
+ break;
+
+ case 'TSAsExpression':
+ case 'TSNonNullExpression':
+ case 'TSTypeAssertion':
+ if (isLHS) {
+ this.expressionScope.recordArrowParemeterBindingError(
+ TSErrors.UnexpectedTypeCastInParameter,
+ {
+ at: node,
+ }
+ );
+ } else {
+ this.raise(TSErrors.UnexpectedTypeCastInParameter, {
+ at: node,
+ });
+ }
+
+ this.toAssignable(node.expression, isLHS);
+ break;
+
+ case 'AssignmentExpression':
+ if (!isLHS && node.left.type === 'TSTypeCastExpression') {
+ node.left = this.typeCastToParameter(node.left);
+ }
+
+ default:
+ super.toAssignable(node, isLHS);
+ }
+ }
+
+ toAssignableParenthesizedExpression(node, isLHS) {
+ switch (node.expression.type) {
+ case 'TSAsExpression':
+ case 'TSNonNullExpression':
+ case 'TSTypeAssertion':
+ case 'ParenthesizedExpression':
+ this.toAssignable(node.expression, isLHS);
+ break;
+
+ default:
+ super.toAssignable(node, isLHS);
+ }
+ }
+
+ checkToRestConversion(node, allowPattern) {
+ switch (node.type) {
+ case 'TSAsExpression':
+ case 'TSTypeAssertion':
+ case 'TSNonNullExpression':
+ this.checkToRestConversion(node.expression, false);
+ break;
+
+ default:
+ super.checkToRestConversion(node, allowPattern);
+ }
+ }
+
+ isValidLVal(type, isUnparenthesizedInAssign, binding) {
+ return (
+ getOwn$1(
+ {
+ TSTypeCastExpression: true,
+ TSParameterProperty: 'parameter',
+ TSNonNullExpression: 'expression',
+ TSAsExpression: (binding !== BIND_NONE ||
+ !isUnparenthesizedInAssign) && ['expression', true],
+ TSTypeAssertion: (binding !== BIND_NONE ||
+ !isUnparenthesizedInAssign) && ['expression', true],
+ },
+ type
+ ) || super.isValidLVal(type, isUnparenthesizedInAssign, binding)
+ );
+ }
+
+ parseBindingAtom() {
+ switch (this.state.type) {
+ case 78:
+ return this.parseIdentifier(true);
+
+ default:
+ return super.parseBindingAtom();
+ }
+ }
+
+ parseMaybeDecoratorArguments(expr) {
+ if (this.match(47) || this.match(51)) {
+ const typeArguments = this.tsParseTypeArgumentsInExpression();
+
+ if (this.match(10)) {
+ const call = super.parseMaybeDecoratorArguments(expr);
+ call.typeParameters = typeArguments;
+ return call;
+ }
+
+ this.unexpected(null, 10);
+ }
+
+ return super.parseMaybeDecoratorArguments(expr);
+ }
+
+ checkCommaAfterRest(close) {
+ if (
+ this.state.isAmbientContext &&
+ this.match(12) &&
+ this.lookaheadCharCode() === close
+ ) {
+ this.next();
+ return false;
+ } else {
+ return super.checkCommaAfterRest(close);
+ }
+ }
+
+ isClassMethod() {
+ return this.match(47) || super.isClassMethod();
+ }
+
+ isClassProperty() {
+ return this.match(35) || this.match(14) || super.isClassProperty();
+ }
+
+ parseMaybeDefault(...args) {
+ const node = super.parseMaybeDefault(...args);
+
+ if (
+ node.type === 'AssignmentPattern' &&
+ node.typeAnnotation &&
+ node.right.start < node.typeAnnotation.start
+ ) {
+ this.raise(TSErrors.TypeAnnotationAfterAssign, {
+ at: node.typeAnnotation,
+ });
+ }
+
+ return node;
+ }
+
+ getTokenFromCode(code) {
+ if (this.state.inType) {
+ if (code === 62) {
+ return this.finishOp(48, 1);
+ }
+
+ if (code === 60) {
+ return this.finishOp(47, 1);
+ }
+ }
+
+ return super.getTokenFromCode(code);
+ }
+
+ reScan_lt_gt() {
+ const { type } = this.state;
+
+ if (type === 47) {
+ this.state.pos -= 1;
+ this.readToken_lt();
+ } else if (type === 48) {
+ this.state.pos -= 1;
+ this.readToken_gt();
+ }
+ }
+
+ reScan_lt() {
+ const { type } = this.state;
+
+ if (type === 51) {
+ this.state.pos -= 2;
+ this.finishOp(47, 1);
+ return 47;
+ }
+
+ return type;
+ }
+
+ toAssignableList(exprList) {
+ for (let i = 0; i < exprList.length; i++) {
+ const expr = exprList[i];
+
+ if ((expr == null ? void 0 : expr.type) === 'TSTypeCastExpression') {
+ exprList[i] = this.typeCastToParameter(expr);
+ }
+ }
+
+ super.toAssignableList(...arguments);
+ }
+
+ typeCastToParameter(node) {
+ node.expression.typeAnnotation = node.typeAnnotation;
+ this.resetEndLocation(node.expression, node.typeAnnotation.loc.end);
+ return node.expression;
+ }
+
+ shouldParseArrow(params) {
+ if (this.match(14)) {
+ return params.every((expr) => this.isAssignable(expr, true));
+ }
+
+ return super.shouldParseArrow(params);
+ }
+
+ shouldParseAsyncArrow() {
+ return this.match(14) || super.shouldParseAsyncArrow();
+ }
+
+ canHaveLeadingDecorator() {
+ return super.canHaveLeadingDecorator() || this.isAbstractClass();
+ }
+
+ jsxParseOpeningElementAfterName(node) {
+ if (this.match(47) || this.match(51)) {
+ const typeArguments = this.tsTryParseAndCatch(() =>
+ this.tsParseTypeArgumentsInExpression()
+ );
+ if (typeArguments) node.typeParameters = typeArguments;
+ }
+
+ return super.jsxParseOpeningElementAfterName(node);
+ }
+
+ getGetterSetterExpectedParamCount(method) {
+ const baseCount = super.getGetterSetterExpectedParamCount(method);
+ const params = this.getObjectOrClassMethodParams(method);
+ const firstParam = params[0];
+ const hasContextParam = firstParam && this.isThisParam(firstParam);
+ return hasContextParam ? baseCount + 1 : baseCount;
+ }
+
+ parseCatchClauseParam() {
+ const param = super.parseCatchClauseParam();
+ const type = this.tsTryParseTypeAnnotation();
+
+ if (type) {
+ param.typeAnnotation = type;
+ this.resetEndLocation(param);
+ }
+
+ return param;
+ }
+
+ tsInAmbientContext(cb) {
+ const oldIsAmbientContext = this.state.isAmbientContext;
this.state.isAmbientContext = true;
+
+ try {
+ return cb();
+ } finally {
+ this.state.isAmbientContext = oldIsAmbientContext;
+ }
}
- return super.parse();
- }
+ parseClass(node, ...args) {
+ const oldInAbstractClass = this.state.inAbstractClass;
+ this.state.inAbstractClass = !!node.abstract;
- getExpression() {
- if (this.shouldParseAsAmbientContext()) {
- this.state.isAmbientContext = true;
+ try {
+ return super.parseClass(node, ...args);
+ } finally {
+ this.state.inAbstractClass = oldInAbstractClass;
+ }
}
- return super.getExpression();
- }
-
- parseExportSpecifier(node, isString, isInTypeExport, isMaybeTypeOnly) {
- if (!isString && isMaybeTypeOnly) {
- this.parseTypeOnlyImportExportSpecifier(node, false, isInTypeExport);
- return this.finishNode(node, "ExportSpecifier");
+ tsParseAbstractDeclaration(node) {
+ if (this.match(80)) {
+ node.abstract = true;
+ return this.parseClass(node, true, false);
+ } else if (this.isContextual(125)) {
+ if (!this.hasFollowingLineBreak()) {
+ node.abstract = true;
+ this.raise(TSErrors.NonClassMethodPropertyHasAbstractModifer, {
+ at: node,
+ });
+ return this.tsParseInterfaceDeclaration(node);
+ }
+ } else {
+ this.unexpected(null, 80);
+ }
}
- node.exportKind = "value";
- return super.parseExportSpecifier(node, isString, isInTypeExport, isMaybeTypeOnly);
- }
+ parseMethod(...args) {
+ const method = super.parseMethod(...args);
- parseImportSpecifier(specifier, importedIsString, isInTypeOnlyImport, isMaybeTypeOnly) {
- if (!importedIsString && isMaybeTypeOnly) {
- this.parseTypeOnlyImportExportSpecifier(specifier, true, isInTypeOnlyImport);
- return this.finishNode(specifier, "ImportSpecifier");
+ if (method.abstract) {
+ const hasBody =
+ this.hasPlugin('estree') ? !!method.value.body : !!method.body;
+
+ if (hasBody) {
+ const { key } = method;
+ this.raise(TSErrors.AbstractMethodHasImplementation, {
+ at: method,
+ methodName:
+ key.type === 'Identifier' && !method.computed ?
+ key.name
+ : `[${this.input.slice(key.start, key.end)}]`,
+ });
+ }
+ }
+
+ return method;
}
- specifier.importKind = "value";
- return super.parseImportSpecifier(specifier, importedIsString, isInTypeOnlyImport, isMaybeTypeOnly);
- }
+ tsParseTypeParameterName() {
+ const typeName = this.parseIdentifier();
+ return typeName.name;
+ }
- parseTypeOnlyImportExportSpecifier(node, isImport, isInTypeOnlyImportExport) {
- const leftOfAsKey = isImport ? "imported" : "local";
- const rightOfAsKey = isImport ? "local" : "exported";
- let leftOfAs = node[leftOfAsKey];
- let rightOfAs;
- let hasTypeSpecifier = false;
- let canParseAsKeyword = true;
- const loc = leftOfAs.loc.start;
+ shouldParseAsAmbientContext() {
+ return !!this.getPluginOption('typescript', 'dts');
+ }
- if (this.isContextual(93)) {
- const firstAs = this.parseIdentifier();
+ parse() {
+ if (this.shouldParseAsAmbientContext()) {
+ this.state.isAmbientContext = true;
+ }
+
+ return super.parse();
+ }
+
+ getExpression() {
+ if (this.shouldParseAsAmbientContext()) {
+ this.state.isAmbientContext = true;
+ }
+
+ return super.getExpression();
+ }
+
+ parseExportSpecifier(node, isString, isInTypeExport, isMaybeTypeOnly) {
+ if (!isString && isMaybeTypeOnly) {
+ this.parseTypeOnlyImportExportSpecifier(node, false, isInTypeExport);
+ return this.finishNode(node, 'ExportSpecifier');
+ }
+
+ node.exportKind = 'value';
+ return super.parseExportSpecifier(
+ node,
+ isString,
+ isInTypeExport,
+ isMaybeTypeOnly
+ );
+ }
+
+ parseImportSpecifier(
+ specifier,
+ importedIsString,
+ isInTypeOnlyImport,
+ isMaybeTypeOnly
+ ) {
+ if (!importedIsString && isMaybeTypeOnly) {
+ this.parseTypeOnlyImportExportSpecifier(
+ specifier,
+ true,
+ isInTypeOnlyImport
+ );
+ return this.finishNode(specifier, 'ImportSpecifier');
+ }
+
+ specifier.importKind = 'value';
+ return super.parseImportSpecifier(
+ specifier,
+ importedIsString,
+ isInTypeOnlyImport,
+ isMaybeTypeOnly
+ );
+ }
+
+ parseTypeOnlyImportExportSpecifier(
+ node,
+ isImport,
+ isInTypeOnlyImportExport
+ ) {
+ const leftOfAsKey = isImport ? 'imported' : 'local';
+ const rightOfAsKey = isImport ? 'local' : 'exported';
+ let leftOfAs = node[leftOfAsKey];
+ let rightOfAs;
+ let hasTypeSpecifier = false;
+ let canParseAsKeyword = true;
+ const loc = leftOfAs.loc.start;
if (this.isContextual(93)) {
- const secondAs = this.parseIdentifier();
+ const firstAs = this.parseIdentifier();
- if (tokenIsKeywordOrIdentifier(this.state.type)) {
+ if (this.isContextual(93)) {
+ const secondAs = this.parseIdentifier();
+
+ if (tokenIsKeywordOrIdentifier(this.state.type)) {
+ hasTypeSpecifier = true;
+ leftOfAs = firstAs;
+ rightOfAs =
+ isImport ? this.parseIdentifier() : this.parseModuleExportName();
+ canParseAsKeyword = false;
+ } else {
+ rightOfAs = secondAs;
+ canParseAsKeyword = false;
+ }
+ } else if (tokenIsKeywordOrIdentifier(this.state.type)) {
+ canParseAsKeyword = false;
+ rightOfAs =
+ isImport ? this.parseIdentifier() : this.parseModuleExportName();
+ } else {
hasTypeSpecifier = true;
leftOfAs = firstAs;
- rightOfAs = isImport ? this.parseIdentifier() : this.parseModuleExportName();
- canParseAsKeyword = false;
- } else {
- rightOfAs = secondAs;
- canParseAsKeyword = false;
}
} else if (tokenIsKeywordOrIdentifier(this.state.type)) {
- canParseAsKeyword = false;
- rightOfAs = isImport ? this.parseIdentifier() : this.parseModuleExportName();
- } else {
hasTypeSpecifier = true;
- leftOfAs = firstAs;
+
+ if (isImport) {
+ leftOfAs = this.parseIdentifier(true);
+
+ if (!this.isContextual(93)) {
+ this.checkReservedWord(
+ leftOfAs.name,
+ leftOfAs.loc.start,
+ true,
+ true
+ );
+ }
+ } else {
+ leftOfAs = this.parseModuleExportName();
+ }
+ }
+
+ if (hasTypeSpecifier && isInTypeOnlyImportExport) {
+ this.raise(
+ isImport ?
+ TSErrors.TypeModifierIsUsedInTypeImports
+ : TSErrors.TypeModifierIsUsedInTypeExports,
+ {
+ at: loc,
+ }
+ );
+ }
+
+ node[leftOfAsKey] = leftOfAs;
+ node[rightOfAsKey] = rightOfAs;
+ const kindKey = isImport ? 'importKind' : 'exportKind';
+ node[kindKey] = hasTypeSpecifier ? 'type' : 'value';
+
+ if (canParseAsKeyword && this.eatContextual(93)) {
+ node[rightOfAsKey] =
+ isImport ? this.parseIdentifier() : this.parseModuleExportName();
+ }
+
+ if (!node[rightOfAsKey]) {
+ node[rightOfAsKey] = cloneIdentifier(node[leftOfAsKey]);
}
- } else if (tokenIsKeywordOrIdentifier(this.state.type)) {
- hasTypeSpecifier = true;
if (isImport) {
- leftOfAs = this.parseIdentifier(true);
-
- if (!this.isContextual(93)) {
- this.checkReservedWord(leftOfAs.name, leftOfAs.loc.start, true, true);
- }
- } else {
- leftOfAs = this.parseModuleExportName();
+ this.checkIdentifier(node[rightOfAsKey], BIND_LEXICAL);
}
}
-
- if (hasTypeSpecifier && isInTypeOnlyImportExport) {
- this.raise(isImport ? TSErrors.TypeModifierIsUsedInTypeImports : TSErrors.TypeModifierIsUsedInTypeExports, {
- at: loc
- });
- }
-
- node[leftOfAsKey] = leftOfAs;
- node[rightOfAsKey] = rightOfAs;
- const kindKey = isImport ? "importKind" : "exportKind";
- node[kindKey] = hasTypeSpecifier ? "type" : "value";
-
- if (canParseAsKeyword && this.eatContextual(93)) {
- node[rightOfAsKey] = isImport ? this.parseIdentifier() : this.parseModuleExportName();
- }
-
- if (!node[rightOfAsKey]) {
- node[rightOfAsKey] = cloneIdentifier(node[leftOfAsKey]);
- }
-
- if (isImport) {
- this.checkIdentifier(node[rightOfAsKey], BIND_LEXICAL);
- }
- }
-
-});
+ };
function isPossiblyLiteralEnum(expression) {
- if (expression.type !== "MemberExpression") return false;
- const {
- computed,
- property
- } = expression;
+ if (expression.type !== 'MemberExpression') return false;
+ const { computed, property } = expression;
- if (computed && property.type !== "StringLiteral" && (property.type !== "TemplateLiteral" || property.expressions.length > 0)) {
+ if (
+ computed &&
+ property.type !== 'StringLiteral' &&
+ (property.type !== 'TemplateLiteral' || property.expressions.length > 0)
+ ) {
return false;
}
@@ -11270,276 +12616,307 @@ function isPossiblyLiteralEnum(expression) {
}
function isUncomputedMemberExpressionChain(expression) {
- if (expression.type === "Identifier") return true;
- if (expression.type !== "MemberExpression") return false;
+ if (expression.type === 'Identifier') return true;
+ if (expression.type !== 'MemberExpression') return false;
if (expression.computed) return false;
return isUncomputedMemberExpressionChain(expression.object);
}
-const PlaceholderErrors = ParseErrorEnum`placeholders`(_ => ({
- ClassNameIsRequired: _("A class name is required."),
- UnexpectedSpace: _("Unexpected space in placeholder.")
+const PlaceholderErrors = ParseErrorEnum`placeholders`((_) => ({
+ ClassNameIsRequired: _('A class name is required.'),
+ UnexpectedSpace: _('Unexpected space in placeholder.'),
}));
-var placeholders = (superClass => class extends superClass {
- parsePlaceholder(expectedNode) {
- if (this.match(140)) {
- const node = this.startNode();
- this.next();
- this.assertNoSpace();
- node.name = super.parseIdentifier(true);
- this.assertNoSpace();
- this.expect(140);
- return this.finishPlaceholder(node, expectedNode);
- }
- }
-
- finishPlaceholder(node, expectedNode) {
- const isFinished = !!(node.expectedNode && node.type === "Placeholder");
- node.expectedNode = expectedNode;
- return isFinished ? node : this.finishNode(node, "Placeholder");
- }
-
- getTokenFromCode(code) {
- if (code === 37 && this.input.charCodeAt(this.state.pos + 1) === 37) {
- return this.finishOp(140, 2);
+var placeholders = (superClass) =>
+ class extends superClass {
+ parsePlaceholder(expectedNode) {
+ if (this.match(140)) {
+ const node = this.startNode();
+ this.next();
+ this.assertNoSpace();
+ node.name = super.parseIdentifier(true);
+ this.assertNoSpace();
+ this.expect(140);
+ return this.finishPlaceholder(node, expectedNode);
+ }
}
- return super.getTokenFromCode(...arguments);
- }
-
- parseExprAtom() {
- return this.parsePlaceholder("Expression") || super.parseExprAtom(...arguments);
- }
-
- parseIdentifier() {
- return this.parsePlaceholder("Identifier") || super.parseIdentifier(...arguments);
- }
-
- checkReservedWord(word) {
- if (word !== undefined) super.checkReservedWord(...arguments);
- }
-
- parseBindingAtom() {
- return this.parsePlaceholder("Pattern") || super.parseBindingAtom(...arguments);
- }
-
- isValidLVal(type, ...rest) {
- return type === "Placeholder" || super.isValidLVal(type, ...rest);
- }
-
- toAssignable(node) {
- if (node && node.type === "Placeholder" && node.expectedNode === "Expression") {
- node.expectedNode = "Pattern";
- } else {
- super.toAssignable(...arguments);
- }
- }
-
- isLet(context) {
- if (super.isLet(context)) {
- return true;
+ finishPlaceholder(node, expectedNode) {
+ const isFinished = !!(node.expectedNode && node.type === 'Placeholder');
+ node.expectedNode = expectedNode;
+ return isFinished ? node : this.finishNode(node, 'Placeholder');
}
- if (!this.isContextual(99)) {
+ getTokenFromCode(code) {
+ if (code === 37 && this.input.charCodeAt(this.state.pos + 1) === 37) {
+ return this.finishOp(140, 2);
+ }
+
+ return super.getTokenFromCode(...arguments);
+ }
+
+ parseExprAtom() {
+ return (
+ this.parsePlaceholder('Expression') || super.parseExprAtom(...arguments)
+ );
+ }
+
+ parseIdentifier() {
+ return (
+ this.parsePlaceholder('Identifier') ||
+ super.parseIdentifier(...arguments)
+ );
+ }
+
+ checkReservedWord(word) {
+ if (word !== undefined) super.checkReservedWord(...arguments);
+ }
+
+ parseBindingAtom() {
+ return (
+ this.parsePlaceholder('Pattern') || super.parseBindingAtom(...arguments)
+ );
+ }
+
+ isValidLVal(type, ...rest) {
+ return type === 'Placeholder' || super.isValidLVal(type, ...rest);
+ }
+
+ toAssignable(node) {
+ if (
+ node &&
+ node.type === 'Placeholder' &&
+ node.expectedNode === 'Expression'
+ ) {
+ node.expectedNode = 'Pattern';
+ } else {
+ super.toAssignable(...arguments);
+ }
+ }
+
+ isLet(context) {
+ if (super.isLet(context)) {
+ return true;
+ }
+
+ if (!this.isContextual(99)) {
+ return false;
+ }
+
+ if (context) return false;
+ const nextToken = this.lookahead();
+
+ if (nextToken.type === 140) {
+ return true;
+ }
+
return false;
}
- if (context) return false;
- const nextToken = this.lookahead();
-
- if (nextToken.type === 140) {
- return true;
+ verifyBreakContinue(node) {
+ if (node.label && node.label.type === 'Placeholder') return;
+ super.verifyBreakContinue(...arguments);
}
- return false;
- }
+ parseExpressionStatement(node, expr) {
+ if (
+ expr.type !== 'Placeholder' ||
+ (expr.extra && expr.extra.parenthesized)
+ ) {
+ return super.parseExpressionStatement(...arguments);
+ }
- verifyBreakContinue(node) {
- if (node.label && node.label.type === "Placeholder") return;
- super.verifyBreakContinue(...arguments);
- }
+ if (this.match(14)) {
+ const stmt = node;
+ stmt.label = this.finishPlaceholder(expr, 'Identifier');
+ this.next();
+ stmt.body = this.parseStatement('label');
+ return this.finishNode(stmt, 'LabeledStatement');
+ }
- parseExpressionStatement(node, expr) {
- if (expr.type !== "Placeholder" || expr.extra && expr.extra.parenthesized) {
- return super.parseExpressionStatement(...arguments);
+ this.semicolon();
+ node.name = expr.name;
+ return this.finishPlaceholder(node, 'Statement');
}
- if (this.match(14)) {
- const stmt = node;
- stmt.label = this.finishPlaceholder(expr, "Identifier");
+ parseBlock() {
+ return (
+ this.parsePlaceholder('BlockStatement') ||
+ super.parseBlock(...arguments)
+ );
+ }
+
+ parseFunctionId() {
+ return (
+ this.parsePlaceholder('Identifier') ||
+ super.parseFunctionId(...arguments)
+ );
+ }
+
+ parseClass(node, isStatement, optionalId) {
+ const type = isStatement ? 'ClassDeclaration' : 'ClassExpression';
this.next();
- stmt.body = this.parseStatement("label");
- return this.finishNode(stmt, "LabeledStatement");
+ this.takeDecorators(node);
+ const oldStrict = this.state.strict;
+ const placeholder = this.parsePlaceholder('Identifier');
+
+ if (placeholder) {
+ if (this.match(81) || this.match(140) || this.match(5)) {
+ node.id = placeholder;
+ } else if (optionalId || !isStatement) {
+ node.id = null;
+ node.body = this.finishPlaceholder(placeholder, 'ClassBody');
+ return this.finishNode(node, type);
+ } else {
+ throw this.raise(PlaceholderErrors.ClassNameIsRequired, {
+ at: this.state.startLoc,
+ });
+ }
+ } else {
+ this.parseClassId(node, isStatement, optionalId);
+ }
+
+ this.parseClassSuper(node);
+ node.body =
+ this.parsePlaceholder('ClassBody') ||
+ this.parseClassBody(!!node.superClass, oldStrict);
+ return this.finishNode(node, type);
}
- this.semicolon();
- node.name = expr.name;
- return this.finishPlaceholder(node, "Statement");
- }
+ parseExport(node) {
+ const placeholder = this.parsePlaceholder('Identifier');
+ if (!placeholder) return super.parseExport(...arguments);
- parseBlock() {
- return this.parsePlaceholder("BlockStatement") || super.parseBlock(...arguments);
- }
+ if (!this.isContextual(97) && !this.match(12)) {
+ node.specifiers = [];
+ node.source = null;
+ node.declaration = this.finishPlaceholder(placeholder, 'Declaration');
+ return this.finishNode(node, 'ExportNamedDeclaration');
+ }
- parseFunctionId() {
- return this.parsePlaceholder("Identifier") || super.parseFunctionId(...arguments);
- }
+ this.expectPlugin('exportDefaultFrom');
+ const specifier = this.startNode();
+ specifier.exported = placeholder;
+ node.specifiers = [this.finishNode(specifier, 'ExportDefaultSpecifier')];
+ return super.parseExport(node);
+ }
- parseClass(node, isStatement, optionalId) {
- const type = isStatement ? "ClassDeclaration" : "ClassExpression";
- this.next();
- this.takeDecorators(node);
- const oldStrict = this.state.strict;
- const placeholder = this.parsePlaceholder("Identifier");
+ isExportDefaultSpecifier() {
+ if (this.match(65)) {
+ const next = this.nextTokenStart();
- if (placeholder) {
- if (this.match(81) || this.match(140) || this.match(5)) {
- node.id = placeholder;
- } else if (optionalId || !isStatement) {
- node.id = null;
- node.body = this.finishPlaceholder(placeholder, "ClassBody");
- return this.finishNode(node, type);
- } else {
- throw this.raise(PlaceholderErrors.ClassNameIsRequired, {
- at: this.state.startLoc
+ if (this.isUnparsedContextual(next, 'from')) {
+ if (
+ this.input.startsWith(
+ tokenLabelName(140),
+ this.nextTokenStartSince(next + 4)
+ )
+ ) {
+ return true;
+ }
+ }
+ }
+
+ return super.isExportDefaultSpecifier();
+ }
+
+ maybeParseExportDefaultSpecifier(node) {
+ if (node.specifiers && node.specifiers.length > 0) {
+ return true;
+ }
+
+ return super.maybeParseExportDefaultSpecifier(...arguments);
+ }
+
+ checkExport(node) {
+ const { specifiers } = node;
+
+ if (specifiers != null && specifiers.length) {
+ node.specifiers = specifiers.filter(
+ (node) => node.exported.type === 'Placeholder'
+ );
+ }
+
+ super.checkExport(node);
+ node.specifiers = specifiers;
+ }
+
+ parseImport(node) {
+ const placeholder = this.parsePlaceholder('Identifier');
+ if (!placeholder) return super.parseImport(...arguments);
+ node.specifiers = [];
+
+ if (!this.isContextual(97) && !this.match(12)) {
+ node.source = this.finishPlaceholder(placeholder, 'StringLiteral');
+ this.semicolon();
+ return this.finishNode(node, 'ImportDeclaration');
+ }
+
+ const specifier = this.startNodeAtNode(placeholder);
+ specifier.local = placeholder;
+ this.finishNode(specifier, 'ImportDefaultSpecifier');
+ node.specifiers.push(specifier);
+
+ if (this.eat(12)) {
+ const hasStarImport = this.maybeParseStarImportSpecifier(node);
+ if (!hasStarImport) this.parseNamedImportSpecifiers(node);
+ }
+
+ this.expectContextual(97);
+ node.source = this.parseImportSource();
+ this.semicolon();
+ return this.finishNode(node, 'ImportDeclaration');
+ }
+
+ parseImportSource() {
+ return (
+ this.parsePlaceholder('StringLiteral') ||
+ super.parseImportSource(...arguments)
+ );
+ }
+
+ assertNoSpace() {
+ if (this.state.start > this.state.lastTokEndLoc.index) {
+ this.raise(PlaceholderErrors.UnexpectedSpace, {
+ at: this.state.lastTokEndLoc,
});
}
- } else {
- this.parseClassId(node, isStatement, optionalId);
}
+ };
- this.parseClassSuper(node);
- node.body = this.parsePlaceholder("ClassBody") || this.parseClassBody(!!node.superClass, oldStrict);
- return this.finishNode(node, type);
- }
+var v8intrinsic = (superClass) =>
+ class extends superClass {
+ parseV8Intrinsic() {
+ if (this.match(54)) {
+ const v8IntrinsicStartLoc = this.state.startLoc;
+ const node = this.startNode();
+ this.next();
- parseExport(node) {
- const placeholder = this.parsePlaceholder("Identifier");
- if (!placeholder) return super.parseExport(...arguments);
+ if (tokenIsIdentifier(this.state.type)) {
+ const name = this.parseIdentifierName(this.state.start);
+ const identifier = this.createIdentifier(node, name);
+ identifier.type = 'V8IntrinsicIdentifier';
- if (!this.isContextual(97) && !this.match(12)) {
- node.specifiers = [];
- node.source = null;
- node.declaration = this.finishPlaceholder(placeholder, "Declaration");
- return this.finishNode(node, "ExportNamedDeclaration");
- }
-
- this.expectPlugin("exportDefaultFrom");
- const specifier = this.startNode();
- specifier.exported = placeholder;
- node.specifiers = [this.finishNode(specifier, "ExportDefaultSpecifier")];
- return super.parseExport(node);
- }
-
- isExportDefaultSpecifier() {
- if (this.match(65)) {
- const next = this.nextTokenStart();
-
- if (this.isUnparsedContextual(next, "from")) {
- if (this.input.startsWith(tokenLabelName(140), this.nextTokenStartSince(next + 4))) {
- return true;
+ if (this.match(10)) {
+ return identifier;
+ }
}
+
+ this.unexpected(v8IntrinsicStartLoc);
}
}
- return super.isExportDefaultSpecifier();
- }
-
- maybeParseExportDefaultSpecifier(node) {
- if (node.specifiers && node.specifiers.length > 0) {
- return true;
+ parseExprAtom() {
+ return this.parseV8Intrinsic() || super.parseExprAtom(...arguments);
}
-
- return super.maybeParseExportDefaultSpecifier(...arguments);
- }
-
- checkExport(node) {
- const {
- specifiers
- } = node;
-
- if (specifiers != null && specifiers.length) {
- node.specifiers = specifiers.filter(node => node.exported.type === "Placeholder");
- }
-
- super.checkExport(node);
- node.specifiers = specifiers;
- }
-
- parseImport(node) {
- const placeholder = this.parsePlaceholder("Identifier");
- if (!placeholder) return super.parseImport(...arguments);
- node.specifiers = [];
-
- if (!this.isContextual(97) && !this.match(12)) {
- node.source = this.finishPlaceholder(placeholder, "StringLiteral");
- this.semicolon();
- return this.finishNode(node, "ImportDeclaration");
- }
-
- const specifier = this.startNodeAtNode(placeholder);
- specifier.local = placeholder;
- this.finishNode(specifier, "ImportDefaultSpecifier");
- node.specifiers.push(specifier);
-
- if (this.eat(12)) {
- const hasStarImport = this.maybeParseStarImportSpecifier(node);
- if (!hasStarImport) this.parseNamedImportSpecifiers(node);
- }
-
- this.expectContextual(97);
- node.source = this.parseImportSource();
- this.semicolon();
- return this.finishNode(node, "ImportDeclaration");
- }
-
- parseImportSource() {
- return this.parsePlaceholder("StringLiteral") || super.parseImportSource(...arguments);
- }
-
- assertNoSpace() {
- if (this.state.start > this.state.lastTokEndLoc.index) {
- this.raise(PlaceholderErrors.UnexpectedSpace, {
- at: this.state.lastTokEndLoc
- });
- }
- }
-
-});
-
-var v8intrinsic = (superClass => class extends superClass {
- parseV8Intrinsic() {
- if (this.match(54)) {
- const v8IntrinsicStartLoc = this.state.startLoc;
- const node = this.startNode();
- this.next();
-
- if (tokenIsIdentifier(this.state.type)) {
- const name = this.parseIdentifierName(this.state.start);
- const identifier = this.createIdentifier(node, name);
- identifier.type = "V8IntrinsicIdentifier";
-
- if (this.match(10)) {
- return identifier;
- }
- }
-
- this.unexpected(v8IntrinsicStartLoc);
- }
- }
-
- parseExprAtom() {
- return this.parseV8Intrinsic() || super.parseExprAtom(...arguments);
- }
-
-});
+ };
function hasPlugin(plugins, expectedConfig) {
- const [expectedName, expectedOptions] = typeof expectedConfig === "string" ? [expectedConfig, {}] : expectedConfig;
+ const [expectedName, expectedOptions] =
+ typeof expectedConfig === 'string' ? [expectedConfig, {}] : expectedConfig;
const expectedKeys = Object.keys(expectedOptions);
const expectedOptionsIsEmpty = expectedKeys.length === 0;
- return plugins.some(p => {
- if (typeof p === "string") {
+ return plugins.some((p) => {
+ if (typeof p === 'string') {
return expectedOptionsIsEmpty && p === expectedName;
} else {
const [pluginName, pluginOptions] = p;
@@ -11559,7 +12936,7 @@ function hasPlugin(plugins, expectedConfig) {
});
}
function getPluginOption(plugins, name, option) {
- const plugin = plugins.find(plugin => {
+ const plugin = plugins.find((plugin) => {
if (Array.isArray(plugin)) {
return plugin[0] === name;
} else {
@@ -11573,89 +12950,142 @@ function getPluginOption(plugins, name, option) {
return null;
}
-const PIPELINE_PROPOSALS = ["minimal", "fsharp", "hack", "smart"];
-const TOPIC_TOKENS = ["^^", "@@", "^", "%", "#"];
-const RECORD_AND_TUPLE_SYNTAX_TYPES = ["hash", "bar"];
+const PIPELINE_PROPOSALS = ['minimal', 'fsharp', 'hack', 'smart'];
+const TOPIC_TOKENS = ['^^', '@@', '^', '%', '#'];
+const RECORD_AND_TUPLE_SYNTAX_TYPES = ['hash', 'bar'];
function validatePlugins(plugins) {
- if (hasPlugin(plugins, "decorators")) {
- if (hasPlugin(plugins, "decorators-legacy")) {
- throw new Error("Cannot use the decorators and decorators-legacy plugin together");
+ if (hasPlugin(plugins, 'decorators')) {
+ if (hasPlugin(plugins, 'decorators-legacy')) {
+ throw new Error(
+ 'Cannot use the decorators and decorators-legacy plugin together'
+ );
}
- const decoratorsBeforeExport = getPluginOption(plugins, "decorators", "decoratorsBeforeExport");
+ const decoratorsBeforeExport = getPluginOption(
+ plugins,
+ 'decorators',
+ 'decoratorsBeforeExport'
+ );
if (decoratorsBeforeExport == null) {
- throw new Error("The 'decorators' plugin requires a 'decoratorsBeforeExport' option," + " whose value must be a boolean. If you are migrating from" + " Babylon/Babel 6 or want to use the old decorators proposal, you" + " should use the 'decorators-legacy' plugin instead of 'decorators'.");
- } else if (typeof decoratorsBeforeExport !== "boolean") {
+ throw new Error(
+ "The 'decorators' plugin requires a 'decoratorsBeforeExport' option," +
+ ' whose value must be a boolean. If you are migrating from' +
+ ' Babylon/Babel 6 or want to use the old decorators proposal, you' +
+ " should use the 'decorators-legacy' plugin instead of 'decorators'."
+ );
+ } else if (typeof decoratorsBeforeExport !== 'boolean') {
throw new Error("'decoratorsBeforeExport' must be a boolean.");
}
}
- if (hasPlugin(plugins, "flow") && hasPlugin(plugins, "typescript")) {
- throw new Error("Cannot combine flow and typescript plugins.");
+ if (hasPlugin(plugins, 'flow') && hasPlugin(plugins, 'typescript')) {
+ throw new Error('Cannot combine flow and typescript plugins.');
}
- if (hasPlugin(plugins, "placeholders") && hasPlugin(plugins, "v8intrinsic")) {
- throw new Error("Cannot combine placeholders and v8intrinsic plugins.");
+ if (hasPlugin(plugins, 'placeholders') && hasPlugin(plugins, 'v8intrinsic')) {
+ throw new Error('Cannot combine placeholders and v8intrinsic plugins.');
}
- if (hasPlugin(plugins, "pipelineOperator")) {
- const proposal = getPluginOption(plugins, "pipelineOperator", "proposal");
+ if (hasPlugin(plugins, 'pipelineOperator')) {
+ const proposal = getPluginOption(plugins, 'pipelineOperator', 'proposal');
if (!PIPELINE_PROPOSALS.includes(proposal)) {
- const proposalList = PIPELINE_PROPOSALS.map(p => `"${p}"`).join(", ");
- throw new Error(`"pipelineOperator" requires "proposal" option whose value must be one of: ${proposalList}.`);
+ const proposalList = PIPELINE_PROPOSALS.map((p) => `"${p}"`).join(', ');
+ throw new Error(
+ `"pipelineOperator" requires "proposal" option whose value must be one of: ${proposalList}.`
+ );
}
- const tupleSyntaxIsHash = hasPlugin(plugins, ["recordAndTuple", {
- syntaxType: "hash"
- }]);
+ const tupleSyntaxIsHash = hasPlugin(plugins, [
+ 'recordAndTuple',
+ {
+ syntaxType: 'hash',
+ },
+ ]);
- if (proposal === "hack") {
- if (hasPlugin(plugins, "placeholders")) {
- throw new Error("Cannot combine placeholders plugin and Hack-style pipes.");
+ if (proposal === 'hack') {
+ if (hasPlugin(plugins, 'placeholders')) {
+ throw new Error(
+ 'Cannot combine placeholders plugin and Hack-style pipes.'
+ );
}
- if (hasPlugin(plugins, "v8intrinsic")) {
- throw new Error("Cannot combine v8intrinsic plugin and Hack-style pipes.");
+ if (hasPlugin(plugins, 'v8intrinsic')) {
+ throw new Error(
+ 'Cannot combine v8intrinsic plugin and Hack-style pipes.'
+ );
}
- const topicToken = getPluginOption(plugins, "pipelineOperator", "topicToken");
+ const topicToken = getPluginOption(
+ plugins,
+ 'pipelineOperator',
+ 'topicToken'
+ );
if (!TOPIC_TOKENS.includes(topicToken)) {
- const tokenList = TOPIC_TOKENS.map(t => `"${t}"`).join(", ");
- throw new Error(`"pipelineOperator" in "proposal": "hack" mode also requires a "topicToken" option whose value must be one of: ${tokenList}.`);
+ const tokenList = TOPIC_TOKENS.map((t) => `"${t}"`).join(', ');
+ throw new Error(
+ `"pipelineOperator" in "proposal": "hack" mode also requires a "topicToken" option whose value must be one of: ${tokenList}.`
+ );
}
- if (topicToken === "#" && tupleSyntaxIsHash) {
- throw new Error('Plugin conflict between `["pipelineOperator", { proposal: "hack", topicToken: "#" }]` and `["recordAndtuple", { syntaxType: "hash"}]`.');
+ if (topicToken === '#' && tupleSyntaxIsHash) {
+ throw new Error(
+ 'Plugin conflict between `["pipelineOperator", { proposal: "hack", topicToken: "#" }]` and `["recordAndtuple", { syntaxType: "hash"}]`.'
+ );
}
- } else if (proposal === "smart" && tupleSyntaxIsHash) {
- throw new Error('Plugin conflict between `["pipelineOperator", { proposal: "smart" }]` and `["recordAndtuple", { syntaxType: "hash"}]`.');
+ } else if (proposal === 'smart' && tupleSyntaxIsHash) {
+ throw new Error(
+ 'Plugin conflict between `["pipelineOperator", { proposal: "smart" }]` and `["recordAndtuple", { syntaxType: "hash"}]`.'
+ );
}
}
- if (hasPlugin(plugins, "moduleAttributes")) {
+ if (hasPlugin(plugins, 'moduleAttributes')) {
{
- if (hasPlugin(plugins, "importAssertions")) {
- throw new Error("Cannot combine importAssertions and moduleAttributes plugins.");
+ if (hasPlugin(plugins, 'importAssertions')) {
+ throw new Error(
+ 'Cannot combine importAssertions and moduleAttributes plugins.'
+ );
}
- const moduleAttributesVersionPluginOption = getPluginOption(plugins, "moduleAttributes", "version");
+ const moduleAttributesVersionPluginOption = getPluginOption(
+ plugins,
+ 'moduleAttributes',
+ 'version'
+ );
- if (moduleAttributesVersionPluginOption !== "may-2020") {
- throw new Error("The 'moduleAttributes' plugin requires a 'version' option," + " representing the last proposal update. Currently, the" + " only supported value is 'may-2020'.");
+ if (moduleAttributesVersionPluginOption !== 'may-2020') {
+ throw new Error(
+ "The 'moduleAttributes' plugin requires a 'version' option," +
+ ' representing the last proposal update. Currently, the' +
+ " only supported value is 'may-2020'."
+ );
}
}
}
- if (hasPlugin(plugins, "recordAndTuple") && !RECORD_AND_TUPLE_SYNTAX_TYPES.includes(getPluginOption(plugins, "recordAndTuple", "syntaxType"))) {
- throw new Error("'recordAndTuple' requires 'syntaxType' option whose value should be one of: " + RECORD_AND_TUPLE_SYNTAX_TYPES.map(p => `'${p}'`).join(", "));
+ if (
+ hasPlugin(plugins, 'recordAndTuple') &&
+ !RECORD_AND_TUPLE_SYNTAX_TYPES.includes(
+ getPluginOption(plugins, 'recordAndTuple', 'syntaxType')
+ )
+ ) {
+ throw new Error(
+ "'recordAndTuple' requires 'syntaxType' option whose value should be one of: " +
+ RECORD_AND_TUPLE_SYNTAX_TYPES.map((p) => `'${p}'`).join(', ')
+ );
}
- if (hasPlugin(plugins, "asyncDoExpressions") && !hasPlugin(plugins, "doExpressions")) {
- const error = new Error("'asyncDoExpressions' requires 'doExpressions', please add 'doExpressions' to parser plugins.");
- error.missingPlugins = "doExpressions";
+ if (
+ hasPlugin(plugins, 'asyncDoExpressions') &&
+ !hasPlugin(plugins, 'doExpressions')
+ ) {
+ const error = new Error(
+ "'asyncDoExpressions' requires 'doExpressions', please add 'doExpressions' to parser plugins."
+ );
+ error.missingPlugins = 'doExpressions';
throw error;
}
}
@@ -11665,12 +13095,12 @@ const mixinPlugins = {
flow,
typescript,
v8intrinsic,
- placeholders
+ placeholders,
};
const mixinPluginNames = Object.keys(mixinPlugins);
const defaultOptions = {
- sourceType: "script",
+ sourceType: 'script',
sourceFilename: undefined,
startColumn: 0,
startLine: 1,
@@ -11685,7 +13115,7 @@ const defaultOptions = {
tokens: false,
createParenthesizedExpressions: false,
errorRecovery: false,
- attachComment: true
+ attachComment: true,
};
function getOptions(opts) {
const options = {};
@@ -11697,10 +13127,13 @@ function getOptions(opts) {
return options;
}
-const getOwn = (object, key) => Object.hasOwnProperty.call(object, key) && object[key];
+const getOwn = (object, key) =>
+ Object.hasOwnProperty.call(object, key) && object[key];
-const unwrapParenthesizedExpression = node => {
- return node.type === "ParenthesizedExpression" ? unwrapParenthesizedExpression(node.expression) : node;
+const unwrapParenthesizedExpression = (node) => {
+ return node.type === 'ParenthesizedExpression' ?
+ unwrapParenthesizedExpression(node.expression)
+ : node;
};
class LValParser extends NodeUtils {
@@ -11709,110 +13142,137 @@ class LValParser extends NodeUtils {
let parenthesized = undefined;
- if (node.type === "ParenthesizedExpression" || (_node$extra = node.extra) != null && _node$extra.parenthesized) {
+ if (
+ node.type === 'ParenthesizedExpression' ||
+ ((_node$extra = node.extra) != null && _node$extra.parenthesized)
+ ) {
parenthesized = unwrapParenthesizedExpression(node);
if (isLHS) {
- if (parenthesized.type === "Identifier") {
- this.expressionScope.recordArrowParemeterBindingError(Errors.InvalidParenthesizedAssignment, {
- at: node
- });
- } else if (parenthesized.type !== "MemberExpression") {
+ if (parenthesized.type === 'Identifier') {
+ this.expressionScope.recordArrowParemeterBindingError(
+ Errors.InvalidParenthesizedAssignment,
+ {
+ at: node,
+ }
+ );
+ } else if (parenthesized.type !== 'MemberExpression') {
this.raise(Errors.InvalidParenthesizedAssignment, {
- at: node
+ at: node,
});
}
} else {
this.raise(Errors.InvalidParenthesizedAssignment, {
- at: node
+ at: node,
});
}
}
switch (node.type) {
- case "Identifier":
- case "ObjectPattern":
- case "ArrayPattern":
- case "AssignmentPattern":
- case "RestElement":
+ case 'Identifier':
+ case 'ObjectPattern':
+ case 'ArrayPattern':
+ case 'AssignmentPattern':
+ case 'RestElement':
break;
- case "ObjectExpression":
- node.type = "ObjectPattern";
+ case 'ObjectExpression':
+ node.type = 'ObjectPattern';
- for (let i = 0, length = node.properties.length, last = length - 1; i < length; i++) {
+ for (
+ let i = 0, length = node.properties.length, last = length - 1;
+ i < length;
+ i++
+ ) {
var _node$extra2;
const prop = node.properties[i];
const isLast = i === last;
this.toAssignableObjectExpressionProp(prop, isLast, isLHS);
- if (isLast && prop.type === "RestElement" && (_node$extra2 = node.extra) != null && _node$extra2.trailingCommaLoc) {
+ if (
+ isLast &&
+ prop.type === 'RestElement' &&
+ (_node$extra2 = node.extra) != null &&
+ _node$extra2.trailingCommaLoc
+ ) {
this.raise(Errors.RestTrailingComma, {
- at: node.extra.trailingCommaLoc
+ at: node.extra.trailingCommaLoc,
});
}
}
break;
- case "ObjectProperty":
- {
- const {
- key,
- value
- } = node;
+ case 'ObjectProperty': {
+ const { key, value } = node;
- if (this.isPrivateName(key)) {
- this.classScope.usePrivateName(this.getPrivateNameSV(key), key.loc.start);
- }
-
- this.toAssignable(value, isLHS);
- break;
+ if (this.isPrivateName(key)) {
+ this.classScope.usePrivateName(
+ this.getPrivateNameSV(key),
+ key.loc.start
+ );
}
- case "SpreadElement":
- {
- throw new Error("Internal @babel/parser error (this is a bug, please report it)." + " SpreadElement should be converted by .toAssignable's caller.");
- }
+ this.toAssignable(value, isLHS);
+ break;
+ }
- case "ArrayExpression":
- node.type = "ArrayPattern";
- this.toAssignableList(node.elements, (_node$extra3 = node.extra) == null ? void 0 : _node$extra3.trailingCommaLoc, isLHS);
+ case 'SpreadElement': {
+ throw new Error(
+ 'Internal @babel/parser error (this is a bug, please report it).' +
+ " SpreadElement should be converted by .toAssignable's caller."
+ );
+ }
+
+ case 'ArrayExpression':
+ node.type = 'ArrayPattern';
+ this.toAssignableList(
+ node.elements,
+ (_node$extra3 = node.extra) == null ?
+ void 0
+ : _node$extra3.trailingCommaLoc,
+ isLHS
+ );
break;
- case "AssignmentExpression":
- if (node.operator !== "=") {
+ case 'AssignmentExpression':
+ if (node.operator !== '=') {
this.raise(Errors.MissingEqInAssignment, {
- at: node.left.loc.end
+ at: node.left.loc.end,
});
}
- node.type = "AssignmentPattern";
+ node.type = 'AssignmentPattern';
delete node.operator;
this.toAssignable(node.left, isLHS);
break;
- case "ParenthesizedExpression":
+ case 'ParenthesizedExpression':
this.toAssignable(parenthesized, isLHS);
break;
}
}
toAssignableObjectExpressionProp(prop, isLast, isLHS) {
- if (prop.type === "ObjectMethod") {
- this.raise(prop.kind === "get" || prop.kind === "set" ? Errors.PatternHasAccessor : Errors.PatternHasMethod, {
- at: prop.key
- });
- } else if (prop.type === "SpreadElement") {
- prop.type = "RestElement";
+ if (prop.type === 'ObjectMethod') {
+ this.raise(
+ prop.kind === 'get' || prop.kind === 'set' ?
+ Errors.PatternHasAccessor
+ : Errors.PatternHasMethod,
+ {
+ at: prop.key,
+ }
+ );
+ } else if (prop.type === 'SpreadElement') {
+ prop.type = 'RestElement';
const arg = prop.argument;
this.checkToRestConversion(arg, false);
this.toAssignable(arg, isLHS);
if (!isLast) {
this.raise(Errors.RestTrailingComma, {
- at: prop
+ at: prop,
});
}
} else {
@@ -11827,8 +13287,8 @@ class LValParser extends NodeUtils {
const elt = exprList[i];
if (!elt) continue;
- if (elt.type === "SpreadElement") {
- elt.type = "RestElement";
+ if (elt.type === 'SpreadElement') {
+ elt.type = 'RestElement';
const arg = elt.argument;
this.checkToRestConversion(arg, true);
this.toAssignable(arg, isLHS);
@@ -11836,14 +13296,14 @@ class LValParser extends NodeUtils {
this.toAssignable(elt, isLHS);
}
- if (elt.type === "RestElement") {
+ if (elt.type === 'RestElement') {
if (i < end) {
this.raise(Errors.RestTrailingComma, {
- at: elt
+ at: elt,
});
} else if (trailingCommaLoc) {
this.raise(Errors.RestTrailingComma, {
- at: trailingCommaLoc
+ at: trailingCommaLoc,
});
}
}
@@ -11852,38 +13312,43 @@ class LValParser extends NodeUtils {
isAssignable(node, isBinding) {
switch (node.type) {
- case "Identifier":
- case "ObjectPattern":
- case "ArrayPattern":
- case "AssignmentPattern":
- case "RestElement":
+ case 'Identifier':
+ case 'ObjectPattern':
+ case 'ArrayPattern':
+ case 'AssignmentPattern':
+ case 'RestElement':
return true;
- case "ObjectExpression":
- {
- const last = node.properties.length - 1;
- return node.properties.every((prop, i) => {
- return prop.type !== "ObjectMethod" && (i === last || prop.type !== "SpreadElement") && this.isAssignable(prop);
- });
- }
+ case 'ObjectExpression': {
+ const last = node.properties.length - 1;
+ return node.properties.every((prop, i) => {
+ return (
+ prop.type !== 'ObjectMethod' &&
+ (i === last || prop.type !== 'SpreadElement') &&
+ this.isAssignable(prop)
+ );
+ });
+ }
- case "ObjectProperty":
+ case 'ObjectProperty':
return this.isAssignable(node.value);
- case "SpreadElement":
+ case 'SpreadElement':
return this.isAssignable(node.argument);
- case "ArrayExpression":
- return node.elements.every(element => element === null || this.isAssignable(element));
+ case 'ArrayExpression':
+ return node.elements.every(
+ (element) => element === null || this.isAssignable(element)
+ );
- case "AssignmentExpression":
- return node.operator === "=";
+ case 'AssignmentExpression':
+ return node.operator === '=';
- case "ParenthesizedExpression":
+ case 'ParenthesizedExpression':
return this.isAssignable(node.expression);
- case "MemberExpression":
- case "OptionalMemberExpression":
+ case 'MemberExpression':
+ case 'OptionalMemberExpression':
return !isBinding;
default:
@@ -11899,7 +13364,7 @@ class LValParser extends NodeUtils {
this.toReferencedList(exprList, isParenthesizedExpr);
for (const expr of exprList) {
- if ((expr == null ? void 0 : expr.type) === "ArrayExpression") {
+ if ((expr == null ? void 0 : expr.type) === 'ArrayExpression') {
this.toReferencedListDeep(expr.elements);
}
}
@@ -11908,26 +13373,29 @@ class LValParser extends NodeUtils {
parseSpread(refExpressionErrors, refNeedsArrowPos) {
const node = this.startNode();
this.next();
- node.argument = this.parseMaybeAssignAllowIn(refExpressionErrors, undefined, refNeedsArrowPos);
- return this.finishNode(node, "SpreadElement");
+ node.argument = this.parseMaybeAssignAllowIn(
+ refExpressionErrors,
+ undefined,
+ refNeedsArrowPos
+ );
+ return this.finishNode(node, 'SpreadElement');
}
parseRestBinding() {
const node = this.startNode();
this.next();
node.argument = this.parseBindingAtom();
- return this.finishNode(node, "RestElement");
+ return this.finishNode(node, 'RestElement');
}
parseBindingAtom() {
switch (this.state.type) {
- case 0:
- {
- const node = this.startNode();
- this.next();
- node.elements = this.parseBindingList(3, 93, true);
- return this.finishNode(node, "ArrayPattern");
- }
+ case 0: {
+ const node = this.startNode();
+ this.next();
+ node.elements = this.parseBindingList(3, 93, true);
+ return this.finishNode(node, 'ArrayPattern');
+ }
case 5:
return this.parseObjectLike(8, true);
@@ -11961,9 +13429,9 @@ class LValParser extends NodeUtils {
} else {
const decorators = [];
- if (this.match(26) && this.hasPlugin("decorators")) {
+ if (this.match(26) && this.hasPlugin('decorators')) {
this.raise(Errors.UnsupportedParameterDecorator, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -11982,21 +13450,17 @@ class LValParser extends NodeUtils {
this.next();
prop.argument = this.parseIdentifier();
this.checkCommaAfterRest(125);
- return this.finishNode(prop, "RestElement");
+ return this.finishNode(prop, 'RestElement');
}
parseBindingProperty() {
const prop = this.startNode();
- const {
- type,
- start: startPos,
- startLoc
- } = this.state;
+ const { type, start: startPos, startLoc } = this.state;
if (type === 21) {
return this.parseBindingRestProperty(prop);
} else if (type === 134) {
- this.expectPlugin("destructuringPrivate", startLoc);
+ this.expectPlugin('destructuringPrivate', startLoc);
this.classScope.usePrivateName(this.state.value, startLoc);
prop.key = this.parsePrivateName();
} else {
@@ -12034,53 +13498,62 @@ class LValParser extends NodeUtils {
const node = this.startNodeAt(startPos, startLoc);
node.left = left;
node.right = this.parseMaybeAssignAllowIn();
- return this.finishNode(node, "AssignmentPattern");
+ return this.finishNode(node, 'AssignmentPattern');
}
isValidLVal(type, isUnparenthesizedInAssign, binding) {
- return getOwn({
- AssignmentPattern: "left",
- RestElement: "argument",
- ObjectProperty: "value",
- ParenthesizedExpression: "expression",
- ArrayPattern: "elements",
- ObjectPattern: "properties"
- }, type);
+ return getOwn(
+ {
+ AssignmentPattern: 'left',
+ RestElement: 'argument',
+ ObjectProperty: 'value',
+ ParenthesizedExpression: 'expression',
+ ArrayPattern: 'elements',
+ ObjectPattern: 'properties',
+ },
+ type
+ );
}
- checkLVal(expression, {
- in: ancestor,
- binding = BIND_NONE,
- checkClashes = false,
- strictModeChanged = false,
- allowingSloppyLetBinding = !(binding & BIND_SCOPE_LEXICAL),
- hasParenthesizedAncestor = false
- }) {
+ checkLVal(
+ expression,
+ {
+ in: ancestor,
+ binding = BIND_NONE,
+ checkClashes = false,
+ strictModeChanged = false,
+ allowingSloppyLetBinding = !(binding & BIND_SCOPE_LEXICAL),
+ hasParenthesizedAncestor = false,
+ }
+ ) {
var _expression$extra;
const type = expression.type;
if (this.isObjectMethod(expression)) return;
- if (type === "MemberExpression") {
+ if (type === 'MemberExpression') {
if (binding !== BIND_NONE) {
this.raise(Errors.InvalidPropertyBindingPattern, {
- at: expression
+ at: expression,
});
}
return;
}
- if (expression.type === "Identifier") {
- this.checkIdentifier(expression, binding, strictModeChanged, allowingSloppyLetBinding);
- const {
- name
- } = expression;
+ if (expression.type === 'Identifier') {
+ this.checkIdentifier(
+ expression,
+ binding,
+ strictModeChanged,
+ allowingSloppyLetBinding
+ );
+ const { name } = expression;
if (checkClashes) {
if (checkClashes.has(name)) {
this.raise(Errors.ParamDupe, {
- at: expression
+ at: expression,
});
} else {
checkClashes.add(name);
@@ -12090,25 +13563,47 @@ class LValParser extends NodeUtils {
return;
}
- const validity = this.isValidLVal(expression.type, !(hasParenthesizedAncestor || (_expression$extra = expression.extra) != null && _expression$extra.parenthesized) && ancestor.type === "AssignmentExpression", binding);
+ const validity = this.isValidLVal(
+ expression.type,
+ !(
+ hasParenthesizedAncestor ||
+ ((_expression$extra = expression.extra) != null &&
+ _expression$extra.parenthesized)
+ ) && ancestor.type === 'AssignmentExpression',
+ binding
+ );
if (validity === true) return;
if (validity === false) {
- const ParseErrorClass = binding === BIND_NONE ? Errors.InvalidLhs : Errors.InvalidLhsBinding;
+ const ParseErrorClass =
+ binding === BIND_NONE ? Errors.InvalidLhs : Errors.InvalidLhsBinding;
this.raise(ParseErrorClass, {
at: expression,
- ancestor: ancestor.type === "UpdateExpression" ? {
- type: "UpdateExpression",
- prefix: ancestor.prefix
- } : {
- type: ancestor.type
- }
+ ancestor:
+ ancestor.type === 'UpdateExpression' ?
+ {
+ type: 'UpdateExpression',
+ prefix: ancestor.prefix,
+ }
+ : {
+ type: ancestor.type,
+ },
});
return;
}
- const [key, isParenthesizedExpression] = Array.isArray(validity) ? validity : [validity, type === "ParenthesizedExpression"];
- const nextAncestor = expression.type === "ArrayPattern" || expression.type === "ObjectPattern" || expression.type === "ParenthesizedExpression" ? expression : ancestor;
+ const [key, isParenthesizedExpression] =
+ Array.isArray(validity) ? validity : (
+ [validity, type === 'ParenthesizedExpression']
+ );
+ const nextAncestor =
+ (
+ expression.type === 'ArrayPattern' ||
+ expression.type === 'ObjectPattern' ||
+ expression.type === 'ParenthesizedExpression'
+ ) ?
+ expression
+ : ancestor;
for (const child of [].concat(expression[key])) {
if (child) {
@@ -12118,30 +13613,40 @@ class LValParser extends NodeUtils {
checkClashes,
allowingSloppyLetBinding,
strictModeChanged,
- hasParenthesizedAncestor: isParenthesizedExpression
+ hasParenthesizedAncestor: isParenthesizedExpression,
});
}
}
}
- checkIdentifier(at, bindingType, strictModeChanged = false, allowLetBinding = !(bindingType & BIND_SCOPE_LEXICAL)) {
- if (this.state.strict && (strictModeChanged ? isStrictBindReservedWord(at.name, this.inModule) : isStrictBindOnlyReservedWord(at.name))) {
+ checkIdentifier(
+ at,
+ bindingType,
+ strictModeChanged = false,
+ allowLetBinding = !(bindingType & BIND_SCOPE_LEXICAL)
+ ) {
+ if (
+ this.state.strict &&
+ (strictModeChanged ?
+ isStrictBindReservedWord(at.name, this.inModule)
+ : isStrictBindOnlyReservedWord(at.name))
+ ) {
if (bindingType === BIND_NONE) {
this.raise(Errors.StrictEvalArguments, {
at,
- referenceName: at.name
+ referenceName: at.name,
});
} else {
this.raise(Errors.StrictEvalArgumentsBinding, {
at,
- bindingName: at.name
+ bindingName: at.name,
});
}
}
- if (!allowLetBinding && at.name === "let") {
+ if (!allowLetBinding && at.name === 'let') {
this.raise(Errors.LetInLexicalBinding, {
- at
+ at,
});
}
@@ -12156,21 +13661,21 @@ class LValParser extends NodeUtils {
checkToRestConversion(node, allowPattern) {
switch (node.type) {
- case "ParenthesizedExpression":
+ case 'ParenthesizedExpression':
this.checkToRestConversion(node.expression, allowPattern);
break;
- case "Identifier":
- case "MemberExpression":
+ case 'Identifier':
+ case 'MemberExpression':
break;
- case "ArrayExpression":
- case "ObjectExpression":
+ case 'ArrayExpression':
+ case 'ObjectExpression':
if (allowPattern) break;
default:
this.raise(Errors.InvalidRestAssignmentPattern, {
- at: node
+ at: node,
});
}
}
@@ -12180,27 +13685,36 @@ class LValParser extends NodeUtils {
return false;
}
- this.raise(this.lookaheadCharCode() === close ? Errors.RestTrailingComma : Errors.ElementAfterRest, {
- at: this.state.startLoc
- });
+ this.raise(
+ this.lookaheadCharCode() === close ?
+ Errors.RestTrailingComma
+ : Errors.ElementAfterRest,
+ {
+ at: this.state.startLoc,
+ }
+ );
return true;
}
-
}
class ExpressionParser extends LValParser {
checkProto(prop, isRecord, protoRef, refExpressionErrors) {
- if (prop.type === "SpreadElement" || this.isObjectMethod(prop) || prop.computed || prop.shorthand) {
+ if (
+ prop.type === 'SpreadElement' ||
+ this.isObjectMethod(prop) ||
+ prop.computed ||
+ prop.shorthand
+ ) {
return;
}
const key = prop.key;
- const name = key.type === "Identifier" ? key.name : key.value;
+ const name = key.type === 'Identifier' ? key.name : key.value;
- if (name === "__proto__") {
+ if (name === '__proto__') {
if (isRecord) {
this.raise(Errors.RecordNoProto, {
- at: key
+ at: key,
});
return;
}
@@ -12212,7 +13726,7 @@ class ExpressionParser extends LValParser {
}
} else {
this.raise(Errors.DuplicateProto, {
- at: key
+ at: key,
});
}
}
@@ -12222,7 +13736,9 @@ class ExpressionParser extends LValParser {
}
shouldExitDescending(expr, potentialArrowAt) {
- return expr.type === "ArrowFunctionExpression" && expr.start === potentialArrowAt;
+ return (
+ expr.type === 'ArrowFunctionExpression' && expr.start === potentialArrowAt
+ );
}
getExpression() {
@@ -12247,7 +13763,9 @@ class ExpressionParser extends LValParser {
parseExpression(disallowIn, refExpressionErrors) {
if (disallowIn) {
- return this.disallowInAnd(() => this.parseExpressionBase(refExpressionErrors));
+ return this.disallowInAnd(() =>
+ this.parseExpressionBase(refExpressionErrors)
+ );
}
return this.allowInAnd(() => this.parseExpressionBase(refExpressionErrors));
@@ -12267,24 +13785,34 @@ class ExpressionParser extends LValParser {
}
this.toReferencedList(node.expressions);
- return this.finishNode(node, "SequenceExpression");
+ return this.finishNode(node, 'SequenceExpression');
}
return expr;
}
parseMaybeAssignDisallowIn(refExpressionErrors, afterLeftParse) {
- return this.disallowInAnd(() => this.parseMaybeAssign(refExpressionErrors, afterLeftParse));
+ return this.disallowInAnd(() =>
+ this.parseMaybeAssign(refExpressionErrors, afterLeftParse)
+ );
}
parseMaybeAssignAllowIn(refExpressionErrors, afterLeftParse) {
- return this.allowInAnd(() => this.parseMaybeAssign(refExpressionErrors, afterLeftParse));
+ return this.allowInAnd(() =>
+ this.parseMaybeAssign(refExpressionErrors, afterLeftParse)
+ );
}
setOptionalParametersError(refExpressionErrors, resultError) {
var _resultError$loc;
- refExpressionErrors.optionalParametersLoc = (_resultError$loc = resultError == null ? void 0 : resultError.loc) != null ? _resultError$loc : this.state.startLoc;
+ refExpressionErrors.optionalParametersLoc =
+ (
+ (_resultError$loc = resultError == null ? void 0 : resultError.loc) !=
+ null
+ ) ?
+ _resultError$loc
+ : this.state.startLoc;
}
parseMaybeAssign(refExpressionErrors, afterLeftParse) {
@@ -12312,9 +13840,7 @@ class ExpressionParser extends LValParser {
ownExpressionErrors = true;
}
- const {
- type
- } = this.state;
+ const { type } = this.state;
if (type === 10 || tokenIsIdentifier(type)) {
this.state.potentialArrowAt = this.state.start;
@@ -12335,15 +13861,24 @@ class ExpressionParser extends LValParser {
this.toAssignable(left, true);
node.left = left;
- if (refExpressionErrors.doubleProtoLoc != null && refExpressionErrors.doubleProtoLoc.index >= startPos) {
+ if (
+ refExpressionErrors.doubleProtoLoc != null &&
+ refExpressionErrors.doubleProtoLoc.index >= startPos
+ ) {
refExpressionErrors.doubleProtoLoc = null;
}
- if (refExpressionErrors.shorthandAssignLoc != null && refExpressionErrors.shorthandAssignLoc.index >= startPos) {
+ if (
+ refExpressionErrors.shorthandAssignLoc != null &&
+ refExpressionErrors.shorthandAssignLoc.index >= startPos
+ ) {
refExpressionErrors.shorthandAssignLoc = null;
}
- if (refExpressionErrors.privateKeyLoc != null && refExpressionErrors.privateKeyLoc.index >= startPos) {
+ if (
+ refExpressionErrors.privateKeyLoc != null &&
+ refExpressionErrors.privateKeyLoc.index >= startPos
+ ) {
this.checkDestructuringPrivate(refExpressionErrors);
refExpressionErrors.privateKeyLoc = null;
}
@@ -12354,7 +13889,7 @@ class ExpressionParser extends LValParser {
this.next();
node.right = this.parseMaybeAssign();
this.checkLVal(left, {
- in: this.finishNode(node, "AssignmentExpression")
+ in: this.finishNode(node, 'AssignmentExpression'),
});
return node;
} else if (ownExpressionErrors) {
@@ -12384,14 +13919,16 @@ class ExpressionParser extends LValParser {
node.consequent = this.parseMaybeAssignAllowIn();
this.expect(14);
node.alternate = this.parseMaybeAssign();
- return this.finishNode(node, "ConditionalExpression");
+ return this.finishNode(node, 'ConditionalExpression');
}
return expr;
}
parseMaybeUnaryOrPrivate(refExpressionErrors) {
- return this.match(134) ? this.parsePrivateName() : this.parseMaybeUnary(refExpressionErrors);
+ return this.match(134) ?
+ this.parsePrivateName()
+ : this.parseMaybeUnary(refExpressionErrors);
}
parseExprOps(refExpressionErrors) {
@@ -12411,10 +13948,14 @@ class ExpressionParser extends LValParser {
if (this.isPrivateName(left)) {
const value = this.getPrivateNameSV(left);
- if (minPrec >= tokenOperatorPrecedence(58) || !this.prodParam.hasIn || !this.match(58)) {
+ if (
+ minPrec >= tokenOperatorPrecedence(58) ||
+ !this.prodParam.hasIn ||
+ !this.match(58)
+ ) {
this.raise(Errors.PrivateInExpectedIn, {
at: left,
- identifierName: value
+ identifierName: value,
});
}
@@ -12428,7 +13969,7 @@ class ExpressionParser extends LValParser {
if (prec > minPrec) {
if (op === 39) {
- this.expectPlugin("pipelineOperator");
+ this.expectPlugin('pipelineOperator');
if (this.state.inFSharpPipelineDirectBody) {
return left;
@@ -12449,23 +13990,35 @@ class ExpressionParser extends LValParser {
this.next();
- if (op === 39 && this.hasPlugin(["pipelineOperator", {
- proposal: "minimal"
- }])) {
+ if (
+ op === 39 &&
+ this.hasPlugin([
+ 'pipelineOperator',
+ {
+ proposal: 'minimal',
+ },
+ ])
+ ) {
if (this.state.type === 96 && this.prodParam.hasAwait) {
throw this.raise(Errors.UnexpectedAwaitAfterPipelineBody, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
}
node.right = this.parseExprOpRightExpr(op, prec);
- this.finishNode(node, logical || coalesce ? "LogicalExpression" : "BinaryExpression");
+ this.finishNode(
+ node,
+ logical || coalesce ? 'LogicalExpression' : 'BinaryExpression'
+ );
const nextOp = this.state.type;
- if (coalesce && (nextOp === 41 || nextOp === 42) || logical && nextOp === 40) {
+ if (
+ (coalesce && (nextOp === 41 || nextOp === 42)) ||
+ (logical && nextOp === 40)
+ ) {
throw this.raise(Errors.MixingCoalesceWithLogical, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -12482,24 +14035,28 @@ class ExpressionParser extends LValParser {
switch (op) {
case 39:
- switch (this.getPluginOption("pipelineOperator", "proposal")) {
- case "hack":
+ switch (this.getPluginOption('pipelineOperator', 'proposal')) {
+ case 'hack':
return this.withTopicBindingContext(() => {
return this.parseHackPipeBody();
});
- case "smart":
+ case 'smart':
return this.withTopicBindingContext(() => {
if (this.prodParam.hasYield && this.isContextual(105)) {
throw this.raise(Errors.PipeBodyIsTighter, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
- return this.parseSmartPipelineBodyInStyle(this.parseExprOpBaseRightExpr(op, prec), startPos, startLoc);
+ return this.parseSmartPipelineBodyInStyle(
+ this.parseExprOpBaseRightExpr(op, prec),
+ startPos,
+ startLoc
+ );
});
- case "fsharp":
+ case 'fsharp':
return this.withSoloAwaitPermittingContext(() => {
return this.parseFSharpPipelineBody(prec);
});
@@ -12513,28 +14070,36 @@ class ExpressionParser extends LValParser {
parseExprOpBaseRightExpr(op, prec) {
const startPos = this.state.start;
const startLoc = this.state.startLoc;
- return this.parseExprOp(this.parseMaybeUnaryOrPrivate(), startPos, startLoc, tokenIsRightAssociative(op) ? prec - 1 : prec);
+ return this.parseExprOp(
+ this.parseMaybeUnaryOrPrivate(),
+ startPos,
+ startLoc,
+ tokenIsRightAssociative(op) ? prec - 1 : prec
+ );
}
parseHackPipeBody() {
var _body$extra;
- const {
- startLoc
- } = this.state;
+ const { startLoc } = this.state;
const body = this.parseMaybeAssign();
- const requiredParentheses = UnparenthesizedPipeBodyDescriptions.has(body.type);
+ const requiredParentheses = UnparenthesizedPipeBodyDescriptions.has(
+ body.type
+ );
- if (requiredParentheses && !((_body$extra = body.extra) != null && _body$extra.parenthesized)) {
+ if (
+ requiredParentheses &&
+ !((_body$extra = body.extra) != null && _body$extra.parenthesized)
+ ) {
this.raise(Errors.PipeUnparenthesizedBody, {
at: startLoc,
- type: body.type
+ type: body.type,
});
}
if (!this.topicReferenceWasUsedInCurrentContext()) {
this.raise(Errors.PipeTopicUnused, {
- at: startLoc
+ at: startLoc,
});
}
@@ -12544,7 +14109,7 @@ class ExpressionParser extends LValParser {
checkExponentialAfterUnary(node) {
if (this.match(57)) {
this.raise(Errors.UnexpectedTokenUnaryExponentiation, {
- at: node.argument
+ at: node.argument,
});
}
}
@@ -12569,7 +14134,7 @@ class ExpressionParser extends LValParser {
node.prefix = true;
if (this.match(72)) {
- this.expectPlugin("throwExpressions");
+ this.expectPlugin('throwExpressions');
}
const isDelete = this.match(89);
@@ -12580,34 +14145,35 @@ class ExpressionParser extends LValParser {
if (this.state.strict && isDelete) {
const arg = node.argument;
- if (arg.type === "Identifier") {
+ if (arg.type === 'Identifier') {
this.raise(Errors.StrictDelete, {
- at: node
+ at: node,
});
} else if (this.hasPropertyAsPrivateName(arg)) {
this.raise(Errors.DeletePrivateField, {
- at: node
+ at: node,
});
}
}
if (!update) {
if (!sawUnary) this.checkExponentialAfterUnary(node);
- return this.finishNode(node, "UnaryExpression");
+ return this.finishNode(node, 'UnaryExpression');
}
}
const expr = this.parseUpdate(node, update, refExpressionErrors);
if (isAwait) {
- const {
- type
- } = this.state;
- const startsExpr = this.hasPlugin("v8intrinsic") ? tokenCanStartExpression(type) : tokenCanStartExpression(type) && !this.match(54);
+ const { type } = this.state;
+ const startsExpr =
+ this.hasPlugin('v8intrinsic') ?
+ tokenCanStartExpression(type)
+ : tokenCanStartExpression(type) && !this.match(54);
if (startsExpr && !this.isAmbiguousAwait()) {
this.raiseOverwrite(Errors.AwaitNotInAsyncContext, {
- at: startLoc
+ at: startLoc,
});
return this.parseAwait(startPos, startLoc);
}
@@ -12619,7 +14185,7 @@ class ExpressionParser extends LValParser {
parseUpdate(node, update, refExpressionErrors) {
if (update) {
this.checkLVal(node.argument, {
- in: this.finishNode(node, "UpdateExpression")
+ in: this.finishNode(node, 'UpdateExpression'),
});
return node;
}
@@ -12636,7 +14202,7 @@ class ExpressionParser extends LValParser {
node.argument = expr;
this.next();
this.checkLVal(expr, {
- in: expr = this.finishNode(node, "UpdateExpression")
+ in: (expr = this.finishNode(node, 'UpdateExpression')),
});
}
@@ -12660,7 +14226,7 @@ class ExpressionParser extends LValParser {
const state = {
optionalChainMember: false,
maybeAsyncArrow: this.atPossibleAsyncArrow(base),
- stop: false
+ stop: false,
};
do {
@@ -12672,14 +14238,17 @@ class ExpressionParser extends LValParser {
}
parseSubscript(base, startPos, startLoc, noCalls, state) {
- const {
- type
- } = this.state;
+ const { type } = this.state;
if (!noCalls && type === 15) {
return this.parseBind(base, startPos, startLoc, noCalls, state);
} else if (tokenIsTemplate(type)) {
- return this.parseTaggedTemplateExpression(base, startPos, startLoc, state);
+ return this.parseTaggedTemplateExpression(
+ base,
+ startPos,
+ startLoc,
+ state
+ );
}
let optional = false;
@@ -12695,12 +14264,25 @@ class ExpressionParser extends LValParser {
}
if (!noCalls && this.match(10)) {
- return this.parseCoverCallAndAsyncArrowHead(base, startPos, startLoc, state, optional);
+ return this.parseCoverCallAndAsyncArrowHead(
+ base,
+ startPos,
+ startLoc,
+ state,
+ optional
+ );
} else {
const computed = this.eat(0);
if (computed || optional || this.eat(16)) {
- return this.parseMember(base, startPos, startLoc, state, computed, optional);
+ return this.parseMember(
+ base,
+ startPos,
+ startLoc,
+ state,
+ computed,
+ optional
+ );
} else {
state.stop = true;
return base;
@@ -12717,9 +14299,9 @@ class ExpressionParser extends LValParser {
node.property = this.parseExpression();
this.expect(3);
} else if (this.match(134)) {
- if (base.type === "Super") {
+ if (base.type === 'Super') {
this.raise(Errors.SuperPrivateField, {
- at: startLoc
+ at: startLoc,
});
}
@@ -12731,9 +14313,9 @@ class ExpressionParser extends LValParser {
if (state.optionalChainMember) {
node.optional = optional;
- return this.finishNode(node, "OptionalMemberExpression");
+ return this.finishNode(node, 'OptionalMemberExpression');
} else {
- return this.finishNode(node, "MemberExpression");
+ return this.finishNode(node, 'MemberExpression');
}
}
@@ -12743,7 +14325,12 @@ class ExpressionParser extends LValParser {
this.next();
node.callee = this.parseNoCallExpr();
state.stop = true;
- return this.parseSubscripts(this.finishNode(node, "BindExpression"), startPos, startLoc, noCalls);
+ return this.parseSubscripts(
+ this.finishNode(node, 'BindExpression'),
+ startPos,
+ startLoc,
+ noCalls
+ );
}
parseCoverCallAndAsyncArrowHead(base, startPos, startLoc, state, optional) {
@@ -12753,10 +14340,7 @@ class ExpressionParser extends LValParser {
this.next();
let node = this.startNodeAt(startPos, startLoc);
node.callee = base;
- const {
- maybeAsyncArrow,
- optionalChainMember
- } = state;
+ const { maybeAsyncArrow, optionalChainMember } = state;
if (maybeAsyncArrow) {
this.expressionScope.enter(newAsyncArrowScope());
@@ -12770,7 +14354,13 @@ class ExpressionParser extends LValParser {
if (optional) {
node.arguments = this.parseCallExpressionArguments(11);
} else {
- node.arguments = this.parseCallExpressionArguments(11, base.type === "Import", base.type !== "Super", node, refExpressionErrors);
+ node.arguments = this.parseCallExpressionArguments(
+ 11,
+ base.type === 'Import',
+ base.type !== 'Super',
+ node,
+ refExpressionErrors
+ );
}
this.finishCallExpression(node, optionalChainMember);
@@ -12780,7 +14370,10 @@ class ExpressionParser extends LValParser {
this.checkDestructuringPrivate(refExpressionErrors);
this.expressionScope.validateAsPattern();
this.expressionScope.exit();
- node = this.parseAsyncArrowFromCallExpression(this.startNodeAt(startPos, startLoc), node);
+ node = this.parseAsyncArrowFromCallExpression(
+ this.startNodeAt(startPos, startLoc),
+ node
+ );
} else {
if (maybeAsyncArrow) {
this.checkExpressionErrors(refExpressionErrors, true);
@@ -12805,23 +14398,30 @@ class ExpressionParser extends LValParser {
if (state.optionalChainMember) {
this.raise(Errors.OptionalChainingNoTemplate, {
- at: startLoc
+ at: startLoc,
});
}
- return this.finishNode(node, "TaggedTemplateExpression");
+ return this.finishNode(node, 'TaggedTemplateExpression');
}
atPossibleAsyncArrow(base) {
- return base.type === "Identifier" && base.name === "async" && this.state.lastTokEndLoc.index === base.end && !this.canInsertSemicolon() && base.end - base.start === 5 && base.start === this.state.potentialArrowAt;
+ return (
+ base.type === 'Identifier' &&
+ base.name === 'async' &&
+ this.state.lastTokEndLoc.index === base.end &&
+ !this.canInsertSemicolon() &&
+ base.end - base.start === 5 &&
+ base.start === this.state.potentialArrowAt
+ );
}
finishCallExpression(node, optional) {
- if (node.callee.type === "Import") {
+ if (node.callee.type === 'Import') {
if (node.arguments.length === 2) {
{
- if (!this.hasPlugin("moduleAttributes")) {
- this.expectPlugin("importAssertions");
+ if (!this.hasPlugin('moduleAttributes')) {
+ this.expectPlugin('importAssertions');
}
}
}
@@ -12829,23 +14429,38 @@ class ExpressionParser extends LValParser {
if (node.arguments.length === 0 || node.arguments.length > 2) {
this.raise(Errors.ImportCallArity, {
at: node,
- maxArgumentCount: this.hasPlugin("importAssertions") || this.hasPlugin("moduleAttributes") ? 2 : 1
+ maxArgumentCount:
+ (
+ this.hasPlugin('importAssertions') ||
+ this.hasPlugin('moduleAttributes')
+ ) ?
+ 2
+ : 1,
});
} else {
for (const arg of node.arguments) {
- if (arg.type === "SpreadElement") {
+ if (arg.type === 'SpreadElement') {
this.raise(Errors.ImportCallSpreadArgument, {
- at: arg
+ at: arg,
});
}
}
}
}
- return this.finishNode(node, optional ? "OptionalCallExpression" : "CallExpression");
+ return this.finishNode(
+ node,
+ optional ? 'OptionalCallExpression' : 'CallExpression'
+ );
}
- parseCallExpressionArguments(close, dynamicImport, allowPlaceholder, nodeForExtra, refExpressionErrors) {
+ parseCallExpressionArguments(
+ close,
+ dynamicImport,
+ allowPlaceholder,
+ nodeForExtra,
+ refExpressionErrors
+ ) {
const elts = [];
let first = true;
const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;
@@ -12858,9 +14473,13 @@ class ExpressionParser extends LValParser {
this.expect(12);
if (this.match(close)) {
- if (dynamicImport && !this.hasPlugin("importAssertions") && !this.hasPlugin("moduleAttributes")) {
+ if (
+ dynamicImport &&
+ !this.hasPlugin('importAssertions') &&
+ !this.hasPlugin('moduleAttributes')
+ ) {
this.raise(Errors.ImportCallArgumentTrailingComma, {
- at: this.state.lastTokStartLoc
+ at: this.state.lastTokStartLoc,
});
}
@@ -12873,7 +14492,9 @@ class ExpressionParser extends LValParser {
}
}
- elts.push(this.parseExprListItem(false, refExpressionErrors, allowPlaceholder));
+ elts.push(
+ this.parseExprListItem(false, refExpressionErrors, allowPlaceholder)
+ );
}
this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;
@@ -12889,7 +14510,12 @@ class ExpressionParser extends LValParser {
this.resetPreviousNodeTrailingComments(call);
this.expect(19);
- this.parseArrowExpression(node, call.arguments, true, (_call$extra = call.extra) == null ? void 0 : _call$extra.trailingCommaLoc);
+ this.parseArrowExpression(
+ node,
+ call.arguments,
+ true,
+ (_call$extra = call.extra) == null ? void 0 : _call$extra.trailingCommaLoc
+ );
if (call.innerComments) {
setInnerComments(node, call.innerComments);
@@ -12910,9 +14536,7 @@ class ExpressionParser extends LValParser {
parseExprAtom(refExpressionErrors) {
let node;
- const {
- type
- } = this.state;
+ const { type } = this.state;
switch (type) {
case 79:
@@ -12928,28 +14552,26 @@ class ExpressionParser extends LValParser {
if (!this.match(10)) {
this.raise(Errors.UnsupportedImport, {
- at: this.state.lastTokStartLoc
+ at: this.state.lastTokStartLoc,
});
}
- return this.finishNode(node, "Import");
+ return this.finishNode(node, 'Import');
case 78:
node = this.startNode();
this.next();
- return this.finishNode(node, "ThisExpression");
+ return this.finishNode(node, 'ThisExpression');
- case 90:
- {
- return this.parseDo(this.startNode(), false);
- }
+ case 90: {
+ return this.parseDo(this.startNode(), false);
+ }
case 56:
- case 31:
- {
- this.readRegexp();
- return this.parseRegExpLiteral(this.state.value);
- }
+ case 31: {
+ this.readRegexp();
+ return this.parseRegExpLiteral(this.state.value);
+ }
case 130:
return this.parseNumericLiteral(this.state.value);
@@ -12972,33 +14594,28 @@ class ExpressionParser extends LValParser {
case 86:
return this.parseBooleanLiteral(false);
- case 10:
- {
- const canBeArrow = this.state.potentialArrowAt === this.state.start;
- return this.parseParenAndDistinguishExpression(canBeArrow);
- }
+ case 10: {
+ const canBeArrow = this.state.potentialArrowAt === this.state.start;
+ return this.parseParenAndDistinguishExpression(canBeArrow);
+ }
case 2:
- case 1:
- {
- return this.parseArrayLike(this.state.type === 2 ? 4 : 3, false, true);
- }
+ case 1: {
+ return this.parseArrayLike(this.state.type === 2 ? 4 : 3, false, true);
+ }
- case 0:
- {
- return this.parseArrayLike(3, true, false, refExpressionErrors);
- }
+ case 0: {
+ return this.parseArrayLike(3, true, false, refExpressionErrors);
+ }
case 6:
- case 7:
- {
- return this.parseObjectLike(this.state.type === 6 ? 9 : 8, false, true);
- }
+ case 7: {
+ return this.parseObjectLike(this.state.type === 6 ? 9 : 8, false, true);
+ }
- case 5:
- {
- return this.parseObjectLike(8, false, false, refExpressionErrors);
- }
+ case 5: {
+ return this.parseObjectLike(8, false, false, refExpressionErrors);
+ }
case 68:
return this.parseFunctionOrFunctionSent();
@@ -13018,75 +14635,75 @@ class ExpressionParser extends LValParser {
case 24:
return this.parseTemplate(false);
- case 15:
- {
- node = this.startNode();
- this.next();
- node.object = null;
- const callee = node.callee = this.parseNoCallExpr();
+ case 15: {
+ node = this.startNode();
+ this.next();
+ node.object = null;
+ const callee = (node.callee = this.parseNoCallExpr());
- if (callee.type === "MemberExpression") {
- return this.finishNode(node, "BindExpression");
- } else {
- throw this.raise(Errors.UnsupportedBind, {
- at: callee
- });
- }
- }
-
- case 134:
- {
- this.raise(Errors.PrivateInExpectedIn, {
- at: this.state.startLoc,
- identifierName: this.state.value
+ if (callee.type === 'MemberExpression') {
+ return this.finishNode(node, 'BindExpression');
+ } else {
+ throw this.raise(Errors.UnsupportedBind, {
+ at: callee,
});
- return this.parsePrivateName();
}
+ }
- case 33:
- {
- return this.parseTopicReferenceThenEqualsSign(54, "%");
- }
+ case 134: {
+ this.raise(Errors.PrivateInExpectedIn, {
+ at: this.state.startLoc,
+ identifierName: this.state.value,
+ });
+ return this.parsePrivateName();
+ }
- case 32:
- {
- return this.parseTopicReferenceThenEqualsSign(44, "^");
- }
+ case 33: {
+ return this.parseTopicReferenceThenEqualsSign(54, '%');
+ }
+
+ case 32: {
+ return this.parseTopicReferenceThenEqualsSign(44, '^');
+ }
case 37:
- case 38:
- {
- return this.parseTopicReference("hack");
- }
+ case 38: {
+ return this.parseTopicReference('hack');
+ }
case 44:
case 54:
- case 27:
- {
- const pipeProposal = this.getPluginOption("pipelineOperator", "proposal");
+ case 27: {
+ const pipeProposal = this.getPluginOption(
+ 'pipelineOperator',
+ 'proposal'
+ );
- if (pipeProposal) {
- return this.parseTopicReference(pipeProposal);
- } else {
- throw this.unexpected();
- }
+ if (pipeProposal) {
+ return this.parseTopicReference(pipeProposal);
+ } else {
+ throw this.unexpected();
}
+ }
- case 47:
- {
- const lookaheadCh = this.input.codePointAt(this.nextTokenStart());
+ case 47: {
+ const lookaheadCh = this.input.codePointAt(this.nextTokenStart());
- if (isIdentifierStart(lookaheadCh) || lookaheadCh === 62) {
- this.expectOnePlugin(["jsx", "flow", "typescript"]);
- break;
- } else {
- throw this.unexpected();
- }
+ if (isIdentifierStart(lookaheadCh) || lookaheadCh === 62) {
+ this.expectOnePlugin(['jsx', 'flow', 'typescript']);
+ break;
+ } else {
+ throw this.unexpected();
}
+ }
default:
if (tokenIsIdentifier(type)) {
- if (this.isContextual(123) && this.lookaheadCharCode() === 123 && !this.hasFollowingLineBreak()) {
+ if (
+ this.isContextual(123) &&
+ this.lookaheadCharCode() === 123 &&
+ !this.hasFollowingLineBreak()
+ ) {
return this.parseModuleExpression();
}
@@ -13094,18 +14711,26 @@ class ExpressionParser extends LValParser {
const containsEsc = this.state.containsEsc;
const id = this.parseIdentifier();
- if (!containsEsc && id.name === "async" && !this.canInsertSemicolon()) {
- const {
- type
- } = this.state;
+ if (
+ !containsEsc &&
+ id.name === 'async' &&
+ !this.canInsertSemicolon()
+ ) {
+ const { type } = this.state;
if (type === 68) {
this.resetPreviousNodeTrailingComments(id);
this.next();
- return this.parseFunction(this.startNodeAtNode(id), undefined, true);
+ return this.parseFunction(
+ this.startNodeAtNode(id),
+ undefined,
+ true
+ );
} else if (tokenIsIdentifier(type)) {
if (this.lookaheadCharCode() === 61) {
- return this.parseAsyncArrowUnaryFunction(this.startNodeAtNode(id));
+ return this.parseAsyncArrowUnaryFunction(
+ this.startNodeAtNode(id)
+ );
} else {
return id;
}
@@ -13117,19 +14742,22 @@ class ExpressionParser extends LValParser {
if (canBeArrow && this.match(19) && !this.canInsertSemicolon()) {
this.next();
- return this.parseArrowExpression(this.startNodeAtNode(id), [id], false);
+ return this.parseArrowExpression(
+ this.startNodeAtNode(id),
+ [id],
+ false
+ );
}
return id;
} else {
throw this.unexpected();
}
-
}
}
parseTopicReferenceThenEqualsSign(topicTokenType, topicTokenValue) {
- const pipeProposal = this.getPluginOption("pipelineOperator", "proposal");
+ const pipeProposal = this.getPluginOption('pipelineOperator', 'proposal');
if (pipeProposal) {
this.state.type = topicTokenType;
@@ -13152,13 +14780,23 @@ class ExpressionParser extends LValParser {
}
finishTopicReference(node, startLoc, pipeProposal, tokenType) {
- if (this.testTopicReferenceConfiguration(pipeProposal, startLoc, tokenType)) {
- const nodeType = pipeProposal === "smart" ? "PipelinePrimaryTopicReference" : "TopicReference";
+ if (
+ this.testTopicReferenceConfiguration(pipeProposal, startLoc, tokenType)
+ ) {
+ const nodeType =
+ pipeProposal === 'smart' ?
+ 'PipelinePrimaryTopicReference'
+ : 'TopicReference';
if (!this.topicReferenceIsAllowedInCurrentContext()) {
- this.raise(pipeProposal === "smart" ? Errors.PrimaryTopicNotAllowed : Errors.PipeTopicUnbound, {
- at: startLoc
- });
+ this.raise(
+ pipeProposal === 'smart' ?
+ Errors.PrimaryTopicNotAllowed
+ : Errors.PipeTopicUnbound,
+ {
+ at: startLoc,
+ }
+ );
}
this.registerTopicReference();
@@ -13166,26 +14804,28 @@ class ExpressionParser extends LValParser {
} else {
throw this.raise(Errors.PipeTopicUnconfiguredToken, {
at: startLoc,
- token: tokenLabelName(tokenType)
+ token: tokenLabelName(tokenType),
});
}
}
testTopicReferenceConfiguration(pipeProposal, startLoc, tokenType) {
switch (pipeProposal) {
- case "hack":
- {
- return this.hasPlugin(["pipelineOperator", {
- topicToken: tokenLabelName(tokenType)
- }]);
- }
+ case 'hack': {
+ return this.hasPlugin([
+ 'pipelineOperator',
+ {
+ topicToken: tokenLabelName(tokenType),
+ },
+ ]);
+ }
- case "smart":
+ case 'smart':
return tokenType === 27;
default:
throw this.raise(Errors.PipeTopicRequiresHackPipes, {
- at: startLoc
+ at: startLoc,
});
}
}
@@ -13197,7 +14837,7 @@ class ExpressionParser extends LValParser {
if (this.hasPrecedingLineBreak()) {
this.raise(Errors.LineTerminatorBeforeArrow, {
- at: this.state.curPosition()
+ at: this.state.curPosition(),
});
}
@@ -13207,10 +14847,10 @@ class ExpressionParser extends LValParser {
}
parseDo(node, isAsync) {
- this.expectPlugin("doExpressions");
+ this.expectPlugin('doExpressions');
if (isAsync) {
- this.expectPlugin("asyncDoExpressions");
+ this.expectPlugin('asyncDoExpressions');
}
node.async = isAsync;
@@ -13227,39 +14867,53 @@ class ExpressionParser extends LValParser {
}
this.state.labels = oldLabels;
- return this.finishNode(node, "DoExpression");
+ return this.finishNode(node, 'DoExpression');
}
parseSuper() {
const node = this.startNode();
this.next();
- if (this.match(10) && !this.scope.allowDirectSuper && !this.options.allowSuperOutsideMethod) {
+ if (
+ this.match(10) &&
+ !this.scope.allowDirectSuper &&
+ !this.options.allowSuperOutsideMethod
+ ) {
this.raise(Errors.SuperNotAllowed, {
- at: node
+ at: node,
});
- } else if (!this.scope.allowSuper && !this.options.allowSuperOutsideMethod) {
+ } else if (
+ !this.scope.allowSuper &&
+ !this.options.allowSuperOutsideMethod
+ ) {
this.raise(Errors.UnexpectedSuper, {
- at: node
+ at: node,
});
}
if (!this.match(10) && !this.match(0) && !this.match(16)) {
this.raise(Errors.UnsupportedSuper, {
- at: node
+ at: node,
});
}
- return this.finishNode(node, "Super");
+ return this.finishNode(node, 'Super');
}
parsePrivateName() {
const node = this.startNode();
- const id = this.startNodeAt(this.state.start + 1, new Position(this.state.curLine, this.state.start + 1 - this.state.lineStart, this.state.start + 1));
+ const id = this.startNodeAt(
+ this.state.start + 1,
+ new Position(
+ this.state.curLine,
+ this.state.start + 1 - this.state.lineStart,
+ this.state.start + 1
+ )
+ );
const name = this.state.value;
this.next();
node.id = this.createIdentifier(id, name);
- return this.finishNode(node, "PrivateName");
+ return this.finishNode(node, 'PrivateName');
}
parseFunctionOrFunctionSent() {
@@ -13267,16 +14921,19 @@ class ExpressionParser extends LValParser {
this.next();
if (this.prodParam.hasYield && this.match(16)) {
- const meta = this.createIdentifier(this.startNodeAtNode(node), "function");
+ const meta = this.createIdentifier(
+ this.startNodeAtNode(node),
+ 'function'
+ );
this.next();
if (this.match(102)) {
- this.expectPlugin("functionSent");
- } else if (!this.hasPlugin("functionSent")) {
+ this.expectPlugin('functionSent');
+ } else if (!this.hasPlugin('functionSent')) {
this.unexpected();
}
- return this.parseMetaProperty(node, meta, "sent");
+ return this.parseMetaProperty(node, meta, 'sent');
}
return this.parseFunction(node);
@@ -13291,33 +14948,33 @@ class ExpressionParser extends LValParser {
this.raise(Errors.UnsupportedMetaProperty, {
at: node.property,
target: meta.name,
- onlyValidPropertyName: propertyName
+ onlyValidPropertyName: propertyName,
});
}
- return this.finishNode(node, "MetaProperty");
+ return this.finishNode(node, 'MetaProperty');
}
parseImportMetaProperty(node) {
- const id = this.createIdentifier(this.startNodeAtNode(node), "import");
+ const id = this.createIdentifier(this.startNodeAtNode(node), 'import');
this.next();
if (this.isContextual(100)) {
if (!this.inModule) {
this.raise(Errors.ImportMetaOutsideModule, {
- at: id
+ at: id,
});
}
this.sawUnambiguousESM = true;
}
- return this.parseMetaProperty(node, id, "meta");
+ return this.parseMetaProperty(node, id, 'meta');
}
parseLiteralAtNode(value, type, node) {
- this.addExtra(node, "rawValue", value);
- this.addExtra(node, "raw", this.input.slice(node.start, this.state.end));
+ this.addExtra(node, 'rawValue', value);
+ this.addExtra(node, 'raw', this.input.slice(node.start, this.state.end));
node.value = value;
this.next();
return this.finishNode(node, type);
@@ -13329,23 +14986,23 @@ class ExpressionParser extends LValParser {
}
parseStringLiteral(value) {
- return this.parseLiteral(value, "StringLiteral");
+ return this.parseLiteral(value, 'StringLiteral');
}
parseNumericLiteral(value) {
- return this.parseLiteral(value, "NumericLiteral");
+ return this.parseLiteral(value, 'NumericLiteral');
}
parseBigIntLiteral(value) {
- return this.parseLiteral(value, "BigIntLiteral");
+ return this.parseLiteral(value, 'BigIntLiteral');
}
parseDecimalLiteral(value) {
- return this.parseLiteral(value, "DecimalLiteral");
+ return this.parseLiteral(value, 'DecimalLiteral');
}
parseRegExpLiteral(value) {
- const node = this.parseLiteral(value.value, "RegExpLiteral");
+ const node = this.parseLiteral(value.value, 'RegExpLiteral');
node.pattern = value.pattern;
node.flags = value.flags;
return node;
@@ -13355,13 +15012,13 @@ class ExpressionParser extends LValParser {
const node = this.startNode();
node.value = value;
this.next();
- return this.finishNode(node, "BooleanLiteral");
+ return this.finishNode(node, 'BooleanLiteral');
}
parseNullLiteral() {
const node = this.startNode();
this.next();
- return this.finishNode(node, "NullLiteral");
+ return this.finishNode(node, 'NullLiteral');
}
parseParenAndDistinguishExpression(canBeArrow) {
@@ -13386,7 +15043,12 @@ class ExpressionParser extends LValParser {
if (first) {
first = false;
} else {
- this.expect(12, refExpressionErrors.optionalParametersLoc === null ? null : refExpressionErrors.optionalParametersLoc);
+ this.expect(
+ 12,
+ refExpressionErrors.optionalParametersLoc === null ?
+ null
+ : refExpressionErrors.optionalParametersLoc
+ );
if (this.match(11)) {
optionalCommaStartLoc = this.state.startLoc;
@@ -13398,13 +15060,21 @@ class ExpressionParser extends LValParser {
const spreadNodeStartPos = this.state.start;
const spreadNodeStartLoc = this.state.startLoc;
spreadStartLoc = this.state.startLoc;
- exprList.push(this.parseParenItem(this.parseRestBinding(), spreadNodeStartPos, spreadNodeStartLoc));
+ exprList.push(
+ this.parseParenItem(
+ this.parseRestBinding(),
+ spreadNodeStartPos,
+ spreadNodeStartLoc
+ )
+ );
if (!this.checkCommaAfterRest(41)) {
break;
}
} else {
- exprList.push(this.parseMaybeAssignAllowIn(refExpressionErrors, this.parseParenItem));
+ exprList.push(
+ this.parseMaybeAssignAllowIn(refExpressionErrors, this.parseParenItem)
+ );
}
}
@@ -13414,7 +15084,11 @@ class ExpressionParser extends LValParser {
this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;
let arrowNode = this.startNodeAt(startPos, startLoc);
- if (canBeArrow && this.shouldParseArrow(exprList) && (arrowNode = this.parseArrow(arrowNode))) {
+ if (
+ canBeArrow &&
+ this.shouldParseArrow(exprList) &&
+ (arrowNode = this.parseArrow(arrowNode))
+ ) {
this.checkDestructuringPrivate(refExpressionErrors);
this.expressionScope.validateAsPattern();
this.expressionScope.exit();
@@ -13436,7 +15110,7 @@ class ExpressionParser extends LValParser {
if (exprList.length > 1) {
val = this.startNodeAt(innerStartPos, innerStartLoc);
val.expressions = exprList;
- this.finishNode(val, "SequenceExpression");
+ this.finishNode(val, 'SequenceExpression');
this.resetEndLocation(val, innerEndLoc);
} else {
val = exprList[0];
@@ -13447,15 +15121,19 @@ class ExpressionParser extends LValParser {
wrapParenthesis(startPos, startLoc, expression) {
if (!this.options.createParenthesizedExpressions) {
- this.addExtra(expression, "parenthesized", true);
- this.addExtra(expression, "parenStart", startPos);
- this.takeSurroundingComments(expression, startPos, this.state.lastTokEndLoc.index);
+ this.addExtra(expression, 'parenthesized', true);
+ this.addExtra(expression, 'parenStart', startPos);
+ this.takeSurroundingComments(
+ expression,
+ startPos,
+ this.state.lastTokEndLoc.index
+ );
return expression;
}
const parenExpression = this.startNodeAt(startPos, startLoc);
parenExpression.expression = expression;
- this.finishNode(parenExpression, "ParenthesizedExpression");
+ this.finishNode(parenExpression, 'ParenthesizedExpression');
return parenExpression;
}
@@ -13478,13 +15156,13 @@ class ExpressionParser extends LValParser {
this.next();
if (this.match(16)) {
- const meta = this.createIdentifier(this.startNodeAtNode(node), "new");
+ const meta = this.createIdentifier(this.startNodeAtNode(node), 'new');
this.next();
- const metaProp = this.parseMetaProperty(node, meta, "target");
+ const metaProp = this.parseMetaProperty(node, meta, 'target');
if (!this.scope.inNonArrowFunction && !this.scope.inClass) {
this.raise(Errors.UnexpectedNewTarget, {
- at: metaProp
+ at: metaProp,
});
}
@@ -13505,41 +15183,39 @@ class ExpressionParser extends LValParser {
node.arguments = [];
}
- return this.finishNode(node, "NewExpression");
+ return this.finishNode(node, 'NewExpression');
}
parseNewCallee(node) {
node.callee = this.parseNoCallExpr();
- if (node.callee.type === "Import") {
+ if (node.callee.type === 'Import') {
this.raise(Errors.ImportCallNotNewExpression, {
- at: node.callee
+ at: node.callee,
});
} else if (this.isOptionalChain(node.callee)) {
this.raise(Errors.OptionalChainingNoNew, {
- at: this.state.lastTokEndLoc
+ at: this.state.lastTokEndLoc,
});
} else if (this.eat(18)) {
this.raise(Errors.OptionalChainingNoNew, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
}
parseTemplateElement(isTagged) {
- const {
- start,
- startLoc,
- end,
- value
- } = this.state;
+ const { start, startLoc, end, value } = this.state;
const elemStart = start + 1;
- const elem = this.startNodeAt(elemStart, createPositionWithColumnOffset(startLoc, 1));
+ const elem = this.startNodeAt(
+ elemStart,
+ createPositionWithColumnOffset(startLoc, 1)
+ );
if (value === null) {
if (!isTagged) {
this.raise(Errors.InvalidEscapeSequenceTemplate, {
- at: createPositionWithColumnOffset(startLoc, 2)
+ at: createPositionWithColumnOffset(startLoc, 2),
});
}
}
@@ -13548,13 +15224,16 @@ class ExpressionParser extends LValParser {
const endOffset = isTail ? -1 : -2;
const elemEnd = end + endOffset;
elem.value = {
- raw: this.input.slice(elemStart, elemEnd).replace(/\r\n?/g, "\n"),
- cooked: value === null ? null : value.slice(1, endOffset)
+ raw: this.input.slice(elemStart, elemEnd).replace(/\r\n?/g, '\n'),
+ cooked: value === null ? null : value.slice(1, endOffset),
};
elem.tail = isTail;
this.next();
- this.finishNode(elem, "TemplateElement");
- this.resetEndLocation(elem, createPositionWithColumnOffset(this.state.lastTokEndLoc, endOffset));
+ this.finishNode(elem, 'TemplateElement');
+ this.resetEndLocation(
+ elem,
+ createPositionWithColumnOffset(this.state.lastTokEndLoc, endOffset)
+ );
return elem;
}
@@ -13567,10 +15246,10 @@ class ExpressionParser extends LValParser {
while (!curElt.tail) {
node.expressions.push(this.parseTemplateSubstitution());
this.readTemplateContinuation();
- node.quasis.push(curElt = this.parseTemplateElement(isTagged));
+ node.quasis.push((curElt = this.parseTemplateElement(isTagged)));
}
- return this.finishNode(node, "TemplateLiteral");
+ return this.finishNode(node, 'TemplateLiteral');
}
parseTemplateSubstitution() {
@@ -13579,7 +15258,7 @@ class ExpressionParser extends LValParser {
parseObjectLike(close, isPattern, isRecord, refExpressionErrors) {
if (isRecord) {
- this.expectPlugin("recordAndTuple");
+ this.expectPlugin('recordAndTuple');
}
const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;
@@ -13611,14 +15290,18 @@ class ExpressionParser extends LValParser {
this.checkProto(prop, isRecord, propHash, refExpressionErrors);
}
- if (isRecord && !this.isObjectProperty(prop) && prop.type !== "SpreadElement") {
+ if (
+ isRecord &&
+ !this.isObjectProperty(prop) &&
+ prop.type !== 'SpreadElement'
+ ) {
this.raise(Errors.InvalidRecordProperty, {
- at: prop
+ at: prop,
});
}
if (prop.shorthand) {
- this.addExtra(prop, "shorthand", true);
+ this.addExtra(prop, 'shorthand', true);
}
node.properties.push(prop);
@@ -13626,33 +15309,37 @@ class ExpressionParser extends LValParser {
this.next();
this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;
- let type = "ObjectExpression";
+ let type = 'ObjectExpression';
if (isPattern) {
- type = "ObjectPattern";
+ type = 'ObjectPattern';
} else if (isRecord) {
- type = "RecordExpression";
+ type = 'RecordExpression';
}
return this.finishNode(node, type);
}
addTrailingCommaExtraToNode(node) {
- this.addExtra(node, "trailingComma", this.state.lastTokStart);
- this.addExtra(node, "trailingCommaLoc", this.state.lastTokStartLoc, false);
+ this.addExtra(node, 'trailingComma', this.state.lastTokStart);
+ this.addExtra(node, 'trailingCommaLoc', this.state.lastTokStartLoc, false);
}
maybeAsyncOrAccessorProp(prop) {
- return !prop.computed && prop.key.type === "Identifier" && (this.isLiteralPropertyName() || this.match(0) || this.match(55));
+ return (
+ !prop.computed &&
+ prop.key.type === 'Identifier' &&
+ (this.isLiteralPropertyName() || this.match(0) || this.match(55))
+ );
}
parsePropertyDefinition(refExpressionErrors) {
let decorators = [];
if (this.match(26)) {
- if (this.hasPlugin("decorators")) {
+ if (this.hasPlugin('decorators')) {
this.raise(Errors.UnsupportedPropertyDecorator, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -13692,14 +15379,14 @@ class ExpressionParser extends LValParser {
if (!isGenerator && !containsEsc && this.maybeAsyncOrAccessorProp(prop)) {
const keyName = key.name;
- if (keyName === "async" && !this.hasPrecedingLineBreak()) {
+ if (keyName === 'async' && !this.hasPrecedingLineBreak()) {
isAsync = true;
this.resetPreviousNodeTrailingComments(key);
isGenerator = this.eat(55);
this.parsePropertyName(prop);
}
- if (keyName === "get" || keyName === "set") {
+ if (keyName === 'get' || keyName === 'set') {
isAccessor = true;
this.resetPreviousNodeTrailingComments(key);
prop.kind = keyName;
@@ -13708,7 +15395,7 @@ class ExpressionParser extends LValParser {
isGenerator = true;
this.raise(Errors.AccessorIsGenerator, {
at: this.state.curPosition(),
- kind: keyName
+ kind: keyName,
});
this.next();
}
@@ -13717,12 +15404,21 @@ class ExpressionParser extends LValParser {
}
}
- this.parseObjPropValue(prop, startPos, startLoc, isGenerator, isAsync, false, isAccessor, refExpressionErrors);
+ this.parseObjPropValue(
+ prop,
+ startPos,
+ startLoc,
+ isGenerator,
+ isAsync,
+ false,
+ isAccessor,
+ refExpressionErrors
+ );
return prop;
}
getGetterSetterExpectedParamCount(method) {
- return method.kind === "get" ? 0 : 1;
+ return method.kind === 'get' ? 0 : 1;
}
getObjectOrClassMethodParams(method) {
@@ -13736,46 +15432,74 @@ class ExpressionParser extends LValParser {
const params = this.getObjectOrClassMethodParams(method);
if (params.length !== paramCount) {
- this.raise(method.kind === "get" ? Errors.BadGetterArity : Errors.BadSetterArity, {
- at: method
- });
+ this.raise(
+ method.kind === 'get' ? Errors.BadGetterArity : Errors.BadSetterArity,
+ {
+ at: method,
+ }
+ );
}
- if (method.kind === "set" && ((_params = params[params.length - 1]) == null ? void 0 : _params.type) === "RestElement") {
+ if (
+ method.kind === 'set' &&
+ ((_params = params[params.length - 1]) == null ?
+ void 0
+ : _params.type) === 'RestElement'
+ ) {
this.raise(Errors.BadSetterRestParameter, {
- at: method
+ at: method,
});
}
}
parseObjectMethod(prop, isGenerator, isAsync, isPattern, isAccessor) {
if (isAccessor) {
- this.parseMethod(prop, isGenerator, false, false, false, "ObjectMethod");
+ this.parseMethod(prop, isGenerator, false, false, false, 'ObjectMethod');
this.checkGetterSetterParams(prop);
return prop;
}
if (isAsync || isGenerator || this.match(10)) {
if (isPattern) this.unexpected();
- prop.kind = "method";
+ prop.kind = 'method';
prop.method = true;
- return this.parseMethod(prop, isGenerator, isAsync, false, false, "ObjectMethod");
+ return this.parseMethod(
+ prop,
+ isGenerator,
+ isAsync,
+ false,
+ false,
+ 'ObjectMethod'
+ );
}
}
- parseObjectProperty(prop, startPos, startLoc, isPattern, refExpressionErrors) {
+ parseObjectProperty(
+ prop,
+ startPos,
+ startLoc,
+ isPattern,
+ refExpressionErrors
+ ) {
prop.shorthand = false;
if (this.eat(14)) {
- prop.value = isPattern ? this.parseMaybeDefault(this.state.start, this.state.startLoc) : this.parseMaybeAssignAllowIn(refExpressionErrors);
- return this.finishNode(prop, "ObjectProperty");
+ prop.value =
+ isPattern ?
+ this.parseMaybeDefault(this.state.start, this.state.startLoc)
+ : this.parseMaybeAssignAllowIn(refExpressionErrors);
+ return this.finishNode(prop, 'ObjectProperty');
}
- if (!prop.computed && prop.key.type === "Identifier") {
+ if (!prop.computed && prop.key.type === 'Identifier') {
this.checkReservedWord(prop.key.name, prop.key.loc.start, true, false);
if (isPattern) {
- prop.value = this.parseMaybeDefault(startPos, startLoc, cloneIdentifier(prop.key));
+ prop.value = this.parseMaybeDefault(
+ startPos,
+ startLoc,
+ cloneIdentifier(prop.key)
+ );
} else if (this.match(29)) {
const shorthandAssignLoc = this.state.startLoc;
@@ -13785,22 +15509,49 @@ class ExpressionParser extends LValParser {
}
} else {
this.raise(Errors.InvalidCoverInitializedName, {
- at: shorthandAssignLoc
+ at: shorthandAssignLoc,
});
}
- prop.value = this.parseMaybeDefault(startPos, startLoc, cloneIdentifier(prop.key));
+ prop.value = this.parseMaybeDefault(
+ startPos,
+ startLoc,
+ cloneIdentifier(prop.key)
+ );
} else {
prop.value = cloneIdentifier(prop.key);
}
prop.shorthand = true;
- return this.finishNode(prop, "ObjectProperty");
+ return this.finishNode(prop, 'ObjectProperty');
}
}
- parseObjPropValue(prop, startPos, startLoc, isGenerator, isAsync, isPattern, isAccessor, refExpressionErrors) {
- const node = this.parseObjectMethod(prop, isGenerator, isAsync, isPattern, isAccessor) || this.parseObjectProperty(prop, startPos, startLoc, isPattern, refExpressionErrors);
+ parseObjPropValue(
+ prop,
+ startPos,
+ startLoc,
+ isGenerator,
+ isAsync,
+ isPattern,
+ isAccessor,
+ refExpressionErrors
+ ) {
+ const node =
+ this.parseObjectMethod(
+ prop,
+ isGenerator,
+ isAsync,
+ isPattern,
+ isAccessor
+ ) ||
+ this.parseObjectProperty(
+ prop,
+ startPos,
+ startLoc,
+ isPattern,
+ refExpressionErrors
+ );
if (!node) this.unexpected();
return node;
}
@@ -13811,10 +15562,7 @@ class ExpressionParser extends LValParser {
prop.key = this.parseMaybeAssignAllowIn();
this.expect(3);
} else {
- const {
- type,
- value
- } = this.state;
+ const { type, value } = this.state;
let key;
if (tokenIsKeywordOrIdentifier(type)) {
@@ -13837,24 +15585,23 @@ class ExpressionParser extends LValParser {
key = this.parseDecimalLiteral(value);
break;
- case 134:
- {
- const privateKeyLoc = this.state.startLoc;
+ case 134: {
+ const privateKeyLoc = this.state.startLoc;
- if (refExpressionErrors != null) {
- if (refExpressionErrors.privateKeyLoc === null) {
- refExpressionErrors.privateKeyLoc = privateKeyLoc;
- }
- } else {
- this.raise(Errors.UnexpectedPrivateField, {
- at: privateKeyLoc
- });
+ if (refExpressionErrors != null) {
+ if (refExpressionErrors.privateKeyLoc === null) {
+ refExpressionErrors.privateKeyLoc = privateKeyLoc;
}
-
- key = this.parsePrivateName();
- break;
+ } else {
+ this.raise(Errors.UnexpectedPrivateField, {
+ at: privateKeyLoc,
+ });
}
+ key = this.parsePrivateName();
+ break;
+ }
+
default:
throw this.unexpected();
}
@@ -13876,11 +15623,24 @@ class ExpressionParser extends LValParser {
node.async = !!isAsync;
}
- parseMethod(node, isGenerator, isAsync, isConstructor, allowDirectSuper, type, inClassScope = false) {
+ parseMethod(
+ node,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowDirectSuper,
+ type,
+ inClassScope = false
+ ) {
this.initFunction(node, isAsync);
node.generator = !!isGenerator;
const allowModifiers = isConstructor;
- this.scope.enter(SCOPE_FUNCTION | SCOPE_SUPER | (inClassScope ? SCOPE_CLASS : 0) | (allowDirectSuper ? SCOPE_DIRECT_SUPER : 0));
+ this.scope.enter(
+ SCOPE_FUNCTION |
+ SCOPE_SUPER |
+ (inClassScope ? SCOPE_CLASS : 0) |
+ (allowDirectSuper ? SCOPE_DIRECT_SUPER : 0)
+ );
this.prodParam.enter(functionFlags(isAsync, node.generator));
this.parseFunctionParams(node, allowModifiers);
this.parseFunctionBodyAndFinish(node, type, true);
@@ -13891,16 +15651,24 @@ class ExpressionParser extends LValParser {
parseArrayLike(close, canBePattern, isTuple, refExpressionErrors) {
if (isTuple) {
- this.expectPlugin("recordAndTuple");
+ this.expectPlugin('recordAndTuple');
}
const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;
this.state.inFSharpPipelineDirectBody = false;
const node = this.startNode();
this.next();
- node.elements = this.parseExprList(close, !isTuple, refExpressionErrors, node);
+ node.elements = this.parseExprList(
+ close,
+ !isTuple,
+ refExpressionErrors,
+ node
+ );
this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;
- return this.finishNode(node, isTuple ? "TupleExpression" : "ArrayExpression");
+ return this.finishNode(
+ node,
+ isTuple ? 'TupleExpression' : 'ArrayExpression'
+ );
}
parseArrowExpression(node, params, isAsync, trailingCommaLoc) {
@@ -13925,7 +15693,7 @@ class ExpressionParser extends LValParser {
this.prodParam.exit();
this.scope.exit();
this.state.maybeInArrowParameters = oldMaybeInArrowParameters;
- return this.finishNode(node, "ArrowFunctionExpression");
+ return this.finishNode(node, 'ArrowFunctionExpression');
}
setArrowFunctionParameters(node, params, trailingCommaLoc) {
@@ -13950,17 +15718,28 @@ class ExpressionParser extends LValParser {
const oldLabels = this.state.labels;
this.state.labels = [];
this.prodParam.enter(this.prodParam.currentFlags() | PARAM_RETURN);
- node.body = this.parseBlock(true, false, hasStrictModeDirective => {
+ node.body = this.parseBlock(true, false, (hasStrictModeDirective) => {
const nonSimple = !this.isSimpleParamList(node.params);
if (hasStrictModeDirective && nonSimple) {
this.raise(Errors.IllegalLanguageModeDirective, {
- at: (node.kind === "method" || node.kind === "constructor") && !!node.key ? node.key.loc.end : node
+ at:
+ (
+ (node.kind === 'method' || node.kind === 'constructor') &&
+ !!node.key
+ ) ?
+ node.key.loc.end
+ : node,
});
}
const strictModeChanged = !oldStrict && this.state.strict;
- this.checkParams(node, !this.state.strict && !allowExpression && !isMethod && !nonSimple, allowExpression, strictModeChanged);
+ this.checkParams(
+ node,
+ !this.state.strict && !allowExpression && !isMethod && !nonSimple,
+ allowExpression,
+ strictModeChanged
+ );
if (this.state.strict && node.id) {
this.checkIdentifier(node.id, BIND_OUTSIDE, strictModeChanged);
@@ -13974,7 +15753,7 @@ class ExpressionParser extends LValParser {
}
isSimpleParameter(node) {
- return node.type === "Identifier";
+ return node.type === 'Identifier';
}
isSimpleParamList(params) {
@@ -13985,10 +15764,15 @@ class ExpressionParser extends LValParser {
return true;
}
- checkParams(node, allowDuplicates, isArrowFunction, strictModeChanged = true) {
+ checkParams(
+ node,
+ allowDuplicates,
+ isArrowFunction,
+ strictModeChanged = true
+ ) {
const checkClashes = !allowDuplicates && new Set();
const formalParameters = {
- type: "FormalParameters"
+ type: 'FormalParameters',
};
for (const param of node.params) {
@@ -13996,7 +15780,7 @@ class ExpressionParser extends LValParser {
in: formalParameters,
binding: BIND_VAR,
checkClashes,
- strictModeChanged
+ strictModeChanged,
});
}
}
@@ -14034,7 +15818,7 @@ class ExpressionParser extends LValParser {
if (!allowEmpty) {
this.raise(Errors.UnexpectedToken, {
at: this.state.curPosition(),
- unexpected: ","
+ unexpected: ',',
});
}
@@ -14042,21 +15826,28 @@ class ExpressionParser extends LValParser {
} else if (this.match(21)) {
const spreadNodeStartPos = this.state.start;
const spreadNodeStartLoc = this.state.startLoc;
- elt = this.parseParenItem(this.parseSpread(refExpressionErrors), spreadNodeStartPos, spreadNodeStartLoc);
+ elt = this.parseParenItem(
+ this.parseSpread(refExpressionErrors),
+ spreadNodeStartPos,
+ spreadNodeStartLoc
+ );
} else if (this.match(17)) {
- this.expectPlugin("partialApplication");
+ this.expectPlugin('partialApplication');
if (!allowPlaceholder) {
this.raise(Errors.UnexpectedArgumentPlaceholder, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
const node = this.startNode();
this.next();
- elt = this.finishNode(node, "ArgumentPlaceholder");
+ elt = this.finishNode(node, 'ArgumentPlaceholder');
} else {
- elt = this.parseMaybeAssignAllowIn(refExpressionErrors, this.parseParenItem);
+ elt = this.parseMaybeAssignAllowIn(
+ refExpressionErrors,
+ this.parseParenItem
+ );
}
return elt;
@@ -14071,15 +15862,12 @@ class ExpressionParser extends LValParser {
createIdentifier(node, name) {
node.name = name;
node.loc.identifierName = name;
- return this.finishNode(node, "Identifier");
+ return this.finishNode(node, 'Identifier');
}
parseIdentifierName(pos, liberal) {
let name;
- const {
- startLoc,
- type
- } = this.state;
+ const { startLoc, type } = this.state;
if (tokenIsKeywordOrIdentifier(type)) {
name = this.state.value;
@@ -14110,35 +15898,35 @@ class ExpressionParser extends LValParser {
return;
}
- if (word === "yield") {
+ if (word === 'yield') {
if (this.prodParam.hasYield) {
this.raise(Errors.YieldBindingIdentifier, {
- at: startLoc
+ at: startLoc,
});
return;
}
- } else if (word === "await") {
+ } else if (word === 'await') {
if (this.prodParam.hasAwait) {
this.raise(Errors.AwaitBindingIdentifier, {
- at: startLoc
+ at: startLoc,
});
return;
}
if (this.scope.inStaticBlock) {
this.raise(Errors.AwaitBindingIdentifierInStaticBlock, {
- at: startLoc
+ at: startLoc,
});
return;
}
this.expressionScope.recordAsyncArrowParametersError({
- at: startLoc
+ at: startLoc,
});
- } else if (word === "arguments") {
+ } else if (word === 'arguments') {
if (this.scope.inClassAndNotInNonArrowFunction) {
this.raise(Errors.ArgumentsInClass, {
- at: startLoc
+ at: startLoc,
});
return;
}
@@ -14147,17 +15935,20 @@ class ExpressionParser extends LValParser {
if (checkKeywords && isKeyword(word)) {
this.raise(Errors.UnexpectedKeyword, {
at: startLoc,
- keyword: word
+ keyword: word,
});
return;
}
- const reservedTest = !this.state.strict ? isReservedWord : isBinding ? isStrictBindReservedWord : isStrictReservedWord;
+ const reservedTest =
+ !this.state.strict ? isReservedWord
+ : isBinding ? isStrictBindReservedWord
+ : isStrictReservedWord;
if (reservedTest(word, this.inModule)) {
this.raise(Errors.UnexpectedReservedWord, {
at: startLoc,
- reservedWord: word
+ reservedWord: word,
});
}
}
@@ -14174,13 +15965,16 @@ class ExpressionParser extends LValParser {
parseAwait(startPos, startLoc) {
const node = this.startNodeAt(startPos, startLoc);
- this.expressionScope.recordParameterInitializerError(Errors.AwaitExpressionFormalParameter, {
- at: node
- });
+ this.expressionScope.recordParameterInitializerError(
+ Errors.AwaitExpressionFormalParameter,
+ {
+ at: node,
+ }
+ );
if (this.eat(55)) {
this.raise(Errors.ObsoleteAwaitStar, {
- at: node
+ at: node,
});
}
@@ -14196,22 +15990,31 @@ class ExpressionParser extends LValParser {
node.argument = this.parseMaybeUnary(null, true);
}
- return this.finishNode(node, "AwaitExpression");
+ return this.finishNode(node, 'AwaitExpression');
}
isAmbiguousAwait() {
if (this.hasPrecedingLineBreak()) return true;
- const {
- type
- } = this.state;
- return type === 53 || type === 10 || type === 0 || tokenIsTemplate(type) || type === 133 || type === 56 || this.hasPlugin("v8intrinsic") && type === 54;
+ const { type } = this.state;
+ return (
+ type === 53 ||
+ type === 10 ||
+ type === 0 ||
+ tokenIsTemplate(type) ||
+ type === 133 ||
+ type === 56 ||
+ (this.hasPlugin('v8intrinsic') && type === 54)
+ );
}
parseYield() {
const node = this.startNode();
- this.expressionScope.recordParameterInitializerError(Errors.YieldInParameter, {
- at: node
- });
+ this.expressionScope.recordParameterInitializerError(
+ Errors.YieldInParameter,
+ {
+ at: node,
+ }
+ );
this.next();
let delegating = false;
let argument = null;
@@ -14237,16 +16040,21 @@ class ExpressionParser extends LValParser {
node.delegate = delegating;
node.argument = argument;
- return this.finishNode(node, "YieldExpression");
+ return this.finishNode(node, 'YieldExpression');
}
checkPipelineAtInfixOperator(left, leftStartLoc) {
- if (this.hasPlugin(["pipelineOperator", {
- proposal: "smart"
- }])) {
- if (left.type === "SequenceExpression") {
+ if (
+ this.hasPlugin([
+ 'pipelineOperator',
+ {
+ proposal: 'smart',
+ },
+ ])
+ ) {
+ if (left.type === 'SequenceExpression') {
this.raise(Errors.PipelineHeadSequenceExpression, {
- at: leftStartLoc
+ at: leftStartLoc,
});
}
}
@@ -14257,20 +16065,22 @@ class ExpressionParser extends LValParser {
if (this.isSimpleReference(childExpr)) {
bodyNode.callee = childExpr;
- return this.finishNode(bodyNode, "PipelineBareFunction");
+ return this.finishNode(bodyNode, 'PipelineBareFunction');
} else {
this.checkSmartPipeTopicBodyEarlyErrors(startLoc);
bodyNode.expression = childExpr;
- return this.finishNode(bodyNode, "PipelineTopicExpression");
+ return this.finishNode(bodyNode, 'PipelineTopicExpression');
}
}
isSimpleReference(expression) {
switch (expression.type) {
- case "MemberExpression":
- return !expression.computed && this.isSimpleReference(expression.object);
+ case 'MemberExpression':
+ return (
+ !expression.computed && this.isSimpleReference(expression.object)
+ );
- case "Identifier":
+ case 'Identifier':
return true;
default:
@@ -14281,13 +16091,13 @@ class ExpressionParser extends LValParser {
checkSmartPipeTopicBodyEarlyErrors(startLoc) {
if (this.match(19)) {
throw this.raise(Errors.PipelineBodyNoArrow, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
if (!this.topicReferenceWasUsedInCurrentContext()) {
this.raise(Errors.PipelineTopicUnused, {
- at: startLoc
+ at: startLoc,
});
}
}
@@ -14296,7 +16106,7 @@ class ExpressionParser extends LValParser {
const outerContextTopicState = this.state.topicContext;
this.state.topicContext = {
maxNumOfResolvableTopics: 1,
- maxTopicIndex: null
+ maxTopicIndex: null,
};
try {
@@ -14307,13 +16117,18 @@ class ExpressionParser extends LValParser {
}
withSmartMixTopicForbiddingContext(callback) {
- if (this.hasPlugin(["pipelineOperator", {
- proposal: "smart"
- }])) {
+ if (
+ this.hasPlugin([
+ 'pipelineOperator',
+ {
+ proposal: 'smart',
+ },
+ ])
+ ) {
const outerContextTopicState = this.state.topicContext;
this.state.topicContext = {
maxNumOfResolvableTopics: 0,
- maxTopicIndex: null
+ maxTopicIndex: null,
};
try {
@@ -14380,7 +16195,10 @@ class ExpressionParser extends LValParser {
}
topicReferenceWasUsedInCurrentContext() {
- return this.state.topicContext.maxTopicIndex != null && this.state.topicContext.maxTopicIndex >= 0;
+ return (
+ this.state.topicContext.maxTopicIndex != null &&
+ this.state.topicContext.maxTopicIndex >= 0
+ );
}
parseFSharpPipelineBody(prec) {
@@ -14389,13 +16207,18 @@ class ExpressionParser extends LValParser {
this.state.potentialArrowAt = this.state.start;
const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;
this.state.inFSharpPipelineDirectBody = true;
- const ret = this.parseExprOp(this.parseMaybeUnaryOrPrivate(), startPos, startLoc, prec);
+ const ret = this.parseExprOp(
+ this.parseMaybeUnaryOrPrivate(),
+ startPos,
+ startLoc,
+ prec
+ );
this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;
return ret;
}
parseModuleExpression() {
- this.expectPlugin("moduleBlocks");
+ this.expectPlugin('moduleBlocks');
const node = this.startNode();
this.next();
this.eat(5);
@@ -14404,76 +16227,68 @@ class ExpressionParser extends LValParser {
const program = this.startNode();
try {
- node.body = this.parseProgram(program, 8, "module");
+ node.body = this.parseProgram(program, 8, 'module');
} finally {
revertScopes();
}
this.eat(8);
- return this.finishNode(node, "ModuleExpression");
+ return this.finishNode(node, 'ModuleExpression');
}
parsePropertyNamePrefixOperator(prop) {}
-
}
const loopLabel = {
- kind: "loop"
-},
- switchLabel = {
- kind: "switch"
-};
+ kind: 'loop',
+ },
+ switchLabel = {
+ kind: 'switch',
+ };
const FUNC_NO_FLAGS = 0b000,
- FUNC_STATEMENT = 0b001,
- FUNC_HANGING_STATEMENT = 0b010,
- FUNC_NULLABLE_ID = 0b100;
+ FUNC_STATEMENT = 0b001,
+ FUNC_HANGING_STATEMENT = 0b010,
+ FUNC_NULLABLE_ID = 0b100;
const loneSurrogate = /[\uD800-\uDFFF]/u;
const keywordRelationalOperator = /in(?:stanceof)?/y;
function babel7CompatTokens(tokens, input) {
for (let i = 0; i < tokens.length; i++) {
const token = tokens[i];
- const {
- type
- } = token;
+ const { type } = token;
- if (typeof type === "number") {
+ if (typeof type === 'number') {
{
if (type === 134) {
- const {
- loc,
- start,
- value,
- end
- } = token;
+ const { loc, start, value, end } = token;
const hashEndPos = start + 1;
const hashEndLoc = createPositionWithColumnOffset(loc.start, 1);
- tokens.splice(i, 1, new Token({
- type: getExportedToken(27),
- value: "#",
- start: start,
- end: hashEndPos,
- startLoc: loc.start,
- endLoc: hashEndLoc
- }), new Token({
- type: getExportedToken(128),
- value: value,
- start: hashEndPos,
- end: end,
- startLoc: hashEndLoc,
- endLoc: loc.end
- }));
+ tokens.splice(
+ i,
+ 1,
+ new Token({
+ type: getExportedToken(27),
+ value: '#',
+ start: start,
+ end: hashEndPos,
+ startLoc: loc.start,
+ endLoc: hashEndLoc,
+ }),
+ new Token({
+ type: getExportedToken(128),
+ value: value,
+ start: hashEndPos,
+ end: end,
+ startLoc: hashEndLoc,
+ endLoc: loc.end,
+ })
+ );
i++;
continue;
}
if (tokenIsTemplate(type)) {
- const {
- loc,
- start,
- value,
- end
- } = token;
+ const { loc, start, value, end } = token;
const backquoteEnd = start + 1;
const backquoteEndLoc = createPositionWithColumnOffset(loc.start, 1);
let startToken;
@@ -14481,24 +16296,27 @@ function babel7CompatTokens(tokens, input) {
if (input.charCodeAt(start) === 96) {
startToken = new Token({
type: getExportedToken(22),
- value: "`",
+ value: '`',
start: start,
end: backquoteEnd,
startLoc: loc.start,
- endLoc: backquoteEndLoc
+ endLoc: backquoteEndLoc,
});
} else {
startToken = new Token({
type: getExportedToken(8),
- value: "}",
+ value: '}',
start: start,
end: backquoteEnd,
startLoc: loc.start,
- endLoc: backquoteEndLoc
+ endLoc: backquoteEndLoc,
});
}
- let templateValue, templateElementEnd, templateElementEndLoc, endToken;
+ let templateValue,
+ templateElementEnd,
+ templateElementEndLoc,
+ endToken;
if (type === 24) {
templateElementEnd = end - 1;
@@ -14506,11 +16324,11 @@ function babel7CompatTokens(tokens, input) {
templateValue = value === null ? null : value.slice(1, -1);
endToken = new Token({
type: getExportedToken(22),
- value: "`",
+ value: '`',
start: templateElementEnd,
end: end,
startLoc: templateElementEndLoc,
- endLoc: loc.end
+ endLoc: loc.end,
});
} else {
templateElementEnd = end - 2;
@@ -14518,22 +16336,28 @@ function babel7CompatTokens(tokens, input) {
templateValue = value === null ? null : value.slice(1, -2);
endToken = new Token({
type: getExportedToken(23),
- value: "${",
+ value: '${',
start: templateElementEnd,
end: end,
startLoc: templateElementEndLoc,
- endLoc: loc.end
+ endLoc: loc.end,
});
}
- tokens.splice(i, 1, startToken, new Token({
- type: getExportedToken(20),
- value: templateValue,
- start: backquoteEnd,
- end: templateElementEnd,
- startLoc: backquoteEndLoc,
- endLoc: templateElementEndLoc
- }), endToken);
+ tokens.splice(
+ i,
+ 1,
+ startToken,
+ new Token({
+ type: getExportedToken(20),
+ value: templateValue,
+ start: backquoteEnd,
+ end: templateElementEnd,
+ startLoc: backquoteEndLoc,
+ endLoc: templateElementEndLoc,
+ }),
+ endToken
+ );
i += 2;
continue;
}
@@ -14554,7 +16378,7 @@ class StatementParser extends ExpressionParser {
file.tokens = babel7CompatTokens(this.tokens, this.input);
}
- return this.finishNode(file, "File");
+ return this.finishNode(file, 'File');
}
parseProgram(program, end = 135, sourceType = this.options.sourceType) {
@@ -14562,31 +16386,35 @@ class StatementParser extends ExpressionParser {
program.interpreter = this.parseInterpreterDirective();
this.parseBlockBody(program, true, true, end);
- if (this.inModule && !this.options.allowUndeclaredExports && this.scope.undefinedExports.size > 0) {
+ if (
+ this.inModule &&
+ !this.options.allowUndeclaredExports &&
+ this.scope.undefinedExports.size > 0
+ ) {
for (const [localName, at] of Array.from(this.scope.undefinedExports)) {
this.raise(Errors.ModuleExportUndefined, {
at,
- localName
+ localName,
});
}
}
- return this.finishNode(program, "Program");
+ return this.finishNode(program, 'Program');
}
stmtToDirective(stmt) {
const directive = stmt;
- directive.type = "Directive";
+ directive.type = 'Directive';
directive.value = directive.expression;
delete directive.expression;
const directiveLiteral = directive.value;
const expressionValue = directiveLiteral.value;
const raw = this.input.slice(directiveLiteral.start, directiveLiteral.end);
- const val = directiveLiteral.value = raw.slice(1, -1);
- this.addExtra(directiveLiteral, "raw", raw);
- this.addExtra(directiveLiteral, "rawValue", val);
- this.addExtra(directiveLiteral, "expressionValue", expressionValue);
- directiveLiteral.type = "DirectiveLiteral";
+ const val = (directiveLiteral.value = raw.slice(1, -1));
+ this.addExtra(directiveLiteral, 'raw', raw);
+ this.addExtra(directiveLiteral, 'rawValue', val);
+ this.addExtra(directiveLiteral, 'expressionValue', expressionValue);
+ directiveLiteral.type = 'DirectiveLiteral';
return directive;
}
@@ -14598,7 +16426,7 @@ class StatementParser extends ExpressionParser {
const node = this.startNode();
node.value = this.state.value;
this.next();
- return this.finishNode(node, "InterpreterDirective");
+ return this.finishNode(node, 'InterpreterDirective');
}
isLet(context) {
@@ -14652,7 +16480,7 @@ class StatementParser extends ExpressionParser {
if (this.isLet(context)) {
starttype = 74;
- kind = "let";
+ kind = 'let';
}
switch (starttype) {
@@ -14677,11 +16505,11 @@ class StatementParser extends ExpressionParser {
if (context) {
if (this.state.strict) {
this.raise(Errors.StrictFunction, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
- } else if (context !== "if" && context !== "label") {
+ } else if (context !== 'if' && context !== 'label') {
this.raise(Errors.SloppyFunction, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
}
@@ -14711,9 +16539,9 @@ class StatementParser extends ExpressionParser {
case 74:
kind = kind || this.state.value;
- if (context && kind !== "var") {
+ if (context && kind !== 'var') {
this.raise(Errors.UnexpectedLexicalDeclaration, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -14731,63 +16559,73 @@ class StatementParser extends ExpressionParser {
case 13:
return this.parseEmptyStatement(node);
- case 83:
- {
- const nextTokenCharCode = this.lookaheadCharCode();
+ case 83: {
+ const nextTokenCharCode = this.lookaheadCharCode();
- if (nextTokenCharCode === 40 || nextTokenCharCode === 46) {
- break;
+ if (nextTokenCharCode === 40 || nextTokenCharCode === 46) {
+ break;
+ }
+ }
+
+ case 82: {
+ if (!this.options.allowImportExportEverywhere && !topLevel) {
+ this.raise(Errors.UnexpectedImportExport, {
+ at: this.state.startLoc,
+ });
+ }
+
+ this.next();
+ let result;
+
+ if (starttype === 83) {
+ result = this.parseImport(node);
+
+ if (
+ result.type === 'ImportDeclaration' &&
+ (!result.importKind || result.importKind === 'value')
+ ) {
+ this.sawUnambiguousESM = true;
+ }
+ } else {
+ result = this.parseExport(node);
+
+ if (
+ (result.type === 'ExportNamedDeclaration' &&
+ (!result.exportKind || result.exportKind === 'value')) ||
+ (result.type === 'ExportAllDeclaration' &&
+ (!result.exportKind || result.exportKind === 'value')) ||
+ result.type === 'ExportDefaultDeclaration'
+ ) {
+ this.sawUnambiguousESM = true;
}
}
- case 82:
- {
- if (!this.options.allowImportExportEverywhere && !topLevel) {
- this.raise(Errors.UnexpectedImportExport, {
- at: this.state.startLoc
+ this.assertModuleNodeAllowed(node);
+ return result;
+ }
+
+ default: {
+ if (this.isAsyncFunction()) {
+ if (context) {
+ this.raise(Errors.AsyncFunctionInSingleStatementContext, {
+ at: this.state.startLoc,
});
}
this.next();
- let result;
-
- if (starttype === 83) {
- result = this.parseImport(node);
-
- if (result.type === "ImportDeclaration" && (!result.importKind || result.importKind === "value")) {
- this.sawUnambiguousESM = true;
- }
- } else {
- result = this.parseExport(node);
-
- if (result.type === "ExportNamedDeclaration" && (!result.exportKind || result.exportKind === "value") || result.type === "ExportAllDeclaration" && (!result.exportKind || result.exportKind === "value") || result.type === "ExportDefaultDeclaration") {
- this.sawUnambiguousESM = true;
- }
- }
-
- this.assertModuleNodeAllowed(node);
- return result;
- }
-
- default:
- {
- if (this.isAsyncFunction()) {
- if (context) {
- this.raise(Errors.AsyncFunctionInSingleStatementContext, {
- at: this.state.startLoc
- });
- }
-
- this.next();
- return this.parseFunctionStatement(node, true, !context);
- }
+ return this.parseFunctionStatement(node, true, !context);
}
+ }
}
const maybeName = this.state.value;
const expr = this.parseExpression();
- if (tokenIsIdentifier(starttype) && expr.type === "Identifier" && this.eat(14)) {
+ if (
+ tokenIsIdentifier(starttype) &&
+ expr.type === 'Identifier' &&
+ this.eat(14)
+ ) {
return this.parseLabeledStatement(node, maybeName, expr, context);
} else {
return this.parseExpressionStatement(node, expr);
@@ -14797,13 +16635,14 @@ class StatementParser extends ExpressionParser {
assertModuleNodeAllowed(node) {
if (!this.options.allowImportExportEverywhere && !this.inModule) {
this.raise(Errors.ImportOutsideModule, {
- at: node
+ at: node,
});
}
}
takeDecorators(node) {
- const decorators = this.state.decoratorStack[this.state.decoratorStack.length - 1];
+ const decorators =
+ this.state.decoratorStack[this.state.decoratorStack.length - 1];
if (decorators.length) {
node.decorators = decorators;
@@ -14817,7 +16656,8 @@ class StatementParser extends ExpressionParser {
}
parseDecorators(allowExport) {
- const currentContextDecorators = this.state.decoratorStack[this.state.decoratorStack.length - 1];
+ const currentContextDecorators =
+ this.state.decoratorStack[this.state.decoratorStack.length - 1];
while (this.match(26)) {
const decorator = this.parseDecorator();
@@ -14829,24 +16669,27 @@ class StatementParser extends ExpressionParser {
this.unexpected();
}
- if (this.hasPlugin("decorators") && !this.getPluginOption("decorators", "decoratorsBeforeExport")) {
+ if (
+ this.hasPlugin('decorators') &&
+ !this.getPluginOption('decorators', 'decoratorsBeforeExport')
+ ) {
this.raise(Errors.DecoratorExportClass, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
} else if (!this.canHaveLeadingDecorator()) {
throw this.raise(Errors.UnexpectedLeadingDecorator, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
}
parseDecorator() {
- this.expectOnePlugin(["decorators-legacy", "decorators"]);
+ this.expectOnePlugin(['decorators-legacy', 'decorators']);
const node = this.startNode();
this.next();
- if (this.hasPlugin("decorators")) {
+ if (this.hasPlugin('decorators')) {
this.state.decoratorStack.push([]);
const startPos = this.state.start;
const startLoc = this.state.startLoc;
@@ -14867,7 +16710,7 @@ class StatementParser extends ExpressionParser {
node.object = expr;
node.property = this.parseIdentifier(true);
node.computed = false;
- expr = this.finishNode(node, "MemberExpression");
+ expr = this.finishNode(node, 'MemberExpression');
}
}
@@ -14877,7 +16720,7 @@ class StatementParser extends ExpressionParser {
node.expression = this.parseExprSubscripts();
}
- return this.finishNode(node, "Decorator");
+ return this.finishNode(node, 'Decorator');
}
parseMaybeDecoratorArguments(expr) {
@@ -14886,7 +16729,7 @@ class StatementParser extends ExpressionParser {
node.callee = expr;
node.arguments = this.parseCallExpressionArguments(11, false);
this.toReferencedList(node.arguments);
- return this.finishNode(node, "CallExpression");
+ return this.finishNode(node, 'CallExpression');
}
return expr;
@@ -14903,7 +16746,10 @@ class StatementParser extends ExpressionParser {
}
this.verifyBreakContinue(node, isBreak);
- return this.finishNode(node, isBreak ? "BreakStatement" : "ContinueStatement");
+ return this.finishNode(
+ node,
+ isBreak ? 'BreakStatement' : 'ContinueStatement'
+ );
}
verifyBreakContinue(node, isBreak) {
@@ -14913,16 +16759,16 @@ class StatementParser extends ExpressionParser {
const lab = this.state.labels[i];
if (node.label == null || lab.name === node.label.name) {
- if (lab.kind != null && (isBreak || lab.kind === "loop")) break;
+ if (lab.kind != null && (isBreak || lab.kind === 'loop')) break;
if (node.label && isBreak) break;
}
}
if (i === this.state.labels.length) {
- const type = isBreak ? "BreakStatement" : "ContinueStatement";
+ const type = isBreak ? 'BreakStatement' : 'ContinueStatement';
this.raise(Errors.IllegalBreakContinue, {
at: node,
- type
+ type,
});
}
}
@@ -14930,7 +16776,7 @@ class StatementParser extends ExpressionParser {
parseDebuggerStatement(node) {
this.next();
this.semicolon();
- return this.finishNode(node, "DebuggerStatement");
+ return this.finishNode(node, 'DebuggerStatement');
}
parseHeaderExpression() {
@@ -14943,12 +16789,14 @@ class StatementParser extends ExpressionParser {
parseDoStatement(node) {
this.next();
this.state.labels.push(loopLabel);
- node.body = this.withSmartMixTopicForbiddingContext(() => this.parseStatement("do"));
+ node.body = this.withSmartMixTopicForbiddingContext(() =>
+ this.parseStatement('do')
+ );
this.state.labels.pop();
this.expect(92);
node.test = this.parseHeaderExpression();
this.eat(13);
- return this.finishNode(node, "DoWhileStatement");
+ return this.finishNode(node, 'DoWhileStatement');
}
parseForStatement(node) {
@@ -14976,12 +16824,15 @@ class StatementParser extends ExpressionParser {
if (this.match(74) || this.match(75) || isLet) {
const init = this.startNode();
- const kind = isLet ? "let" : this.state.value;
+ const kind = isLet ? 'let' : this.state.value;
this.next();
this.parseVar(init, true, kind);
- this.finishNode(init, "VariableDeclaration");
+ this.finishNode(init, 'VariableDeclaration');
- if ((this.match(58) || this.isContextual(101)) && init.declarations.length === 1) {
+ if (
+ (this.match(58) || this.isContextual(101)) &&
+ init.declarations.length === 1
+ ) {
return this.parseForIn(node, init, awaitAt);
}
@@ -15000,13 +16851,13 @@ class StatementParser extends ExpressionParser {
if (isForOf) {
if (startsWithLet) {
this.raise(Errors.ForOfLet, {
- at: init
+ at: init,
});
}
- if (awaitAt === null && startsWithAsync && init.type === "Identifier") {
+ if (awaitAt === null && startsWithAsync && init.type === 'Identifier') {
this.raise(Errors.ForOfAsync, {
- at: init
+ at: init,
});
}
}
@@ -15014,11 +16865,11 @@ class StatementParser extends ExpressionParser {
if (isForOf || this.match(58)) {
this.checkDestructuringPrivate(refExpressionErrors);
this.toAssignable(init, true);
- const type = isForOf ? "ForOfStatement" : "ForInStatement";
+ const type = isForOf ? 'ForOfStatement' : 'ForInStatement';
this.checkLVal(init, {
in: {
- type
- }
+ type,
+ },
});
return this.parseForIn(node, init, awaitAt);
} else {
@@ -15034,21 +16885,25 @@ class StatementParser extends ExpressionParser {
parseFunctionStatement(node, isAsync, declarationPosition) {
this.next();
- return this.parseFunction(node, FUNC_STATEMENT | (declarationPosition ? 0 : FUNC_HANGING_STATEMENT), isAsync);
+ return this.parseFunction(
+ node,
+ FUNC_STATEMENT | (declarationPosition ? 0 : FUNC_HANGING_STATEMENT),
+ isAsync
+ );
}
parseIfStatement(node) {
this.next();
node.test = this.parseHeaderExpression();
- node.consequent = this.parseStatement("if");
- node.alternate = this.eat(66) ? this.parseStatement("if") : null;
- return this.finishNode(node, "IfStatement");
+ node.consequent = this.parseStatement('if');
+ node.alternate = this.eat(66) ? this.parseStatement('if') : null;
+ return this.finishNode(node, 'IfStatement');
}
parseReturnStatement(node) {
if (!this.prodParam.hasReturn && !this.options.allowReturnOutsideFunction) {
this.raise(Errors.IllegalReturn, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -15061,23 +16916,23 @@ class StatementParser extends ExpressionParser {
this.semicolon();
}
- return this.finishNode(node, "ReturnStatement");
+ return this.finishNode(node, 'ReturnStatement');
}
parseSwitchStatement(node) {
this.next();
node.discriminant = this.parseHeaderExpression();
- const cases = node.cases = [];
+ const cases = (node.cases = []);
this.expect(5);
this.state.labels.push(switchLabel);
this.scope.enter(SCOPE_OTHER);
let cur;
- for (let sawDefault; !this.match(8);) {
+ for (let sawDefault; !this.match(8); ) {
if (this.match(61) || this.match(65)) {
const isCase = this.match(61);
- if (cur) this.finishNode(cur, "SwitchCase");
- cases.push(cur = this.startNode());
+ if (cur) this.finishNode(cur, 'SwitchCase');
+ cases.push((cur = this.startNode()));
cur.consequent = [];
this.next();
@@ -15086,7 +16941,7 @@ class StatementParser extends ExpressionParser {
} else {
if (sawDefault) {
this.raise(Errors.MultipleDefaultsInSwitch, {
- at: this.state.lastTokStartLoc
+ at: this.state.lastTokStartLoc,
});
}
@@ -15105,10 +16960,10 @@ class StatementParser extends ExpressionParser {
}
this.scope.exit();
- if (cur) this.finishNode(cur, "SwitchCase");
+ if (cur) this.finishNode(cur, 'SwitchCase');
this.next();
this.state.labels.pop();
- return this.finishNode(node, "SwitchStatement");
+ return this.finishNode(node, 'SwitchStatement');
}
parseThrowStatement(node) {
@@ -15116,25 +16971,25 @@ class StatementParser extends ExpressionParser {
if (this.hasPrecedingLineBreak()) {
this.raise(Errors.NewlineAfterThrow, {
- at: this.state.lastTokEndLoc
+ at: this.state.lastTokEndLoc,
});
}
node.argument = this.parseExpression();
this.semicolon();
- return this.finishNode(node, "ThrowStatement");
+ return this.finishNode(node, 'ThrowStatement');
}
parseCatchClauseParam() {
const param = this.parseBindingAtom();
- const simple = param.type === "Identifier";
+ const simple = param.type === 'Identifier';
this.scope.enter(simple ? SCOPE_SIMPLE_CATCH : 0);
this.checkLVal(param, {
in: {
- type: "CatchClause"
+ type: 'CatchClause',
},
binding: BIND_LEXICAL,
- allowingSloppyLetBinding: true
+ allowingSloppyLetBinding: true,
});
return param;
}
@@ -15157,54 +17012,60 @@ class StatementParser extends ExpressionParser {
this.scope.enter(SCOPE_OTHER);
}
- clause.body = this.withSmartMixTopicForbiddingContext(() => this.parseBlock(false, false));
+ clause.body = this.withSmartMixTopicForbiddingContext(() =>
+ this.parseBlock(false, false)
+ );
this.scope.exit();
- node.handler = this.finishNode(clause, "CatchClause");
+ node.handler = this.finishNode(clause, 'CatchClause');
}
node.finalizer = this.eat(67) ? this.parseBlock() : null;
if (!node.handler && !node.finalizer) {
this.raise(Errors.NoCatchOrFinally, {
- at: node
+ at: node,
});
}
- return this.finishNode(node, "TryStatement");
+ return this.finishNode(node, 'TryStatement');
}
parseVarStatement(node, kind, allowMissingInitializer = false) {
this.next();
this.parseVar(node, false, kind, allowMissingInitializer);
this.semicolon();
- return this.finishNode(node, "VariableDeclaration");
+ return this.finishNode(node, 'VariableDeclaration');
}
parseWhileStatement(node) {
this.next();
node.test = this.parseHeaderExpression();
this.state.labels.push(loopLabel);
- node.body = this.withSmartMixTopicForbiddingContext(() => this.parseStatement("while"));
+ node.body = this.withSmartMixTopicForbiddingContext(() =>
+ this.parseStatement('while')
+ );
this.state.labels.pop();
- return this.finishNode(node, "WhileStatement");
+ return this.finishNode(node, 'WhileStatement');
}
parseWithStatement(node) {
if (this.state.strict) {
this.raise(Errors.StrictWith, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
this.next();
node.object = this.parseHeaderExpression();
- node.body = this.withSmartMixTopicForbiddingContext(() => this.parseStatement("with"));
- return this.finishNode(node, "WithStatement");
+ node.body = this.withSmartMixTopicForbiddingContext(() =>
+ this.parseStatement('with')
+ );
+ return this.finishNode(node, 'WithStatement');
}
parseEmptyStatement(node) {
this.next();
- return this.finishNode(node, "EmptyStatement");
+ return this.finishNode(node, 'EmptyStatement');
}
parseLabeledStatement(node, maybeName, expr, context) {
@@ -15212,12 +17073,15 @@ class StatementParser extends ExpressionParser {
if (label.name === maybeName) {
this.raise(Errors.LabelRedeclaration, {
at: expr,
- labelName: maybeName
+ labelName: maybeName,
});
}
}
- const kind = tokenIsLoop(this.state.type) ? "loop" : this.match(71) ? "switch" : null;
+ const kind =
+ tokenIsLoop(this.state.type) ? 'loop'
+ : this.match(71) ? 'switch'
+ : null;
for (let i = this.state.labels.length - 1; i >= 0; i--) {
const label = this.state.labels[i];
@@ -15233,21 +17097,31 @@ class StatementParser extends ExpressionParser {
this.state.labels.push({
name: maybeName,
kind: kind,
- statementStart: this.state.start
+ statementStart: this.state.start,
});
- node.body = this.parseStatement(context ? context.indexOf("label") === -1 ? context + "label" : context : "label");
+ node.body = this.parseStatement(
+ context ?
+ context.indexOf('label') === -1 ?
+ context + 'label'
+ : context
+ : 'label'
+ );
this.state.labels.pop();
node.label = expr;
- return this.finishNode(node, "LabeledStatement");
+ return this.finishNode(node, 'LabeledStatement');
}
parseExpressionStatement(node, expr) {
node.expression = expr;
this.semicolon();
- return this.finishNode(node, "ExpressionStatement");
+ return this.finishNode(node, 'ExpressionStatement');
}
- parseBlock(allowDirectives = false, createNewLexicalScope = true, afterBlockParse) {
+ parseBlock(
+ allowDirectives = false,
+ createNewLexicalScope = true,
+ afterBlockParse
+ ) {
const node = this.startNode();
if (allowDirectives) {
@@ -15266,20 +17140,36 @@ class StatementParser extends ExpressionParser {
this.scope.exit();
}
- return this.finishNode(node, "BlockStatement");
+ return this.finishNode(node, 'BlockStatement');
}
isValidDirective(stmt) {
- return stmt.type === "ExpressionStatement" && stmt.expression.type === "StringLiteral" && !stmt.expression.extra.parenthesized;
+ return (
+ stmt.type === 'ExpressionStatement' &&
+ stmt.expression.type === 'StringLiteral' &&
+ !stmt.expression.extra.parenthesized
+ );
}
parseBlockBody(node, allowDirectives, topLevel, end, afterBlockParse) {
- const body = node.body = [];
- const directives = node.directives = [];
- this.parseBlockOrModuleBlockBody(body, allowDirectives ? directives : undefined, topLevel, end, afterBlockParse);
+ const body = (node.body = []);
+ const directives = (node.directives = []);
+ this.parseBlockOrModuleBlockBody(
+ body,
+ allowDirectives ? directives : undefined,
+ topLevel,
+ end,
+ afterBlockParse
+ );
}
- parseBlockOrModuleBlockBody(body, directives, topLevel, end, afterBlockParse) {
+ parseBlockOrModuleBlockBody(
+ body,
+ directives,
+ topLevel,
+ end,
+ afterBlockParse
+ ) {
const oldStrict = this.state.strict;
let hasStrictModeDirective = false;
let parsedNonDirective = false;
@@ -15292,7 +17182,10 @@ class StatementParser extends ExpressionParser {
const directive = this.stmtToDirective(stmt);
directives.push(directive);
- if (!hasStrictModeDirective && directive.value.value === "use strict") {
+ if (
+ !hasStrictModeDirective &&
+ directive.value.value === 'use strict'
+ ) {
hasStrictModeDirective = true;
this.setStrict(true);
}
@@ -15325,10 +17218,12 @@ class StatementParser extends ExpressionParser {
this.semicolon(false);
node.update = this.match(11) ? null : this.parseExpression();
this.expect(11);
- node.body = this.withSmartMixTopicForbiddingContext(() => this.parseStatement("for"));
+ node.body = this.withSmartMixTopicForbiddingContext(() =>
+ this.parseStatement('for')
+ );
this.scope.exit();
this.state.labels.pop();
- return this.finishNode(node, "ForStatement");
+ return this.finishNode(node, 'ForStatement');
}
parseForIn(node, init, awaitAt) {
@@ -15341,55 +17236,74 @@ class StatementParser extends ExpressionParser {
node.await = awaitAt !== null;
}
- if (init.type === "VariableDeclaration" && init.declarations[0].init != null && (!isForIn || this.state.strict || init.kind !== "var" || init.declarations[0].id.type !== "Identifier")) {
+ if (
+ init.type === 'VariableDeclaration' &&
+ init.declarations[0].init != null &&
+ (!isForIn ||
+ this.state.strict ||
+ init.kind !== 'var' ||
+ init.declarations[0].id.type !== 'Identifier')
+ ) {
this.raise(Errors.ForInOfLoopInitializer, {
at: init,
- type: isForIn ? "ForInStatement" : "ForOfStatement"
+ type: isForIn ? 'ForInStatement' : 'ForOfStatement',
});
}
- if (init.type === "AssignmentPattern") {
+ if (init.type === 'AssignmentPattern') {
this.raise(Errors.InvalidLhs, {
at: init,
ancestor: {
- type: "ForStatement"
- }
+ type: 'ForStatement',
+ },
});
}
node.left = init;
- node.right = isForIn ? this.parseExpression() : this.parseMaybeAssignAllowIn();
+ node.right =
+ isForIn ? this.parseExpression() : this.parseMaybeAssignAllowIn();
this.expect(11);
- node.body = this.withSmartMixTopicForbiddingContext(() => this.parseStatement("for"));
+ node.body = this.withSmartMixTopicForbiddingContext(() =>
+ this.parseStatement('for')
+ );
this.scope.exit();
this.state.labels.pop();
- return this.finishNode(node, isForIn ? "ForInStatement" : "ForOfStatement");
+ return this.finishNode(node, isForIn ? 'ForInStatement' : 'ForOfStatement');
}
parseVar(node, isFor, kind, allowMissingInitializer = false) {
- const declarations = node.declarations = [];
+ const declarations = (node.declarations = []);
node.kind = kind;
for (;;) {
const decl = this.startNode();
this.parseVarId(decl, kind);
- decl.init = !this.eat(29) ? null : isFor ? this.parseMaybeAssignDisallowIn() : this.parseMaybeAssignAllowIn();
+ decl.init =
+ !this.eat(29) ? null
+ : isFor ? this.parseMaybeAssignDisallowIn()
+ : this.parseMaybeAssignAllowIn();
if (decl.init === null && !allowMissingInitializer) {
- if (decl.id.type !== "Identifier" && !(isFor && (this.match(58) || this.isContextual(101)))) {
+ if (
+ decl.id.type !== 'Identifier' &&
+ !(isFor && (this.match(58) || this.isContextual(101)))
+ ) {
this.raise(Errors.DeclarationMissingInitializer, {
at: this.state.lastTokEndLoc,
- kind: "destructuring"
+ kind: 'destructuring',
});
- } else if (kind === "const" && !(this.match(58) || this.isContextual(101))) {
+ } else if (
+ kind === 'const' &&
+ !(this.match(58) || this.isContextual(101))
+ ) {
this.raise(Errors.DeclarationMissingInitializer, {
at: this.state.lastTokEndLoc,
- kind: "const"
+ kind: 'const',
});
}
}
- declarations.push(this.finishNode(decl, "VariableDeclarator"));
+ declarations.push(this.finishNode(decl, 'VariableDeclarator'));
if (!this.eat(12)) break;
}
@@ -15400,9 +17314,9 @@ class StatementParser extends ExpressionParser {
decl.id = this.parseBindingAtom();
this.checkLVal(decl.id, {
in: {
- type: "VariableDeclarator"
+ type: 'VariableDeclarator',
},
- binding: kind === "var" ? BIND_VAR : BIND_LEXICAL
+ binding: kind === 'var' ? BIND_VAR : BIND_LEXICAL,
});
}
@@ -15414,7 +17328,7 @@ class StatementParser extends ExpressionParser {
if (this.match(55) && isHangingStatement) {
this.raise(Errors.GeneratorInSingleStatementContext, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -15435,7 +17349,10 @@ class StatementParser extends ExpressionParser {
this.parseFunctionParams(node, false);
this.withSmartMixTopicForbiddingContext(() => {
- this.parseFunctionBodyAndFinish(node, isStatement ? "FunctionDeclaration" : "FunctionExpression");
+ this.parseFunctionBodyAndFinish(
+ node,
+ isStatement ? 'FunctionDeclaration' : 'FunctionExpression'
+ );
});
this.prodParam.exit();
this.scope.exit();
@@ -15449,7 +17366,9 @@ class StatementParser extends ExpressionParser {
}
parseFunctionId(requireId) {
- return requireId || tokenIsIdentifier(this.state.type) ? this.parseIdentifier() : null;
+ return requireId || tokenIsIdentifier(this.state.type) ?
+ this.parseIdentifier()
+ : null;
}
parseFunctionParams(node, allowModifiers) {
@@ -15461,7 +17380,15 @@ class StatementParser extends ExpressionParser {
registerFunctionStatementId(node) {
if (!node.id) return;
- this.scope.declareName(node.id.name, this.state.strict || node.generator || node.async ? this.scope.treatFunctionsAsVar ? BIND_VAR : BIND_LEXICAL : BIND_FUNCTION, node.id.loc.start);
+ this.scope.declareName(
+ node.id.name,
+ this.state.strict || node.generator || node.async ?
+ this.scope.treatFunctionsAsVar ?
+ BIND_VAR
+ : BIND_LEXICAL
+ : BIND_FUNCTION,
+ node.id.loc.start
+ );
}
parseClass(node, isStatement, optionalId) {
@@ -15472,7 +17399,10 @@ class StatementParser extends ExpressionParser {
this.parseClassId(node, isStatement, optionalId);
this.parseClassSuper(node);
node.body = this.parseClassBody(!!node.superClass, oldStrict);
- return this.finishNode(node, isStatement ? "ClassDeclaration" : "ClassExpression");
+ return this.finishNode(
+ node,
+ isStatement ? 'ClassDeclaration' : 'ClassExpression'
+ );
}
isClassProperty() {
@@ -15484,14 +17414,18 @@ class StatementParser extends ExpressionParser {
}
isNonstaticConstructor(method) {
- return !method.computed && !method.static && (method.key.name === "constructor" || method.key.value === "constructor");
+ return (
+ !method.computed &&
+ !method.static &&
+ (method.key.name === 'constructor' || method.key.value === 'constructor')
+ );
}
parseClassBody(hadSuperClass, oldStrict) {
this.classScope.enter();
const state = {
hadConstructor: false,
- hadSuperClass
+ hadSuperClass,
};
let decorators = [];
const classBody = this.startNode();
@@ -15502,7 +17436,7 @@ class StatementParser extends ExpressionParser {
if (this.eat(13)) {
if (decorators.length > 0) {
throw this.raise(Errors.DecoratorSemicolon, {
- at: this.state.lastTokEndLoc
+ at: this.state.lastTokEndLoc,
});
}
@@ -15524,9 +17458,13 @@ class StatementParser extends ExpressionParser {
this.parseClassMember(classBody, member, state);
- if (member.kind === "constructor" && member.decorators && member.decorators.length > 0) {
+ if (
+ member.kind === 'constructor' &&
+ member.decorators &&
+ member.decorators.length > 0
+ ) {
this.raise(Errors.DecoratorConstructor, {
- at: member
+ at: member,
});
}
}
@@ -15536,12 +17474,12 @@ class StatementParser extends ExpressionParser {
if (decorators.length) {
throw this.raise(Errors.TrailingDecorator, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
this.classScope.exit();
- return this.finishNode(classBody, "ClassBody");
+ return this.finishNode(classBody, 'ClassBody');
}
parseClassMemberFromModifier(classBody, member) {
@@ -15549,7 +17487,7 @@ class StatementParser extends ExpressionParser {
if (this.isClassMethod()) {
const method = member;
- method.kind = "method";
+ method.kind = 'method';
method.computed = false;
method.key = key;
method.static = false;
@@ -15597,7 +17535,7 @@ class StatementParser extends ExpressionParser {
this.parsePropertyNamePrefixOperator(member);
if (this.eat(55)) {
- method.kind = "method";
+ method.kind = 'method';
const isPrivateName = this.match(134);
this.parseClassElementName(method);
@@ -15608,7 +17546,7 @@ class StatementParser extends ExpressionParser {
if (this.isNonstaticConstructor(publicMethod)) {
this.raise(Errors.ConstructorIsGenerator, {
- at: publicMethod.key
+ at: publicMethod.key,
});
}
@@ -15616,14 +17554,15 @@ class StatementParser extends ExpressionParser {
return;
}
- const isContextual = tokenIsIdentifier(this.state.type) && !this.state.containsEsc;
+ const isContextual =
+ tokenIsIdentifier(this.state.type) && !this.state.containsEsc;
const isPrivate = this.match(134);
const key = this.parseClassElementName(member);
const maybeQuestionTokenStartLoc = this.state.startLoc;
this.parsePostMemberNameModifiers(publicMember);
if (this.isClassMethod()) {
- method.kind = "method";
+ method.kind = 'method';
if (isPrivate) {
this.pushClassPrivateMethod(classBody, privateMethod, false, false);
@@ -15634,17 +17573,17 @@ class StatementParser extends ExpressionParser {
let allowsDirectSuper = false;
if (isConstructor) {
- publicMethod.kind = "constructor";
+ publicMethod.kind = 'constructor';
- if (state.hadConstructor && !this.hasPlugin("typescript")) {
+ if (state.hadConstructor && !this.hasPlugin('typescript')) {
this.raise(Errors.DuplicateConstructor, {
- at: key
+ at: key,
});
}
- if (isConstructor && this.hasPlugin("typescript") && member.override) {
+ if (isConstructor && this.hasPlugin('typescript') && member.override) {
this.raise(Errors.OverrideOnConstructor, {
- at: key
+ at: key,
});
}
@@ -15652,14 +17591,25 @@ class StatementParser extends ExpressionParser {
allowsDirectSuper = state.hadSuperClass;
}
- this.pushClassMethod(classBody, publicMethod, false, false, isConstructor, allowsDirectSuper);
+ this.pushClassMethod(
+ classBody,
+ publicMethod,
+ false,
+ false,
+ isConstructor,
+ allowsDirectSuper
+ );
} else if (this.isClassProperty()) {
if (isPrivate) {
this.pushClassPrivateProperty(classBody, privateProp);
} else {
this.pushClassProperty(classBody, publicProp);
}
- } else if (isContextual && key.name === "async" && !this.isLineTerminator()) {
+ } else if (
+ isContextual &&
+ key.name === 'async' &&
+ !this.isLineTerminator()
+ ) {
this.resetPreviousNodeTrailingComments(key);
const isGenerator = this.eat(55);
@@ -15667,23 +17617,39 @@ class StatementParser extends ExpressionParser {
this.unexpected(maybeQuestionTokenStartLoc);
}
- method.kind = "method";
+ method.kind = 'method';
const isPrivate = this.match(134);
this.parseClassElementName(method);
this.parsePostMemberNameModifiers(publicMember);
if (isPrivate) {
- this.pushClassPrivateMethod(classBody, privateMethod, isGenerator, true);
+ this.pushClassPrivateMethod(
+ classBody,
+ privateMethod,
+ isGenerator,
+ true
+ );
} else {
if (this.isNonstaticConstructor(publicMethod)) {
this.raise(Errors.ConstructorIsAsync, {
- at: publicMethod.key
+ at: publicMethod.key,
});
}
- this.pushClassMethod(classBody, publicMethod, isGenerator, true, false, false);
+ this.pushClassMethod(
+ classBody,
+ publicMethod,
+ isGenerator,
+ true,
+ false,
+ false
+ );
}
- } else if (isContextual && (key.name === "get" || key.name === "set") && !(this.match(55) && this.isLineTerminator())) {
+ } else if (
+ isContextual &&
+ (key.name === 'get' || key.name === 'set') &&
+ !(this.match(55) && this.isLineTerminator())
+ ) {
this.resetPreviousNodeTrailingComments(key);
method.kind = key.name;
const isPrivate = this.match(134);
@@ -15694,16 +17660,27 @@ class StatementParser extends ExpressionParser {
} else {
if (this.isNonstaticConstructor(publicMethod)) {
this.raise(Errors.ConstructorIsAccessor, {
- at: publicMethod.key
+ at: publicMethod.key,
});
}
- this.pushClassMethod(classBody, publicMethod, false, false, false, false);
+ this.pushClassMethod(
+ classBody,
+ publicMethod,
+ false,
+ false,
+ false,
+ false
+ );
}
this.checkGetterSetterParams(publicMethod);
- } else if (isContextual && key.name === "accessor" && !this.isLineTerminator()) {
- this.expectPlugin("decoratorAutoAccessors");
+ } else if (
+ isContextual &&
+ key.name === 'accessor' &&
+ !this.isLineTerminator()
+ ) {
+ this.expectPlugin('decoratorAutoAccessors');
this.resetPreviousNodeTrailingComments(key);
const isPrivate = this.match(134);
this.parseClassElementName(publicProp);
@@ -15720,21 +17697,22 @@ class StatementParser extends ExpressionParser {
}
parseClassElementName(member) {
- const {
- type,
- value
- } = this.state;
+ const { type, value } = this.state;
- if ((type === 128 || type === 129) && member.static && value === "prototype") {
+ if (
+ (type === 128 || type === 129) &&
+ member.static &&
+ value === 'prototype'
+ ) {
this.raise(Errors.StaticPrototype, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
if (type === 134) {
- if (value === "constructor") {
+ if (value === 'constructor') {
this.raise(Errors.ConstructorClassPrivateField, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -15753,24 +17731,30 @@ class StatementParser extends ExpressionParser {
const oldLabels = this.state.labels;
this.state.labels = [];
this.prodParam.enter(PARAM);
- const body = member.body = [];
+ const body = (member.body = []);
this.parseBlockOrModuleBlockBody(body, undefined, false, 8);
this.prodParam.exit();
this.scope.exit();
this.state.labels = oldLabels;
- classBody.body.push(this.finishNode(member, "StaticBlock"));
+ classBody.body.push(this.finishNode(member, 'StaticBlock'));
- if ((_member$decorators = member.decorators) != null && _member$decorators.length) {
+ if (
+ (_member$decorators = member.decorators) != null &&
+ _member$decorators.length
+ ) {
this.raise(Errors.DecoratorStaticBlock, {
- at: member
+ at: member,
});
}
}
pushClassProperty(classBody, prop) {
- if (!prop.computed && (prop.key.name === "constructor" || prop.key.value === "constructor")) {
+ if (
+ !prop.computed &&
+ (prop.key.name === 'constructor' || prop.key.value === 'constructor')
+ ) {
this.raise(Errors.ConstructorClassField, {
- at: prop.key
+ at: prop.key,
});
}
@@ -15780,16 +17764,20 @@ class StatementParser extends ExpressionParser {
pushClassPrivateProperty(classBody, prop) {
const node = this.parseClassPrivateProperty(prop);
classBody.body.push(node);
- this.classScope.declarePrivateName(this.getPrivateNameSV(node.key), CLASS_ELEMENT_OTHER, node.key.loc.start);
+ this.classScope.declarePrivateName(
+ this.getPrivateNameSV(node.key),
+ CLASS_ELEMENT_OTHER,
+ node.key.loc.start
+ );
}
pushClassAccessorProperty(classBody, prop, isPrivate) {
if (!isPrivate && !prop.computed) {
const key = prop.key;
- if (key.name === "constructor" || key.value === "constructor") {
+ if (key.name === 'constructor' || key.value === 'constructor') {
this.raise(Errors.ConstructorClassField, {
- at: key
+ at: key,
});
}
}
@@ -15798,23 +17786,65 @@ class StatementParser extends ExpressionParser {
classBody.body.push(node);
if (isPrivate) {
- this.classScope.declarePrivateName(this.getPrivateNameSV(node.key), CLASS_ELEMENT_OTHER, node.key.loc.start);
+ this.classScope.declarePrivateName(
+ this.getPrivateNameSV(node.key),
+ CLASS_ELEMENT_OTHER,
+ node.key.loc.start
+ );
}
}
- pushClassMethod(classBody, method, isGenerator, isAsync, isConstructor, allowsDirectSuper) {
- classBody.body.push(this.parseMethod(method, isGenerator, isAsync, isConstructor, allowsDirectSuper, "ClassMethod", true));
+ pushClassMethod(
+ classBody,
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper
+ ) {
+ classBody.body.push(
+ this.parseMethod(
+ method,
+ isGenerator,
+ isAsync,
+ isConstructor,
+ allowsDirectSuper,
+ 'ClassMethod',
+ true
+ )
+ );
}
pushClassPrivateMethod(classBody, method, isGenerator, isAsync) {
- const node = this.parseMethod(method, isGenerator, isAsync, false, false, "ClassPrivateMethod", true);
+ const node = this.parseMethod(
+ method,
+ isGenerator,
+ isAsync,
+ false,
+ false,
+ 'ClassPrivateMethod',
+ true
+ );
classBody.body.push(node);
- const kind = node.kind === "get" ? node.static ? CLASS_ELEMENT_STATIC_GETTER : CLASS_ELEMENT_INSTANCE_GETTER : node.kind === "set" ? node.static ? CLASS_ELEMENT_STATIC_SETTER : CLASS_ELEMENT_INSTANCE_SETTER : CLASS_ELEMENT_OTHER;
+ const kind =
+ node.kind === 'get' ?
+ node.static ?
+ CLASS_ELEMENT_STATIC_GETTER
+ : CLASS_ELEMENT_INSTANCE_GETTER
+ : node.kind === 'set' ?
+ node.static ?
+ CLASS_ELEMENT_STATIC_SETTER
+ : CLASS_ELEMENT_INSTANCE_SETTER
+ : CLASS_ELEMENT_OTHER;
this.declareClassPrivateMethodInScope(node, kind);
}
declareClassPrivateMethodInScope(node, kind) {
- this.classScope.declarePrivateName(this.getPrivateNameSV(node.key), kind, node.key.loc.start);
+ this.classScope.declarePrivateName(
+ this.getPrivateNameSV(node.key),
+ kind,
+ node.key.loc.start
+ );
}
parsePostMemberNameModifiers(methodOrProp) {}
@@ -15822,19 +17852,19 @@ class StatementParser extends ExpressionParser {
parseClassPrivateProperty(node) {
this.parseInitializer(node);
this.semicolon();
- return this.finishNode(node, "ClassPrivateProperty");
+ return this.finishNode(node, 'ClassPrivateProperty');
}
parseClassProperty(node) {
this.parseInitializer(node);
this.semicolon();
- return this.finishNode(node, "ClassProperty");
+ return this.finishNode(node, 'ClassProperty');
}
parseClassAccessorProperty(node) {
this.parseInitializer(node);
this.semicolon();
- return this.finishNode(node, "ClassAccessorProperty");
+ return this.finishNode(node, 'ClassAccessorProperty');
}
parseInitializer(node) {
@@ -15859,7 +17889,7 @@ class StatementParser extends ExpressionParser {
node.id = null;
} else {
throw this.raise(Errors.MissingClassName, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
}
@@ -15873,19 +17903,24 @@ class StatementParser extends ExpressionParser {
const hasDefault = this.maybeParseExportDefaultSpecifier(node);
const parseAfterDefault = !hasDefault || this.eat(12);
const hasStar = parseAfterDefault && this.eatExportStar(node);
- const hasNamespace = hasStar && this.maybeParseExportNamespaceSpecifier(node);
- const parseAfterNamespace = parseAfterDefault && (!hasNamespace || this.eat(12));
+ const hasNamespace =
+ hasStar && this.maybeParseExportNamespaceSpecifier(node);
+ const parseAfterNamespace =
+ parseAfterDefault && (!hasNamespace || this.eat(12));
const isFromRequired = hasDefault || hasStar;
if (hasStar && !hasNamespace) {
if (hasDefault) this.unexpected();
this.parseExportFrom(node, true);
- return this.finishNode(node, "ExportAllDeclaration");
+ return this.finishNode(node, 'ExportAllDeclaration');
}
const hasSpecifiers = this.maybeParseExportNamedSpecifiers(node);
- if (hasDefault && parseAfterDefault && !hasStar && !hasSpecifiers || hasNamespace && parseAfterNamespace && !hasSpecifiers) {
+ if (
+ (hasDefault && parseAfterDefault && !hasStar && !hasSpecifiers) ||
+ (hasNamespace && parseAfterNamespace && !hasSpecifiers)
+ ) {
throw this.unexpected(null, 5);
}
@@ -15900,13 +17935,13 @@ class StatementParser extends ExpressionParser {
if (isFromRequired || hasSpecifiers || hasDeclaration) {
this.checkExport(node, true, false, !!node.source);
- return this.finishNode(node, "ExportNamedDeclaration");
+ return this.finishNode(node, 'ExportNamedDeclaration');
}
if (this.eat(65)) {
node.declaration = this.parseExportDefaultExpression();
this.checkExport(node, true, true);
- return this.finishNode(node, "ExportDefaultDeclaration");
+ return this.finishNode(node, 'ExportDefaultDeclaration');
}
throw this.unexpected(null, 5);
@@ -15918,10 +17953,10 @@ class StatementParser extends ExpressionParser {
maybeParseExportDefaultSpecifier(node) {
if (this.isExportDefaultSpecifier()) {
- this.expectPlugin("exportDefaultFrom");
+ this.expectPlugin('exportDefaultFrom');
const specifier = this.startNode();
specifier.exported = this.parseIdentifier(true);
- node.specifiers = [this.finishNode(specifier, "ExportDefaultSpecifier")];
+ node.specifiers = [this.finishNode(specifier, 'ExportDefaultSpecifier')];
return true;
}
@@ -15931,10 +17966,15 @@ class StatementParser extends ExpressionParser {
maybeParseExportNamespaceSpecifier(node) {
if (this.isContextual(93)) {
if (!node.specifiers) node.specifiers = [];
- const specifier = this.startNodeAt(this.state.lastTokStart, this.state.lastTokStartLoc);
+ const specifier = this.startNodeAt(
+ this.state.lastTokStart,
+ this.state.lastTokStartLoc
+ );
this.next();
specifier.exported = this.parseModuleExportName();
- node.specifiers.push(this.finishNode(specifier, "ExportNamespaceSpecifier"));
+ node.specifiers.push(
+ this.finishNode(specifier, 'ExportNamespaceSpecifier')
+ );
return true;
}
@@ -15944,12 +17984,12 @@ class StatementParser extends ExpressionParser {
maybeParseExportNamedSpecifiers(node) {
if (this.match(5)) {
if (!node.specifiers) node.specifiers = [];
- const isTypeExport = node.exportKind === "type";
+ const isTypeExport = node.exportKind === 'type';
node.specifiers.push(...this.parseExportSpecifiers(isTypeExport));
node.source = null;
node.declaration = null;
- if (this.hasPlugin("importAssertions")) {
+ if (this.hasPlugin('importAssertions')) {
node.assertions = [];
}
@@ -15964,7 +18004,7 @@ class StatementParser extends ExpressionParser {
node.specifiers = [];
node.source = null;
- if (this.hasPlugin("importAssertions")) {
+ if (this.hasPlugin('importAssertions')) {
node.assertions = [];
}
@@ -15978,7 +18018,10 @@ class StatementParser extends ExpressionParser {
isAsyncFunction() {
if (!this.isContextual(95)) return false;
const next = this.nextTokenStart();
- return !lineBreak.test(this.input.slice(this.state.pos, next)) && this.isUnparsedContextual(next, "function");
+ return (
+ !lineBreak.test(this.input.slice(this.state.pos, next)) &&
+ this.isUnparsedContextual(next, 'function')
+ );
}
parseExportDefaultExpression() {
@@ -15992,7 +18035,11 @@ class StatementParser extends ExpressionParser {
this.next();
}
- return this.parseFunction(expr, FUNC_STATEMENT | FUNC_NULLABLE_ID, isAsync);
+ return this.parseFunction(
+ expr,
+ FUNC_STATEMENT | FUNC_NULLABLE_ID,
+ isAsync
+ );
}
if (this.match(80)) {
@@ -16000,9 +18047,12 @@ class StatementParser extends ExpressionParser {
}
if (this.match(26)) {
- if (this.hasPlugin("decorators") && this.getPluginOption("decorators", "decoratorsBeforeExport")) {
+ if (
+ this.hasPlugin('decorators') &&
+ this.getPluginOption('decorators', 'decoratorsBeforeExport')
+ ) {
this.raise(Errors.DecoratorBeforeExport, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -16012,7 +18062,7 @@ class StatementParser extends ExpressionParser {
if (this.match(75) || this.match(74) || this.isLet()) {
throw this.raise(Errors.UnsupportedDefaultExport, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -16026,22 +18076,21 @@ class StatementParser extends ExpressionParser {
}
isExportDefaultSpecifier() {
- const {
- type
- } = this.state;
+ const { type } = this.state;
if (tokenIsIdentifier(type)) {
- if (type === 95 && !this.state.containsEsc || type === 99) {
+ if ((type === 95 && !this.state.containsEsc) || type === 99) {
return false;
}
if ((type === 126 || type === 125) && !this.state.containsEsc) {
- const {
- type: nextType
- } = this.lookahead();
+ const { type: nextType } = this.lookahead();
- if (tokenIsIdentifier(nextType) && nextType !== 97 || nextType === 5) {
- this.expectOnePlugin(["flow", "typescript"]);
+ if (
+ (tokenIsIdentifier(nextType) && nextType !== 97) ||
+ nextType === 5
+ ) {
+ this.expectOnePlugin(['flow', 'typescript']);
return false;
}
}
@@ -16050,14 +18099,19 @@ class StatementParser extends ExpressionParser {
}
const next = this.nextTokenStart();
- const hasFrom = this.isUnparsedContextual(next, "from");
+ const hasFrom = this.isUnparsedContextual(next, 'from');
- if (this.input.charCodeAt(next) === 44 || tokenIsIdentifier(this.state.type) && hasFrom) {
+ if (
+ this.input.charCodeAt(next) === 44 ||
+ (tokenIsIdentifier(this.state.type) && hasFrom)
+ ) {
return true;
}
if (this.match(65) && hasFrom) {
- const nextAfterFrom = this.input.charCodeAt(this.nextTokenStartSince(next + 4));
+ const nextAfterFrom = this.input.charCodeAt(
+ this.nextTokenStartSince(next + 4)
+ );
return nextAfterFrom === 34 || nextAfterFrom === 39;
}
@@ -16081,17 +18135,15 @@ class StatementParser extends ExpressionParser {
}
shouldParseExportDeclaration() {
- const {
- type
- } = this.state;
+ const { type } = this.state;
if (type === 26) {
- this.expectOnePlugin(["decorators", "decorators-legacy"]);
+ this.expectOnePlugin(['decorators', 'decorators-legacy']);
- if (this.hasPlugin("decorators")) {
- if (this.getPluginOption("decorators", "decoratorsBeforeExport")) {
+ if (this.hasPlugin('decorators')) {
+ if (this.getPluginOption('decorators', 'decoratorsBeforeExport')) {
throw this.raise(Errors.DecoratorBeforeExport, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -16099,43 +18151,55 @@ class StatementParser extends ExpressionParser {
}
}
- return type === 74 || type === 75 || type === 68 || type === 80 || this.isLet() || this.isAsyncFunction();
+ return (
+ type === 74 ||
+ type === 75 ||
+ type === 68 ||
+ type === 80 ||
+ this.isLet() ||
+ this.isAsyncFunction()
+ );
}
checkExport(node, checkNames, isDefault, isFrom) {
if (checkNames) {
if (isDefault) {
- this.checkDuplicateExports(node, "default");
+ this.checkDuplicateExports(node, 'default');
- if (this.hasPlugin("exportDefaultFrom")) {
+ if (this.hasPlugin('exportDefaultFrom')) {
var _declaration$extra;
const declaration = node.declaration;
- if (declaration.type === "Identifier" && declaration.name === "from" && declaration.end - declaration.start === 4 && !((_declaration$extra = declaration.extra) != null && _declaration$extra.parenthesized)) {
+ if (
+ declaration.type === 'Identifier' &&
+ declaration.name === 'from' &&
+ declaration.end - declaration.start === 4 &&
+ !(
+ (_declaration$extra = declaration.extra) != null &&
+ _declaration$extra.parenthesized
+ )
+ ) {
this.raise(Errors.ExportDefaultFromAsIdentifier, {
- at: declaration
+ at: declaration,
});
}
}
} else if (node.specifiers && node.specifiers.length) {
for (const specifier of node.specifiers) {
- const {
- exported
- } = specifier;
- const exportName = exported.type === "Identifier" ? exported.name : exported.value;
+ const { exported } = specifier;
+ const exportName =
+ exported.type === 'Identifier' ? exported.name : exported.value;
this.checkDuplicateExports(specifier, exportName);
if (!isFrom && specifier.local) {
- const {
- local
- } = specifier;
+ const { local } = specifier;
- if (local.type !== "Identifier") {
+ if (local.type !== 'Identifier') {
this.raise(Errors.ExportBindingIsString, {
at: specifier,
localName: local.value,
- exportName
+ exportName,
});
} else {
this.checkReservedWord(local.name, local.loc.start, true, false);
@@ -16144,11 +18208,14 @@ class StatementParser extends ExpressionParser {
}
}
} else if (node.declaration) {
- if (node.declaration.type === "FunctionDeclaration" || node.declaration.type === "ClassDeclaration") {
+ if (
+ node.declaration.type === 'FunctionDeclaration' ||
+ node.declaration.type === 'ClassDeclaration'
+ ) {
const id = node.declaration.id;
- if (!id) throw new Error("Assertion failure");
+ if (!id) throw new Error('Assertion failure');
this.checkDuplicateExports(node, id.name);
- } else if (node.declaration.type === "VariableDeclaration") {
+ } else if (node.declaration.type === 'VariableDeclaration') {
for (const declaration of node.declaration.declarations) {
this.checkDeclaration(declaration.id);
}
@@ -16156,47 +18223,48 @@ class StatementParser extends ExpressionParser {
}
}
- const currentContextDecorators = this.state.decoratorStack[this.state.decoratorStack.length - 1];
+ const currentContextDecorators =
+ this.state.decoratorStack[this.state.decoratorStack.length - 1];
if (currentContextDecorators.length) {
throw this.raise(Errors.UnsupportedDecoratorExport, {
- at: node
+ at: node,
});
}
}
checkDeclaration(node) {
- if (node.type === "Identifier") {
+ if (node.type === 'Identifier') {
this.checkDuplicateExports(node, node.name);
- } else if (node.type === "ObjectPattern") {
+ } else if (node.type === 'ObjectPattern') {
for (const prop of node.properties) {
this.checkDeclaration(prop);
}
- } else if (node.type === "ArrayPattern") {
+ } else if (node.type === 'ArrayPattern') {
for (const elem of node.elements) {
if (elem) {
this.checkDeclaration(elem);
}
}
- } else if (node.type === "ObjectProperty") {
+ } else if (node.type === 'ObjectProperty') {
this.checkDeclaration(node.value);
- } else if (node.type === "RestElement") {
+ } else if (node.type === 'RestElement') {
this.checkDeclaration(node.argument);
- } else if (node.type === "AssignmentPattern") {
+ } else if (node.type === 'AssignmentPattern') {
this.checkDeclaration(node.left);
}
}
checkDuplicateExports(node, exportName) {
if (this.exportedIdentifiers.has(exportName)) {
- if (exportName === "default") {
+ if (exportName === 'default') {
this.raise(Errors.DuplicateDefaultExport, {
- at: node
+ at: node,
});
} else {
this.raise(Errors.DuplicateExport, {
at: node,
- exportName
+ exportName,
});
}
}
@@ -16221,7 +18289,14 @@ class StatementParser extends ExpressionParser {
const isString = this.match(129);
const node = this.startNode();
node.local = this.parseModuleExportName();
- nodes.push(this.parseExportSpecifier(node, isString, isInTypeExport, isMaybeTypeOnly));
+ nodes.push(
+ this.parseExportSpecifier(
+ node,
+ isString,
+ isInTypeExport,
+ isMaybeTypeOnly
+ )
+ );
}
return nodes;
@@ -16236,7 +18311,7 @@ class StatementParser extends ExpressionParser {
node.exported = cloneIdentifier(node.local);
}
- return this.finishNode(node, "ExportSpecifier");
+ return this.finishNode(node, 'ExportSpecifier');
}
parseModuleExportName() {
@@ -16247,7 +18322,7 @@ class StatementParser extends ExpressionParser {
if (surrogate) {
this.raise(Errors.ModuleExportNameHasLoneSurrogate, {
at: result,
- surrogateCharCode: surrogate[0].charCodeAt(0)
+ surrogateCharCode: surrogate[0].charCodeAt(0),
});
}
@@ -16282,7 +18357,7 @@ class StatementParser extends ExpressionParser {
}
this.semicolon();
- return this.finishNode(node, "ImportDeclaration");
+ return this.finishNode(node, 'ImportDeclaration');
}
parseImportSource() {
@@ -16302,7 +18377,7 @@ class StatementParser extends ExpressionParser {
finishImportSpecifier(specifier, type) {
this.checkLVal(specifier.local, {
in: specifier,
- binding: BIND_LEXICAL
+ binding: BIND_LEXICAL,
});
return this.finishNode(specifier, type);
}
@@ -16322,7 +18397,7 @@ class StatementParser extends ExpressionParser {
if (attrNames.has(keyName)) {
this.raise(Errors.ModuleAttributesWithDuplicateKeys, {
at: this.state.startLoc,
- key: keyName
+ key: keyName,
});
}
@@ -16338,12 +18413,12 @@ class StatementParser extends ExpressionParser {
if (!this.match(129)) {
throw this.raise(Errors.ModuleAttributeInvalidValue, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
node.value = this.parseStringLiteral(this.state.value);
- this.finishNode(node, "ImportAttribute");
+ this.finishNode(node, 'ImportAttribute');
attrs.push(node);
} while (this.eat(12));
@@ -16352,10 +18427,10 @@ class StatementParser extends ExpressionParser {
maybeParseModuleAttributes() {
if (this.match(76) && !this.hasPrecedingLineBreak()) {
- this.expectPlugin("moduleAttributes");
+ this.expectPlugin('moduleAttributes');
this.next();
} else {
- if (this.hasPlugin("moduleAttributes")) return [];
+ if (this.hasPlugin('moduleAttributes')) return [];
return null;
}
@@ -16366,16 +18441,16 @@ class StatementParser extends ExpressionParser {
const node = this.startNode();
node.key = this.parseIdentifier(true);
- if (node.key.name !== "type") {
+ if (node.key.name !== 'type') {
this.raise(Errors.ModuleAttributeDifferentFromType, {
- at: node.key
+ at: node.key,
});
}
if (attributes.has(node.key.name)) {
this.raise(Errors.ModuleAttributesWithDuplicateKeys, {
at: node.key,
- key: node.key.name
+ key: node.key.name,
});
}
@@ -16384,12 +18459,12 @@ class StatementParser extends ExpressionParser {
if (!this.match(129)) {
throw this.raise(Errors.ModuleAttributeInvalidValue, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
node.value = this.parseStringLiteral(this.state.value);
- this.finishNode(node, "ImportAttribute");
+ this.finishNode(node, 'ImportAttribute');
attrs.push(node);
} while (this.eat(12));
@@ -16398,10 +18473,10 @@ class StatementParser extends ExpressionParser {
maybeParseImportAssertions() {
if (this.isContextual(94) && !this.hasPrecedingLineBreak()) {
- this.expectPlugin("importAssertions");
+ this.expectPlugin('importAssertions');
this.next();
} else {
- if (this.hasPlugin("importAssertions")) return [];
+ if (this.hasPlugin('importAssertions')) return [];
return null;
}
@@ -16413,7 +18488,11 @@ class StatementParser extends ExpressionParser {
maybeParseDefaultImportSpecifier(node) {
if (this.shouldParseDefaultImport(node)) {
- this.parseImportSpecifierLocal(node, this.startNode(), "ImportDefaultSpecifier");
+ this.parseImportSpecifierLocal(
+ node,
+ this.startNode(),
+ 'ImportDefaultSpecifier'
+ );
return true;
}
@@ -16425,7 +18504,11 @@ class StatementParser extends ExpressionParser {
const specifier = this.startNode();
this.next();
this.expectContextual(93);
- this.parseImportSpecifierLocal(node, specifier, "ImportNamespaceSpecifier");
+ this.parseImportSpecifierLocal(
+ node,
+ specifier,
+ 'ImportNamespaceSpecifier'
+ );
return true;
}
@@ -16442,7 +18525,7 @@ class StatementParser extends ExpressionParser {
} else {
if (this.eat(14)) {
throw this.raise(Errors.DestructureNamedImport, {
- at: this.state.startLoc
+ at: this.state.startLoc,
});
}
@@ -16454,23 +18537,31 @@ class StatementParser extends ExpressionParser {
const importedIsString = this.match(129);
const isMaybeTypeOnly = this.isContextual(126);
specifier.imported = this.parseModuleExportName();
- const importSpecifier = this.parseImportSpecifier(specifier, importedIsString, node.importKind === "type" || node.importKind === "typeof", isMaybeTypeOnly);
+ const importSpecifier = this.parseImportSpecifier(
+ specifier,
+ importedIsString,
+ node.importKind === 'type' || node.importKind === 'typeof',
+ isMaybeTypeOnly
+ );
node.specifiers.push(importSpecifier);
}
}
- parseImportSpecifier(specifier, importedIsString, isInTypeOnlyImport, isMaybeTypeOnly) {
+ parseImportSpecifier(
+ specifier,
+ importedIsString,
+ isInTypeOnlyImport,
+ isMaybeTypeOnly
+ ) {
if (this.eatContextual(93)) {
specifier.local = this.parseIdentifier();
} else {
- const {
- imported
- } = specifier;
+ const { imported } = specifier;
if (importedIsString) {
throw this.raise(Errors.ImportBindingIsString, {
at: specifier,
- importName: imported.value
+ importName: imported.value,
});
}
@@ -16481,13 +18572,12 @@ class StatementParser extends ExpressionParser {
}
}
- return this.finishImportSpecifier(specifier, "ImportSpecifier");
+ return this.finishImportSpecifier(specifier, 'ImportSpecifier');
}
isThisParam(param) {
- return param.type === "Identifier" && param.name === "this";
+ return param.type === 'Identifier' && param.name === 'this';
}
-
}
class Parser extends StatementParser {
@@ -16514,7 +18604,6 @@ class Parser extends StatementParser {
file.errors = this.state.errors;
return file;
}
-
}
function pluginsMap(plugins) {
@@ -16531,11 +18620,14 @@ function pluginsMap(plugins) {
function parse(input, options) {
var _options;
- if (((_options = options) == null ? void 0 : _options.sourceType) === "unambiguous") {
+ if (
+ ((_options = options) == null ? void 0 : _options.sourceType) ===
+ 'unambiguous'
+ ) {
options = Object.assign({}, options);
try {
- options.sourceType = "module";
+ options.sourceType = 'module';
const parser = getParser(options, input);
const ast = parser.parse();
@@ -16545,17 +18637,17 @@ function parse(input, options) {
if (parser.ambiguousScriptDifferentAst) {
try {
- options.sourceType = "script";
+ options.sourceType = 'script';
return getParser(options, input).parse();
} catch (_unused) {}
} else {
- ast.program.sourceType = "script";
+ ast.program.sourceType = 'script';
}
return ast;
} catch (moduleError) {
try {
- options.sourceType = "script";
+ options.sourceType = 'script';
return getParser(options, input).parse();
} catch (_unused2) {}
@@ -16601,8 +18693,10 @@ function getParser(options, input) {
const parserClassCache = {};
function getParserClass(pluginsFromOptions) {
- const pluginList = mixinPluginNames.filter(name => hasPlugin(pluginsFromOptions, name));
- const key = pluginList.join("/");
+ const pluginList = mixinPluginNames.filter((name) =>
+ hasPlugin(pluginsFromOptions, name)
+ );
+ const key = pluginList.join('/');
let cls = parserClassCache[key];
if (!cls) {
diff --git a/node_modules/@babel/parser/package.json b/node_modules/@babel/parser/package.json
index ed3da11..fd69bd3 100644
--- a/node_modules/@babel/parser/package.json
+++ b/node_modules/@babel/parser/package.json
@@ -40,4 +40,4 @@
"charcodes": "^0.2.0"
},
"bin": "./bin/babel-parser.js"
-}
\ No newline at end of file
+}
diff --git a/node_modules/@babel/parser/typings/babel-parser.d.ts b/node_modules/@babel/parser/typings/babel-parser.d.ts
index c293ea7..607faa0 100644
--- a/node_modules/@babel/parser/typings/babel-parser.d.ts
+++ b/node_modules/@babel/parser/typings/babel-parser.d.ts
@@ -11,7 +11,7 @@
export function parse(
input: string,
options?: ParserOptions
-): ParseResult;
+): ParseResult;
/**
* Parse the provided code as a single expression.
@@ -19,7 +19,7 @@ export function parse(
export function parseExpression(
input: string,
options?: ParserOptions
-): ParseResult;
+): ParseResult;
export interface ParserOptions {
/**
@@ -73,7 +73,7 @@ export interface ParserOptions {
* of ES6 import or export statements.
* Files with ES6 imports and exports are considered "module" and are otherwise "script".
*/
- sourceType?: "script" | "module" | "unambiguous";
+ sourceType?: 'script' | 'module' | 'unambiguous';
/**
* Correlate output AST nodes with their source filename.
@@ -126,67 +126,67 @@ export interface ParserOptions {
}
export type ParserPlugin =
- | "asyncDoExpressions"
- | "asyncGenerators"
- | "bigInt"
- | "classPrivateMethods"
- | "classPrivateProperties"
- | "classProperties"
- | "classStaticBlock" // Enabled by default
- | "decimal"
- | "decorators"
- | "decorators-legacy"
- | "decoratorAutoAccessors"
- | "destructuringPrivate"
- | "doExpressions"
- | "dynamicImport"
- | "estree"
- | "exportDefaultFrom"
- | "exportNamespaceFrom" // deprecated
- | "flow"
- | "flowComments"
- | "functionBind"
- | "functionSent"
- | "importMeta"
- | "jsx"
- | "logicalAssignment"
- | "importAssertions"
- | "moduleBlocks"
- | "moduleStringNames"
- | "nullishCoalescingOperator"
- | "numericSeparator"
- | "objectRestSpread"
- | "optionalCatchBinding"
- | "optionalChaining"
- | "partialApplication"
- | "pipelineOperator"
- | "placeholders"
- | "privateIn" // Enabled by default
- | "regexpUnicodeSets"
- | "throwExpressions"
- | "topLevelAwait"
- | "typescript"
- | "v8intrinsic"
+ | 'asyncDoExpressions'
+ | 'asyncGenerators'
+ | 'bigInt'
+ | 'classPrivateMethods'
+ | 'classPrivateProperties'
+ | 'classProperties'
+ | 'classStaticBlock' // Enabled by default
+ | 'decimal'
+ | 'decorators'
+ | 'decorators-legacy'
+ | 'decoratorAutoAccessors'
+ | 'destructuringPrivate'
+ | 'doExpressions'
+ | 'dynamicImport'
+ | 'estree'
+ | 'exportDefaultFrom'
+ | 'exportNamespaceFrom' // deprecated
+ | 'flow'
+ | 'flowComments'
+ | 'functionBind'
+ | 'functionSent'
+ | 'importMeta'
+ | 'jsx'
+ | 'logicalAssignment'
+ | 'importAssertions'
+ | 'moduleBlocks'
+ | 'moduleStringNames'
+ | 'nullishCoalescingOperator'
+ | 'numericSeparator'
+ | 'objectRestSpread'
+ | 'optionalCatchBinding'
+ | 'optionalChaining'
+ | 'partialApplication'
+ | 'pipelineOperator'
+ | 'placeholders'
+ | 'privateIn' // Enabled by default
+ | 'regexpUnicodeSets'
+ | 'throwExpressions'
+ | 'topLevelAwait'
+ | 'typescript'
+ | 'v8intrinsic'
| ParserPluginWithOptions;
export type ParserPluginWithOptions =
- | ["decorators", DecoratorsPluginOptions]
- | ["pipelineOperator", PipelineOperatorPluginOptions]
- | ["recordAndTuple", RecordAndTuplePluginOptions]
- | ["flow", FlowPluginOptions]
- | ["typescript", TypeScriptPluginOptions];
+ | ['decorators', DecoratorsPluginOptions]
+ | ['pipelineOperator', PipelineOperatorPluginOptions]
+ | ['recordAndTuple', RecordAndTuplePluginOptions]
+ | ['flow', FlowPluginOptions]
+ | ['typescript', TypeScriptPluginOptions];
export interface DecoratorsPluginOptions {
decoratorsBeforeExport?: boolean;
}
export interface PipelineOperatorPluginOptions {
- proposal: "minimal" | "fsharp" | "hack" | "smart";
- topicToken?: "%" | "#" | "@@" | "^^" | "^";
+ proposal: 'minimal' | 'fsharp' | 'hack' | 'smart';
+ topicToken?: '%' | '#' | '@@' | '^^' | '^';
}
export interface RecordAndTuplePluginOptions {
- syntaxType: "bar" | "hash";
+ syntaxType: 'bar' | 'hash';
}
export interface FlowPluginOptions {
diff --git a/node_modules/@babel/types/lib/asserts/assertNode.js b/node_modules/@babel/types/lib/asserts/assertNode.js
index 3fd195b..1156066 100644
--- a/node_modules/@babel/types/lib/asserts/assertNode.js
+++ b/node_modules/@babel/types/lib/asserts/assertNode.js
@@ -1,17 +1,20 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = assertNode;
-var _isNode = require("../validators/isNode");
+var _isNode = require('../validators/isNode');
function assertNode(node) {
if (!(0, _isNode.default)(node)) {
var _node$type;
- const type = (_node$type = node == null ? void 0 : node.type) != null ? _node$type : JSON.stringify(node);
+ const type =
+ (_node$type = node == null ? void 0 : node.type) != null ?
+ _node$type
+ : JSON.stringify(node);
throw new TypeError(`Not a valid node of type "${type}"`);
}
}
diff --git a/node_modules/@babel/types/lib/asserts/generated/index.js b/node_modules/@babel/types/lib/asserts/generated/index.js
index b8c3649..cee33bb 100644
--- a/node_modules/@babel/types/lib/asserts/generated/index.js
+++ b/node_modules/@babel/types/lib/asserts/generated/index.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.assertAccessor = assertAccessor;
exports.assertAnyTypeAnnotation = assertAnyTypeAnnotation;
@@ -174,7 +174,8 @@ exports.assertParenthesizedExpression = assertParenthesizedExpression;
exports.assertPattern = assertPattern;
exports.assertPatternLike = assertPatternLike;
exports.assertPipelineBareFunction = assertPipelineBareFunction;
-exports.assertPipelinePrimaryTopicReference = assertPipelinePrimaryTopicReference;
+exports.assertPipelinePrimaryTopicReference =
+ assertPipelinePrimaryTopicReference;
exports.assertPipelineTopicExpression = assertPipelineTopicExpression;
exports.assertPlaceholder = assertPlaceholder;
exports.assertPrivate = assertPrivate;
@@ -211,7 +212,8 @@ exports.assertTSBigIntKeyword = assertTSBigIntKeyword;
exports.assertTSBooleanKeyword = assertTSBooleanKeyword;
exports.assertTSCallSignatureDeclaration = assertTSCallSignatureDeclaration;
exports.assertTSConditionalType = assertTSConditionalType;
-exports.assertTSConstructSignatureDeclaration = assertTSConstructSignatureDeclaration;
+exports.assertTSConstructSignatureDeclaration =
+ assertTSConstructSignatureDeclaration;
exports.assertTSConstructorType = assertTSConstructorType;
exports.assertTSDeclareFunction = assertTSDeclareFunction;
exports.assertTSDeclareMethod = assertTSDeclareMethod;
@@ -219,7 +221,8 @@ exports.assertTSEntityName = assertTSEntityName;
exports.assertTSEnumDeclaration = assertTSEnumDeclaration;
exports.assertTSEnumMember = assertTSEnumMember;
exports.assertTSExportAssignment = assertTSExportAssignment;
-exports.assertTSExpressionWithTypeArguments = assertTSExpressionWithTypeArguments;
+exports.assertTSExpressionWithTypeArguments =
+ assertTSExpressionWithTypeArguments;
exports.assertTSExternalModuleReference = assertTSExternalModuleReference;
exports.assertTSFunctionType = assertTSFunctionType;
exports.assertTSImportEqualsDeclaration = assertTSImportEqualsDeclaration;
@@ -305,1220 +308,1227 @@ exports.assertWhileStatement = assertWhileStatement;
exports.assertWithStatement = assertWithStatement;
exports.assertYieldExpression = assertYieldExpression;
-var _is = require("../../validators/is");
+var _is = require('../../validators/is');
function assert(type, node, opts) {
if (!(0, _is.default)(type, node, opts)) {
- throw new Error(`Expected type "${type}" with option ${JSON.stringify(opts)}, ` + `but instead got "${node.type}".`);
+ throw new Error(
+ `Expected type "${type}" with option ${JSON.stringify(opts)}, ` +
+ `but instead got "${node.type}".`
+ );
}
}
function assertArrayExpression(node, opts) {
- assert("ArrayExpression", node, opts);
+ assert('ArrayExpression', node, opts);
}
function assertAssignmentExpression(node, opts) {
- assert("AssignmentExpression", node, opts);
+ assert('AssignmentExpression', node, opts);
}
function assertBinaryExpression(node, opts) {
- assert("BinaryExpression", node, opts);
+ assert('BinaryExpression', node, opts);
}
function assertInterpreterDirective(node, opts) {
- assert("InterpreterDirective", node, opts);
+ assert('InterpreterDirective', node, opts);
}
function assertDirective(node, opts) {
- assert("Directive", node, opts);
+ assert('Directive', node, opts);
}
function assertDirectiveLiteral(node, opts) {
- assert("DirectiveLiteral", node, opts);
+ assert('DirectiveLiteral', node, opts);
}
function assertBlockStatement(node, opts) {
- assert("BlockStatement", node, opts);
+ assert('BlockStatement', node, opts);
}
function assertBreakStatement(node, opts) {
- assert("BreakStatement", node, opts);
+ assert('BreakStatement', node, opts);
}
function assertCallExpression(node, opts) {
- assert("CallExpression", node, opts);
+ assert('CallExpression', node, opts);
}
function assertCatchClause(node, opts) {
- assert("CatchClause", node, opts);
+ assert('CatchClause', node, opts);
}
function assertConditionalExpression(node, opts) {
- assert("ConditionalExpression", node, opts);
+ assert('ConditionalExpression', node, opts);
}
function assertContinueStatement(node, opts) {
- assert("ContinueStatement", node, opts);
+ assert('ContinueStatement', node, opts);
}
function assertDebuggerStatement(node, opts) {
- assert("DebuggerStatement", node, opts);
+ assert('DebuggerStatement', node, opts);
}
function assertDoWhileStatement(node, opts) {
- assert("DoWhileStatement", node, opts);
+ assert('DoWhileStatement', node, opts);
}
function assertEmptyStatement(node, opts) {
- assert("EmptyStatement", node, opts);
+ assert('EmptyStatement', node, opts);
}
function assertExpressionStatement(node, opts) {
- assert("ExpressionStatement", node, opts);
+ assert('ExpressionStatement', node, opts);
}
function assertFile(node, opts) {
- assert("File", node, opts);
+ assert('File', node, opts);
}
function assertForInStatement(node, opts) {
- assert("ForInStatement", node, opts);
+ assert('ForInStatement', node, opts);
}
function assertForStatement(node, opts) {
- assert("ForStatement", node, opts);
+ assert('ForStatement', node, opts);
}
function assertFunctionDeclaration(node, opts) {
- assert("FunctionDeclaration", node, opts);
+ assert('FunctionDeclaration', node, opts);
}
function assertFunctionExpression(node, opts) {
- assert("FunctionExpression", node, opts);
+ assert('FunctionExpression', node, opts);
}
function assertIdentifier(node, opts) {
- assert("Identifier", node, opts);
+ assert('Identifier', node, opts);
}
function assertIfStatement(node, opts) {
- assert("IfStatement", node, opts);
+ assert('IfStatement', node, opts);
}
function assertLabeledStatement(node, opts) {
- assert("LabeledStatement", node, opts);
+ assert('LabeledStatement', node, opts);
}
function assertStringLiteral(node, opts) {
- assert("StringLiteral", node, opts);
+ assert('StringLiteral', node, opts);
}
function assertNumericLiteral(node, opts) {
- assert("NumericLiteral", node, opts);
+ assert('NumericLiteral', node, opts);
}
function assertNullLiteral(node, opts) {
- assert("NullLiteral", node, opts);
+ assert('NullLiteral', node, opts);
}
function assertBooleanLiteral(node, opts) {
- assert("BooleanLiteral", node, opts);
+ assert('BooleanLiteral', node, opts);
}
function assertRegExpLiteral(node, opts) {
- assert("RegExpLiteral", node, opts);
+ assert('RegExpLiteral', node, opts);
}
function assertLogicalExpression(node, opts) {
- assert("LogicalExpression", node, opts);
+ assert('LogicalExpression', node, opts);
}
function assertMemberExpression(node, opts) {
- assert("MemberExpression", node, opts);
+ assert('MemberExpression', node, opts);
}
function assertNewExpression(node, opts) {
- assert("NewExpression", node, opts);
+ assert('NewExpression', node, opts);
}
function assertProgram(node, opts) {
- assert("Program", node, opts);
+ assert('Program', node, opts);
}
function assertObjectExpression(node, opts) {
- assert("ObjectExpression", node, opts);
+ assert('ObjectExpression', node, opts);
}
function assertObjectMethod(node, opts) {
- assert("ObjectMethod", node, opts);
+ assert('ObjectMethod', node, opts);
}
function assertObjectProperty(node, opts) {
- assert("ObjectProperty", node, opts);
+ assert('ObjectProperty', node, opts);
}
function assertRestElement(node, opts) {
- assert("RestElement", node, opts);
+ assert('RestElement', node, opts);
}
function assertReturnStatement(node, opts) {
- assert("ReturnStatement", node, opts);
+ assert('ReturnStatement', node, opts);
}
function assertSequenceExpression(node, opts) {
- assert("SequenceExpression", node, opts);
+ assert('SequenceExpression', node, opts);
}
function assertParenthesizedExpression(node, opts) {
- assert("ParenthesizedExpression", node, opts);
+ assert('ParenthesizedExpression', node, opts);
}
function assertSwitchCase(node, opts) {
- assert("SwitchCase", node, opts);
+ assert('SwitchCase', node, opts);
}
function assertSwitchStatement(node, opts) {
- assert("SwitchStatement", node, opts);
+ assert('SwitchStatement', node, opts);
}
function assertThisExpression(node, opts) {
- assert("ThisExpression", node, opts);
+ assert('ThisExpression', node, opts);
}
function assertThrowStatement(node, opts) {
- assert("ThrowStatement", node, opts);
+ assert('ThrowStatement', node, opts);
}
function assertTryStatement(node, opts) {
- assert("TryStatement", node, opts);
+ assert('TryStatement', node, opts);
}
function assertUnaryExpression(node, opts) {
- assert("UnaryExpression", node, opts);
+ assert('UnaryExpression', node, opts);
}
function assertUpdateExpression(node, opts) {
- assert("UpdateExpression", node, opts);
+ assert('UpdateExpression', node, opts);
}
function assertVariableDeclaration(node, opts) {
- assert("VariableDeclaration", node, opts);
+ assert('VariableDeclaration', node, opts);
}
function assertVariableDeclarator(node, opts) {
- assert("VariableDeclarator", node, opts);
+ assert('VariableDeclarator', node, opts);
}
function assertWhileStatement(node, opts) {
- assert("WhileStatement", node, opts);
+ assert('WhileStatement', node, opts);
}
function assertWithStatement(node, opts) {
- assert("WithStatement", node, opts);
+ assert('WithStatement', node, opts);
}
function assertAssignmentPattern(node, opts) {
- assert("AssignmentPattern", node, opts);
+ assert('AssignmentPattern', node, opts);
}
function assertArrayPattern(node, opts) {
- assert("ArrayPattern", node, opts);
+ assert('ArrayPattern', node, opts);
}
function assertArrowFunctionExpression(node, opts) {
- assert("ArrowFunctionExpression", node, opts);
+ assert('ArrowFunctionExpression', node, opts);
}
function assertClassBody(node, opts) {
- assert("ClassBody", node, opts);
+ assert('ClassBody', node, opts);
}
function assertClassExpression(node, opts) {
- assert("ClassExpression", node, opts);
+ assert('ClassExpression', node, opts);
}
function assertClassDeclaration(node, opts) {
- assert("ClassDeclaration", node, opts);
+ assert('ClassDeclaration', node, opts);
}
function assertExportAllDeclaration(node, opts) {
- assert("ExportAllDeclaration", node, opts);
+ assert('ExportAllDeclaration', node, opts);
}
function assertExportDefaultDeclaration(node, opts) {
- assert("ExportDefaultDeclaration", node, opts);
+ assert('ExportDefaultDeclaration', node, opts);
}
function assertExportNamedDeclaration(node, opts) {
- assert("ExportNamedDeclaration", node, opts);
+ assert('ExportNamedDeclaration', node, opts);
}
function assertExportSpecifier(node, opts) {
- assert("ExportSpecifier", node, opts);
+ assert('ExportSpecifier', node, opts);
}
function assertForOfStatement(node, opts) {
- assert("ForOfStatement", node, opts);
+ assert('ForOfStatement', node, opts);
}
function assertImportDeclaration(node, opts) {
- assert("ImportDeclaration", node, opts);
+ assert('ImportDeclaration', node, opts);
}
function assertImportDefaultSpecifier(node, opts) {
- assert("ImportDefaultSpecifier", node, opts);
+ assert('ImportDefaultSpecifier', node, opts);
}
function assertImportNamespaceSpecifier(node, opts) {
- assert("ImportNamespaceSpecifier", node, opts);
+ assert('ImportNamespaceSpecifier', node, opts);
}
function assertImportSpecifier(node, opts) {
- assert("ImportSpecifier", node, opts);
+ assert('ImportSpecifier', node, opts);
}
function assertMetaProperty(node, opts) {
- assert("MetaProperty", node, opts);
+ assert('MetaProperty', node, opts);
}
function assertClassMethod(node, opts) {
- assert("ClassMethod", node, opts);
+ assert('ClassMethod', node, opts);
}
function assertObjectPattern(node, opts) {
- assert("ObjectPattern", node, opts);
+ assert('ObjectPattern', node, opts);
}
function assertSpreadElement(node, opts) {
- assert("SpreadElement", node, opts);
+ assert('SpreadElement', node, opts);
}
function assertSuper(node, opts) {
- assert("Super", node, opts);
+ assert('Super', node, opts);
}
function assertTaggedTemplateExpression(node, opts) {
- assert("TaggedTemplateExpression", node, opts);
+ assert('TaggedTemplateExpression', node, opts);
}
function assertTemplateElement(node, opts) {
- assert("TemplateElement", node, opts);
+ assert('TemplateElement', node, opts);
}
function assertTemplateLiteral(node, opts) {
- assert("TemplateLiteral", node, opts);
+ assert('TemplateLiteral', node, opts);
}
function assertYieldExpression(node, opts) {
- assert("YieldExpression", node, opts);
+ assert('YieldExpression', node, opts);
}
function assertAwaitExpression(node, opts) {
- assert("AwaitExpression", node, opts);
+ assert('AwaitExpression', node, opts);
}
function assertImport(node, opts) {
- assert("Import", node, opts);
+ assert('Import', node, opts);
}
function assertBigIntLiteral(node, opts) {
- assert("BigIntLiteral", node, opts);
+ assert('BigIntLiteral', node, opts);
}
function assertExportNamespaceSpecifier(node, opts) {
- assert("ExportNamespaceSpecifier", node, opts);
+ assert('ExportNamespaceSpecifier', node, opts);
}
function assertOptionalMemberExpression(node, opts) {
- assert("OptionalMemberExpression", node, opts);
+ assert('OptionalMemberExpression', node, opts);
}
function assertOptionalCallExpression(node, opts) {
- assert("OptionalCallExpression", node, opts);
+ assert('OptionalCallExpression', node, opts);
}
function assertClassProperty(node, opts) {
- assert("ClassProperty", node, opts);
+ assert('ClassProperty', node, opts);
}
function assertClassAccessorProperty(node, opts) {
- assert("ClassAccessorProperty", node, opts);
+ assert('ClassAccessorProperty', node, opts);
}
function assertClassPrivateProperty(node, opts) {
- assert("ClassPrivateProperty", node, opts);
+ assert('ClassPrivateProperty', node, opts);
}
function assertClassPrivateMethod(node, opts) {
- assert("ClassPrivateMethod", node, opts);
+ assert('ClassPrivateMethod', node, opts);
}
function assertPrivateName(node, opts) {
- assert("PrivateName", node, opts);
+ assert('PrivateName', node, opts);
}
function assertStaticBlock(node, opts) {
- assert("StaticBlock", node, opts);
+ assert('StaticBlock', node, opts);
}
function assertAnyTypeAnnotation(node, opts) {
- assert("AnyTypeAnnotation", node, opts);
+ assert('AnyTypeAnnotation', node, opts);
}
function assertArrayTypeAnnotation(node, opts) {
- assert("ArrayTypeAnnotation", node, opts);
+ assert('ArrayTypeAnnotation', node, opts);
}
function assertBooleanTypeAnnotation(node, opts) {
- assert("BooleanTypeAnnotation", node, opts);
+ assert('BooleanTypeAnnotation', node, opts);
}
function assertBooleanLiteralTypeAnnotation(node, opts) {
- assert("BooleanLiteralTypeAnnotation", node, opts);
+ assert('BooleanLiteralTypeAnnotation', node, opts);
}
function assertNullLiteralTypeAnnotation(node, opts) {
- assert("NullLiteralTypeAnnotation", node, opts);
+ assert('NullLiteralTypeAnnotation', node, opts);
}
function assertClassImplements(node, opts) {
- assert("ClassImplements", node, opts);
+ assert('ClassImplements', node, opts);
}
function assertDeclareClass(node, opts) {
- assert("DeclareClass", node, opts);
+ assert('DeclareClass', node, opts);
}
function assertDeclareFunction(node, opts) {
- assert("DeclareFunction", node, opts);
+ assert('DeclareFunction', node, opts);
}
function assertDeclareInterface(node, opts) {
- assert("DeclareInterface", node, opts);
+ assert('DeclareInterface', node, opts);
}
function assertDeclareModule(node, opts) {
- assert("DeclareModule", node, opts);
+ assert('DeclareModule', node, opts);
}
function assertDeclareModuleExports(node, opts) {
- assert("DeclareModuleExports", node, opts);
+ assert('DeclareModuleExports', node, opts);
}
function assertDeclareTypeAlias(node, opts) {
- assert("DeclareTypeAlias", node, opts);
+ assert('DeclareTypeAlias', node, opts);
}
function assertDeclareOpaqueType(node, opts) {
- assert("DeclareOpaqueType", node, opts);
+ assert('DeclareOpaqueType', node, opts);
}
function assertDeclareVariable(node, opts) {
- assert("DeclareVariable", node, opts);
+ assert('DeclareVariable', node, opts);
}
function assertDeclareExportDeclaration(node, opts) {
- assert("DeclareExportDeclaration", node, opts);
+ assert('DeclareExportDeclaration', node, opts);
}
function assertDeclareExportAllDeclaration(node, opts) {
- assert("DeclareExportAllDeclaration", node, opts);
+ assert('DeclareExportAllDeclaration', node, opts);
}
function assertDeclaredPredicate(node, opts) {
- assert("DeclaredPredicate", node, opts);
+ assert('DeclaredPredicate', node, opts);
}
function assertExistsTypeAnnotation(node, opts) {
- assert("ExistsTypeAnnotation", node, opts);
+ assert('ExistsTypeAnnotation', node, opts);
}
function assertFunctionTypeAnnotation(node, opts) {
- assert("FunctionTypeAnnotation", node, opts);
+ assert('FunctionTypeAnnotation', node, opts);
}
function assertFunctionTypeParam(node, opts) {
- assert("FunctionTypeParam", node, opts);
+ assert('FunctionTypeParam', node, opts);
}
function assertGenericTypeAnnotation(node, opts) {
- assert("GenericTypeAnnotation", node, opts);
+ assert('GenericTypeAnnotation', node, opts);
}
function assertInferredPredicate(node, opts) {
- assert("InferredPredicate", node, opts);
+ assert('InferredPredicate', node, opts);
}
function assertInterfaceExtends(node, opts) {
- assert("InterfaceExtends", node, opts);
+ assert('InterfaceExtends', node, opts);
}
function assertInterfaceDeclaration(node, opts) {
- assert("InterfaceDeclaration", node, opts);
+ assert('InterfaceDeclaration', node, opts);
}
function assertInterfaceTypeAnnotation(node, opts) {
- assert("InterfaceTypeAnnotation", node, opts);
+ assert('InterfaceTypeAnnotation', node, opts);
}
function assertIntersectionTypeAnnotation(node, opts) {
- assert("IntersectionTypeAnnotation", node, opts);
+ assert('IntersectionTypeAnnotation', node, opts);
}
function assertMixedTypeAnnotation(node, opts) {
- assert("MixedTypeAnnotation", node, opts);
+ assert('MixedTypeAnnotation', node, opts);
}
function assertEmptyTypeAnnotation(node, opts) {
- assert("EmptyTypeAnnotation", node, opts);
+ assert('EmptyTypeAnnotation', node, opts);
}
function assertNullableTypeAnnotation(node, opts) {
- assert("NullableTypeAnnotation", node, opts);
+ assert('NullableTypeAnnotation', node, opts);
}
function assertNumberLiteralTypeAnnotation(node, opts) {
- assert("NumberLiteralTypeAnnotation", node, opts);
+ assert('NumberLiteralTypeAnnotation', node, opts);
}
function assertNumberTypeAnnotation(node, opts) {
- assert("NumberTypeAnnotation", node, opts);
+ assert('NumberTypeAnnotation', node, opts);
}
function assertObjectTypeAnnotation(node, opts) {
- assert("ObjectTypeAnnotation", node, opts);
+ assert('ObjectTypeAnnotation', node, opts);
}
function assertObjectTypeInternalSlot(node, opts) {
- assert("ObjectTypeInternalSlot", node, opts);
+ assert('ObjectTypeInternalSlot', node, opts);
}
function assertObjectTypeCallProperty(node, opts) {
- assert("ObjectTypeCallProperty", node, opts);
+ assert('ObjectTypeCallProperty', node, opts);
}
function assertObjectTypeIndexer(node, opts) {
- assert("ObjectTypeIndexer", node, opts);
+ assert('ObjectTypeIndexer', node, opts);
}
function assertObjectTypeProperty(node, opts) {
- assert("ObjectTypeProperty", node, opts);
+ assert('ObjectTypeProperty', node, opts);
}
function assertObjectTypeSpreadProperty(node, opts) {
- assert("ObjectTypeSpreadProperty", node, opts);
+ assert('ObjectTypeSpreadProperty', node, opts);
}
function assertOpaqueType(node, opts) {
- assert("OpaqueType", node, opts);
+ assert('OpaqueType', node, opts);
}
function assertQualifiedTypeIdentifier(node, opts) {
- assert("QualifiedTypeIdentifier", node, opts);
+ assert('QualifiedTypeIdentifier', node, opts);
}
function assertStringLiteralTypeAnnotation(node, opts) {
- assert("StringLiteralTypeAnnotation", node, opts);
+ assert('StringLiteralTypeAnnotation', node, opts);
}
function assertStringTypeAnnotation(node, opts) {
- assert("StringTypeAnnotation", node, opts);
+ assert('StringTypeAnnotation', node, opts);
}
function assertSymbolTypeAnnotation(node, opts) {
- assert("SymbolTypeAnnotation", node, opts);
+ assert('SymbolTypeAnnotation', node, opts);
}
function assertThisTypeAnnotation(node, opts) {
- assert("ThisTypeAnnotation", node, opts);
+ assert('ThisTypeAnnotation', node, opts);
}
function assertTupleTypeAnnotation(node, opts) {
- assert("TupleTypeAnnotation", node, opts);
+ assert('TupleTypeAnnotation', node, opts);
}
function assertTypeofTypeAnnotation(node, opts) {
- assert("TypeofTypeAnnotation", node, opts);
+ assert('TypeofTypeAnnotation', node, opts);
}
function assertTypeAlias(node, opts) {
- assert("TypeAlias", node, opts);
+ assert('TypeAlias', node, opts);
}
function assertTypeAnnotation(node, opts) {
- assert("TypeAnnotation", node, opts);
+ assert('TypeAnnotation', node, opts);
}
function assertTypeCastExpression(node, opts) {
- assert("TypeCastExpression", node, opts);
+ assert('TypeCastExpression', node, opts);
}
function assertTypeParameter(node, opts) {
- assert("TypeParameter", node, opts);
+ assert('TypeParameter', node, opts);
}
function assertTypeParameterDeclaration(node, opts) {
- assert("TypeParameterDeclaration", node, opts);
+ assert('TypeParameterDeclaration', node, opts);
}
function assertTypeParameterInstantiation(node, opts) {
- assert("TypeParameterInstantiation", node, opts);
+ assert('TypeParameterInstantiation', node, opts);
}
function assertUnionTypeAnnotation(node, opts) {
- assert("UnionTypeAnnotation", node, opts);
+ assert('UnionTypeAnnotation', node, opts);
}
function assertVariance(node, opts) {
- assert("Variance", node, opts);
+ assert('Variance', node, opts);
}
function assertVoidTypeAnnotation(node, opts) {
- assert("VoidTypeAnnotation", node, opts);
+ assert('VoidTypeAnnotation', node, opts);
}
function assertEnumDeclaration(node, opts) {
- assert("EnumDeclaration", node, opts);
+ assert('EnumDeclaration', node, opts);
}
function assertEnumBooleanBody(node, opts) {
- assert("EnumBooleanBody", node, opts);
+ assert('EnumBooleanBody', node, opts);
}
function assertEnumNumberBody(node, opts) {
- assert("EnumNumberBody", node, opts);
+ assert('EnumNumberBody', node, opts);
}
function assertEnumStringBody(node, opts) {
- assert("EnumStringBody", node, opts);
+ assert('EnumStringBody', node, opts);
}
function assertEnumSymbolBody(node, opts) {
- assert("EnumSymbolBody", node, opts);
+ assert('EnumSymbolBody', node, opts);
}
function assertEnumBooleanMember(node, opts) {
- assert("EnumBooleanMember", node, opts);
+ assert('EnumBooleanMember', node, opts);
}
function assertEnumNumberMember(node, opts) {
- assert("EnumNumberMember", node, opts);
+ assert('EnumNumberMember', node, opts);
}
function assertEnumStringMember(node, opts) {
- assert("EnumStringMember", node, opts);
+ assert('EnumStringMember', node, opts);
}
function assertEnumDefaultedMember(node, opts) {
- assert("EnumDefaultedMember", node, opts);
+ assert('EnumDefaultedMember', node, opts);
}
function assertIndexedAccessType(node, opts) {
- assert("IndexedAccessType", node, opts);
+ assert('IndexedAccessType', node, opts);
}
function assertOptionalIndexedAccessType(node, opts) {
- assert("OptionalIndexedAccessType", node, opts);
+ assert('OptionalIndexedAccessType', node, opts);
}
function assertJSXAttribute(node, opts) {
- assert("JSXAttribute", node, opts);
+ assert('JSXAttribute', node, opts);
}
function assertJSXClosingElement(node, opts) {
- assert("JSXClosingElement", node, opts);
+ assert('JSXClosingElement', node, opts);
}
function assertJSXElement(node, opts) {
- assert("JSXElement", node, opts);
+ assert('JSXElement', node, opts);
}
function assertJSXEmptyExpression(node, opts) {
- assert("JSXEmptyExpression", node, opts);
+ assert('JSXEmptyExpression', node, opts);
}
function assertJSXExpressionContainer(node, opts) {
- assert("JSXExpressionContainer", node, opts);
+ assert('JSXExpressionContainer', node, opts);
}
function assertJSXSpreadChild(node, opts) {
- assert("JSXSpreadChild", node, opts);
+ assert('JSXSpreadChild', node, opts);
}
function assertJSXIdentifier(node, opts) {
- assert("JSXIdentifier", node, opts);
+ assert('JSXIdentifier', node, opts);
}
function assertJSXMemberExpression(node, opts) {
- assert("JSXMemberExpression", node, opts);
+ assert('JSXMemberExpression', node, opts);
}
function assertJSXNamespacedName(node, opts) {
- assert("JSXNamespacedName", node, opts);
+ assert('JSXNamespacedName', node, opts);
}
function assertJSXOpeningElement(node, opts) {
- assert("JSXOpeningElement", node, opts);
+ assert('JSXOpeningElement', node, opts);
}
function assertJSXSpreadAttribute(node, opts) {
- assert("JSXSpreadAttribute", node, opts);
+ assert('JSXSpreadAttribute', node, opts);
}
function assertJSXText(node, opts) {
- assert("JSXText", node, opts);
+ assert('JSXText', node, opts);
}
function assertJSXFragment(node, opts) {
- assert("JSXFragment", node, opts);
+ assert('JSXFragment', node, opts);
}
function assertJSXOpeningFragment(node, opts) {
- assert("JSXOpeningFragment", node, opts);
+ assert('JSXOpeningFragment', node, opts);
}
function assertJSXClosingFragment(node, opts) {
- assert("JSXClosingFragment", node, opts);
+ assert('JSXClosingFragment', node, opts);
}
function assertNoop(node, opts) {
- assert("Noop", node, opts);
+ assert('Noop', node, opts);
}
function assertPlaceholder(node, opts) {
- assert("Placeholder", node, opts);
+ assert('Placeholder', node, opts);
}
function assertV8IntrinsicIdentifier(node, opts) {
- assert("V8IntrinsicIdentifier", node, opts);
+ assert('V8IntrinsicIdentifier', node, opts);
}
function assertArgumentPlaceholder(node, opts) {
- assert("ArgumentPlaceholder", node, opts);
+ assert('ArgumentPlaceholder', node, opts);
}
function assertBindExpression(node, opts) {
- assert("BindExpression", node, opts);
+ assert('BindExpression', node, opts);
}
function assertImportAttribute(node, opts) {
- assert("ImportAttribute", node, opts);
+ assert('ImportAttribute', node, opts);
}
function assertDecorator(node, opts) {
- assert("Decorator", node, opts);
+ assert('Decorator', node, opts);
}
function assertDoExpression(node, opts) {
- assert("DoExpression", node, opts);
+ assert('DoExpression', node, opts);
}
function assertExportDefaultSpecifier(node, opts) {
- assert("ExportDefaultSpecifier", node, opts);
+ assert('ExportDefaultSpecifier', node, opts);
}
function assertRecordExpression(node, opts) {
- assert("RecordExpression", node, opts);
+ assert('RecordExpression', node, opts);
}
function assertTupleExpression(node, opts) {
- assert("TupleExpression", node, opts);
+ assert('TupleExpression', node, opts);
}
function assertDecimalLiteral(node, opts) {
- assert("DecimalLiteral", node, opts);
+ assert('DecimalLiteral', node, opts);
}
function assertModuleExpression(node, opts) {
- assert("ModuleExpression", node, opts);
+ assert('ModuleExpression', node, opts);
}
function assertTopicReference(node, opts) {
- assert("TopicReference", node, opts);
+ assert('TopicReference', node, opts);
}
function assertPipelineTopicExpression(node, opts) {
- assert("PipelineTopicExpression", node, opts);
+ assert('PipelineTopicExpression', node, opts);
}
function assertPipelineBareFunction(node, opts) {
- assert("PipelineBareFunction", node, opts);
+ assert('PipelineBareFunction', node, opts);
}
function assertPipelinePrimaryTopicReference(node, opts) {
- assert("PipelinePrimaryTopicReference", node, opts);
+ assert('PipelinePrimaryTopicReference', node, opts);
}
function assertTSParameterProperty(node, opts) {
- assert("TSParameterProperty", node, opts);
+ assert('TSParameterProperty', node, opts);
}
function assertTSDeclareFunction(node, opts) {
- assert("TSDeclareFunction", node, opts);
+ assert('TSDeclareFunction', node, opts);
}
function assertTSDeclareMethod(node, opts) {
- assert("TSDeclareMethod", node, opts);
+ assert('TSDeclareMethod', node, opts);
}
function assertTSQualifiedName(node, opts) {
- assert("TSQualifiedName", node, opts);
+ assert('TSQualifiedName', node, opts);
}
function assertTSCallSignatureDeclaration(node, opts) {
- assert("TSCallSignatureDeclaration", node, opts);
+ assert('TSCallSignatureDeclaration', node, opts);
}
function assertTSConstructSignatureDeclaration(node, opts) {
- assert("TSConstructSignatureDeclaration", node, opts);
+ assert('TSConstructSignatureDeclaration', node, opts);
}
function assertTSPropertySignature(node, opts) {
- assert("TSPropertySignature", node, opts);
+ assert('TSPropertySignature', node, opts);
}
function assertTSMethodSignature(node, opts) {
- assert("TSMethodSignature", node, opts);
+ assert('TSMethodSignature', node, opts);
}
function assertTSIndexSignature(node, opts) {
- assert("TSIndexSignature", node, opts);
+ assert('TSIndexSignature', node, opts);
}
function assertTSAnyKeyword(node, opts) {
- assert("TSAnyKeyword", node, opts);
+ assert('TSAnyKeyword', node, opts);
}
function assertTSBooleanKeyword(node, opts) {
- assert("TSBooleanKeyword", node, opts);
+ assert('TSBooleanKeyword', node, opts);
}
function assertTSBigIntKeyword(node, opts) {
- assert("TSBigIntKeyword", node, opts);
+ assert('TSBigIntKeyword', node, opts);
}
function assertTSIntrinsicKeyword(node, opts) {
- assert("TSIntrinsicKeyword", node, opts);
+ assert('TSIntrinsicKeyword', node, opts);
}
function assertTSNeverKeyword(node, opts) {
- assert("TSNeverKeyword", node, opts);
+ assert('TSNeverKeyword', node, opts);
}
function assertTSNullKeyword(node, opts) {
- assert("TSNullKeyword", node, opts);
+ assert('TSNullKeyword', node, opts);
}
function assertTSNumberKeyword(node, opts) {
- assert("TSNumberKeyword", node, opts);
+ assert('TSNumberKeyword', node, opts);
}
function assertTSObjectKeyword(node, opts) {
- assert("TSObjectKeyword", node, opts);
+ assert('TSObjectKeyword', node, opts);
}
function assertTSStringKeyword(node, opts) {
- assert("TSStringKeyword", node, opts);
+ assert('TSStringKeyword', node, opts);
}
function assertTSSymbolKeyword(node, opts) {
- assert("TSSymbolKeyword", node, opts);
+ assert('TSSymbolKeyword', node, opts);
}
function assertTSUndefinedKeyword(node, opts) {
- assert("TSUndefinedKeyword", node, opts);
+ assert('TSUndefinedKeyword', node, opts);
}
function assertTSUnknownKeyword(node, opts) {
- assert("TSUnknownKeyword", node, opts);
+ assert('TSUnknownKeyword', node, opts);
}
function assertTSVoidKeyword(node, opts) {
- assert("TSVoidKeyword", node, opts);
+ assert('TSVoidKeyword', node, opts);
}
function assertTSThisType(node, opts) {
- assert("TSThisType", node, opts);
+ assert('TSThisType', node, opts);
}
function assertTSFunctionType(node, opts) {
- assert("TSFunctionType", node, opts);
+ assert('TSFunctionType', node, opts);
}
function assertTSConstructorType(node, opts) {
- assert("TSConstructorType", node, opts);
+ assert('TSConstructorType', node, opts);
}
function assertTSTypeReference(node, opts) {
- assert("TSTypeReference", node, opts);
+ assert('TSTypeReference', node, opts);
}
function assertTSTypePredicate(node, opts) {
- assert("TSTypePredicate", node, opts);
+ assert('TSTypePredicate', node, opts);
}
function assertTSTypeQuery(node, opts) {
- assert("TSTypeQuery", node, opts);
+ assert('TSTypeQuery', node, opts);
}
function assertTSTypeLiteral(node, opts) {
- assert("TSTypeLiteral", node, opts);
+ assert('TSTypeLiteral', node, opts);
}
function assertTSArrayType(node, opts) {
- assert("TSArrayType", node, opts);
+ assert('TSArrayType', node, opts);
}
function assertTSTupleType(node, opts) {
- assert("TSTupleType", node, opts);
+ assert('TSTupleType', node, opts);
}
function assertTSOptionalType(node, opts) {
- assert("TSOptionalType", node, opts);
+ assert('TSOptionalType', node, opts);
}
function assertTSRestType(node, opts) {
- assert("TSRestType", node, opts);
+ assert('TSRestType', node, opts);
}
function assertTSNamedTupleMember(node, opts) {
- assert("TSNamedTupleMember", node, opts);
+ assert('TSNamedTupleMember', node, opts);
}
function assertTSUnionType(node, opts) {
- assert("TSUnionType", node, opts);
+ assert('TSUnionType', node, opts);
}
function assertTSIntersectionType(node, opts) {
- assert("TSIntersectionType", node, opts);
+ assert('TSIntersectionType', node, opts);
}
function assertTSConditionalType(node, opts) {
- assert("TSConditionalType", node, opts);
+ assert('TSConditionalType', node, opts);
}
function assertTSInferType(node, opts) {
- assert("TSInferType", node, opts);
+ assert('TSInferType', node, opts);
}
function assertTSParenthesizedType(node, opts) {
- assert("TSParenthesizedType", node, opts);
+ assert('TSParenthesizedType', node, opts);
}
function assertTSTypeOperator(node, opts) {
- assert("TSTypeOperator", node, opts);
+ assert('TSTypeOperator', node, opts);
}
function assertTSIndexedAccessType(node, opts) {
- assert("TSIndexedAccessType", node, opts);
+ assert('TSIndexedAccessType', node, opts);
}
function assertTSMappedType(node, opts) {
- assert("TSMappedType", node, opts);
+ assert('TSMappedType', node, opts);
}
function assertTSLiteralType(node, opts) {
- assert("TSLiteralType", node, opts);
+ assert('TSLiteralType', node, opts);
}
function assertTSExpressionWithTypeArguments(node, opts) {
- assert("TSExpressionWithTypeArguments", node, opts);
+ assert('TSExpressionWithTypeArguments', node, opts);
}
function assertTSInterfaceDeclaration(node, opts) {
- assert("TSInterfaceDeclaration", node, opts);
+ assert('TSInterfaceDeclaration', node, opts);
}
function assertTSInterfaceBody(node, opts) {
- assert("TSInterfaceBody", node, opts);
+ assert('TSInterfaceBody', node, opts);
}
function assertTSTypeAliasDeclaration(node, opts) {
- assert("TSTypeAliasDeclaration", node, opts);
+ assert('TSTypeAliasDeclaration', node, opts);
}
function assertTSInstantiationExpression(node, opts) {
- assert("TSInstantiationExpression", node, opts);
+ assert('TSInstantiationExpression', node, opts);
}
function assertTSAsExpression(node, opts) {
- assert("TSAsExpression", node, opts);
+ assert('TSAsExpression', node, opts);
}
function assertTSTypeAssertion(node, opts) {
- assert("TSTypeAssertion", node, opts);
+ assert('TSTypeAssertion', node, opts);
}
function assertTSEnumDeclaration(node, opts) {
- assert("TSEnumDeclaration", node, opts);
+ assert('TSEnumDeclaration', node, opts);
}
function assertTSEnumMember(node, opts) {
- assert("TSEnumMember", node, opts);
+ assert('TSEnumMember', node, opts);
}
function assertTSModuleDeclaration(node, opts) {
- assert("TSModuleDeclaration", node, opts);
+ assert('TSModuleDeclaration', node, opts);
}
function assertTSModuleBlock(node, opts) {
- assert("TSModuleBlock", node, opts);
+ assert('TSModuleBlock', node, opts);
}
function assertTSImportType(node, opts) {
- assert("TSImportType", node, opts);
+ assert('TSImportType', node, opts);
}
function assertTSImportEqualsDeclaration(node, opts) {
- assert("TSImportEqualsDeclaration", node, opts);
+ assert('TSImportEqualsDeclaration', node, opts);
}
function assertTSExternalModuleReference(node, opts) {
- assert("TSExternalModuleReference", node, opts);
+ assert('TSExternalModuleReference', node, opts);
}
function assertTSNonNullExpression(node, opts) {
- assert("TSNonNullExpression", node, opts);
+ assert('TSNonNullExpression', node, opts);
}
function assertTSExportAssignment(node, opts) {
- assert("TSExportAssignment", node, opts);
+ assert('TSExportAssignment', node, opts);
}
function assertTSNamespaceExportDeclaration(node, opts) {
- assert("TSNamespaceExportDeclaration", node, opts);
+ assert('TSNamespaceExportDeclaration', node, opts);
}
function assertTSTypeAnnotation(node, opts) {
- assert("TSTypeAnnotation", node, opts);
+ assert('TSTypeAnnotation', node, opts);
}
function assertTSTypeParameterInstantiation(node, opts) {
- assert("TSTypeParameterInstantiation", node, opts);
+ assert('TSTypeParameterInstantiation', node, opts);
}
function assertTSTypeParameterDeclaration(node, opts) {
- assert("TSTypeParameterDeclaration", node, opts);
+ assert('TSTypeParameterDeclaration', node, opts);
}
function assertTSTypeParameter(node, opts) {
- assert("TSTypeParameter", node, opts);
+ assert('TSTypeParameter', node, opts);
}
function assertStandardized(node, opts) {
- assert("Standardized", node, opts);
+ assert('Standardized', node, opts);
}
function assertExpression(node, opts) {
- assert("Expression", node, opts);
+ assert('Expression', node, opts);
}
function assertBinary(node, opts) {
- assert("Binary", node, opts);
+ assert('Binary', node, opts);
}
function assertScopable(node, opts) {
- assert("Scopable", node, opts);
+ assert('Scopable', node, opts);
}
function assertBlockParent(node, opts) {
- assert("BlockParent", node, opts);
+ assert('BlockParent', node, opts);
}
function assertBlock(node, opts) {
- assert("Block", node, opts);
+ assert('Block', node, opts);
}
function assertStatement(node, opts) {
- assert("Statement", node, opts);
+ assert('Statement', node, opts);
}
function assertTerminatorless(node, opts) {
- assert("Terminatorless", node, opts);
+ assert('Terminatorless', node, opts);
}
function assertCompletionStatement(node, opts) {
- assert("CompletionStatement", node, opts);
+ assert('CompletionStatement', node, opts);
}
function assertConditional(node, opts) {
- assert("Conditional", node, opts);
+ assert('Conditional', node, opts);
}
function assertLoop(node, opts) {
- assert("Loop", node, opts);
+ assert('Loop', node, opts);
}
function assertWhile(node, opts) {
- assert("While", node, opts);
+ assert('While', node, opts);
}
function assertExpressionWrapper(node, opts) {
- assert("ExpressionWrapper", node, opts);
+ assert('ExpressionWrapper', node, opts);
}
function assertFor(node, opts) {
- assert("For", node, opts);
+ assert('For', node, opts);
}
function assertForXStatement(node, opts) {
- assert("ForXStatement", node, opts);
+ assert('ForXStatement', node, opts);
}
function assertFunction(node, opts) {
- assert("Function", node, opts);
+ assert('Function', node, opts);
}
function assertFunctionParent(node, opts) {
- assert("FunctionParent", node, opts);
+ assert('FunctionParent', node, opts);
}
function assertPureish(node, opts) {
- assert("Pureish", node, opts);
+ assert('Pureish', node, opts);
}
function assertDeclaration(node, opts) {
- assert("Declaration", node, opts);
+ assert('Declaration', node, opts);
}
function assertPatternLike(node, opts) {
- assert("PatternLike", node, opts);
+ assert('PatternLike', node, opts);
}
function assertLVal(node, opts) {
- assert("LVal", node, opts);
+ assert('LVal', node, opts);
}
function assertTSEntityName(node, opts) {
- assert("TSEntityName", node, opts);
+ assert('TSEntityName', node, opts);
}
function assertLiteral(node, opts) {
- assert("Literal", node, opts);
+ assert('Literal', node, opts);
}
function assertImmutable(node, opts) {
- assert("Immutable", node, opts);
+ assert('Immutable', node, opts);
}
function assertUserWhitespacable(node, opts) {
- assert("UserWhitespacable", node, opts);
+ assert('UserWhitespacable', node, opts);
}
function assertMethod(node, opts) {
- assert("Method", node, opts);
+ assert('Method', node, opts);
}
function assertObjectMember(node, opts) {
- assert("ObjectMember", node, opts);
+ assert('ObjectMember', node, opts);
}
function assertProperty(node, opts) {
- assert("Property", node, opts);
+ assert('Property', node, opts);
}
function assertUnaryLike(node, opts) {
- assert("UnaryLike", node, opts);
+ assert('UnaryLike', node, opts);
}
function assertPattern(node, opts) {
- assert("Pattern", node, opts);
+ assert('Pattern', node, opts);
}
function assertClass(node, opts) {
- assert("Class", node, opts);
+ assert('Class', node, opts);
}
function assertModuleDeclaration(node, opts) {
- assert("ModuleDeclaration", node, opts);
+ assert('ModuleDeclaration', node, opts);
}
function assertExportDeclaration(node, opts) {
- assert("ExportDeclaration", node, opts);
+ assert('ExportDeclaration', node, opts);
}
function assertModuleSpecifier(node, opts) {
- assert("ModuleSpecifier", node, opts);
+ assert('ModuleSpecifier', node, opts);
}
function assertAccessor(node, opts) {
- assert("Accessor", node, opts);
+ assert('Accessor', node, opts);
}
function assertPrivate(node, opts) {
- assert("Private", node, opts);
+ assert('Private', node, opts);
}
function assertFlow(node, opts) {
- assert("Flow", node, opts);
+ assert('Flow', node, opts);
}
function assertFlowType(node, opts) {
- assert("FlowType", node, opts);
+ assert('FlowType', node, opts);
}
function assertFlowBaseAnnotation(node, opts) {
- assert("FlowBaseAnnotation", node, opts);
+ assert('FlowBaseAnnotation', node, opts);
}
function assertFlowDeclaration(node, opts) {
- assert("FlowDeclaration", node, opts);
+ assert('FlowDeclaration', node, opts);
}
function assertFlowPredicate(node, opts) {
- assert("FlowPredicate", node, opts);
+ assert('FlowPredicate', node, opts);
}
function assertEnumBody(node, opts) {
- assert("EnumBody", node, opts);
+ assert('EnumBody', node, opts);
}
function assertEnumMember(node, opts) {
- assert("EnumMember", node, opts);
+ assert('EnumMember', node, opts);
}
function assertJSX(node, opts) {
- assert("JSX", node, opts);
+ assert('JSX', node, opts);
}
function assertMiscellaneous(node, opts) {
- assert("Miscellaneous", node, opts);
+ assert('Miscellaneous', node, opts);
}
function assertTypeScript(node, opts) {
- assert("TypeScript", node, opts);
+ assert('TypeScript', node, opts);
}
function assertTSTypeElement(node, opts) {
- assert("TSTypeElement", node, opts);
+ assert('TSTypeElement', node, opts);
}
function assertTSType(node, opts) {
- assert("TSType", node, opts);
+ assert('TSType', node, opts);
}
function assertTSBaseType(node, opts) {
- assert("TSBaseType", node, opts);
+ assert('TSBaseType', node, opts);
}
function assertNumberLiteral(node, opts) {
- console.trace("The node type NumberLiteral has been renamed to NumericLiteral");
- assert("NumberLiteral", node, opts);
+ console.trace(
+ 'The node type NumberLiteral has been renamed to NumericLiteral'
+ );
+ assert('NumberLiteral', node, opts);
}
function assertRegexLiteral(node, opts) {
- console.trace("The node type RegexLiteral has been renamed to RegExpLiteral");
- assert("RegexLiteral", node, opts);
+ console.trace('The node type RegexLiteral has been renamed to RegExpLiteral');
+ assert('RegexLiteral', node, opts);
}
function assertRestProperty(node, opts) {
- console.trace("The node type RestProperty has been renamed to RestElement");
- assert("RestProperty", node, opts);
+ console.trace('The node type RestProperty has been renamed to RestElement');
+ assert('RestProperty', node, opts);
}
function assertSpreadProperty(node, opts) {
- console.trace("The node type SpreadProperty has been renamed to SpreadElement");
- assert("SpreadProperty", node, opts);
+ console.trace(
+ 'The node type SpreadProperty has been renamed to SpreadElement'
+ );
+ assert('SpreadProperty', node, opts);
}
//# sourceMappingURL=index.js.map
diff --git a/node_modules/@babel/types/lib/ast-types/generated/index.js b/node_modules/@babel/types/lib/ast-types/generated/index.js
index d48e85e..5b40fd5 100644
--- a/node_modules/@babel/types/lib/ast-types/generated/index.js
+++ b/node_modules/@babel/types/lib/ast-types/generated/index.js
@@ -1,3 +1 @@
-
-
//# sourceMappingURL=index.js.map
diff --git a/node_modules/@babel/types/lib/builders/flow/createFlowUnionType.js b/node_modules/@babel/types/lib/builders/flow/createFlowUnionType.js
index bdab86a..76ebed1 100644
--- a/node_modules/@babel/types/lib/builders/flow/createFlowUnionType.js
+++ b/node_modules/@babel/types/lib/builders/flow/createFlowUnionType.js
@@ -1,13 +1,13 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = createFlowUnionType;
-var _generated = require("../generated");
+var _generated = require('../generated');
-var _removeTypeDuplicates = require("../../modifications/flow/removeTypeDuplicates");
+var _removeTypeDuplicates = require('../../modifications/flow/removeTypeDuplicates');
function createFlowUnionType(types) {
const flattened = (0, _removeTypeDuplicates.default)(types);
diff --git a/node_modules/@babel/types/lib/builders/flow/createTypeAnnotationBasedOnTypeof.js b/node_modules/@babel/types/lib/builders/flow/createTypeAnnotationBasedOnTypeof.js
index 1c3c98e..3e019cd 100644
--- a/node_modules/@babel/types/lib/builders/flow/createTypeAnnotationBasedOnTypeof.js
+++ b/node_modules/@babel/types/lib/builders/flow/createTypeAnnotationBasedOnTypeof.js
@@ -1,43 +1,49 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
-var _generated = require("../generated");
+var _generated = require('../generated');
var _default = createTypeAnnotationBasedOnTypeof;
exports.default = _default;
function createTypeAnnotationBasedOnTypeof(type) {
switch (type) {
- case "string":
+ case 'string':
return (0, _generated.stringTypeAnnotation)();
- case "number":
+ case 'number':
return (0, _generated.numberTypeAnnotation)();
- case "undefined":
+ case 'undefined':
return (0, _generated.voidTypeAnnotation)();
- case "boolean":
+ case 'boolean':
return (0, _generated.booleanTypeAnnotation)();
- case "function":
- return (0, _generated.genericTypeAnnotation)((0, _generated.identifier)("Function"));
+ case 'function':
+ return (0, _generated.genericTypeAnnotation)(
+ (0, _generated.identifier)('Function')
+ );
- case "object":
- return (0, _generated.genericTypeAnnotation)((0, _generated.identifier)("Object"));
+ case 'object':
+ return (0, _generated.genericTypeAnnotation)(
+ (0, _generated.identifier)('Object')
+ );
- case "symbol":
- return (0, _generated.genericTypeAnnotation)((0, _generated.identifier)("Symbol"));
+ case 'symbol':
+ return (0, _generated.genericTypeAnnotation)(
+ (0, _generated.identifier)('Symbol')
+ );
- case "bigint":
+ case 'bigint':
return (0, _generated.anyTypeAnnotation)();
}
- throw new Error("Invalid typeof value: " + type);
+ throw new Error('Invalid typeof value: ' + type);
}
//# sourceMappingURL=createTypeAnnotationBasedOnTypeof.js.map
diff --git a/node_modules/@babel/types/lib/builders/generated/index.js b/node_modules/@babel/types/lib/builders/generated/index.js
index c42f919..aea81da 100644
--- a/node_modules/@babel/types/lib/builders/generated/index.js
+++ b/node_modules/@babel/types/lib/builders/generated/index.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.anyTypeAnnotation = anyTypeAnnotation;
exports.argumentPlaceholder = argumentPlaceholder;
@@ -99,7 +99,8 @@ exports.jSXClosingElement = exports.jsxClosingElement = jsxClosingElement;
exports.jSXClosingFragment = exports.jsxClosingFragment = jsxClosingFragment;
exports.jSXElement = exports.jsxElement = jsxElement;
exports.jSXEmptyExpression = exports.jsxEmptyExpression = jsxEmptyExpression;
-exports.jSXExpressionContainer = exports.jsxExpressionContainer = jsxExpressionContainer;
+exports.jSXExpressionContainer = exports.jsxExpressionContainer =
+ jsxExpressionContainer;
exports.jSXFragment = exports.jsxFragment = jsxFragment;
exports.jSXIdentifier = exports.jsxIdentifier = jsxIdentifier;
exports.jSXMemberExpression = exports.jsxMemberExpression = jsxMemberExpression;
@@ -176,26 +177,33 @@ exports.tSArrayType = exports.tsArrayType = tsArrayType;
exports.tSAsExpression = exports.tsAsExpression = tsAsExpression;
exports.tSBigIntKeyword = exports.tsBigIntKeyword = tsBigIntKeyword;
exports.tSBooleanKeyword = exports.tsBooleanKeyword = tsBooleanKeyword;
-exports.tSCallSignatureDeclaration = exports.tsCallSignatureDeclaration = tsCallSignatureDeclaration;
+exports.tSCallSignatureDeclaration = exports.tsCallSignatureDeclaration =
+ tsCallSignatureDeclaration;
exports.tSConditionalType = exports.tsConditionalType = tsConditionalType;
-exports.tSConstructSignatureDeclaration = exports.tsConstructSignatureDeclaration = tsConstructSignatureDeclaration;
+exports.tSConstructSignatureDeclaration =
+ exports.tsConstructSignatureDeclaration = tsConstructSignatureDeclaration;
exports.tSConstructorType = exports.tsConstructorType = tsConstructorType;
exports.tSDeclareFunction = exports.tsDeclareFunction = tsDeclareFunction;
exports.tSDeclareMethod = exports.tsDeclareMethod = tsDeclareMethod;
exports.tSEnumDeclaration = exports.tsEnumDeclaration = tsEnumDeclaration;
exports.tSEnumMember = exports.tsEnumMember = tsEnumMember;
exports.tSExportAssignment = exports.tsExportAssignment = tsExportAssignment;
-exports.tSExpressionWithTypeArguments = exports.tsExpressionWithTypeArguments = tsExpressionWithTypeArguments;
-exports.tSExternalModuleReference = exports.tsExternalModuleReference = tsExternalModuleReference;
+exports.tSExpressionWithTypeArguments = exports.tsExpressionWithTypeArguments =
+ tsExpressionWithTypeArguments;
+exports.tSExternalModuleReference = exports.tsExternalModuleReference =
+ tsExternalModuleReference;
exports.tSFunctionType = exports.tsFunctionType = tsFunctionType;
-exports.tSImportEqualsDeclaration = exports.tsImportEqualsDeclaration = tsImportEqualsDeclaration;
+exports.tSImportEqualsDeclaration = exports.tsImportEqualsDeclaration =
+ tsImportEqualsDeclaration;
exports.tSImportType = exports.tsImportType = tsImportType;
exports.tSIndexSignature = exports.tsIndexSignature = tsIndexSignature;
exports.tSIndexedAccessType = exports.tsIndexedAccessType = tsIndexedAccessType;
exports.tSInferType = exports.tsInferType = tsInferType;
-exports.tSInstantiationExpression = exports.tsInstantiationExpression = tsInstantiationExpression;
+exports.tSInstantiationExpression = exports.tsInstantiationExpression =
+ tsInstantiationExpression;
exports.tSInterfaceBody = exports.tsInterfaceBody = tsInterfaceBody;
-exports.tSInterfaceDeclaration = exports.tsInterfaceDeclaration = tsInterfaceDeclaration;
+exports.tSInterfaceDeclaration = exports.tsInterfaceDeclaration =
+ tsInterfaceDeclaration;
exports.tSIntersectionType = exports.tsIntersectionType = tsIntersectionType;
exports.tSIntrinsicKeyword = exports.tsIntrinsicKeyword = tsIntrinsicKeyword;
exports.tSLiteralType = exports.tsLiteralType = tsLiteralType;
@@ -204,7 +212,8 @@ exports.tSMethodSignature = exports.tsMethodSignature = tsMethodSignature;
exports.tSModuleBlock = exports.tsModuleBlock = tsModuleBlock;
exports.tSModuleDeclaration = exports.tsModuleDeclaration = tsModuleDeclaration;
exports.tSNamedTupleMember = exports.tsNamedTupleMember = tsNamedTupleMember;
-exports.tSNamespaceExportDeclaration = exports.tsNamespaceExportDeclaration = tsNamespaceExportDeclaration;
+exports.tSNamespaceExportDeclaration = exports.tsNamespaceExportDeclaration =
+ tsNamespaceExportDeclaration;
exports.tSNeverKeyword = exports.tsNeverKeyword = tsNeverKeyword;
exports.tSNonNullExpression = exports.tsNonNullExpression = tsNonNullExpression;
exports.tSNullKeyword = exports.tsNullKeyword = tsNullKeyword;
@@ -220,14 +229,17 @@ exports.tSStringKeyword = exports.tsStringKeyword = tsStringKeyword;
exports.tSSymbolKeyword = exports.tsSymbolKeyword = tsSymbolKeyword;
exports.tSThisType = exports.tsThisType = tsThisType;
exports.tSTupleType = exports.tsTupleType = tsTupleType;
-exports.tSTypeAliasDeclaration = exports.tsTypeAliasDeclaration = tsTypeAliasDeclaration;
+exports.tSTypeAliasDeclaration = exports.tsTypeAliasDeclaration =
+ tsTypeAliasDeclaration;
exports.tSTypeAnnotation = exports.tsTypeAnnotation = tsTypeAnnotation;
exports.tSTypeAssertion = exports.tsTypeAssertion = tsTypeAssertion;
exports.tSTypeLiteral = exports.tsTypeLiteral = tsTypeLiteral;
exports.tSTypeOperator = exports.tsTypeOperator = tsTypeOperator;
exports.tSTypeParameter = exports.tsTypeParameter = tsTypeParameter;
-exports.tSTypeParameterDeclaration = exports.tsTypeParameterDeclaration = tsTypeParameterDeclaration;
-exports.tSTypeParameterInstantiation = exports.tsTypeParameterInstantiation = tsTypeParameterInstantiation;
+exports.tSTypeParameterDeclaration = exports.tsTypeParameterDeclaration =
+ tsTypeParameterDeclaration;
+exports.tSTypeParameterInstantiation = exports.tsTypeParameterInstantiation =
+ tsTypeParameterInstantiation;
exports.tSTypePredicate = exports.tsTypePredicate = tsTypePredicate;
exports.tSTypeQuery = exports.tsTypeQuery = tsTypeQuery;
exports.tSTypeReference = exports.tsTypeReference = tsTypeReference;
@@ -256,556 +268,605 @@ exports.whileStatement = whileStatement;
exports.withStatement = withStatement;
exports.yieldExpression = yieldExpression;
-var _validateNode = require("../validateNode");
+var _validateNode = require('../validateNode');
function arrayExpression(elements = []) {
return (0, _validateNode.default)({
- type: "ArrayExpression",
- elements
+ type: 'ArrayExpression',
+ elements,
});
}
function assignmentExpression(operator, left, right) {
return (0, _validateNode.default)({
- type: "AssignmentExpression",
+ type: 'AssignmentExpression',
operator,
left,
- right
+ right,
});
}
function binaryExpression(operator, left, right) {
return (0, _validateNode.default)({
- type: "BinaryExpression",
+ type: 'BinaryExpression',
operator,
left,
- right
+ right,
});
}
function interpreterDirective(value) {
return (0, _validateNode.default)({
- type: "InterpreterDirective",
- value
+ type: 'InterpreterDirective',
+ value,
});
}
function directive(value) {
return (0, _validateNode.default)({
- type: "Directive",
- value
+ type: 'Directive',
+ value,
});
}
function directiveLiteral(value) {
return (0, _validateNode.default)({
- type: "DirectiveLiteral",
- value
+ type: 'DirectiveLiteral',
+ value,
});
}
function blockStatement(body, directives = []) {
return (0, _validateNode.default)({
- type: "BlockStatement",
+ type: 'BlockStatement',
body,
- directives
+ directives,
});
}
function breakStatement(label = null) {
return (0, _validateNode.default)({
- type: "BreakStatement",
- label
+ type: 'BreakStatement',
+ label,
});
}
function callExpression(callee, _arguments) {
return (0, _validateNode.default)({
- type: "CallExpression",
+ type: 'CallExpression',
callee,
- arguments: _arguments
+ arguments: _arguments,
});
}
function catchClause(param = null, body) {
return (0, _validateNode.default)({
- type: "CatchClause",
+ type: 'CatchClause',
param,
- body
+ body,
});
}
function conditionalExpression(test, consequent, alternate) {
return (0, _validateNode.default)({
- type: "ConditionalExpression",
+ type: 'ConditionalExpression',
test,
consequent,
- alternate
+ alternate,
});
}
function continueStatement(label = null) {
return (0, _validateNode.default)({
- type: "ContinueStatement",
- label
+ type: 'ContinueStatement',
+ label,
});
}
function debuggerStatement() {
return {
- type: "DebuggerStatement"
+ type: 'DebuggerStatement',
};
}
function doWhileStatement(test, body) {
return (0, _validateNode.default)({
- type: "DoWhileStatement",
+ type: 'DoWhileStatement',
test,
- body
+ body,
});
}
function emptyStatement() {
return {
- type: "EmptyStatement"
+ type: 'EmptyStatement',
};
}
function expressionStatement(expression) {
return (0, _validateNode.default)({
- type: "ExpressionStatement",
- expression
+ type: 'ExpressionStatement',
+ expression,
});
}
function file(program, comments = null, tokens = null) {
return (0, _validateNode.default)({
- type: "File",
+ type: 'File',
program,
comments,
- tokens
+ tokens,
});
}
function forInStatement(left, right, body) {
return (0, _validateNode.default)({
- type: "ForInStatement",
+ type: 'ForInStatement',
left,
right,
- body
+ body,
});
}
function forStatement(init = null, test = null, update = null, body) {
return (0, _validateNode.default)({
- type: "ForStatement",
+ type: 'ForStatement',
init,
test,
update,
- body
+ body,
});
}
-function functionDeclaration(id = null, params, body, generator = false, async = false) {
+function functionDeclaration(
+ id = null,
+ params,
+ body,
+ generator = false,
+ async = false
+) {
return (0, _validateNode.default)({
- type: "FunctionDeclaration",
+ type: 'FunctionDeclaration',
id,
params,
body,
generator,
- async
+ async,
});
}
-function functionExpression(id = null, params, body, generator = false, async = false) {
+function functionExpression(
+ id = null,
+ params,
+ body,
+ generator = false,
+ async = false
+) {
return (0, _validateNode.default)({
- type: "FunctionExpression",
+ type: 'FunctionExpression',
id,
params,
body,
generator,
- async
+ async,
});
}
function identifier(name) {
return (0, _validateNode.default)({
- type: "Identifier",
- name
+ type: 'Identifier',
+ name,
});
}
function ifStatement(test, consequent, alternate = null) {
return (0, _validateNode.default)({
- type: "IfStatement",
+ type: 'IfStatement',
test,
consequent,
- alternate
+ alternate,
});
}
function labeledStatement(label, body) {
return (0, _validateNode.default)({
- type: "LabeledStatement",
+ type: 'LabeledStatement',
label,
- body
+ body,
});
}
function stringLiteral(value) {
return (0, _validateNode.default)({
- type: "StringLiteral",
- value
+ type: 'StringLiteral',
+ value,
});
}
function numericLiteral(value) {
return (0, _validateNode.default)({
- type: "NumericLiteral",
- value
+ type: 'NumericLiteral',
+ value,
});
}
function nullLiteral() {
return {
- type: "NullLiteral"
+ type: 'NullLiteral',
};
}
function booleanLiteral(value) {
return (0, _validateNode.default)({
- type: "BooleanLiteral",
- value
+ type: 'BooleanLiteral',
+ value,
});
}
-function regExpLiteral(pattern, flags = "") {
+function regExpLiteral(pattern, flags = '') {
return (0, _validateNode.default)({
- type: "RegExpLiteral",
+ type: 'RegExpLiteral',
pattern,
- flags
+ flags,
});
}
function logicalExpression(operator, left, right) {
return (0, _validateNode.default)({
- type: "LogicalExpression",
+ type: 'LogicalExpression',
operator,
left,
- right
+ right,
});
}
function memberExpression(object, property, computed = false, optional = null) {
return (0, _validateNode.default)({
- type: "MemberExpression",
+ type: 'MemberExpression',
object,
property,
computed,
- optional
+ optional,
});
}
function newExpression(callee, _arguments) {
return (0, _validateNode.default)({
- type: "NewExpression",
+ type: 'NewExpression',
callee,
- arguments: _arguments
+ arguments: _arguments,
});
}
-function program(body, directives = [], sourceType = "script", interpreter = null) {
+function program(
+ body,
+ directives = [],
+ sourceType = 'script',
+ interpreter = null
+) {
return (0, _validateNode.default)({
- type: "Program",
+ type: 'Program',
body,
directives,
sourceType,
interpreter,
- sourceFile: null
+ sourceFile: null,
});
}
function objectExpression(properties) {
return (0, _validateNode.default)({
- type: "ObjectExpression",
- properties
+ type: 'ObjectExpression',
+ properties,
});
}
-function objectMethod(kind = "method", key, params, body, computed = false, generator = false, async = false) {
+function objectMethod(
+ kind = 'method',
+ key,
+ params,
+ body,
+ computed = false,
+ generator = false,
+ async = false
+) {
return (0, _validateNode.default)({
- type: "ObjectMethod",
+ type: 'ObjectMethod',
kind,
key,
params,
body,
computed,
generator,
- async
+ async,
});
}
-function objectProperty(key, value, computed = false, shorthand = false, decorators = null) {
+function objectProperty(
+ key,
+ value,
+ computed = false,
+ shorthand = false,
+ decorators = null
+) {
return (0, _validateNode.default)({
- type: "ObjectProperty",
+ type: 'ObjectProperty',
key,
value,
computed,
shorthand,
- decorators
+ decorators,
});
}
function restElement(argument) {
return (0, _validateNode.default)({
- type: "RestElement",
- argument
+ type: 'RestElement',
+ argument,
});
}
function returnStatement(argument = null) {
return (0, _validateNode.default)({
- type: "ReturnStatement",
- argument
+ type: 'ReturnStatement',
+ argument,
});
}
function sequenceExpression(expressions) {
return (0, _validateNode.default)({
- type: "SequenceExpression",
- expressions
+ type: 'SequenceExpression',
+ expressions,
});
}
function parenthesizedExpression(expression) {
return (0, _validateNode.default)({
- type: "ParenthesizedExpression",
- expression
+ type: 'ParenthesizedExpression',
+ expression,
});
}
function switchCase(test = null, consequent) {
return (0, _validateNode.default)({
- type: "SwitchCase",
+ type: 'SwitchCase',
test,
- consequent
+ consequent,
});
}
function switchStatement(discriminant, cases) {
return (0, _validateNode.default)({
- type: "SwitchStatement",
+ type: 'SwitchStatement',
discriminant,
- cases
+ cases,
});
}
function thisExpression() {
return {
- type: "ThisExpression"
+ type: 'ThisExpression',
};
}
function throwStatement(argument) {
return (0, _validateNode.default)({
- type: "ThrowStatement",
- argument
+ type: 'ThrowStatement',
+ argument,
});
}
function tryStatement(block, handler = null, finalizer = null) {
return (0, _validateNode.default)({
- type: "TryStatement",
+ type: 'TryStatement',
block,
handler,
- finalizer
+ finalizer,
});
}
function unaryExpression(operator, argument, prefix = true) {
return (0, _validateNode.default)({
- type: "UnaryExpression",
+ type: 'UnaryExpression',
operator,
argument,
- prefix
+ prefix,
});
}
function updateExpression(operator, argument, prefix = false) {
return (0, _validateNode.default)({
- type: "UpdateExpression",
+ type: 'UpdateExpression',
operator,
argument,
- prefix
+ prefix,
});
}
function variableDeclaration(kind, declarations) {
return (0, _validateNode.default)({
- type: "VariableDeclaration",
+ type: 'VariableDeclaration',
kind,
- declarations
+ declarations,
});
}
function variableDeclarator(id, init = null) {
return (0, _validateNode.default)({
- type: "VariableDeclarator",
+ type: 'VariableDeclarator',
id,
- init
+ init,
});
}
function whileStatement(test, body) {
return (0, _validateNode.default)({
- type: "WhileStatement",
+ type: 'WhileStatement',
test,
- body
+ body,
});
}
function withStatement(object, body) {
return (0, _validateNode.default)({
- type: "WithStatement",
+ type: 'WithStatement',
object,
- body
+ body,
});
}
function assignmentPattern(left, right) {
return (0, _validateNode.default)({
- type: "AssignmentPattern",
+ type: 'AssignmentPattern',
left,
- right
+ right,
});
}
function arrayPattern(elements) {
return (0, _validateNode.default)({
- type: "ArrayPattern",
- elements
+ type: 'ArrayPattern',
+ elements,
});
}
function arrowFunctionExpression(params, body, async = false) {
return (0, _validateNode.default)({
- type: "ArrowFunctionExpression",
+ type: 'ArrowFunctionExpression',
params,
body,
async,
- expression: null
+ expression: null,
});
}
function classBody(body) {
return (0, _validateNode.default)({
- type: "ClassBody",
- body
+ type: 'ClassBody',
+ body,
});
}
-function classExpression(id = null, superClass = null, body, decorators = null) {
+function classExpression(
+ id = null,
+ superClass = null,
+ body,
+ decorators = null
+) {
return (0, _validateNode.default)({
- type: "ClassExpression",
+ type: 'ClassExpression',
id,
superClass,
body,
- decorators
+ decorators,
});
}
function classDeclaration(id, superClass = null, body, decorators = null) {
return (0, _validateNode.default)({
- type: "ClassDeclaration",
+ type: 'ClassDeclaration',
id,
superClass,
body,
- decorators
+ decorators,
});
}
function exportAllDeclaration(source) {
return (0, _validateNode.default)({
- type: "ExportAllDeclaration",
- source
+ type: 'ExportAllDeclaration',
+ source,
});
}
function exportDefaultDeclaration(declaration) {
return (0, _validateNode.default)({
- type: "ExportDefaultDeclaration",
- declaration
+ type: 'ExportDefaultDeclaration',
+ declaration,
});
}
-function exportNamedDeclaration(declaration = null, specifiers = [], source = null) {
+function exportNamedDeclaration(
+ declaration = null,
+ specifiers = [],
+ source = null
+) {
return (0, _validateNode.default)({
- type: "ExportNamedDeclaration",
+ type: 'ExportNamedDeclaration',
declaration,
specifiers,
- source
+ source,
});
}
function exportSpecifier(local, exported) {
return (0, _validateNode.default)({
- type: "ExportSpecifier",
+ type: 'ExportSpecifier',
local,
- exported
+ exported,
});
}
function forOfStatement(left, right, body, _await = false) {
return (0, _validateNode.default)({
- type: "ForOfStatement",
+ type: 'ForOfStatement',
left,
right,
body,
- await: _await
+ await: _await,
});
}
function importDeclaration(specifiers, source) {
return (0, _validateNode.default)({
- type: "ImportDeclaration",
+ type: 'ImportDeclaration',
specifiers,
- source
+ source,
});
}
function importDefaultSpecifier(local) {
return (0, _validateNode.default)({
- type: "ImportDefaultSpecifier",
- local
+ type: 'ImportDefaultSpecifier',
+ local,
});
}
function importNamespaceSpecifier(local) {
return (0, _validateNode.default)({
- type: "ImportNamespaceSpecifier",
- local
+ type: 'ImportNamespaceSpecifier',
+ local,
});
}
function importSpecifier(local, imported) {
return (0, _validateNode.default)({
- type: "ImportSpecifier",
+ type: 'ImportSpecifier',
local,
- imported
+ imported,
});
}
function metaProperty(meta, property) {
return (0, _validateNode.default)({
- type: "MetaProperty",
+ type: 'MetaProperty',
meta,
- property
+ property,
});
}
-function classMethod(kind = "method", key, params, body, computed = false, _static = false, generator = false, async = false) {
+function classMethod(
+ kind = 'method',
+ key,
+ params,
+ body,
+ computed = false,
+ _static = false,
+ generator = false,
+ async = false
+) {
return (0, _validateNode.default)({
- type: "ClassMethod",
+ type: 'ClassMethod',
kind,
key,
params,
@@ -813,445 +874,495 @@ function classMethod(kind = "method", key, params, body, computed = false, _stat
computed,
static: _static,
generator,
- async
+ async,
});
}
function objectPattern(properties) {
return (0, _validateNode.default)({
- type: "ObjectPattern",
- properties
+ type: 'ObjectPattern',
+ properties,
});
}
function spreadElement(argument) {
return (0, _validateNode.default)({
- type: "SpreadElement",
- argument
+ type: 'SpreadElement',
+ argument,
});
}
function _super() {
return {
- type: "Super"
+ type: 'Super',
};
}
function taggedTemplateExpression(tag, quasi) {
return (0, _validateNode.default)({
- type: "TaggedTemplateExpression",
+ type: 'TaggedTemplateExpression',
tag,
- quasi
+ quasi,
});
}
function templateElement(value, tail = false) {
return (0, _validateNode.default)({
- type: "TemplateElement",
+ type: 'TemplateElement',
value,
- tail
+ tail,
});
}
function templateLiteral(quasis, expressions) {
return (0, _validateNode.default)({
- type: "TemplateLiteral",
+ type: 'TemplateLiteral',
quasis,
- expressions
+ expressions,
});
}
function yieldExpression(argument = null, delegate = false) {
return (0, _validateNode.default)({
- type: "YieldExpression",
+ type: 'YieldExpression',
argument,
- delegate
+ delegate,
});
}
function awaitExpression(argument) {
return (0, _validateNode.default)({
- type: "AwaitExpression",
- argument
+ type: 'AwaitExpression',
+ argument,
});
}
function _import() {
return {
- type: "Import"
+ type: 'Import',
};
}
function bigIntLiteral(value) {
return (0, _validateNode.default)({
- type: "BigIntLiteral",
- value
+ type: 'BigIntLiteral',
+ value,
});
}
function exportNamespaceSpecifier(exported) {
return (0, _validateNode.default)({
- type: "ExportNamespaceSpecifier",
- exported
+ type: 'ExportNamespaceSpecifier',
+ exported,
});
}
-function optionalMemberExpression(object, property, computed = false, optional) {
+function optionalMemberExpression(
+ object,
+ property,
+ computed = false,
+ optional
+) {
return (0, _validateNode.default)({
- type: "OptionalMemberExpression",
+ type: 'OptionalMemberExpression',
object,
property,
computed,
- optional
+ optional,
});
}
function optionalCallExpression(callee, _arguments, optional) {
return (0, _validateNode.default)({
- type: "OptionalCallExpression",
+ type: 'OptionalCallExpression',
callee,
arguments: _arguments,
- optional
+ optional,
});
}
-function classProperty(key, value = null, typeAnnotation = null, decorators = null, computed = false, _static = false) {
+function classProperty(
+ key,
+ value = null,
+ typeAnnotation = null,
+ decorators = null,
+ computed = false,
+ _static = false
+) {
return (0, _validateNode.default)({
- type: "ClassProperty",
+ type: 'ClassProperty',
key,
value,
typeAnnotation,
decorators,
computed,
- static: _static
+ static: _static,
});
}
-function classAccessorProperty(key, value = null, typeAnnotation = null, decorators = null, computed = false, _static = false) {
+function classAccessorProperty(
+ key,
+ value = null,
+ typeAnnotation = null,
+ decorators = null,
+ computed = false,
+ _static = false
+) {
return (0, _validateNode.default)({
- type: "ClassAccessorProperty",
+ type: 'ClassAccessorProperty',
key,
value,
typeAnnotation,
decorators,
computed,
- static: _static
+ static: _static,
});
}
-function classPrivateProperty(key, value = null, decorators = null, _static = false) {
+function classPrivateProperty(
+ key,
+ value = null,
+ decorators = null,
+ _static = false
+) {
return (0, _validateNode.default)({
- type: "ClassPrivateProperty",
+ type: 'ClassPrivateProperty',
key,
value,
decorators,
- static: _static
+ static: _static,
});
}
-function classPrivateMethod(kind = "method", key, params, body, _static = false) {
+function classPrivateMethod(
+ kind = 'method',
+ key,
+ params,
+ body,
+ _static = false
+) {
return (0, _validateNode.default)({
- type: "ClassPrivateMethod",
+ type: 'ClassPrivateMethod',
kind,
key,
params,
body,
- static: _static
+ static: _static,
});
}
function privateName(id) {
return (0, _validateNode.default)({
- type: "PrivateName",
- id
+ type: 'PrivateName',
+ id,
});
}
function staticBlock(body) {
return (0, _validateNode.default)({
- type: "StaticBlock",
- body
+ type: 'StaticBlock',
+ body,
});
}
function anyTypeAnnotation() {
return {
- type: "AnyTypeAnnotation"
+ type: 'AnyTypeAnnotation',
};
}
function arrayTypeAnnotation(elementType) {
return (0, _validateNode.default)({
- type: "ArrayTypeAnnotation",
- elementType
+ type: 'ArrayTypeAnnotation',
+ elementType,
});
}
function booleanTypeAnnotation() {
return {
- type: "BooleanTypeAnnotation"
+ type: 'BooleanTypeAnnotation',
};
}
function booleanLiteralTypeAnnotation(value) {
return (0, _validateNode.default)({
- type: "BooleanLiteralTypeAnnotation",
- value
+ type: 'BooleanLiteralTypeAnnotation',
+ value,
});
}
function nullLiteralTypeAnnotation() {
return {
- type: "NullLiteralTypeAnnotation"
+ type: 'NullLiteralTypeAnnotation',
};
}
function classImplements(id, typeParameters = null) {
return (0, _validateNode.default)({
- type: "ClassImplements",
+ type: 'ClassImplements',
id,
- typeParameters
+ typeParameters,
});
}
function declareClass(id, typeParameters = null, _extends = null, body) {
return (0, _validateNode.default)({
- type: "DeclareClass",
+ type: 'DeclareClass',
id,
typeParameters,
extends: _extends,
- body
+ body,
});
}
function declareFunction(id) {
return (0, _validateNode.default)({
- type: "DeclareFunction",
- id
+ type: 'DeclareFunction',
+ id,
});
}
function declareInterface(id, typeParameters = null, _extends = null, body) {
return (0, _validateNode.default)({
- type: "DeclareInterface",
+ type: 'DeclareInterface',
id,
typeParameters,
extends: _extends,
- body
+ body,
});
}
function declareModule(id, body, kind = null) {
return (0, _validateNode.default)({
- type: "DeclareModule",
+ type: 'DeclareModule',
id,
body,
- kind
+ kind,
});
}
function declareModuleExports(typeAnnotation) {
return (0, _validateNode.default)({
- type: "DeclareModuleExports",
- typeAnnotation
+ type: 'DeclareModuleExports',
+ typeAnnotation,
});
}
function declareTypeAlias(id, typeParameters = null, right) {
return (0, _validateNode.default)({
- type: "DeclareTypeAlias",
+ type: 'DeclareTypeAlias',
id,
typeParameters,
- right
+ right,
});
}
function declareOpaqueType(id, typeParameters = null, supertype = null) {
return (0, _validateNode.default)({
- type: "DeclareOpaqueType",
+ type: 'DeclareOpaqueType',
id,
typeParameters,
- supertype
+ supertype,
});
}
function declareVariable(id) {
return (0, _validateNode.default)({
- type: "DeclareVariable",
- id
+ type: 'DeclareVariable',
+ id,
});
}
-function declareExportDeclaration(declaration = null, specifiers = null, source = null) {
+function declareExportDeclaration(
+ declaration = null,
+ specifiers = null,
+ source = null
+) {
return (0, _validateNode.default)({
- type: "DeclareExportDeclaration",
+ type: 'DeclareExportDeclaration',
declaration,
specifiers,
- source
+ source,
});
}
function declareExportAllDeclaration(source) {
return (0, _validateNode.default)({
- type: "DeclareExportAllDeclaration",
- source
+ type: 'DeclareExportAllDeclaration',
+ source,
});
}
function declaredPredicate(value) {
return (0, _validateNode.default)({
- type: "DeclaredPredicate",
- value
+ type: 'DeclaredPredicate',
+ value,
});
}
function existsTypeAnnotation() {
return {
- type: "ExistsTypeAnnotation"
+ type: 'ExistsTypeAnnotation',
};
}
-function functionTypeAnnotation(typeParameters = null, params, rest = null, returnType) {
+function functionTypeAnnotation(
+ typeParameters = null,
+ params,
+ rest = null,
+ returnType
+) {
return (0, _validateNode.default)({
- type: "FunctionTypeAnnotation",
+ type: 'FunctionTypeAnnotation',
typeParameters,
params,
rest,
- returnType
+ returnType,
});
}
function functionTypeParam(name = null, typeAnnotation) {
return (0, _validateNode.default)({
- type: "FunctionTypeParam",
+ type: 'FunctionTypeParam',
name,
- typeAnnotation
+ typeAnnotation,
});
}
function genericTypeAnnotation(id, typeParameters = null) {
return (0, _validateNode.default)({
- type: "GenericTypeAnnotation",
+ type: 'GenericTypeAnnotation',
id,
- typeParameters
+ typeParameters,
});
}
function inferredPredicate() {
return {
- type: "InferredPredicate"
+ type: 'InferredPredicate',
};
}
function interfaceExtends(id, typeParameters = null) {
return (0, _validateNode.default)({
- type: "InterfaceExtends",
+ type: 'InterfaceExtends',
id,
- typeParameters
+ typeParameters,
});
}
-function interfaceDeclaration(id, typeParameters = null, _extends = null, body) {
+function interfaceDeclaration(
+ id,
+ typeParameters = null,
+ _extends = null,
+ body
+) {
return (0, _validateNode.default)({
- type: "InterfaceDeclaration",
+ type: 'InterfaceDeclaration',
id,
typeParameters,
extends: _extends,
- body
+ body,
});
}
function interfaceTypeAnnotation(_extends = null, body) {
return (0, _validateNode.default)({
- type: "InterfaceTypeAnnotation",
+ type: 'InterfaceTypeAnnotation',
extends: _extends,
- body
+ body,
});
}
function intersectionTypeAnnotation(types) {
return (0, _validateNode.default)({
- type: "IntersectionTypeAnnotation",
- types
+ type: 'IntersectionTypeAnnotation',
+ types,
});
}
function mixedTypeAnnotation() {
return {
- type: "MixedTypeAnnotation"
+ type: 'MixedTypeAnnotation',
};
}
function emptyTypeAnnotation() {
return {
- type: "EmptyTypeAnnotation"
+ type: 'EmptyTypeAnnotation',
};
}
function nullableTypeAnnotation(typeAnnotation) {
return (0, _validateNode.default)({
- type: "NullableTypeAnnotation",
- typeAnnotation
+ type: 'NullableTypeAnnotation',
+ typeAnnotation,
});
}
function numberLiteralTypeAnnotation(value) {
return (0, _validateNode.default)({
- type: "NumberLiteralTypeAnnotation",
- value
+ type: 'NumberLiteralTypeAnnotation',
+ value,
});
}
function numberTypeAnnotation() {
return {
- type: "NumberTypeAnnotation"
+ type: 'NumberTypeAnnotation',
};
}
-function objectTypeAnnotation(properties, indexers = [], callProperties = [], internalSlots = [], exact = false) {
+function objectTypeAnnotation(
+ properties,
+ indexers = [],
+ callProperties = [],
+ internalSlots = [],
+ exact = false
+) {
return (0, _validateNode.default)({
- type: "ObjectTypeAnnotation",
+ type: 'ObjectTypeAnnotation',
properties,
indexers,
callProperties,
internalSlots,
- exact
+ exact,
});
}
function objectTypeInternalSlot(id, value, optional, _static, method) {
return (0, _validateNode.default)({
- type: "ObjectTypeInternalSlot",
+ type: 'ObjectTypeInternalSlot',
id,
value,
optional,
static: _static,
- method
+ method,
});
}
function objectTypeCallProperty(value) {
return (0, _validateNode.default)({
- type: "ObjectTypeCallProperty",
+ type: 'ObjectTypeCallProperty',
value,
- static: null
+ static: null,
});
}
function objectTypeIndexer(id = null, key, value, variance = null) {
return (0, _validateNode.default)({
- type: "ObjectTypeIndexer",
+ type: 'ObjectTypeIndexer',
id,
key,
value,
variance,
- static: null
+ static: null,
});
}
function objectTypeProperty(key, value, variance = null) {
return (0, _validateNode.default)({
- type: "ObjectTypeProperty",
+ type: 'ObjectTypeProperty',
key,
value,
variance,
@@ -1259,970 +1370,1016 @@ function objectTypeProperty(key, value, variance = null) {
method: null,
optional: null,
proto: null,
- static: null
+ static: null,
});
}
function objectTypeSpreadProperty(argument) {
return (0, _validateNode.default)({
- type: "ObjectTypeSpreadProperty",
- argument
+ type: 'ObjectTypeSpreadProperty',
+ argument,
});
}
function opaqueType(id, typeParameters = null, supertype = null, impltype) {
return (0, _validateNode.default)({
- type: "OpaqueType",
+ type: 'OpaqueType',
id,
typeParameters,
supertype,
- impltype
+ impltype,
});
}
function qualifiedTypeIdentifier(id, qualification) {
return (0, _validateNode.default)({
- type: "QualifiedTypeIdentifier",
+ type: 'QualifiedTypeIdentifier',
id,
- qualification
+ qualification,
});
}
function stringLiteralTypeAnnotation(value) {
return (0, _validateNode.default)({
- type: "StringLiteralTypeAnnotation",
- value
+ type: 'StringLiteralTypeAnnotation',
+ value,
});
}
function stringTypeAnnotation() {
return {
- type: "StringTypeAnnotation"
+ type: 'StringTypeAnnotation',
};
}
function symbolTypeAnnotation() {
return {
- type: "SymbolTypeAnnotation"
+ type: 'SymbolTypeAnnotation',
};
}
function thisTypeAnnotation() {
return {
- type: "ThisTypeAnnotation"
+ type: 'ThisTypeAnnotation',
};
}
function tupleTypeAnnotation(types) {
return (0, _validateNode.default)({
- type: "TupleTypeAnnotation",
- types
+ type: 'TupleTypeAnnotation',
+ types,
});
}
function typeofTypeAnnotation(argument) {
return (0, _validateNode.default)({
- type: "TypeofTypeAnnotation",
- argument
+ type: 'TypeofTypeAnnotation',
+ argument,
});
}
function typeAlias(id, typeParameters = null, right) {
return (0, _validateNode.default)({
- type: "TypeAlias",
+ type: 'TypeAlias',
id,
typeParameters,
- right
+ right,
});
}
function typeAnnotation(typeAnnotation) {
return (0, _validateNode.default)({
- type: "TypeAnnotation",
- typeAnnotation
+ type: 'TypeAnnotation',
+ typeAnnotation,
});
}
function typeCastExpression(expression, typeAnnotation) {
return (0, _validateNode.default)({
- type: "TypeCastExpression",
+ type: 'TypeCastExpression',
expression,
- typeAnnotation
+ typeAnnotation,
});
}
function typeParameter(bound = null, _default = null, variance = null) {
return (0, _validateNode.default)({
- type: "TypeParameter",
+ type: 'TypeParameter',
bound,
default: _default,
variance,
- name: null
+ name: null,
});
}
function typeParameterDeclaration(params) {
return (0, _validateNode.default)({
- type: "TypeParameterDeclaration",
- params
+ type: 'TypeParameterDeclaration',
+ params,
});
}
function typeParameterInstantiation(params) {
return (0, _validateNode.default)({
- type: "TypeParameterInstantiation",
- params
+ type: 'TypeParameterInstantiation',
+ params,
});
}
function unionTypeAnnotation(types) {
return (0, _validateNode.default)({
- type: "UnionTypeAnnotation",
- types
+ type: 'UnionTypeAnnotation',
+ types,
});
}
function variance(kind) {
return (0, _validateNode.default)({
- type: "Variance",
- kind
+ type: 'Variance',
+ kind,
});
}
function voidTypeAnnotation() {
return {
- type: "VoidTypeAnnotation"
+ type: 'VoidTypeAnnotation',
};
}
function enumDeclaration(id, body) {
return (0, _validateNode.default)({
- type: "EnumDeclaration",
+ type: 'EnumDeclaration',
id,
- body
+ body,
});
}
function enumBooleanBody(members) {
return (0, _validateNode.default)({
- type: "EnumBooleanBody",
+ type: 'EnumBooleanBody',
members,
explicitType: null,
- hasUnknownMembers: null
+ hasUnknownMembers: null,
});
}
function enumNumberBody(members) {
return (0, _validateNode.default)({
- type: "EnumNumberBody",
+ type: 'EnumNumberBody',
members,
explicitType: null,
- hasUnknownMembers: null
+ hasUnknownMembers: null,
});
}
function enumStringBody(members) {
return (0, _validateNode.default)({
- type: "EnumStringBody",
+ type: 'EnumStringBody',
members,
explicitType: null,
- hasUnknownMembers: null
+ hasUnknownMembers: null,
});
}
function enumSymbolBody(members) {
return (0, _validateNode.default)({
- type: "EnumSymbolBody",
+ type: 'EnumSymbolBody',
members,
- hasUnknownMembers: null
+ hasUnknownMembers: null,
});
}
function enumBooleanMember(id) {
return (0, _validateNode.default)({
- type: "EnumBooleanMember",
+ type: 'EnumBooleanMember',
id,
- init: null
+ init: null,
});
}
function enumNumberMember(id, init) {
return (0, _validateNode.default)({
- type: "EnumNumberMember",
+ type: 'EnumNumberMember',
id,
- init
+ init,
});
}
function enumStringMember(id, init) {
return (0, _validateNode.default)({
- type: "EnumStringMember",
+ type: 'EnumStringMember',
id,
- init
+ init,
});
}
function enumDefaultedMember(id) {
return (0, _validateNode.default)({
- type: "EnumDefaultedMember",
- id
+ type: 'EnumDefaultedMember',
+ id,
});
}
function indexedAccessType(objectType, indexType) {
return (0, _validateNode.default)({
- type: "IndexedAccessType",
+ type: 'IndexedAccessType',
objectType,
- indexType
+ indexType,
});
}
function optionalIndexedAccessType(objectType, indexType) {
return (0, _validateNode.default)({
- type: "OptionalIndexedAccessType",
+ type: 'OptionalIndexedAccessType',
objectType,
indexType,
- optional: null
+ optional: null,
});
}
function jsxAttribute(name, value = null) {
return (0, _validateNode.default)({
- type: "JSXAttribute",
+ type: 'JSXAttribute',
name,
- value
+ value,
});
}
function jsxClosingElement(name) {
return (0, _validateNode.default)({
- type: "JSXClosingElement",
- name
+ type: 'JSXClosingElement',
+ name,
});
}
-function jsxElement(openingElement, closingElement = null, children, selfClosing = null) {
+function jsxElement(
+ openingElement,
+ closingElement = null,
+ children,
+ selfClosing = null
+) {
return (0, _validateNode.default)({
- type: "JSXElement",
+ type: 'JSXElement',
openingElement,
closingElement,
children,
- selfClosing
+ selfClosing,
});
}
function jsxEmptyExpression() {
return {
- type: "JSXEmptyExpression"
+ type: 'JSXEmptyExpression',
};
}
function jsxExpressionContainer(expression) {
return (0, _validateNode.default)({
- type: "JSXExpressionContainer",
- expression
+ type: 'JSXExpressionContainer',
+ expression,
});
}
function jsxSpreadChild(expression) {
return (0, _validateNode.default)({
- type: "JSXSpreadChild",
- expression
+ type: 'JSXSpreadChild',
+ expression,
});
}
function jsxIdentifier(name) {
return (0, _validateNode.default)({
- type: "JSXIdentifier",
- name
+ type: 'JSXIdentifier',
+ name,
});
}
function jsxMemberExpression(object, property) {
return (0, _validateNode.default)({
- type: "JSXMemberExpression",
+ type: 'JSXMemberExpression',
object,
- property
+ property,
});
}
function jsxNamespacedName(namespace, name) {
return (0, _validateNode.default)({
- type: "JSXNamespacedName",
+ type: 'JSXNamespacedName',
namespace,
- name
+ name,
});
}
function jsxOpeningElement(name, attributes, selfClosing = false) {
return (0, _validateNode.default)({
- type: "JSXOpeningElement",
+ type: 'JSXOpeningElement',
name,
attributes,
- selfClosing
+ selfClosing,
});
}
function jsxSpreadAttribute(argument) {
return (0, _validateNode.default)({
- type: "JSXSpreadAttribute",
- argument
+ type: 'JSXSpreadAttribute',
+ argument,
});
}
function jsxText(value) {
return (0, _validateNode.default)({
- type: "JSXText",
- value
+ type: 'JSXText',
+ value,
});
}
function jsxFragment(openingFragment, closingFragment, children) {
return (0, _validateNode.default)({
- type: "JSXFragment",
+ type: 'JSXFragment',
openingFragment,
closingFragment,
- children
+ children,
});
}
function jsxOpeningFragment() {
return {
- type: "JSXOpeningFragment"
+ type: 'JSXOpeningFragment',
};
}
function jsxClosingFragment() {
return {
- type: "JSXClosingFragment"
+ type: 'JSXClosingFragment',
};
}
function noop() {
return {
- type: "Noop"
+ type: 'Noop',
};
}
function placeholder(expectedNode, name) {
return (0, _validateNode.default)({
- type: "Placeholder",
+ type: 'Placeholder',
expectedNode,
- name
+ name,
});
}
function v8IntrinsicIdentifier(name) {
return (0, _validateNode.default)({
- type: "V8IntrinsicIdentifier",
- name
+ type: 'V8IntrinsicIdentifier',
+ name,
});
}
function argumentPlaceholder() {
return {
- type: "ArgumentPlaceholder"
+ type: 'ArgumentPlaceholder',
};
}
function bindExpression(object, callee) {
return (0, _validateNode.default)({
- type: "BindExpression",
+ type: 'BindExpression',
object,
- callee
+ callee,
});
}
function importAttribute(key, value) {
return (0, _validateNode.default)({
- type: "ImportAttribute",
+ type: 'ImportAttribute',
key,
- value
+ value,
});
}
function decorator(expression) {
return (0, _validateNode.default)({
- type: "Decorator",
- expression
+ type: 'Decorator',
+ expression,
});
}
function doExpression(body, async = false) {
return (0, _validateNode.default)({
- type: "DoExpression",
+ type: 'DoExpression',
body,
- async
+ async,
});
}
function exportDefaultSpecifier(exported) {
return (0, _validateNode.default)({
- type: "ExportDefaultSpecifier",
- exported
+ type: 'ExportDefaultSpecifier',
+ exported,
});
}
function recordExpression(properties) {
return (0, _validateNode.default)({
- type: "RecordExpression",
- properties
+ type: 'RecordExpression',
+ properties,
});
}
function tupleExpression(elements = []) {
return (0, _validateNode.default)({
- type: "TupleExpression",
- elements
+ type: 'TupleExpression',
+ elements,
});
}
function decimalLiteral(value) {
return (0, _validateNode.default)({
- type: "DecimalLiteral",
- value
+ type: 'DecimalLiteral',
+ value,
});
}
function moduleExpression(body) {
return (0, _validateNode.default)({
- type: "ModuleExpression",
- body
+ type: 'ModuleExpression',
+ body,
});
}
function topicReference() {
return {
- type: "TopicReference"
+ type: 'TopicReference',
};
}
function pipelineTopicExpression(expression) {
return (0, _validateNode.default)({
- type: "PipelineTopicExpression",
- expression
+ type: 'PipelineTopicExpression',
+ expression,
});
}
function pipelineBareFunction(callee) {
return (0, _validateNode.default)({
- type: "PipelineBareFunction",
- callee
+ type: 'PipelineBareFunction',
+ callee,
});
}
function pipelinePrimaryTopicReference() {
return {
- type: "PipelinePrimaryTopicReference"
+ type: 'PipelinePrimaryTopicReference',
};
}
function tsParameterProperty(parameter) {
return (0, _validateNode.default)({
- type: "TSParameterProperty",
- parameter
+ type: 'TSParameterProperty',
+ parameter,
});
}
-function tsDeclareFunction(id = null, typeParameters = null, params, returnType = null) {
+function tsDeclareFunction(
+ id = null,
+ typeParameters = null,
+ params,
+ returnType = null
+) {
return (0, _validateNode.default)({
- type: "TSDeclareFunction",
+ type: 'TSDeclareFunction',
id,
typeParameters,
params,
- returnType
+ returnType,
});
}
-function tsDeclareMethod(decorators = null, key, typeParameters = null, params, returnType = null) {
+function tsDeclareMethod(
+ decorators = null,
+ key,
+ typeParameters = null,
+ params,
+ returnType = null
+) {
return (0, _validateNode.default)({
- type: "TSDeclareMethod",
+ type: 'TSDeclareMethod',
decorators,
key,
typeParameters,
params,
- returnType
+ returnType,
});
}
function tsQualifiedName(left, right) {
return (0, _validateNode.default)({
- type: "TSQualifiedName",
+ type: 'TSQualifiedName',
left,
- right
+ right,
});
}
-function tsCallSignatureDeclaration(typeParameters = null, parameters, typeAnnotation = null) {
+function tsCallSignatureDeclaration(
+ typeParameters = null,
+ parameters,
+ typeAnnotation = null
+) {
return (0, _validateNode.default)({
- type: "TSCallSignatureDeclaration",
+ type: 'TSCallSignatureDeclaration',
typeParameters,
parameters,
- typeAnnotation
+ typeAnnotation,
});
}
-function tsConstructSignatureDeclaration(typeParameters = null, parameters, typeAnnotation = null) {
+function tsConstructSignatureDeclaration(
+ typeParameters = null,
+ parameters,
+ typeAnnotation = null
+) {
return (0, _validateNode.default)({
- type: "TSConstructSignatureDeclaration",
+ type: 'TSConstructSignatureDeclaration',
typeParameters,
parameters,
- typeAnnotation
+ typeAnnotation,
});
}
function tsPropertySignature(key, typeAnnotation = null, initializer = null) {
return (0, _validateNode.default)({
- type: "TSPropertySignature",
+ type: 'TSPropertySignature',
key,
typeAnnotation,
initializer,
- kind: null
+ kind: null,
});
}
-function tsMethodSignature(key, typeParameters = null, parameters, typeAnnotation = null) {
+function tsMethodSignature(
+ key,
+ typeParameters = null,
+ parameters,
+ typeAnnotation = null
+) {
return (0, _validateNode.default)({
- type: "TSMethodSignature",
+ type: 'TSMethodSignature',
key,
typeParameters,
parameters,
typeAnnotation,
- kind: null
+ kind: null,
});
}
function tsIndexSignature(parameters, typeAnnotation = null) {
return (0, _validateNode.default)({
- type: "TSIndexSignature",
+ type: 'TSIndexSignature',
parameters,
- typeAnnotation
+ typeAnnotation,
});
}
function tsAnyKeyword() {
return {
- type: "TSAnyKeyword"
+ type: 'TSAnyKeyword',
};
}
function tsBooleanKeyword() {
return {
- type: "TSBooleanKeyword"
+ type: 'TSBooleanKeyword',
};
}
function tsBigIntKeyword() {
return {
- type: "TSBigIntKeyword"
+ type: 'TSBigIntKeyword',
};
}
function tsIntrinsicKeyword() {
return {
- type: "TSIntrinsicKeyword"
+ type: 'TSIntrinsicKeyword',
};
}
function tsNeverKeyword() {
return {
- type: "TSNeverKeyword"
+ type: 'TSNeverKeyword',
};
}
function tsNullKeyword() {
return {
- type: "TSNullKeyword"
+ type: 'TSNullKeyword',
};
}
function tsNumberKeyword() {
return {
- type: "TSNumberKeyword"
+ type: 'TSNumberKeyword',
};
}
function tsObjectKeyword() {
return {
- type: "TSObjectKeyword"
+ type: 'TSObjectKeyword',
};
}
function tsStringKeyword() {
return {
- type: "TSStringKeyword"
+ type: 'TSStringKeyword',
};
}
function tsSymbolKeyword() {
return {
- type: "TSSymbolKeyword"
+ type: 'TSSymbolKeyword',
};
}
function tsUndefinedKeyword() {
return {
- type: "TSUndefinedKeyword"
+ type: 'TSUndefinedKeyword',
};
}
function tsUnknownKeyword() {
return {
- type: "TSUnknownKeyword"
+ type: 'TSUnknownKeyword',
};
}
function tsVoidKeyword() {
return {
- type: "TSVoidKeyword"
+ type: 'TSVoidKeyword',
};
}
function tsThisType() {
return {
- type: "TSThisType"
+ type: 'TSThisType',
};
}
-function tsFunctionType(typeParameters = null, parameters, typeAnnotation = null) {
+function tsFunctionType(
+ typeParameters = null,
+ parameters,
+ typeAnnotation = null
+) {
return (0, _validateNode.default)({
- type: "TSFunctionType",
+ type: 'TSFunctionType',
typeParameters,
parameters,
- typeAnnotation
+ typeAnnotation,
});
}
-function tsConstructorType(typeParameters = null, parameters, typeAnnotation = null) {
+function tsConstructorType(
+ typeParameters = null,
+ parameters,
+ typeAnnotation = null
+) {
return (0, _validateNode.default)({
- type: "TSConstructorType",
+ type: 'TSConstructorType',
typeParameters,
parameters,
- typeAnnotation
+ typeAnnotation,
});
}
function tsTypeReference(typeName, typeParameters = null) {
return (0, _validateNode.default)({
- type: "TSTypeReference",
+ type: 'TSTypeReference',
typeName,
- typeParameters
+ typeParameters,
});
}
function tsTypePredicate(parameterName, typeAnnotation = null, asserts = null) {
return (0, _validateNode.default)({
- type: "TSTypePredicate",
+ type: 'TSTypePredicate',
parameterName,
typeAnnotation,
- asserts
+ asserts,
});
}
function tsTypeQuery(exprName, typeParameters = null) {
return (0, _validateNode.default)({
- type: "TSTypeQuery",
+ type: 'TSTypeQuery',
exprName,
- typeParameters
+ typeParameters,
});
}
function tsTypeLiteral(members) {
return (0, _validateNode.default)({
- type: "TSTypeLiteral",
- members
+ type: 'TSTypeLiteral',
+ members,
});
}
function tsArrayType(elementType) {
return (0, _validateNode.default)({
- type: "TSArrayType",
- elementType
+ type: 'TSArrayType',
+ elementType,
});
}
function tsTupleType(elementTypes) {
return (0, _validateNode.default)({
- type: "TSTupleType",
- elementTypes
+ type: 'TSTupleType',
+ elementTypes,
});
}
function tsOptionalType(typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSOptionalType",
- typeAnnotation
+ type: 'TSOptionalType',
+ typeAnnotation,
});
}
function tsRestType(typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSRestType",
- typeAnnotation
+ type: 'TSRestType',
+ typeAnnotation,
});
}
function tsNamedTupleMember(label, elementType, optional = false) {
return (0, _validateNode.default)({
- type: "TSNamedTupleMember",
+ type: 'TSNamedTupleMember',
label,
elementType,
- optional
+ optional,
});
}
function tsUnionType(types) {
return (0, _validateNode.default)({
- type: "TSUnionType",
- types
+ type: 'TSUnionType',
+ types,
});
}
function tsIntersectionType(types) {
return (0, _validateNode.default)({
- type: "TSIntersectionType",
- types
+ type: 'TSIntersectionType',
+ types,
});
}
function tsConditionalType(checkType, extendsType, trueType, falseType) {
return (0, _validateNode.default)({
- type: "TSConditionalType",
+ type: 'TSConditionalType',
checkType,
extendsType,
trueType,
- falseType
+ falseType,
});
}
function tsInferType(typeParameter) {
return (0, _validateNode.default)({
- type: "TSInferType",
- typeParameter
+ type: 'TSInferType',
+ typeParameter,
});
}
function tsParenthesizedType(typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSParenthesizedType",
- typeAnnotation
+ type: 'TSParenthesizedType',
+ typeAnnotation,
});
}
function tsTypeOperator(typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSTypeOperator",
+ type: 'TSTypeOperator',
typeAnnotation,
- operator: null
+ operator: null,
});
}
function tsIndexedAccessType(objectType, indexType) {
return (0, _validateNode.default)({
- type: "TSIndexedAccessType",
+ type: 'TSIndexedAccessType',
objectType,
- indexType
+ indexType,
});
}
function tsMappedType(typeParameter, typeAnnotation = null, nameType = null) {
return (0, _validateNode.default)({
- type: "TSMappedType",
+ type: 'TSMappedType',
typeParameter,
typeAnnotation,
- nameType
+ nameType,
});
}
function tsLiteralType(literal) {
return (0, _validateNode.default)({
- type: "TSLiteralType",
- literal
+ type: 'TSLiteralType',
+ literal,
});
}
function tsExpressionWithTypeArguments(expression, typeParameters = null) {
return (0, _validateNode.default)({
- type: "TSExpressionWithTypeArguments",
+ type: 'TSExpressionWithTypeArguments',
expression,
- typeParameters
+ typeParameters,
});
}
-function tsInterfaceDeclaration(id, typeParameters = null, _extends = null, body) {
+function tsInterfaceDeclaration(
+ id,
+ typeParameters = null,
+ _extends = null,
+ body
+) {
return (0, _validateNode.default)({
- type: "TSInterfaceDeclaration",
+ type: 'TSInterfaceDeclaration',
id,
typeParameters,
extends: _extends,
- body
+ body,
});
}
function tsInterfaceBody(body) {
return (0, _validateNode.default)({
- type: "TSInterfaceBody",
- body
+ type: 'TSInterfaceBody',
+ body,
});
}
function tsTypeAliasDeclaration(id, typeParameters = null, typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSTypeAliasDeclaration",
+ type: 'TSTypeAliasDeclaration',
id,
typeParameters,
- typeAnnotation
+ typeAnnotation,
});
}
function tsInstantiationExpression(expression, typeParameters = null) {
return (0, _validateNode.default)({
- type: "TSInstantiationExpression",
+ type: 'TSInstantiationExpression',
expression,
- typeParameters
+ typeParameters,
});
}
function tsAsExpression(expression, typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSAsExpression",
+ type: 'TSAsExpression',
expression,
- typeAnnotation
+ typeAnnotation,
});
}
function tsTypeAssertion(typeAnnotation, expression) {
return (0, _validateNode.default)({
- type: "TSTypeAssertion",
+ type: 'TSTypeAssertion',
typeAnnotation,
- expression
+ expression,
});
}
function tsEnumDeclaration(id, members) {
return (0, _validateNode.default)({
- type: "TSEnumDeclaration",
+ type: 'TSEnumDeclaration',
id,
- members
+ members,
});
}
function tsEnumMember(id, initializer = null) {
return (0, _validateNode.default)({
- type: "TSEnumMember",
+ type: 'TSEnumMember',
id,
- initializer
+ initializer,
});
}
function tsModuleDeclaration(id, body) {
return (0, _validateNode.default)({
- type: "TSModuleDeclaration",
+ type: 'TSModuleDeclaration',
id,
- body
+ body,
});
}
function tsModuleBlock(body) {
return (0, _validateNode.default)({
- type: "TSModuleBlock",
- body
+ type: 'TSModuleBlock',
+ body,
});
}
function tsImportType(argument, qualifier = null, typeParameters = null) {
return (0, _validateNode.default)({
- type: "TSImportType",
+ type: 'TSImportType',
argument,
qualifier,
- typeParameters
+ typeParameters,
});
}
function tsImportEqualsDeclaration(id, moduleReference) {
return (0, _validateNode.default)({
- type: "TSImportEqualsDeclaration",
+ type: 'TSImportEqualsDeclaration',
id,
moduleReference,
- isExport: null
+ isExport: null,
});
}
function tsExternalModuleReference(expression) {
return (0, _validateNode.default)({
- type: "TSExternalModuleReference",
- expression
+ type: 'TSExternalModuleReference',
+ expression,
});
}
function tsNonNullExpression(expression) {
return (0, _validateNode.default)({
- type: "TSNonNullExpression",
- expression
+ type: 'TSNonNullExpression',
+ expression,
});
}
function tsExportAssignment(expression) {
return (0, _validateNode.default)({
- type: "TSExportAssignment",
- expression
+ type: 'TSExportAssignment',
+ expression,
});
}
function tsNamespaceExportDeclaration(id) {
return (0, _validateNode.default)({
- type: "TSNamespaceExportDeclaration",
- id
+ type: 'TSNamespaceExportDeclaration',
+ id,
});
}
function tsTypeAnnotation(typeAnnotation) {
return (0, _validateNode.default)({
- type: "TSTypeAnnotation",
- typeAnnotation
+ type: 'TSTypeAnnotation',
+ typeAnnotation,
});
}
function tsTypeParameterInstantiation(params) {
return (0, _validateNode.default)({
- type: "TSTypeParameterInstantiation",
- params
+ type: 'TSTypeParameterInstantiation',
+ params,
});
}
function tsTypeParameterDeclaration(params) {
return (0, _validateNode.default)({
- type: "TSTypeParameterDeclaration",
- params
+ type: 'TSTypeParameterDeclaration',
+ params,
});
}
function tsTypeParameter(constraint = null, _default = null, name) {
return (0, _validateNode.default)({
- type: "TSTypeParameter",
+ type: 'TSTypeParameter',
constraint,
default: _default,
- name
+ name,
});
}
function NumberLiteral(value) {
- console.trace("The node type NumberLiteral has been renamed to NumericLiteral");
+ console.trace(
+ 'The node type NumberLiteral has been renamed to NumericLiteral'
+ );
return numericLiteral(value);
}
-function RegexLiteral(pattern, flags = "") {
- console.trace("The node type RegexLiteral has been renamed to RegExpLiteral");
+function RegexLiteral(pattern, flags = '') {
+ console.trace('The node type RegexLiteral has been renamed to RegExpLiteral');
return regExpLiteral(pattern, flags);
}
function RestProperty(argument) {
- console.trace("The node type RestProperty has been renamed to RestElement");
+ console.trace('The node type RestProperty has been renamed to RestElement');
return restElement(argument);
}
function SpreadProperty(argument) {
- console.trace("The node type SpreadProperty has been renamed to SpreadElement");
+ console.trace(
+ 'The node type SpreadProperty has been renamed to SpreadElement'
+ );
return spreadElement(argument);
}
diff --git a/node_modules/@babel/types/lib/builders/generated/uppercase.js b/node_modules/@babel/types/lib/builders/generated/uppercase.js
index 9a91ac3..50a2fe0 100644
--- a/node_modules/@babel/types/lib/builders/generated/uppercase.js
+++ b/node_modules/@babel/types/lib/builders/generated/uppercase.js
@@ -1,1521 +1,1521 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-Object.defineProperty(exports, "AnyTypeAnnotation", {
+Object.defineProperty(exports, 'AnyTypeAnnotation', {
enumerable: true,
get: function () {
return _index.anyTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "ArgumentPlaceholder", {
+Object.defineProperty(exports, 'ArgumentPlaceholder', {
enumerable: true,
get: function () {
return _index.argumentPlaceholder;
- }
+ },
});
-Object.defineProperty(exports, "ArrayExpression", {
+Object.defineProperty(exports, 'ArrayExpression', {
enumerable: true,
get: function () {
return _index.arrayExpression;
- }
+ },
});
-Object.defineProperty(exports, "ArrayPattern", {
+Object.defineProperty(exports, 'ArrayPattern', {
enumerable: true,
get: function () {
return _index.arrayPattern;
- }
+ },
});
-Object.defineProperty(exports, "ArrayTypeAnnotation", {
+Object.defineProperty(exports, 'ArrayTypeAnnotation', {
enumerable: true,
get: function () {
return _index.arrayTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "ArrowFunctionExpression", {
+Object.defineProperty(exports, 'ArrowFunctionExpression', {
enumerable: true,
get: function () {
return _index.arrowFunctionExpression;
- }
+ },
});
-Object.defineProperty(exports, "AssignmentExpression", {
+Object.defineProperty(exports, 'AssignmentExpression', {
enumerable: true,
get: function () {
return _index.assignmentExpression;
- }
+ },
});
-Object.defineProperty(exports, "AssignmentPattern", {
+Object.defineProperty(exports, 'AssignmentPattern', {
enumerable: true,
get: function () {
return _index.assignmentPattern;
- }
+ },
});
-Object.defineProperty(exports, "AwaitExpression", {
+Object.defineProperty(exports, 'AwaitExpression', {
enumerable: true,
get: function () {
return _index.awaitExpression;
- }
+ },
});
-Object.defineProperty(exports, "BigIntLiteral", {
+Object.defineProperty(exports, 'BigIntLiteral', {
enumerable: true,
get: function () {
return _index.bigIntLiteral;
- }
+ },
});
-Object.defineProperty(exports, "BinaryExpression", {
+Object.defineProperty(exports, 'BinaryExpression', {
enumerable: true,
get: function () {
return _index.binaryExpression;
- }
+ },
});
-Object.defineProperty(exports, "BindExpression", {
+Object.defineProperty(exports, 'BindExpression', {
enumerable: true,
get: function () {
return _index.bindExpression;
- }
+ },
});
-Object.defineProperty(exports, "BlockStatement", {
+Object.defineProperty(exports, 'BlockStatement', {
enumerable: true,
get: function () {
return _index.blockStatement;
- }
+ },
});
-Object.defineProperty(exports, "BooleanLiteral", {
+Object.defineProperty(exports, 'BooleanLiteral', {
enumerable: true,
get: function () {
return _index.booleanLiteral;
- }
+ },
});
-Object.defineProperty(exports, "BooleanLiteralTypeAnnotation", {
+Object.defineProperty(exports, 'BooleanLiteralTypeAnnotation', {
enumerable: true,
get: function () {
return _index.booleanLiteralTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "BooleanTypeAnnotation", {
+Object.defineProperty(exports, 'BooleanTypeAnnotation', {
enumerable: true,
get: function () {
return _index.booleanTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "BreakStatement", {
+Object.defineProperty(exports, 'BreakStatement', {
enumerable: true,
get: function () {
return _index.breakStatement;
- }
+ },
});
-Object.defineProperty(exports, "CallExpression", {
+Object.defineProperty(exports, 'CallExpression', {
enumerable: true,
get: function () {
return _index.callExpression;
- }
+ },
});
-Object.defineProperty(exports, "CatchClause", {
+Object.defineProperty(exports, 'CatchClause', {
enumerable: true,
get: function () {
return _index.catchClause;
- }
+ },
});
-Object.defineProperty(exports, "ClassAccessorProperty", {
+Object.defineProperty(exports, 'ClassAccessorProperty', {
enumerable: true,
get: function () {
return _index.classAccessorProperty;
- }
+ },
});
-Object.defineProperty(exports, "ClassBody", {
+Object.defineProperty(exports, 'ClassBody', {
enumerable: true,
get: function () {
return _index.classBody;
- }
+ },
});
-Object.defineProperty(exports, "ClassDeclaration", {
+Object.defineProperty(exports, 'ClassDeclaration', {
enumerable: true,
get: function () {
return _index.classDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "ClassExpression", {
+Object.defineProperty(exports, 'ClassExpression', {
enumerable: true,
get: function () {
return _index.classExpression;
- }
+ },
});
-Object.defineProperty(exports, "ClassImplements", {
+Object.defineProperty(exports, 'ClassImplements', {
enumerable: true,
get: function () {
return _index.classImplements;
- }
+ },
});
-Object.defineProperty(exports, "ClassMethod", {
+Object.defineProperty(exports, 'ClassMethod', {
enumerable: true,
get: function () {
return _index.classMethod;
- }
+ },
});
-Object.defineProperty(exports, "ClassPrivateMethod", {
+Object.defineProperty(exports, 'ClassPrivateMethod', {
enumerable: true,
get: function () {
return _index.classPrivateMethod;
- }
+ },
});
-Object.defineProperty(exports, "ClassPrivateProperty", {
+Object.defineProperty(exports, 'ClassPrivateProperty', {
enumerable: true,
get: function () {
return _index.classPrivateProperty;
- }
+ },
});
-Object.defineProperty(exports, "ClassProperty", {
+Object.defineProperty(exports, 'ClassProperty', {
enumerable: true,
get: function () {
return _index.classProperty;
- }
+ },
});
-Object.defineProperty(exports, "ConditionalExpression", {
+Object.defineProperty(exports, 'ConditionalExpression', {
enumerable: true,
get: function () {
return _index.conditionalExpression;
- }
+ },
});
-Object.defineProperty(exports, "ContinueStatement", {
+Object.defineProperty(exports, 'ContinueStatement', {
enumerable: true,
get: function () {
return _index.continueStatement;
- }
+ },
});
-Object.defineProperty(exports, "DebuggerStatement", {
+Object.defineProperty(exports, 'DebuggerStatement', {
enumerable: true,
get: function () {
return _index.debuggerStatement;
- }
+ },
});
-Object.defineProperty(exports, "DecimalLiteral", {
+Object.defineProperty(exports, 'DecimalLiteral', {
enumerable: true,
get: function () {
return _index.decimalLiteral;
- }
+ },
});
-Object.defineProperty(exports, "DeclareClass", {
+Object.defineProperty(exports, 'DeclareClass', {
enumerable: true,
get: function () {
return _index.declareClass;
- }
+ },
});
-Object.defineProperty(exports, "DeclareExportAllDeclaration", {
+Object.defineProperty(exports, 'DeclareExportAllDeclaration', {
enumerable: true,
get: function () {
return _index.declareExportAllDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "DeclareExportDeclaration", {
+Object.defineProperty(exports, 'DeclareExportDeclaration', {
enumerable: true,
get: function () {
return _index.declareExportDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "DeclareFunction", {
+Object.defineProperty(exports, 'DeclareFunction', {
enumerable: true,
get: function () {
return _index.declareFunction;
- }
+ },
});
-Object.defineProperty(exports, "DeclareInterface", {
+Object.defineProperty(exports, 'DeclareInterface', {
enumerable: true,
get: function () {
return _index.declareInterface;
- }
+ },
});
-Object.defineProperty(exports, "DeclareModule", {
+Object.defineProperty(exports, 'DeclareModule', {
enumerable: true,
get: function () {
return _index.declareModule;
- }
+ },
});
-Object.defineProperty(exports, "DeclareModuleExports", {
+Object.defineProperty(exports, 'DeclareModuleExports', {
enumerable: true,
get: function () {
return _index.declareModuleExports;
- }
+ },
});
-Object.defineProperty(exports, "DeclareOpaqueType", {
+Object.defineProperty(exports, 'DeclareOpaqueType', {
enumerable: true,
get: function () {
return _index.declareOpaqueType;
- }
+ },
});
-Object.defineProperty(exports, "DeclareTypeAlias", {
+Object.defineProperty(exports, 'DeclareTypeAlias', {
enumerable: true,
get: function () {
return _index.declareTypeAlias;
- }
+ },
});
-Object.defineProperty(exports, "DeclareVariable", {
+Object.defineProperty(exports, 'DeclareVariable', {
enumerable: true,
get: function () {
return _index.declareVariable;
- }
+ },
});
-Object.defineProperty(exports, "DeclaredPredicate", {
+Object.defineProperty(exports, 'DeclaredPredicate', {
enumerable: true,
get: function () {
return _index.declaredPredicate;
- }
+ },
});
-Object.defineProperty(exports, "Decorator", {
+Object.defineProperty(exports, 'Decorator', {
enumerable: true,
get: function () {
return _index.decorator;
- }
+ },
});
-Object.defineProperty(exports, "Directive", {
+Object.defineProperty(exports, 'Directive', {
enumerable: true,
get: function () {
return _index.directive;
- }
+ },
});
-Object.defineProperty(exports, "DirectiveLiteral", {
+Object.defineProperty(exports, 'DirectiveLiteral', {
enumerable: true,
get: function () {
return _index.directiveLiteral;
- }
+ },
});
-Object.defineProperty(exports, "DoExpression", {
+Object.defineProperty(exports, 'DoExpression', {
enumerable: true,
get: function () {
return _index.doExpression;
- }
+ },
});
-Object.defineProperty(exports, "DoWhileStatement", {
+Object.defineProperty(exports, 'DoWhileStatement', {
enumerable: true,
get: function () {
return _index.doWhileStatement;
- }
+ },
});
-Object.defineProperty(exports, "EmptyStatement", {
+Object.defineProperty(exports, 'EmptyStatement', {
enumerable: true,
get: function () {
return _index.emptyStatement;
- }
+ },
});
-Object.defineProperty(exports, "EmptyTypeAnnotation", {
+Object.defineProperty(exports, 'EmptyTypeAnnotation', {
enumerable: true,
get: function () {
return _index.emptyTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "EnumBooleanBody", {
+Object.defineProperty(exports, 'EnumBooleanBody', {
enumerable: true,
get: function () {
return _index.enumBooleanBody;
- }
+ },
});
-Object.defineProperty(exports, "EnumBooleanMember", {
+Object.defineProperty(exports, 'EnumBooleanMember', {
enumerable: true,
get: function () {
return _index.enumBooleanMember;
- }
+ },
});
-Object.defineProperty(exports, "EnumDeclaration", {
+Object.defineProperty(exports, 'EnumDeclaration', {
enumerable: true,
get: function () {
return _index.enumDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "EnumDefaultedMember", {
+Object.defineProperty(exports, 'EnumDefaultedMember', {
enumerable: true,
get: function () {
return _index.enumDefaultedMember;
- }
+ },
});
-Object.defineProperty(exports, "EnumNumberBody", {
+Object.defineProperty(exports, 'EnumNumberBody', {
enumerable: true,
get: function () {
return _index.enumNumberBody;
- }
+ },
});
-Object.defineProperty(exports, "EnumNumberMember", {
+Object.defineProperty(exports, 'EnumNumberMember', {
enumerable: true,
get: function () {
return _index.enumNumberMember;
- }
+ },
});
-Object.defineProperty(exports, "EnumStringBody", {
+Object.defineProperty(exports, 'EnumStringBody', {
enumerable: true,
get: function () {
return _index.enumStringBody;
- }
+ },
});
-Object.defineProperty(exports, "EnumStringMember", {
+Object.defineProperty(exports, 'EnumStringMember', {
enumerable: true,
get: function () {
return _index.enumStringMember;
- }
+ },
});
-Object.defineProperty(exports, "EnumSymbolBody", {
+Object.defineProperty(exports, 'EnumSymbolBody', {
enumerable: true,
get: function () {
return _index.enumSymbolBody;
- }
+ },
});
-Object.defineProperty(exports, "ExistsTypeAnnotation", {
+Object.defineProperty(exports, 'ExistsTypeAnnotation', {
enumerable: true,
get: function () {
return _index.existsTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "ExportAllDeclaration", {
+Object.defineProperty(exports, 'ExportAllDeclaration', {
enumerable: true,
get: function () {
return _index.exportAllDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "ExportDefaultDeclaration", {
+Object.defineProperty(exports, 'ExportDefaultDeclaration', {
enumerable: true,
get: function () {
return _index.exportDefaultDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "ExportDefaultSpecifier", {
+Object.defineProperty(exports, 'ExportDefaultSpecifier', {
enumerable: true,
get: function () {
return _index.exportDefaultSpecifier;
- }
+ },
});
-Object.defineProperty(exports, "ExportNamedDeclaration", {
+Object.defineProperty(exports, 'ExportNamedDeclaration', {
enumerable: true,
get: function () {
return _index.exportNamedDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "ExportNamespaceSpecifier", {
+Object.defineProperty(exports, 'ExportNamespaceSpecifier', {
enumerable: true,
get: function () {
return _index.exportNamespaceSpecifier;
- }
+ },
});
-Object.defineProperty(exports, "ExportSpecifier", {
+Object.defineProperty(exports, 'ExportSpecifier', {
enumerable: true,
get: function () {
return _index.exportSpecifier;
- }
+ },
});
-Object.defineProperty(exports, "ExpressionStatement", {
+Object.defineProperty(exports, 'ExpressionStatement', {
enumerable: true,
get: function () {
return _index.expressionStatement;
- }
+ },
});
-Object.defineProperty(exports, "File", {
+Object.defineProperty(exports, 'File', {
enumerable: true,
get: function () {
return _index.file;
- }
+ },
});
-Object.defineProperty(exports, "ForInStatement", {
+Object.defineProperty(exports, 'ForInStatement', {
enumerable: true,
get: function () {
return _index.forInStatement;
- }
+ },
});
-Object.defineProperty(exports, "ForOfStatement", {
+Object.defineProperty(exports, 'ForOfStatement', {
enumerable: true,
get: function () {
return _index.forOfStatement;
- }
+ },
});
-Object.defineProperty(exports, "ForStatement", {
+Object.defineProperty(exports, 'ForStatement', {
enumerable: true,
get: function () {
return _index.forStatement;
- }
+ },
});
-Object.defineProperty(exports, "FunctionDeclaration", {
+Object.defineProperty(exports, 'FunctionDeclaration', {
enumerable: true,
get: function () {
return _index.functionDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "FunctionExpression", {
+Object.defineProperty(exports, 'FunctionExpression', {
enumerable: true,
get: function () {
return _index.functionExpression;
- }
+ },
});
-Object.defineProperty(exports, "FunctionTypeAnnotation", {
+Object.defineProperty(exports, 'FunctionTypeAnnotation', {
enumerable: true,
get: function () {
return _index.functionTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "FunctionTypeParam", {
+Object.defineProperty(exports, 'FunctionTypeParam', {
enumerable: true,
get: function () {
return _index.functionTypeParam;
- }
+ },
});
-Object.defineProperty(exports, "GenericTypeAnnotation", {
+Object.defineProperty(exports, 'GenericTypeAnnotation', {
enumerable: true,
get: function () {
return _index.genericTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "Identifier", {
+Object.defineProperty(exports, 'Identifier', {
enumerable: true,
get: function () {
return _index.identifier;
- }
+ },
});
-Object.defineProperty(exports, "IfStatement", {
+Object.defineProperty(exports, 'IfStatement', {
enumerable: true,
get: function () {
return _index.ifStatement;
- }
+ },
});
-Object.defineProperty(exports, "Import", {
+Object.defineProperty(exports, 'Import', {
enumerable: true,
get: function () {
return _index.import;
- }
+ },
});
-Object.defineProperty(exports, "ImportAttribute", {
+Object.defineProperty(exports, 'ImportAttribute', {
enumerable: true,
get: function () {
return _index.importAttribute;
- }
+ },
});
-Object.defineProperty(exports, "ImportDeclaration", {
+Object.defineProperty(exports, 'ImportDeclaration', {
enumerable: true,
get: function () {
return _index.importDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "ImportDefaultSpecifier", {
+Object.defineProperty(exports, 'ImportDefaultSpecifier', {
enumerable: true,
get: function () {
return _index.importDefaultSpecifier;
- }
+ },
});
-Object.defineProperty(exports, "ImportNamespaceSpecifier", {
+Object.defineProperty(exports, 'ImportNamespaceSpecifier', {
enumerable: true,
get: function () {
return _index.importNamespaceSpecifier;
- }
+ },
});
-Object.defineProperty(exports, "ImportSpecifier", {
+Object.defineProperty(exports, 'ImportSpecifier', {
enumerable: true,
get: function () {
return _index.importSpecifier;
- }
+ },
});
-Object.defineProperty(exports, "IndexedAccessType", {
+Object.defineProperty(exports, 'IndexedAccessType', {
enumerable: true,
get: function () {
return _index.indexedAccessType;
- }
+ },
});
-Object.defineProperty(exports, "InferredPredicate", {
+Object.defineProperty(exports, 'InferredPredicate', {
enumerable: true,
get: function () {
return _index.inferredPredicate;
- }
+ },
});
-Object.defineProperty(exports, "InterfaceDeclaration", {
+Object.defineProperty(exports, 'InterfaceDeclaration', {
enumerable: true,
get: function () {
return _index.interfaceDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "InterfaceExtends", {
+Object.defineProperty(exports, 'InterfaceExtends', {
enumerable: true,
get: function () {
return _index.interfaceExtends;
- }
+ },
});
-Object.defineProperty(exports, "InterfaceTypeAnnotation", {
+Object.defineProperty(exports, 'InterfaceTypeAnnotation', {
enumerable: true,
get: function () {
return _index.interfaceTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "InterpreterDirective", {
+Object.defineProperty(exports, 'InterpreterDirective', {
enumerable: true,
get: function () {
return _index.interpreterDirective;
- }
+ },
});
-Object.defineProperty(exports, "IntersectionTypeAnnotation", {
+Object.defineProperty(exports, 'IntersectionTypeAnnotation', {
enumerable: true,
get: function () {
return _index.intersectionTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "JSXAttribute", {
+Object.defineProperty(exports, 'JSXAttribute', {
enumerable: true,
get: function () {
return _index.jsxAttribute;
- }
+ },
});
-Object.defineProperty(exports, "JSXClosingElement", {
+Object.defineProperty(exports, 'JSXClosingElement', {
enumerable: true,
get: function () {
return _index.jsxClosingElement;
- }
+ },
});
-Object.defineProperty(exports, "JSXClosingFragment", {
+Object.defineProperty(exports, 'JSXClosingFragment', {
enumerable: true,
get: function () {
return _index.jsxClosingFragment;
- }
+ },
});
-Object.defineProperty(exports, "JSXElement", {
+Object.defineProperty(exports, 'JSXElement', {
enumerable: true,
get: function () {
return _index.jsxElement;
- }
+ },
});
-Object.defineProperty(exports, "JSXEmptyExpression", {
+Object.defineProperty(exports, 'JSXEmptyExpression', {
enumerable: true,
get: function () {
return _index.jsxEmptyExpression;
- }
+ },
});
-Object.defineProperty(exports, "JSXExpressionContainer", {
+Object.defineProperty(exports, 'JSXExpressionContainer', {
enumerable: true,
get: function () {
return _index.jsxExpressionContainer;
- }
+ },
});
-Object.defineProperty(exports, "JSXFragment", {
+Object.defineProperty(exports, 'JSXFragment', {
enumerable: true,
get: function () {
return _index.jsxFragment;
- }
+ },
});
-Object.defineProperty(exports, "JSXIdentifier", {
+Object.defineProperty(exports, 'JSXIdentifier', {
enumerable: true,
get: function () {
return _index.jsxIdentifier;
- }
+ },
});
-Object.defineProperty(exports, "JSXMemberExpression", {
+Object.defineProperty(exports, 'JSXMemberExpression', {
enumerable: true,
get: function () {
return _index.jsxMemberExpression;
- }
+ },
});
-Object.defineProperty(exports, "JSXNamespacedName", {
+Object.defineProperty(exports, 'JSXNamespacedName', {
enumerable: true,
get: function () {
return _index.jsxNamespacedName;
- }
+ },
});
-Object.defineProperty(exports, "JSXOpeningElement", {
+Object.defineProperty(exports, 'JSXOpeningElement', {
enumerable: true,
get: function () {
return _index.jsxOpeningElement;
- }
+ },
});
-Object.defineProperty(exports, "JSXOpeningFragment", {
+Object.defineProperty(exports, 'JSXOpeningFragment', {
enumerable: true,
get: function () {
return _index.jsxOpeningFragment;
- }
+ },
});
-Object.defineProperty(exports, "JSXSpreadAttribute", {
+Object.defineProperty(exports, 'JSXSpreadAttribute', {
enumerable: true,
get: function () {
return _index.jsxSpreadAttribute;
- }
+ },
});
-Object.defineProperty(exports, "JSXSpreadChild", {
+Object.defineProperty(exports, 'JSXSpreadChild', {
enumerable: true,
get: function () {
return _index.jsxSpreadChild;
- }
+ },
});
-Object.defineProperty(exports, "JSXText", {
+Object.defineProperty(exports, 'JSXText', {
enumerable: true,
get: function () {
return _index.jsxText;
- }
+ },
});
-Object.defineProperty(exports, "LabeledStatement", {
+Object.defineProperty(exports, 'LabeledStatement', {
enumerable: true,
get: function () {
return _index.labeledStatement;
- }
+ },
});
-Object.defineProperty(exports, "LogicalExpression", {
+Object.defineProperty(exports, 'LogicalExpression', {
enumerable: true,
get: function () {
return _index.logicalExpression;
- }
+ },
});
-Object.defineProperty(exports, "MemberExpression", {
+Object.defineProperty(exports, 'MemberExpression', {
enumerable: true,
get: function () {
return _index.memberExpression;
- }
+ },
});
-Object.defineProperty(exports, "MetaProperty", {
+Object.defineProperty(exports, 'MetaProperty', {
enumerable: true,
get: function () {
return _index.metaProperty;
- }
+ },
});
-Object.defineProperty(exports, "MixedTypeAnnotation", {
+Object.defineProperty(exports, 'MixedTypeAnnotation', {
enumerable: true,
get: function () {
return _index.mixedTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "ModuleExpression", {
+Object.defineProperty(exports, 'ModuleExpression', {
enumerable: true,
get: function () {
return _index.moduleExpression;
- }
+ },
});
-Object.defineProperty(exports, "NewExpression", {
+Object.defineProperty(exports, 'NewExpression', {
enumerable: true,
get: function () {
return _index.newExpression;
- }
+ },
});
-Object.defineProperty(exports, "Noop", {
+Object.defineProperty(exports, 'Noop', {
enumerable: true,
get: function () {
return _index.noop;
- }
+ },
});
-Object.defineProperty(exports, "NullLiteral", {
+Object.defineProperty(exports, 'NullLiteral', {
enumerable: true,
get: function () {
return _index.nullLiteral;
- }
+ },
});
-Object.defineProperty(exports, "NullLiteralTypeAnnotation", {
+Object.defineProperty(exports, 'NullLiteralTypeAnnotation', {
enumerable: true,
get: function () {
return _index.nullLiteralTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "NullableTypeAnnotation", {
+Object.defineProperty(exports, 'NullableTypeAnnotation', {
enumerable: true,
get: function () {
return _index.nullableTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "NumberLiteral", {
+Object.defineProperty(exports, 'NumberLiteral', {
enumerable: true,
get: function () {
return _index.numberLiteral;
- }
+ },
});
-Object.defineProperty(exports, "NumberLiteralTypeAnnotation", {
+Object.defineProperty(exports, 'NumberLiteralTypeAnnotation', {
enumerable: true,
get: function () {
return _index.numberLiteralTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "NumberTypeAnnotation", {
+Object.defineProperty(exports, 'NumberTypeAnnotation', {
enumerable: true,
get: function () {
return _index.numberTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "NumericLiteral", {
+Object.defineProperty(exports, 'NumericLiteral', {
enumerable: true,
get: function () {
return _index.numericLiteral;
- }
+ },
});
-Object.defineProperty(exports, "ObjectExpression", {
+Object.defineProperty(exports, 'ObjectExpression', {
enumerable: true,
get: function () {
return _index.objectExpression;
- }
+ },
});
-Object.defineProperty(exports, "ObjectMethod", {
+Object.defineProperty(exports, 'ObjectMethod', {
enumerable: true,
get: function () {
return _index.objectMethod;
- }
+ },
});
-Object.defineProperty(exports, "ObjectPattern", {
+Object.defineProperty(exports, 'ObjectPattern', {
enumerable: true,
get: function () {
return _index.objectPattern;
- }
+ },
});
-Object.defineProperty(exports, "ObjectProperty", {
+Object.defineProperty(exports, 'ObjectProperty', {
enumerable: true,
get: function () {
return _index.objectProperty;
- }
+ },
});
-Object.defineProperty(exports, "ObjectTypeAnnotation", {
+Object.defineProperty(exports, 'ObjectTypeAnnotation', {
enumerable: true,
get: function () {
return _index.objectTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "ObjectTypeCallProperty", {
+Object.defineProperty(exports, 'ObjectTypeCallProperty', {
enumerable: true,
get: function () {
return _index.objectTypeCallProperty;
- }
+ },
});
-Object.defineProperty(exports, "ObjectTypeIndexer", {
+Object.defineProperty(exports, 'ObjectTypeIndexer', {
enumerable: true,
get: function () {
return _index.objectTypeIndexer;
- }
+ },
});
-Object.defineProperty(exports, "ObjectTypeInternalSlot", {
+Object.defineProperty(exports, 'ObjectTypeInternalSlot', {
enumerable: true,
get: function () {
return _index.objectTypeInternalSlot;
- }
+ },
});
-Object.defineProperty(exports, "ObjectTypeProperty", {
+Object.defineProperty(exports, 'ObjectTypeProperty', {
enumerable: true,
get: function () {
return _index.objectTypeProperty;
- }
+ },
});
-Object.defineProperty(exports, "ObjectTypeSpreadProperty", {
+Object.defineProperty(exports, 'ObjectTypeSpreadProperty', {
enumerable: true,
get: function () {
return _index.objectTypeSpreadProperty;
- }
+ },
});
-Object.defineProperty(exports, "OpaqueType", {
+Object.defineProperty(exports, 'OpaqueType', {
enumerable: true,
get: function () {
return _index.opaqueType;
- }
+ },
});
-Object.defineProperty(exports, "OptionalCallExpression", {
+Object.defineProperty(exports, 'OptionalCallExpression', {
enumerable: true,
get: function () {
return _index.optionalCallExpression;
- }
+ },
});
-Object.defineProperty(exports, "OptionalIndexedAccessType", {
+Object.defineProperty(exports, 'OptionalIndexedAccessType', {
enumerable: true,
get: function () {
return _index.optionalIndexedAccessType;
- }
+ },
});
-Object.defineProperty(exports, "OptionalMemberExpression", {
+Object.defineProperty(exports, 'OptionalMemberExpression', {
enumerable: true,
get: function () {
return _index.optionalMemberExpression;
- }
+ },
});
-Object.defineProperty(exports, "ParenthesizedExpression", {
+Object.defineProperty(exports, 'ParenthesizedExpression', {
enumerable: true,
get: function () {
return _index.parenthesizedExpression;
- }
+ },
});
-Object.defineProperty(exports, "PipelineBareFunction", {
+Object.defineProperty(exports, 'PipelineBareFunction', {
enumerable: true,
get: function () {
return _index.pipelineBareFunction;
- }
+ },
});
-Object.defineProperty(exports, "PipelinePrimaryTopicReference", {
+Object.defineProperty(exports, 'PipelinePrimaryTopicReference', {
enumerable: true,
get: function () {
return _index.pipelinePrimaryTopicReference;
- }
+ },
});
-Object.defineProperty(exports, "PipelineTopicExpression", {
+Object.defineProperty(exports, 'PipelineTopicExpression', {
enumerable: true,
get: function () {
return _index.pipelineTopicExpression;
- }
+ },
});
-Object.defineProperty(exports, "Placeholder", {
+Object.defineProperty(exports, 'Placeholder', {
enumerable: true,
get: function () {
return _index.placeholder;
- }
+ },
});
-Object.defineProperty(exports, "PrivateName", {
+Object.defineProperty(exports, 'PrivateName', {
enumerable: true,
get: function () {
return _index.privateName;
- }
+ },
});
-Object.defineProperty(exports, "Program", {
+Object.defineProperty(exports, 'Program', {
enumerable: true,
get: function () {
return _index.program;
- }
+ },
});
-Object.defineProperty(exports, "QualifiedTypeIdentifier", {
+Object.defineProperty(exports, 'QualifiedTypeIdentifier', {
enumerable: true,
get: function () {
return _index.qualifiedTypeIdentifier;
- }
+ },
});
-Object.defineProperty(exports, "RecordExpression", {
+Object.defineProperty(exports, 'RecordExpression', {
enumerable: true,
get: function () {
return _index.recordExpression;
- }
+ },
});
-Object.defineProperty(exports, "RegExpLiteral", {
+Object.defineProperty(exports, 'RegExpLiteral', {
enumerable: true,
get: function () {
return _index.regExpLiteral;
- }
+ },
});
-Object.defineProperty(exports, "RegexLiteral", {
+Object.defineProperty(exports, 'RegexLiteral', {
enumerable: true,
get: function () {
return _index.regexLiteral;
- }
+ },
});
-Object.defineProperty(exports, "RestElement", {
+Object.defineProperty(exports, 'RestElement', {
enumerable: true,
get: function () {
return _index.restElement;
- }
+ },
});
-Object.defineProperty(exports, "RestProperty", {
+Object.defineProperty(exports, 'RestProperty', {
enumerable: true,
get: function () {
return _index.restProperty;
- }
+ },
});
-Object.defineProperty(exports, "ReturnStatement", {
+Object.defineProperty(exports, 'ReturnStatement', {
enumerable: true,
get: function () {
return _index.returnStatement;
- }
+ },
});
-Object.defineProperty(exports, "SequenceExpression", {
+Object.defineProperty(exports, 'SequenceExpression', {
enumerable: true,
get: function () {
return _index.sequenceExpression;
- }
+ },
});
-Object.defineProperty(exports, "SpreadElement", {
+Object.defineProperty(exports, 'SpreadElement', {
enumerable: true,
get: function () {
return _index.spreadElement;
- }
+ },
});
-Object.defineProperty(exports, "SpreadProperty", {
+Object.defineProperty(exports, 'SpreadProperty', {
enumerable: true,
get: function () {
return _index.spreadProperty;
- }
+ },
});
-Object.defineProperty(exports, "StaticBlock", {
+Object.defineProperty(exports, 'StaticBlock', {
enumerable: true,
get: function () {
return _index.staticBlock;
- }
+ },
});
-Object.defineProperty(exports, "StringLiteral", {
+Object.defineProperty(exports, 'StringLiteral', {
enumerable: true,
get: function () {
return _index.stringLiteral;
- }
+ },
});
-Object.defineProperty(exports, "StringLiteralTypeAnnotation", {
+Object.defineProperty(exports, 'StringLiteralTypeAnnotation', {
enumerable: true,
get: function () {
return _index.stringLiteralTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "StringTypeAnnotation", {
+Object.defineProperty(exports, 'StringTypeAnnotation', {
enumerable: true,
get: function () {
return _index.stringTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "Super", {
+Object.defineProperty(exports, 'Super', {
enumerable: true,
get: function () {
return _index.super;
- }
+ },
});
-Object.defineProperty(exports, "SwitchCase", {
+Object.defineProperty(exports, 'SwitchCase', {
enumerable: true,
get: function () {
return _index.switchCase;
- }
+ },
});
-Object.defineProperty(exports, "SwitchStatement", {
+Object.defineProperty(exports, 'SwitchStatement', {
enumerable: true,
get: function () {
return _index.switchStatement;
- }
+ },
});
-Object.defineProperty(exports, "SymbolTypeAnnotation", {
+Object.defineProperty(exports, 'SymbolTypeAnnotation', {
enumerable: true,
get: function () {
return _index.symbolTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "TSAnyKeyword", {
+Object.defineProperty(exports, 'TSAnyKeyword', {
enumerable: true,
get: function () {
return _index.tsAnyKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSArrayType", {
+Object.defineProperty(exports, 'TSArrayType', {
enumerable: true,
get: function () {
return _index.tsArrayType;
- }
+ },
});
-Object.defineProperty(exports, "TSAsExpression", {
+Object.defineProperty(exports, 'TSAsExpression', {
enumerable: true,
get: function () {
return _index.tsAsExpression;
- }
+ },
});
-Object.defineProperty(exports, "TSBigIntKeyword", {
+Object.defineProperty(exports, 'TSBigIntKeyword', {
enumerable: true,
get: function () {
return _index.tsBigIntKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSBooleanKeyword", {
+Object.defineProperty(exports, 'TSBooleanKeyword', {
enumerable: true,
get: function () {
return _index.tsBooleanKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSCallSignatureDeclaration", {
+Object.defineProperty(exports, 'TSCallSignatureDeclaration', {
enumerable: true,
get: function () {
return _index.tsCallSignatureDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSConditionalType", {
+Object.defineProperty(exports, 'TSConditionalType', {
enumerable: true,
get: function () {
return _index.tsConditionalType;
- }
+ },
});
-Object.defineProperty(exports, "TSConstructSignatureDeclaration", {
+Object.defineProperty(exports, 'TSConstructSignatureDeclaration', {
enumerable: true,
get: function () {
return _index.tsConstructSignatureDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSConstructorType", {
+Object.defineProperty(exports, 'TSConstructorType', {
enumerable: true,
get: function () {
return _index.tsConstructorType;
- }
+ },
});
-Object.defineProperty(exports, "TSDeclareFunction", {
+Object.defineProperty(exports, 'TSDeclareFunction', {
enumerable: true,
get: function () {
return _index.tsDeclareFunction;
- }
+ },
});
-Object.defineProperty(exports, "TSDeclareMethod", {
+Object.defineProperty(exports, 'TSDeclareMethod', {
enumerable: true,
get: function () {
return _index.tsDeclareMethod;
- }
+ },
});
-Object.defineProperty(exports, "TSEnumDeclaration", {
+Object.defineProperty(exports, 'TSEnumDeclaration', {
enumerable: true,
get: function () {
return _index.tsEnumDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSEnumMember", {
+Object.defineProperty(exports, 'TSEnumMember', {
enumerable: true,
get: function () {
return _index.tsEnumMember;
- }
+ },
});
-Object.defineProperty(exports, "TSExportAssignment", {
+Object.defineProperty(exports, 'TSExportAssignment', {
enumerable: true,
get: function () {
return _index.tsExportAssignment;
- }
+ },
});
-Object.defineProperty(exports, "TSExpressionWithTypeArguments", {
+Object.defineProperty(exports, 'TSExpressionWithTypeArguments', {
enumerable: true,
get: function () {
return _index.tsExpressionWithTypeArguments;
- }
+ },
});
-Object.defineProperty(exports, "TSExternalModuleReference", {
+Object.defineProperty(exports, 'TSExternalModuleReference', {
enumerable: true,
get: function () {
return _index.tsExternalModuleReference;
- }
+ },
});
-Object.defineProperty(exports, "TSFunctionType", {
+Object.defineProperty(exports, 'TSFunctionType', {
enumerable: true,
get: function () {
return _index.tsFunctionType;
- }
+ },
});
-Object.defineProperty(exports, "TSImportEqualsDeclaration", {
+Object.defineProperty(exports, 'TSImportEqualsDeclaration', {
enumerable: true,
get: function () {
return _index.tsImportEqualsDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSImportType", {
+Object.defineProperty(exports, 'TSImportType', {
enumerable: true,
get: function () {
return _index.tsImportType;
- }
+ },
});
-Object.defineProperty(exports, "TSIndexSignature", {
+Object.defineProperty(exports, 'TSIndexSignature', {
enumerable: true,
get: function () {
return _index.tsIndexSignature;
- }
+ },
});
-Object.defineProperty(exports, "TSIndexedAccessType", {
+Object.defineProperty(exports, 'TSIndexedAccessType', {
enumerable: true,
get: function () {
return _index.tsIndexedAccessType;
- }
+ },
});
-Object.defineProperty(exports, "TSInferType", {
+Object.defineProperty(exports, 'TSInferType', {
enumerable: true,
get: function () {
return _index.tsInferType;
- }
+ },
});
-Object.defineProperty(exports, "TSInstantiationExpression", {
+Object.defineProperty(exports, 'TSInstantiationExpression', {
enumerable: true,
get: function () {
return _index.tsInstantiationExpression;
- }
+ },
});
-Object.defineProperty(exports, "TSInterfaceBody", {
+Object.defineProperty(exports, 'TSInterfaceBody', {
enumerable: true,
get: function () {
return _index.tsInterfaceBody;
- }
+ },
});
-Object.defineProperty(exports, "TSInterfaceDeclaration", {
+Object.defineProperty(exports, 'TSInterfaceDeclaration', {
enumerable: true,
get: function () {
return _index.tsInterfaceDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSIntersectionType", {
+Object.defineProperty(exports, 'TSIntersectionType', {
enumerable: true,
get: function () {
return _index.tsIntersectionType;
- }
+ },
});
-Object.defineProperty(exports, "TSIntrinsicKeyword", {
+Object.defineProperty(exports, 'TSIntrinsicKeyword', {
enumerable: true,
get: function () {
return _index.tsIntrinsicKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSLiteralType", {
+Object.defineProperty(exports, 'TSLiteralType', {
enumerable: true,
get: function () {
return _index.tsLiteralType;
- }
+ },
});
-Object.defineProperty(exports, "TSMappedType", {
+Object.defineProperty(exports, 'TSMappedType', {
enumerable: true,
get: function () {
return _index.tsMappedType;
- }
+ },
});
-Object.defineProperty(exports, "TSMethodSignature", {
+Object.defineProperty(exports, 'TSMethodSignature', {
enumerable: true,
get: function () {
return _index.tsMethodSignature;
- }
+ },
});
-Object.defineProperty(exports, "TSModuleBlock", {
+Object.defineProperty(exports, 'TSModuleBlock', {
enumerable: true,
get: function () {
return _index.tsModuleBlock;
- }
+ },
});
-Object.defineProperty(exports, "TSModuleDeclaration", {
+Object.defineProperty(exports, 'TSModuleDeclaration', {
enumerable: true,
get: function () {
return _index.tsModuleDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSNamedTupleMember", {
+Object.defineProperty(exports, 'TSNamedTupleMember', {
enumerable: true,
get: function () {
return _index.tsNamedTupleMember;
- }
+ },
});
-Object.defineProperty(exports, "TSNamespaceExportDeclaration", {
+Object.defineProperty(exports, 'TSNamespaceExportDeclaration', {
enumerable: true,
get: function () {
return _index.tsNamespaceExportDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSNeverKeyword", {
+Object.defineProperty(exports, 'TSNeverKeyword', {
enumerable: true,
get: function () {
return _index.tsNeverKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSNonNullExpression", {
+Object.defineProperty(exports, 'TSNonNullExpression', {
enumerable: true,
get: function () {
return _index.tsNonNullExpression;
- }
+ },
});
-Object.defineProperty(exports, "TSNullKeyword", {
+Object.defineProperty(exports, 'TSNullKeyword', {
enumerable: true,
get: function () {
return _index.tsNullKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSNumberKeyword", {
+Object.defineProperty(exports, 'TSNumberKeyword', {
enumerable: true,
get: function () {
return _index.tsNumberKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSObjectKeyword", {
+Object.defineProperty(exports, 'TSObjectKeyword', {
enumerable: true,
get: function () {
return _index.tsObjectKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSOptionalType", {
+Object.defineProperty(exports, 'TSOptionalType', {
enumerable: true,
get: function () {
return _index.tsOptionalType;
- }
+ },
});
-Object.defineProperty(exports, "TSParameterProperty", {
+Object.defineProperty(exports, 'TSParameterProperty', {
enumerable: true,
get: function () {
return _index.tsParameterProperty;
- }
+ },
});
-Object.defineProperty(exports, "TSParenthesizedType", {
+Object.defineProperty(exports, 'TSParenthesizedType', {
enumerable: true,
get: function () {
return _index.tsParenthesizedType;
- }
+ },
});
-Object.defineProperty(exports, "TSPropertySignature", {
+Object.defineProperty(exports, 'TSPropertySignature', {
enumerable: true,
get: function () {
return _index.tsPropertySignature;
- }
+ },
});
-Object.defineProperty(exports, "TSQualifiedName", {
+Object.defineProperty(exports, 'TSQualifiedName', {
enumerable: true,
get: function () {
return _index.tsQualifiedName;
- }
+ },
});
-Object.defineProperty(exports, "TSRestType", {
+Object.defineProperty(exports, 'TSRestType', {
enumerable: true,
get: function () {
return _index.tsRestType;
- }
+ },
});
-Object.defineProperty(exports, "TSStringKeyword", {
+Object.defineProperty(exports, 'TSStringKeyword', {
enumerable: true,
get: function () {
return _index.tsStringKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSSymbolKeyword", {
+Object.defineProperty(exports, 'TSSymbolKeyword', {
enumerable: true,
get: function () {
return _index.tsSymbolKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSThisType", {
+Object.defineProperty(exports, 'TSThisType', {
enumerable: true,
get: function () {
return _index.tsThisType;
- }
+ },
});
-Object.defineProperty(exports, "TSTupleType", {
+Object.defineProperty(exports, 'TSTupleType', {
enumerable: true,
get: function () {
return _index.tsTupleType;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeAliasDeclaration", {
+Object.defineProperty(exports, 'TSTypeAliasDeclaration', {
enumerable: true,
get: function () {
return _index.tsTypeAliasDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeAnnotation", {
+Object.defineProperty(exports, 'TSTypeAnnotation', {
enumerable: true,
get: function () {
return _index.tsTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeAssertion", {
+Object.defineProperty(exports, 'TSTypeAssertion', {
enumerable: true,
get: function () {
return _index.tsTypeAssertion;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeLiteral", {
+Object.defineProperty(exports, 'TSTypeLiteral', {
enumerable: true,
get: function () {
return _index.tsTypeLiteral;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeOperator", {
+Object.defineProperty(exports, 'TSTypeOperator', {
enumerable: true,
get: function () {
return _index.tsTypeOperator;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeParameter", {
+Object.defineProperty(exports, 'TSTypeParameter', {
enumerable: true,
get: function () {
return _index.tsTypeParameter;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeParameterDeclaration", {
+Object.defineProperty(exports, 'TSTypeParameterDeclaration', {
enumerable: true,
get: function () {
return _index.tsTypeParameterDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeParameterInstantiation", {
+Object.defineProperty(exports, 'TSTypeParameterInstantiation', {
enumerable: true,
get: function () {
return _index.tsTypeParameterInstantiation;
- }
+ },
});
-Object.defineProperty(exports, "TSTypePredicate", {
+Object.defineProperty(exports, 'TSTypePredicate', {
enumerable: true,
get: function () {
return _index.tsTypePredicate;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeQuery", {
+Object.defineProperty(exports, 'TSTypeQuery', {
enumerable: true,
get: function () {
return _index.tsTypeQuery;
- }
+ },
});
-Object.defineProperty(exports, "TSTypeReference", {
+Object.defineProperty(exports, 'TSTypeReference', {
enumerable: true,
get: function () {
return _index.tsTypeReference;
- }
+ },
});
-Object.defineProperty(exports, "TSUndefinedKeyword", {
+Object.defineProperty(exports, 'TSUndefinedKeyword', {
enumerable: true,
get: function () {
return _index.tsUndefinedKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSUnionType", {
+Object.defineProperty(exports, 'TSUnionType', {
enumerable: true,
get: function () {
return _index.tsUnionType;
- }
+ },
});
-Object.defineProperty(exports, "TSUnknownKeyword", {
+Object.defineProperty(exports, 'TSUnknownKeyword', {
enumerable: true,
get: function () {
return _index.tsUnknownKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TSVoidKeyword", {
+Object.defineProperty(exports, 'TSVoidKeyword', {
enumerable: true,
get: function () {
return _index.tsVoidKeyword;
- }
+ },
});
-Object.defineProperty(exports, "TaggedTemplateExpression", {
+Object.defineProperty(exports, 'TaggedTemplateExpression', {
enumerable: true,
get: function () {
return _index.taggedTemplateExpression;
- }
+ },
});
-Object.defineProperty(exports, "TemplateElement", {
+Object.defineProperty(exports, 'TemplateElement', {
enumerable: true,
get: function () {
return _index.templateElement;
- }
+ },
});
-Object.defineProperty(exports, "TemplateLiteral", {
+Object.defineProperty(exports, 'TemplateLiteral', {
enumerable: true,
get: function () {
return _index.templateLiteral;
- }
+ },
});
-Object.defineProperty(exports, "ThisExpression", {
+Object.defineProperty(exports, 'ThisExpression', {
enumerable: true,
get: function () {
return _index.thisExpression;
- }
+ },
});
-Object.defineProperty(exports, "ThisTypeAnnotation", {
+Object.defineProperty(exports, 'ThisTypeAnnotation', {
enumerable: true,
get: function () {
return _index.thisTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "ThrowStatement", {
+Object.defineProperty(exports, 'ThrowStatement', {
enumerable: true,
get: function () {
return _index.throwStatement;
- }
+ },
});
-Object.defineProperty(exports, "TopicReference", {
+Object.defineProperty(exports, 'TopicReference', {
enumerable: true,
get: function () {
return _index.topicReference;
- }
+ },
});
-Object.defineProperty(exports, "TryStatement", {
+Object.defineProperty(exports, 'TryStatement', {
enumerable: true,
get: function () {
return _index.tryStatement;
- }
+ },
});
-Object.defineProperty(exports, "TupleExpression", {
+Object.defineProperty(exports, 'TupleExpression', {
enumerable: true,
get: function () {
return _index.tupleExpression;
- }
+ },
});
-Object.defineProperty(exports, "TupleTypeAnnotation", {
+Object.defineProperty(exports, 'TupleTypeAnnotation', {
enumerable: true,
get: function () {
return _index.tupleTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "TypeAlias", {
+Object.defineProperty(exports, 'TypeAlias', {
enumerable: true,
get: function () {
return _index.typeAlias;
- }
+ },
});
-Object.defineProperty(exports, "TypeAnnotation", {
+Object.defineProperty(exports, 'TypeAnnotation', {
enumerable: true,
get: function () {
return _index.typeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "TypeCastExpression", {
+Object.defineProperty(exports, 'TypeCastExpression', {
enumerable: true,
get: function () {
return _index.typeCastExpression;
- }
+ },
});
-Object.defineProperty(exports, "TypeParameter", {
+Object.defineProperty(exports, 'TypeParameter', {
enumerable: true,
get: function () {
return _index.typeParameter;
- }
+ },
});
-Object.defineProperty(exports, "TypeParameterDeclaration", {
+Object.defineProperty(exports, 'TypeParameterDeclaration', {
enumerable: true,
get: function () {
return _index.typeParameterDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "TypeParameterInstantiation", {
+Object.defineProperty(exports, 'TypeParameterInstantiation', {
enumerable: true,
get: function () {
return _index.typeParameterInstantiation;
- }
+ },
});
-Object.defineProperty(exports, "TypeofTypeAnnotation", {
+Object.defineProperty(exports, 'TypeofTypeAnnotation', {
enumerable: true,
get: function () {
return _index.typeofTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "UnaryExpression", {
+Object.defineProperty(exports, 'UnaryExpression', {
enumerable: true,
get: function () {
return _index.unaryExpression;
- }
+ },
});
-Object.defineProperty(exports, "UnionTypeAnnotation", {
+Object.defineProperty(exports, 'UnionTypeAnnotation', {
enumerable: true,
get: function () {
return _index.unionTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "UpdateExpression", {
+Object.defineProperty(exports, 'UpdateExpression', {
enumerable: true,
get: function () {
return _index.updateExpression;
- }
+ },
});
-Object.defineProperty(exports, "V8IntrinsicIdentifier", {
+Object.defineProperty(exports, 'V8IntrinsicIdentifier', {
enumerable: true,
get: function () {
return _index.v8IntrinsicIdentifier;
- }
+ },
});
-Object.defineProperty(exports, "VariableDeclaration", {
+Object.defineProperty(exports, 'VariableDeclaration', {
enumerable: true,
get: function () {
return _index.variableDeclaration;
- }
+ },
});
-Object.defineProperty(exports, "VariableDeclarator", {
+Object.defineProperty(exports, 'VariableDeclarator', {
enumerable: true,
get: function () {
return _index.variableDeclarator;
- }
+ },
});
-Object.defineProperty(exports, "Variance", {
+Object.defineProperty(exports, 'Variance', {
enumerable: true,
get: function () {
return _index.variance;
- }
+ },
});
-Object.defineProperty(exports, "VoidTypeAnnotation", {
+Object.defineProperty(exports, 'VoidTypeAnnotation', {
enumerable: true,
get: function () {
return _index.voidTypeAnnotation;
- }
+ },
});
-Object.defineProperty(exports, "WhileStatement", {
+Object.defineProperty(exports, 'WhileStatement', {
enumerable: true,
get: function () {
return _index.whileStatement;
- }
+ },
});
-Object.defineProperty(exports, "WithStatement", {
+Object.defineProperty(exports, 'WithStatement', {
enumerable: true,
get: function () {
return _index.withStatement;
- }
+ },
});
-Object.defineProperty(exports, "YieldExpression", {
+Object.defineProperty(exports, 'YieldExpression', {
enumerable: true,
get: function () {
return _index.yieldExpression;
- }
+ },
});
-var _index = require("./index");
+var _index = require('./index');
//# sourceMappingURL=uppercase.js.map
diff --git a/node_modules/@babel/types/lib/builders/react/buildChildren.js b/node_modules/@babel/types/lib/builders/react/buildChildren.js
index 9019797..d18b3e9 100644
--- a/node_modules/@babel/types/lib/builders/react/buildChildren.js
+++ b/node_modules/@babel/types/lib/builders/react/buildChildren.js
@@ -1,13 +1,13 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = buildChildren;
-var _generated = require("../../validators/generated");
+var _generated = require('../../validators/generated');
-var _cleanJSXElementLiteralChild = require("../../utils/react/cleanJSXElementLiteralChild");
+var _cleanJSXElementLiteralChild = require('../../utils/react/cleanJSXElementLiteralChild');
function buildChildren(node) {
const elements = [];
@@ -20,7 +20,8 @@ function buildChildren(node) {
continue;
}
- if ((0, _generated.isJSXExpressionContainer)(child)) child = child.expression;
+ if ((0, _generated.isJSXExpressionContainer)(child))
+ child = child.expression;
if ((0, _generated.isJSXEmptyExpression)(child)) continue;
elements.push(child);
}
diff --git a/node_modules/@babel/types/lib/builders/typescript/createTSUnionType.js b/node_modules/@babel/types/lib/builders/typescript/createTSUnionType.js
index 1ff6389..0686d47 100644
--- a/node_modules/@babel/types/lib/builders/typescript/createTSUnionType.js
+++ b/node_modules/@babel/types/lib/builders/typescript/createTSUnionType.js
@@ -1,18 +1,18 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = createTSUnionType;
-var _generated = require("../generated");
+var _generated = require('../generated');
-var _removeTypeDuplicates = require("../../modifications/typescript/removeTypeDuplicates");
+var _removeTypeDuplicates = require('../../modifications/typescript/removeTypeDuplicates');
-var _index = require("../../validators/generated/index");
+var _index = require('../../validators/generated/index');
function createTSUnionType(typeAnnotations) {
- const types = typeAnnotations.map(type => {
+ const types = typeAnnotations.map((type) => {
return (0, _index.isTSTypeAnnotation)(type) ? type.typeAnnotation : type;
});
const flattened = (0, _removeTypeDuplicates.default)(types);
diff --git a/node_modules/@babel/types/lib/builders/validateNode.js b/node_modules/@babel/types/lib/builders/validateNode.js
index f64001e..97a119e 100644
--- a/node_modules/@babel/types/lib/builders/validateNode.js
+++ b/node_modules/@babel/types/lib/builders/validateNode.js
@@ -1,13 +1,13 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = validateNode;
-var _validate = require("../validators/validate");
+var _validate = require('../validators/validate');
-var _ = require("..");
+var _ = require('..');
function validateNode(node) {
const keys = _.BUILDER_KEYS[node.type];
diff --git a/node_modules/@babel/types/lib/clone/clone.js b/node_modules/@babel/types/lib/clone/clone.js
index 8ab9af4..fcfb9d8 100644
--- a/node_modules/@babel/types/lib/clone/clone.js
+++ b/node_modules/@babel/types/lib/clone/clone.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = clone;
-var _cloneNode = require("./cloneNode");
+var _cloneNode = require('./cloneNode');
function clone(node) {
return (0, _cloneNode.default)(node, false);
diff --git a/node_modules/@babel/types/lib/clone/cloneDeep.js b/node_modules/@babel/types/lib/clone/cloneDeep.js
index 1914994..54fb447 100644
--- a/node_modules/@babel/types/lib/clone/cloneDeep.js
+++ b/node_modules/@babel/types/lib/clone/cloneDeep.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = cloneDeep;
-var _cloneNode = require("./cloneNode");
+var _cloneNode = require('./cloneNode');
function cloneDeep(node) {
return (0, _cloneNode.default)(node);
diff --git a/node_modules/@babel/types/lib/clone/cloneDeepWithoutLoc.js b/node_modules/@babel/types/lib/clone/cloneDeepWithoutLoc.js
index e010d9f..ba24893 100644
--- a/node_modules/@babel/types/lib/clone/cloneDeepWithoutLoc.js
+++ b/node_modules/@babel/types/lib/clone/cloneDeepWithoutLoc.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = cloneDeepWithoutLoc;
-var _cloneNode = require("./cloneNode");
+var _cloneNode = require('./cloneNode');
function cloneDeepWithoutLoc(node) {
return (0, _cloneNode.default)(node, true, true);
diff --git a/node_modules/@babel/types/lib/clone/cloneNode.js b/node_modules/@babel/types/lib/clone/cloneNode.js
index 57ced3e..c773364 100644
--- a/node_modules/@babel/types/lib/clone/cloneNode.js
+++ b/node_modules/@babel/types/lib/clone/cloneNode.js
@@ -1,18 +1,18 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = cloneNode;
-var _definitions = require("../definitions");
+var _definitions = require('../definitions');
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
const has = Function.call.bind(Object.prototype.hasOwnProperty);
function cloneIfNode(obj, deep, withoutLoc, commentsCache) {
- if (obj && typeof obj.type === "string") {
+ if (obj && typeof obj.type === 'string') {
return cloneNodeInternal(obj, deep, withoutLoc, commentsCache);
}
@@ -21,7 +21,9 @@ function cloneIfNode(obj, deep, withoutLoc, commentsCache) {
function cloneIfNodeOrArray(obj, deep, withoutLoc, commentsCache) {
if (Array.isArray(obj)) {
- return obj.map(node => cloneIfNode(node, deep, withoutLoc, commentsCache));
+ return obj.map((node) =>
+ cloneIfNode(node, deep, withoutLoc, commentsCache)
+ );
}
return cloneIfNode(obj, deep, withoutLoc, commentsCache);
@@ -31,24 +33,35 @@ function cloneNode(node, deep = true, withoutLoc = false) {
return cloneNodeInternal(node, deep, withoutLoc, new Map());
}
-function cloneNodeInternal(node, deep = true, withoutLoc = false, commentsCache) {
+function cloneNodeInternal(
+ node,
+ deep = true,
+ withoutLoc = false,
+ commentsCache
+) {
if (!node) return node;
- const {
- type
- } = node;
+ const { type } = node;
const newNode = {
- type: node.type
+ type: node.type,
};
if ((0, _generated.isIdentifier)(node)) {
newNode.name = node.name;
- if (has(node, "optional") && typeof node.optional === "boolean") {
+ if (has(node, 'optional') && typeof node.optional === 'boolean') {
newNode.optional = node.optional;
}
- if (has(node, "typeAnnotation")) {
- newNode.typeAnnotation = deep ? cloneIfNodeOrArray(node.typeAnnotation, true, withoutLoc, commentsCache) : node.typeAnnotation;
+ if (has(node, 'typeAnnotation')) {
+ newNode.typeAnnotation =
+ deep ?
+ cloneIfNodeOrArray(
+ node.typeAnnotation,
+ true,
+ withoutLoc,
+ commentsCache
+ )
+ : node.typeAnnotation;
}
} else if (!has(_definitions.NODE_FIELDS, type)) {
throw new Error(`Unknown node type: "${type}"`);
@@ -56,7 +69,10 @@ function cloneNodeInternal(node, deep = true, withoutLoc = false, commentsCache)
for (const field of Object.keys(_definitions.NODE_FIELDS[type])) {
if (has(node, field)) {
if (deep) {
- newNode[field] = (0, _generated.isFile)(node) && field === "comments" ? maybeCloneComments(node.comments, deep, withoutLoc, commentsCache) : cloneIfNodeOrArray(node[field], true, withoutLoc, commentsCache);
+ newNode[field] =
+ (0, _generated.isFile)(node) && field === 'comments' ?
+ maybeCloneComments(node.comments, deep, withoutLoc, commentsCache)
+ : cloneIfNodeOrArray(node[field], true, withoutLoc, commentsCache);
} else {
newNode[field] = node[field];
}
@@ -64,7 +80,7 @@ function cloneNodeInternal(node, deep = true, withoutLoc = false, commentsCache)
}
}
- if (has(node, "loc")) {
+ if (has(node, 'loc')) {
if (withoutLoc) {
newNode.loc = null;
} else {
@@ -72,19 +88,34 @@ function cloneNodeInternal(node, deep = true, withoutLoc = false, commentsCache)
}
}
- if (has(node, "leadingComments")) {
- newNode.leadingComments = maybeCloneComments(node.leadingComments, deep, withoutLoc, commentsCache);
+ if (has(node, 'leadingComments')) {
+ newNode.leadingComments = maybeCloneComments(
+ node.leadingComments,
+ deep,
+ withoutLoc,
+ commentsCache
+ );
}
- if (has(node, "innerComments")) {
- newNode.innerComments = maybeCloneComments(node.innerComments, deep, withoutLoc, commentsCache);
+ if (has(node, 'innerComments')) {
+ newNode.innerComments = maybeCloneComments(
+ node.innerComments,
+ deep,
+ withoutLoc,
+ commentsCache
+ );
}
- if (has(node, "trailingComments")) {
- newNode.trailingComments = maybeCloneComments(node.trailingComments, deep, withoutLoc, commentsCache);
+ if (has(node, 'trailingComments')) {
+ newNode.trailingComments = maybeCloneComments(
+ node.trailingComments,
+ deep,
+ withoutLoc,
+ commentsCache
+ );
}
- if (has(node, "extra")) {
+ if (has(node, 'extra')) {
newNode.extra = Object.assign({}, node.extra);
}
@@ -96,18 +127,14 @@ function maybeCloneComments(comments, deep, withoutLoc, commentsCache) {
return comments;
}
- return comments.map(comment => {
+ return comments.map((comment) => {
const cache = commentsCache.get(comment);
if (cache) return cache;
- const {
- type,
- value,
- loc
- } = comment;
+ const { type, value, loc } = comment;
const ret = {
type,
value,
- loc
+ loc,
};
if (withoutLoc) {
diff --git a/node_modules/@babel/types/lib/clone/cloneWithoutLoc.js b/node_modules/@babel/types/lib/clone/cloneWithoutLoc.js
index 13edfe1..641a76f 100644
--- a/node_modules/@babel/types/lib/clone/cloneWithoutLoc.js
+++ b/node_modules/@babel/types/lib/clone/cloneWithoutLoc.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = cloneWithoutLoc;
-var _cloneNode = require("./cloneNode");
+var _cloneNode = require('./cloneNode');
function cloneWithoutLoc(node) {
return (0, _cloneNode.default)(node, false, true);
diff --git a/node_modules/@babel/types/lib/comments/addComment.js b/node_modules/@babel/types/lib/comments/addComment.js
index 8882540..dd5ff7d 100644
--- a/node_modules/@babel/types/lib/comments/addComment.js
+++ b/node_modules/@babel/types/lib/comments/addComment.js
@@ -1,17 +1,19 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = addComment;
-var _addComments = require("./addComments");
+var _addComments = require('./addComments');
function addComment(node, type, content, line) {
- return (0, _addComments.default)(node, type, [{
- type: line ? "CommentLine" : "CommentBlock",
- value: content
- }]);
+ return (0, _addComments.default)(node, type, [
+ {
+ type: line ? 'CommentLine' : 'CommentBlock',
+ value: content,
+ },
+ ]);
}
//# sourceMappingURL=addComment.js.map
diff --git a/node_modules/@babel/types/lib/comments/addComments.js b/node_modules/@babel/types/lib/comments/addComments.js
index b5f75c2..320ade6 100644
--- a/node_modules/@babel/types/lib/comments/addComments.js
+++ b/node_modules/@babel/types/lib/comments/addComments.js
@@ -1,7 +1,7 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = addComments;
@@ -10,7 +10,7 @@ function addComments(node, type, comments) {
const key = `${type}Comments`;
if (node[key]) {
- if (type === "leading") {
+ if (type === 'leading') {
node[key] = comments.concat(node[key]);
} else {
node[key].push(...comments);
diff --git a/node_modules/@babel/types/lib/comments/inheritInnerComments.js b/node_modules/@babel/types/lib/comments/inheritInnerComments.js
index 699aa03..eb6a200 100644
--- a/node_modules/@babel/types/lib/comments/inheritInnerComments.js
+++ b/node_modules/@babel/types/lib/comments/inheritInnerComments.js
@@ -1,14 +1,14 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = inheritInnerComments;
-var _inherit = require("../utils/inherit");
+var _inherit = require('../utils/inherit');
function inheritInnerComments(child, parent) {
- (0, _inherit.default)("innerComments", child, parent);
+ (0, _inherit.default)('innerComments', child, parent);
}
//# sourceMappingURL=inheritInnerComments.js.map
diff --git a/node_modules/@babel/types/lib/comments/inheritLeadingComments.js b/node_modules/@babel/types/lib/comments/inheritLeadingComments.js
index 451e3e5..1ae9e98 100644
--- a/node_modules/@babel/types/lib/comments/inheritLeadingComments.js
+++ b/node_modules/@babel/types/lib/comments/inheritLeadingComments.js
@@ -1,14 +1,14 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = inheritLeadingComments;
-var _inherit = require("../utils/inherit");
+var _inherit = require('../utils/inherit');
function inheritLeadingComments(child, parent) {
- (0, _inherit.default)("leadingComments", child, parent);
+ (0, _inherit.default)('leadingComments', child, parent);
}
//# sourceMappingURL=inheritLeadingComments.js.map
diff --git a/node_modules/@babel/types/lib/comments/inheritTrailingComments.js b/node_modules/@babel/types/lib/comments/inheritTrailingComments.js
index da84aee..702f957 100644
--- a/node_modules/@babel/types/lib/comments/inheritTrailingComments.js
+++ b/node_modules/@babel/types/lib/comments/inheritTrailingComments.js
@@ -1,14 +1,14 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = inheritTrailingComments;
-var _inherit = require("../utils/inherit");
+var _inherit = require('../utils/inherit');
function inheritTrailingComments(child, parent) {
- (0, _inherit.default)("trailingComments", child, parent);
+ (0, _inherit.default)('trailingComments', child, parent);
}
//# sourceMappingURL=inheritTrailingComments.js.map
diff --git a/node_modules/@babel/types/lib/comments/inheritsComments.js b/node_modules/@babel/types/lib/comments/inheritsComments.js
index 8775ab1..674fbd3 100644
--- a/node_modules/@babel/types/lib/comments/inheritsComments.js
+++ b/node_modules/@babel/types/lib/comments/inheritsComments.js
@@ -1,15 +1,15 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = inheritsComments;
-var _inheritTrailingComments = require("./inheritTrailingComments");
+var _inheritTrailingComments = require('./inheritTrailingComments');
-var _inheritLeadingComments = require("./inheritLeadingComments");
+var _inheritLeadingComments = require('./inheritLeadingComments');
-var _inheritInnerComments = require("./inheritInnerComments");
+var _inheritInnerComments = require('./inheritInnerComments');
function inheritsComments(child, parent) {
(0, _inheritTrailingComments.default)(child, parent);
diff --git a/node_modules/@babel/types/lib/comments/removeComments.js b/node_modules/@babel/types/lib/comments/removeComments.js
index 9347023..f105eec 100644
--- a/node_modules/@babel/types/lib/comments/removeComments.js
+++ b/node_modules/@babel/types/lib/comments/removeComments.js
@@ -1,14 +1,14 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = removeComments;
-var _constants = require("../constants");
+var _constants = require('../constants');
function removeComments(node) {
- _constants.COMMENT_KEYS.forEach(key => {
+ _constants.COMMENT_KEYS.forEach((key) => {
node[key] = null;
});
diff --git a/node_modules/@babel/types/lib/constants/generated/index.js b/node_modules/@babel/types/lib/constants/generated/index.js
index f834e93..9c2d761 100644
--- a/node_modules/@babel/types/lib/constants/generated/index.js
+++ b/node_modules/@babel/types/lib/constants/generated/index.js
@@ -1,109 +1,166 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-exports.WHILE_TYPES = exports.USERWHITESPACABLE_TYPES = exports.UNARYLIKE_TYPES = exports.TYPESCRIPT_TYPES = exports.TSTYPE_TYPES = exports.TSTYPEELEMENT_TYPES = exports.TSENTITYNAME_TYPES = exports.TSBASETYPE_TYPES = exports.TERMINATORLESS_TYPES = exports.STATEMENT_TYPES = exports.STANDARDIZED_TYPES = exports.SCOPABLE_TYPES = exports.PUREISH_TYPES = exports.PROPERTY_TYPES = exports.PRIVATE_TYPES = exports.PATTERN_TYPES = exports.PATTERNLIKE_TYPES = exports.OBJECTMEMBER_TYPES = exports.MODULESPECIFIER_TYPES = exports.MODULEDECLARATION_TYPES = exports.MISCELLANEOUS_TYPES = exports.METHOD_TYPES = exports.LVAL_TYPES = exports.LOOP_TYPES = exports.LITERAL_TYPES = exports.JSX_TYPES = exports.IMMUTABLE_TYPES = exports.FUNCTION_TYPES = exports.FUNCTIONPARENT_TYPES = exports.FOR_TYPES = exports.FORXSTATEMENT_TYPES = exports.FLOW_TYPES = exports.FLOWTYPE_TYPES = exports.FLOWPREDICATE_TYPES = exports.FLOWDECLARATION_TYPES = exports.FLOWBASEANNOTATION_TYPES = exports.EXPRESSION_TYPES = exports.EXPRESSIONWRAPPER_TYPES = exports.EXPORTDECLARATION_TYPES = exports.ENUMMEMBER_TYPES = exports.ENUMBODY_TYPES = exports.DECLARATION_TYPES = exports.CONDITIONAL_TYPES = exports.COMPLETIONSTATEMENT_TYPES = exports.CLASS_TYPES = exports.BLOCK_TYPES = exports.BLOCKPARENT_TYPES = exports.BINARY_TYPES = exports.ACCESSOR_TYPES = void 0;
+exports.WHILE_TYPES =
+ exports.USERWHITESPACABLE_TYPES =
+ exports.UNARYLIKE_TYPES =
+ exports.TYPESCRIPT_TYPES =
+ exports.TSTYPE_TYPES =
+ exports.TSTYPEELEMENT_TYPES =
+ exports.TSENTITYNAME_TYPES =
+ exports.TSBASETYPE_TYPES =
+ exports.TERMINATORLESS_TYPES =
+ exports.STATEMENT_TYPES =
+ exports.STANDARDIZED_TYPES =
+ exports.SCOPABLE_TYPES =
+ exports.PUREISH_TYPES =
+ exports.PROPERTY_TYPES =
+ exports.PRIVATE_TYPES =
+ exports.PATTERN_TYPES =
+ exports.PATTERNLIKE_TYPES =
+ exports.OBJECTMEMBER_TYPES =
+ exports.MODULESPECIFIER_TYPES =
+ exports.MODULEDECLARATION_TYPES =
+ exports.MISCELLANEOUS_TYPES =
+ exports.METHOD_TYPES =
+ exports.LVAL_TYPES =
+ exports.LOOP_TYPES =
+ exports.LITERAL_TYPES =
+ exports.JSX_TYPES =
+ exports.IMMUTABLE_TYPES =
+ exports.FUNCTION_TYPES =
+ exports.FUNCTIONPARENT_TYPES =
+ exports.FOR_TYPES =
+ exports.FORXSTATEMENT_TYPES =
+ exports.FLOW_TYPES =
+ exports.FLOWTYPE_TYPES =
+ exports.FLOWPREDICATE_TYPES =
+ exports.FLOWDECLARATION_TYPES =
+ exports.FLOWBASEANNOTATION_TYPES =
+ exports.EXPRESSION_TYPES =
+ exports.EXPRESSIONWRAPPER_TYPES =
+ exports.EXPORTDECLARATION_TYPES =
+ exports.ENUMMEMBER_TYPES =
+ exports.ENUMBODY_TYPES =
+ exports.DECLARATION_TYPES =
+ exports.CONDITIONAL_TYPES =
+ exports.COMPLETIONSTATEMENT_TYPES =
+ exports.CLASS_TYPES =
+ exports.BLOCK_TYPES =
+ exports.BLOCKPARENT_TYPES =
+ exports.BINARY_TYPES =
+ exports.ACCESSOR_TYPES =
+ void 0;
-var _definitions = require("../../definitions");
+var _definitions = require('../../definitions');
-const STANDARDIZED_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Standardized"];
+const STANDARDIZED_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Standardized'];
exports.STANDARDIZED_TYPES = STANDARDIZED_TYPES;
-const EXPRESSION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Expression"];
+const EXPRESSION_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Expression'];
exports.EXPRESSION_TYPES = EXPRESSION_TYPES;
-const BINARY_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Binary"];
+const BINARY_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Binary'];
exports.BINARY_TYPES = BINARY_TYPES;
-const SCOPABLE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Scopable"];
+const SCOPABLE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Scopable'];
exports.SCOPABLE_TYPES = SCOPABLE_TYPES;
-const BLOCKPARENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["BlockParent"];
+const BLOCKPARENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS['BlockParent'];
exports.BLOCKPARENT_TYPES = BLOCKPARENT_TYPES;
-const BLOCK_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Block"];
+const BLOCK_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Block'];
exports.BLOCK_TYPES = BLOCK_TYPES;
-const STATEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Statement"];
+const STATEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Statement'];
exports.STATEMENT_TYPES = STATEMENT_TYPES;
-const TERMINATORLESS_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Terminatorless"];
+const TERMINATORLESS_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Terminatorless'];
exports.TERMINATORLESS_TYPES = TERMINATORLESS_TYPES;
-const COMPLETIONSTATEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["CompletionStatement"];
+const COMPLETIONSTATEMENT_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['CompletionStatement'];
exports.COMPLETIONSTATEMENT_TYPES = COMPLETIONSTATEMENT_TYPES;
-const CONDITIONAL_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Conditional"];
+const CONDITIONAL_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Conditional'];
exports.CONDITIONAL_TYPES = CONDITIONAL_TYPES;
-const LOOP_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Loop"];
+const LOOP_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Loop'];
exports.LOOP_TYPES = LOOP_TYPES;
-const WHILE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["While"];
+const WHILE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['While'];
exports.WHILE_TYPES = WHILE_TYPES;
-const EXPRESSIONWRAPPER_TYPES = _definitions.FLIPPED_ALIAS_KEYS["ExpressionWrapper"];
+const EXPRESSIONWRAPPER_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['ExpressionWrapper'];
exports.EXPRESSIONWRAPPER_TYPES = EXPRESSIONWRAPPER_TYPES;
-const FOR_TYPES = _definitions.FLIPPED_ALIAS_KEYS["For"];
+const FOR_TYPES = _definitions.FLIPPED_ALIAS_KEYS['For'];
exports.FOR_TYPES = FOR_TYPES;
-const FORXSTATEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["ForXStatement"];
+const FORXSTATEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS['ForXStatement'];
exports.FORXSTATEMENT_TYPES = FORXSTATEMENT_TYPES;
-const FUNCTION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Function"];
+const FUNCTION_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Function'];
exports.FUNCTION_TYPES = FUNCTION_TYPES;
-const FUNCTIONPARENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["FunctionParent"];
+const FUNCTIONPARENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS['FunctionParent'];
exports.FUNCTIONPARENT_TYPES = FUNCTIONPARENT_TYPES;
-const PUREISH_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Pureish"];
+const PUREISH_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Pureish'];
exports.PUREISH_TYPES = PUREISH_TYPES;
-const DECLARATION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Declaration"];
+const DECLARATION_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Declaration'];
exports.DECLARATION_TYPES = DECLARATION_TYPES;
-const PATTERNLIKE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["PatternLike"];
+const PATTERNLIKE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['PatternLike'];
exports.PATTERNLIKE_TYPES = PATTERNLIKE_TYPES;
-const LVAL_TYPES = _definitions.FLIPPED_ALIAS_KEYS["LVal"];
+const LVAL_TYPES = _definitions.FLIPPED_ALIAS_KEYS['LVal'];
exports.LVAL_TYPES = LVAL_TYPES;
-const TSENTITYNAME_TYPES = _definitions.FLIPPED_ALIAS_KEYS["TSEntityName"];
+const TSENTITYNAME_TYPES = _definitions.FLIPPED_ALIAS_KEYS['TSEntityName'];
exports.TSENTITYNAME_TYPES = TSENTITYNAME_TYPES;
-const LITERAL_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Literal"];
+const LITERAL_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Literal'];
exports.LITERAL_TYPES = LITERAL_TYPES;
-const IMMUTABLE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Immutable"];
+const IMMUTABLE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Immutable'];
exports.IMMUTABLE_TYPES = IMMUTABLE_TYPES;
-const USERWHITESPACABLE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["UserWhitespacable"];
+const USERWHITESPACABLE_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['UserWhitespacable'];
exports.USERWHITESPACABLE_TYPES = USERWHITESPACABLE_TYPES;
-const METHOD_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Method"];
+const METHOD_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Method'];
exports.METHOD_TYPES = METHOD_TYPES;
-const OBJECTMEMBER_TYPES = _definitions.FLIPPED_ALIAS_KEYS["ObjectMember"];
+const OBJECTMEMBER_TYPES = _definitions.FLIPPED_ALIAS_KEYS['ObjectMember'];
exports.OBJECTMEMBER_TYPES = OBJECTMEMBER_TYPES;
-const PROPERTY_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Property"];
+const PROPERTY_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Property'];
exports.PROPERTY_TYPES = PROPERTY_TYPES;
-const UNARYLIKE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["UnaryLike"];
+const UNARYLIKE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['UnaryLike'];
exports.UNARYLIKE_TYPES = UNARYLIKE_TYPES;
-const PATTERN_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Pattern"];
+const PATTERN_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Pattern'];
exports.PATTERN_TYPES = PATTERN_TYPES;
-const CLASS_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Class"];
+const CLASS_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Class'];
exports.CLASS_TYPES = CLASS_TYPES;
-const MODULEDECLARATION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["ModuleDeclaration"];
+const MODULEDECLARATION_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['ModuleDeclaration'];
exports.MODULEDECLARATION_TYPES = MODULEDECLARATION_TYPES;
-const EXPORTDECLARATION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["ExportDeclaration"];
+const EXPORTDECLARATION_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['ExportDeclaration'];
exports.EXPORTDECLARATION_TYPES = EXPORTDECLARATION_TYPES;
-const MODULESPECIFIER_TYPES = _definitions.FLIPPED_ALIAS_KEYS["ModuleSpecifier"];
+const MODULESPECIFIER_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['ModuleSpecifier'];
exports.MODULESPECIFIER_TYPES = MODULESPECIFIER_TYPES;
-const ACCESSOR_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Accessor"];
+const ACCESSOR_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Accessor'];
exports.ACCESSOR_TYPES = ACCESSOR_TYPES;
-const PRIVATE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Private"];
+const PRIVATE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Private'];
exports.PRIVATE_TYPES = PRIVATE_TYPES;
-const FLOW_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Flow"];
+const FLOW_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Flow'];
exports.FLOW_TYPES = FLOW_TYPES;
-const FLOWTYPE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["FlowType"];
+const FLOWTYPE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['FlowType'];
exports.FLOWTYPE_TYPES = FLOWTYPE_TYPES;
-const FLOWBASEANNOTATION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["FlowBaseAnnotation"];
+const FLOWBASEANNOTATION_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['FlowBaseAnnotation'];
exports.FLOWBASEANNOTATION_TYPES = FLOWBASEANNOTATION_TYPES;
-const FLOWDECLARATION_TYPES = _definitions.FLIPPED_ALIAS_KEYS["FlowDeclaration"];
+const FLOWDECLARATION_TYPES =
+ _definitions.FLIPPED_ALIAS_KEYS['FlowDeclaration'];
exports.FLOWDECLARATION_TYPES = FLOWDECLARATION_TYPES;
-const FLOWPREDICATE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["FlowPredicate"];
+const FLOWPREDICATE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['FlowPredicate'];
exports.FLOWPREDICATE_TYPES = FLOWPREDICATE_TYPES;
-const ENUMBODY_TYPES = _definitions.FLIPPED_ALIAS_KEYS["EnumBody"];
+const ENUMBODY_TYPES = _definitions.FLIPPED_ALIAS_KEYS['EnumBody'];
exports.ENUMBODY_TYPES = ENUMBODY_TYPES;
-const ENUMMEMBER_TYPES = _definitions.FLIPPED_ALIAS_KEYS["EnumMember"];
+const ENUMMEMBER_TYPES = _definitions.FLIPPED_ALIAS_KEYS['EnumMember'];
exports.ENUMMEMBER_TYPES = ENUMMEMBER_TYPES;
-const JSX_TYPES = _definitions.FLIPPED_ALIAS_KEYS["JSX"];
+const JSX_TYPES = _definitions.FLIPPED_ALIAS_KEYS['JSX'];
exports.JSX_TYPES = JSX_TYPES;
-const MISCELLANEOUS_TYPES = _definitions.FLIPPED_ALIAS_KEYS["Miscellaneous"];
+const MISCELLANEOUS_TYPES = _definitions.FLIPPED_ALIAS_KEYS['Miscellaneous'];
exports.MISCELLANEOUS_TYPES = MISCELLANEOUS_TYPES;
-const TYPESCRIPT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["TypeScript"];
+const TYPESCRIPT_TYPES = _definitions.FLIPPED_ALIAS_KEYS['TypeScript'];
exports.TYPESCRIPT_TYPES = TYPESCRIPT_TYPES;
-const TSTYPEELEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS["TSTypeElement"];
+const TSTYPEELEMENT_TYPES = _definitions.FLIPPED_ALIAS_KEYS['TSTypeElement'];
exports.TSTYPEELEMENT_TYPES = TSTYPEELEMENT_TYPES;
-const TSTYPE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["TSType"];
+const TSTYPE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['TSType'];
exports.TSTYPE_TYPES = TSTYPE_TYPES;
-const TSBASETYPE_TYPES = _definitions.FLIPPED_ALIAS_KEYS["TSBaseType"];
+const TSBASETYPE_TYPES = _definitions.FLIPPED_ALIAS_KEYS['TSBaseType'];
exports.TSBASETYPE_TYPES = TSBASETYPE_TYPES;
//# sourceMappingURL=index.js.map
diff --git a/node_modules/@babel/types/lib/constants/index.js b/node_modules/@babel/types/lib/constants/index.js
index 9248444..1ef30e2 100644
--- a/node_modules/@babel/types/lib/constants/index.js
+++ b/node_modules/@babel/types/lib/constants/index.js
@@ -1,51 +1,108 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-exports.UPDATE_OPERATORS = exports.UNARY_OPERATORS = exports.STRING_UNARY_OPERATORS = exports.STATEMENT_OR_BLOCK_KEYS = exports.NUMBER_UNARY_OPERATORS = exports.NUMBER_BINARY_OPERATORS = exports.NOT_LOCAL_BINDING = exports.LOGICAL_OPERATORS = exports.INHERIT_KEYS = exports.FOR_INIT_KEYS = exports.FLATTENABLE_KEYS = exports.EQUALITY_BINARY_OPERATORS = exports.COMPARISON_BINARY_OPERATORS = exports.COMMENT_KEYS = exports.BOOLEAN_UNARY_OPERATORS = exports.BOOLEAN_NUMBER_BINARY_OPERATORS = exports.BOOLEAN_BINARY_OPERATORS = exports.BLOCK_SCOPED_SYMBOL = exports.BINARY_OPERATORS = exports.ASSIGNMENT_OPERATORS = void 0;
-const STATEMENT_OR_BLOCK_KEYS = ["consequent", "body", "alternate"];
+exports.UPDATE_OPERATORS =
+ exports.UNARY_OPERATORS =
+ exports.STRING_UNARY_OPERATORS =
+ exports.STATEMENT_OR_BLOCK_KEYS =
+ exports.NUMBER_UNARY_OPERATORS =
+ exports.NUMBER_BINARY_OPERATORS =
+ exports.NOT_LOCAL_BINDING =
+ exports.LOGICAL_OPERATORS =
+ exports.INHERIT_KEYS =
+ exports.FOR_INIT_KEYS =
+ exports.FLATTENABLE_KEYS =
+ exports.EQUALITY_BINARY_OPERATORS =
+ exports.COMPARISON_BINARY_OPERATORS =
+ exports.COMMENT_KEYS =
+ exports.BOOLEAN_UNARY_OPERATORS =
+ exports.BOOLEAN_NUMBER_BINARY_OPERATORS =
+ exports.BOOLEAN_BINARY_OPERATORS =
+ exports.BLOCK_SCOPED_SYMBOL =
+ exports.BINARY_OPERATORS =
+ exports.ASSIGNMENT_OPERATORS =
+ void 0;
+const STATEMENT_OR_BLOCK_KEYS = ['consequent', 'body', 'alternate'];
exports.STATEMENT_OR_BLOCK_KEYS = STATEMENT_OR_BLOCK_KEYS;
-const FLATTENABLE_KEYS = ["body", "expressions"];
+const FLATTENABLE_KEYS = ['body', 'expressions'];
exports.FLATTENABLE_KEYS = FLATTENABLE_KEYS;
-const FOR_INIT_KEYS = ["left", "init"];
+const FOR_INIT_KEYS = ['left', 'init'];
exports.FOR_INIT_KEYS = FOR_INIT_KEYS;
-const COMMENT_KEYS = ["leadingComments", "trailingComments", "innerComments"];
+const COMMENT_KEYS = ['leadingComments', 'trailingComments', 'innerComments'];
exports.COMMENT_KEYS = COMMENT_KEYS;
-const LOGICAL_OPERATORS = ["||", "&&", "??"];
+const LOGICAL_OPERATORS = ['||', '&&', '??'];
exports.LOGICAL_OPERATORS = LOGICAL_OPERATORS;
-const UPDATE_OPERATORS = ["++", "--"];
+const UPDATE_OPERATORS = ['++', '--'];
exports.UPDATE_OPERATORS = UPDATE_OPERATORS;
-const BOOLEAN_NUMBER_BINARY_OPERATORS = [">", "<", ">=", "<="];
+const BOOLEAN_NUMBER_BINARY_OPERATORS = ['>', '<', '>=', '<='];
exports.BOOLEAN_NUMBER_BINARY_OPERATORS = BOOLEAN_NUMBER_BINARY_OPERATORS;
-const EQUALITY_BINARY_OPERATORS = ["==", "===", "!=", "!=="];
+const EQUALITY_BINARY_OPERATORS = ['==', '===', '!=', '!=='];
exports.EQUALITY_BINARY_OPERATORS = EQUALITY_BINARY_OPERATORS;
-const COMPARISON_BINARY_OPERATORS = [...EQUALITY_BINARY_OPERATORS, "in", "instanceof"];
+const COMPARISON_BINARY_OPERATORS = [
+ ...EQUALITY_BINARY_OPERATORS,
+ 'in',
+ 'instanceof',
+];
exports.COMPARISON_BINARY_OPERATORS = COMPARISON_BINARY_OPERATORS;
-const BOOLEAN_BINARY_OPERATORS = [...COMPARISON_BINARY_OPERATORS, ...BOOLEAN_NUMBER_BINARY_OPERATORS];
+const BOOLEAN_BINARY_OPERATORS = [
+ ...COMPARISON_BINARY_OPERATORS,
+ ...BOOLEAN_NUMBER_BINARY_OPERATORS,
+];
exports.BOOLEAN_BINARY_OPERATORS = BOOLEAN_BINARY_OPERATORS;
-const NUMBER_BINARY_OPERATORS = ["-", "/", "%", "*", "**", "&", "|", ">>", ">>>", "<<", "^"];
+const NUMBER_BINARY_OPERATORS = [
+ '-',
+ '/',
+ '%',
+ '*',
+ '**',
+ '&',
+ '|',
+ '>>',
+ '>>>',
+ '<<',
+ '^',
+];
exports.NUMBER_BINARY_OPERATORS = NUMBER_BINARY_OPERATORS;
-const BINARY_OPERATORS = ["+", ...NUMBER_BINARY_OPERATORS, ...BOOLEAN_BINARY_OPERATORS, "|>"];
+const BINARY_OPERATORS = [
+ '+',
+ ...NUMBER_BINARY_OPERATORS,
+ ...BOOLEAN_BINARY_OPERATORS,
+ '|>',
+];
exports.BINARY_OPERATORS = BINARY_OPERATORS;
-const ASSIGNMENT_OPERATORS = ["=", "+=", ...NUMBER_BINARY_OPERATORS.map(op => op + "="), ...LOGICAL_OPERATORS.map(op => op + "=")];
+const ASSIGNMENT_OPERATORS = [
+ '=',
+ '+=',
+ ...NUMBER_BINARY_OPERATORS.map((op) => op + '='),
+ ...LOGICAL_OPERATORS.map((op) => op + '='),
+];
exports.ASSIGNMENT_OPERATORS = ASSIGNMENT_OPERATORS;
-const BOOLEAN_UNARY_OPERATORS = ["delete", "!"];
+const BOOLEAN_UNARY_OPERATORS = ['delete', '!'];
exports.BOOLEAN_UNARY_OPERATORS = BOOLEAN_UNARY_OPERATORS;
-const NUMBER_UNARY_OPERATORS = ["+", "-", "~"];
+const NUMBER_UNARY_OPERATORS = ['+', '-', '~'];
exports.NUMBER_UNARY_OPERATORS = NUMBER_UNARY_OPERATORS;
-const STRING_UNARY_OPERATORS = ["typeof"];
+const STRING_UNARY_OPERATORS = ['typeof'];
exports.STRING_UNARY_OPERATORS = STRING_UNARY_OPERATORS;
-const UNARY_OPERATORS = ["void", "throw", ...BOOLEAN_UNARY_OPERATORS, ...NUMBER_UNARY_OPERATORS, ...STRING_UNARY_OPERATORS];
+const UNARY_OPERATORS = [
+ 'void',
+ 'throw',
+ ...BOOLEAN_UNARY_OPERATORS,
+ ...NUMBER_UNARY_OPERATORS,
+ ...STRING_UNARY_OPERATORS,
+];
exports.UNARY_OPERATORS = UNARY_OPERATORS;
const INHERIT_KEYS = {
- optional: ["typeAnnotation", "typeParameters", "returnType"],
- force: ["start", "loc", "end"]
+ optional: ['typeAnnotation', 'typeParameters', 'returnType'],
+ force: ['start', 'loc', 'end'],
};
exports.INHERIT_KEYS = INHERIT_KEYS;
-const BLOCK_SCOPED_SYMBOL = Symbol.for("var used to be block scoped");
+const BLOCK_SCOPED_SYMBOL = Symbol.for('var used to be block scoped');
exports.BLOCK_SCOPED_SYMBOL = BLOCK_SCOPED_SYMBOL;
-const NOT_LOCAL_BINDING = Symbol.for("should not be considered a local binding");
+const NOT_LOCAL_BINDING = Symbol.for(
+ 'should not be considered a local binding'
+);
exports.NOT_LOCAL_BINDING = NOT_LOCAL_BINDING;
//# sourceMappingURL=index.js.map
diff --git a/node_modules/@babel/types/lib/converters/ensureBlock.js b/node_modules/@babel/types/lib/converters/ensureBlock.js
index 2df8c63..54b6818 100644
--- a/node_modules/@babel/types/lib/converters/ensureBlock.js
+++ b/node_modules/@babel/types/lib/converters/ensureBlock.js
@@ -1,13 +1,13 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = ensureBlock;
-var _toBlock = require("./toBlock");
+var _toBlock = require('./toBlock');
-function ensureBlock(node, key = "body") {
+function ensureBlock(node, key = 'body') {
const result = (0, _toBlock.default)(node[key], node);
node[key] = result;
return result;
diff --git a/node_modules/@babel/types/lib/converters/gatherSequenceExpressions.js b/node_modules/@babel/types/lib/converters/gatherSequenceExpressions.js
index bd97958..b9988a3 100644
--- a/node_modules/@babel/types/lib/converters/gatherSequenceExpressions.js
+++ b/node_modules/@babel/types/lib/converters/gatherSequenceExpressions.js
@@ -1,17 +1,17 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = gatherSequenceExpressions;
-var _getBindingIdentifiers = require("../retrievers/getBindingIdentifiers");
+var _getBindingIdentifiers = require('../retrievers/getBindingIdentifiers');
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
-var _generated2 = require("../builders/generated");
+var _generated2 = require('../builders/generated');
-var _cloneNode = require("../clone/cloneNode");
+var _cloneNode = require('../clone/cloneNode');
function gatherSequenceExpressions(nodes, scope, declars) {
const exprs = [];
@@ -27,7 +27,7 @@ function gatherSequenceExpressions(nodes, scope, declars) {
} else if ((0, _generated.isExpressionStatement)(node)) {
exprs.push(node.expression);
} else if ((0, _generated.isVariableDeclaration)(node)) {
- if (node.kind !== "var") return;
+ if (node.kind !== 'var') return;
for (const declar of node.declarations) {
const bindings = (0, _getBindingIdentifiers.default)(declar);
@@ -35,21 +35,31 @@ function gatherSequenceExpressions(nodes, scope, declars) {
for (const key of Object.keys(bindings)) {
declars.push({
kind: node.kind,
- id: (0, _cloneNode.default)(bindings[key])
+ id: (0, _cloneNode.default)(bindings[key]),
});
}
if (declar.init) {
- exprs.push((0, _generated2.assignmentExpression)("=", declar.id, declar.init));
+ exprs.push(
+ (0, _generated2.assignmentExpression)('=', declar.id, declar.init)
+ );
}
}
ensureLastUndefined = true;
} else if ((0, _generated.isIfStatement)(node)) {
- const consequent = node.consequent ? gatherSequenceExpressions([node.consequent], scope, declars) : scope.buildUndefinedNode();
- const alternate = node.alternate ? gatherSequenceExpressions([node.alternate], scope, declars) : scope.buildUndefinedNode();
+ const consequent =
+ node.consequent ?
+ gatherSequenceExpressions([node.consequent], scope, declars)
+ : scope.buildUndefinedNode();
+ const alternate =
+ node.alternate ?
+ gatherSequenceExpressions([node.alternate], scope, declars)
+ : scope.buildUndefinedNode();
if (!consequent || !alternate) return;
- exprs.push((0, _generated2.conditionalExpression)(node.test, consequent, alternate));
+ exprs.push(
+ (0, _generated2.conditionalExpression)(node.test, consequent, alternate)
+ );
} else if ((0, _generated.isBlockStatement)(node)) {
const body = gatherSequenceExpressions(node.body, scope, declars);
if (!body) return;
diff --git a/node_modules/@babel/types/lib/converters/toBindingIdentifierName.js b/node_modules/@babel/types/lib/converters/toBindingIdentifierName.js
index e9a3ef1..f160640 100644
--- a/node_modules/@babel/types/lib/converters/toBindingIdentifierName.js
+++ b/node_modules/@babel/types/lib/converters/toBindingIdentifierName.js
@@ -1,15 +1,15 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = toBindingIdentifierName;
-var _toIdentifier = require("./toIdentifier");
+var _toIdentifier = require('./toIdentifier');
function toBindingIdentifierName(name) {
name = (0, _toIdentifier.default)(name);
- if (name === "eval" || name === "arguments") name = "_" + name;
+ if (name === 'eval' || name === 'arguments') name = '_' + name;
return name;
}
diff --git a/node_modules/@babel/types/lib/converters/toBlock.js b/node_modules/@babel/types/lib/converters/toBlock.js
index eb726d6..35136fa 100644
--- a/node_modules/@babel/types/lib/converters/toBlock.js
+++ b/node_modules/@babel/types/lib/converters/toBlock.js
@@ -1,13 +1,13 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = toBlock;
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
-var _generated2 = require("../builders/generated");
+var _generated2 = require('../builders/generated');
function toBlock(node, parent) {
if ((0, _generated.isBlockStatement)(node)) {
diff --git a/node_modules/@babel/types/lib/converters/toComputedKey.js b/node_modules/@babel/types/lib/converters/toComputedKey.js
index 4873714..8c0e9bb 100644
--- a/node_modules/@babel/types/lib/converters/toComputedKey.js
+++ b/node_modules/@babel/types/lib/converters/toComputedKey.js
@@ -1,16 +1,17 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = toComputedKey;
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
-var _generated2 = require("../builders/generated");
+var _generated2 = require('../builders/generated');
function toComputedKey(node, key = node.key || node.property) {
- if (!node.computed && (0, _generated.isIdentifier)(key)) key = (0, _generated2.stringLiteral)(key.name);
+ if (!node.computed && (0, _generated.isIdentifier)(key))
+ key = (0, _generated2.stringLiteral)(key.name);
return key;
}
diff --git a/node_modules/@babel/types/lib/converters/toExpression.js b/node_modules/@babel/types/lib/converters/toExpression.js
index c1badad..09a91e3 100644
--- a/node_modules/@babel/types/lib/converters/toExpression.js
+++ b/node_modules/@babel/types/lib/converters/toExpression.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
var _default = toExpression;
exports.default = _default;
@@ -20,9 +20,9 @@ function toExpression(node) {
}
if ((0, _generated.isClass)(node)) {
- node.type = "ClassExpression";
+ node.type = 'ClassExpression';
} else if ((0, _generated.isFunction)(node)) {
- node.type = "FunctionExpression";
+ node.type = 'FunctionExpression';
}
if (!(0, _generated.isExpression)(node)) {
diff --git a/node_modules/@babel/types/lib/converters/toIdentifier.js b/node_modules/@babel/types/lib/converters/toIdentifier.js
index 2eac4ae..4ebe41b 100644
--- a/node_modules/@babel/types/lib/converters/toIdentifier.js
+++ b/node_modules/@babel/types/lib/converters/toIdentifier.js
@@ -1,32 +1,35 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = toIdentifier;
-var _isValidIdentifier = require("../validators/isValidIdentifier");
+var _isValidIdentifier = require('../validators/isValidIdentifier');
-var _helperValidatorIdentifier = require("@babel/helper-validator-identifier");
+var _helperValidatorIdentifier = require('@babel/helper-validator-identifier');
function toIdentifier(input) {
- input = input + "";
- let name = "";
+ input = input + '';
+ let name = '';
for (const c of input) {
- name += (0, _helperValidatorIdentifier.isIdentifierChar)(c.codePointAt(0)) ? c : "-";
+ name +=
+ (0, _helperValidatorIdentifier.isIdentifierChar)(c.codePointAt(0)) ? c : (
+ '-'
+ );
}
- name = name.replace(/^[-0-9]+/, "");
+ name = name.replace(/^[-0-9]+/, '');
name = name.replace(/[-\s]+(.)?/g, function (match, c) {
- return c ? c.toUpperCase() : "";
+ return c ? c.toUpperCase() : '';
});
if (!(0, _isValidIdentifier.default)(name)) {
name = `_${name}`;
}
- return name || "_";
+ return name || '_';
}
//# sourceMappingURL=toIdentifier.js.map
diff --git a/node_modules/@babel/types/lib/converters/toKeyAlias.js b/node_modules/@babel/types/lib/converters/toKeyAlias.js
index 7a804b6..0e123c0 100644
--- a/node_modules/@babel/types/lib/converters/toKeyAlias.js
+++ b/node_modules/@babel/types/lib/converters/toKeyAlias.js
@@ -1,27 +1,29 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = toKeyAlias;
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
-var _cloneNode = require("../clone/cloneNode");
+var _cloneNode = require('../clone/cloneNode');
-var _removePropertiesDeep = require("../modifications/removePropertiesDeep");
+var _removePropertiesDeep = require('../modifications/removePropertiesDeep');
function toKeyAlias(node, key = node.key) {
let alias;
- if (node.kind === "method") {
- return toKeyAlias.increment() + "";
+ if (node.kind === 'method') {
+ return toKeyAlias.increment() + '';
} else if ((0, _generated.isIdentifier)(key)) {
alias = key.name;
} else if ((0, _generated.isStringLiteral)(key)) {
alias = JSON.stringify(key.value);
} else {
- alias = JSON.stringify((0, _removePropertiesDeep.default)((0, _cloneNode.default)(key)));
+ alias = JSON.stringify(
+ (0, _removePropertiesDeep.default)((0, _cloneNode.default)(key))
+ );
}
if (node.computed) {
@@ -39,7 +41,7 @@ toKeyAlias.uid = 0;
toKeyAlias.increment = function () {
if (toKeyAlias.uid >= Number.MAX_SAFE_INTEGER) {
- return toKeyAlias.uid = 0;
+ return (toKeyAlias.uid = 0);
} else {
return toKeyAlias.uid++;
}
diff --git a/node_modules/@babel/types/lib/converters/toSequenceExpression.js b/node_modules/@babel/types/lib/converters/toSequenceExpression.js
index 87702bb..31ceca7 100644
--- a/node_modules/@babel/types/lib/converters/toSequenceExpression.js
+++ b/node_modules/@babel/types/lib/converters/toSequenceExpression.js
@@ -1,11 +1,11 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = toSequenceExpression;
-var _gatherSequenceExpressions = require("./gatherSequenceExpressions");
+var _gatherSequenceExpressions = require('./gatherSequenceExpressions');
function toSequenceExpression(nodes, scope) {
if (!(nodes != null && nodes.length)) return;
diff --git a/node_modules/@babel/types/lib/converters/toStatement.js b/node_modules/@babel/types/lib/converters/toStatement.js
index d927307..88d281f 100644
--- a/node_modules/@babel/types/lib/converters/toStatement.js
+++ b/node_modules/@babel/types/lib/converters/toStatement.js
@@ -1,13 +1,13 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
-var _generated = require("../validators/generated");
+var _generated = require('../validators/generated');
-var _generated2 = require("../builders/generated");
+var _generated2 = require('../builders/generated');
var _default = toStatement;
exports.default = _default;
@@ -22,10 +22,10 @@ function toStatement(node, ignore) {
if ((0, _generated.isClass)(node)) {
mustHaveId = true;
- newType = "ClassDeclaration";
+ newType = 'ClassDeclaration';
} else if ((0, _generated.isFunction)(node)) {
mustHaveId = true;
- newType = "FunctionDeclaration";
+ newType = 'FunctionDeclaration';
} else if ((0, _generated.isAssignmentExpression)(node)) {
return (0, _generated2.expressionStatement)(node);
}
diff --git a/node_modules/@babel/types/lib/converters/valueToNode.js b/node_modules/@babel/types/lib/converters/valueToNode.js
index 3b9b5b7..61af946 100644
--- a/node_modules/@babel/types/lib/converters/valueToNode.js
+++ b/node_modules/@babel/types/lib/converters/valueToNode.js
@@ -1,24 +1,28 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
exports.default = void 0;
-var _isValidIdentifier = require("../validators/isValidIdentifier");
+var _isValidIdentifier = require('../validators/isValidIdentifier');
-var _generated = require("../builders/generated");
+var _generated = require('../builders/generated');
var _default = valueToNode;
exports.default = _default;
const objectToString = Function.call.bind(Object.prototype.toString);
function isRegExp(value) {
- return objectToString(value) === "[object RegExp]";
+ return objectToString(value) === '[object RegExp]';
}
function isPlainObject(value) {
- if (typeof value !== "object" || value === null || Object.prototype.toString.call(value) !== "[object Object]") {
+ if (
+ typeof value !== 'object' ||
+ value === null ||
+ Object.prototype.toString.call(value) !== '[object Object]'
+ ) {
return false;
}
@@ -28,7 +32,7 @@ function isPlainObject(value) {
function valueToNode(value) {
if (value === undefined) {
- return (0, _generated.identifier)("undefined");
+ return (0, _generated.identifier)('undefined');
}
if (value === true || value === false) {
@@ -39,11 +43,11 @@ function valueToNode(value) {
return (0, _generated.nullLiteral)();
}
- if (typeof value === "string") {
+ if (typeof value === 'string') {
return (0, _generated.stringLiteral)(value);
}
- if (typeof value === "number") {
+ if (typeof value === 'number') {
let result;
if (Number.isFinite(value)) {
@@ -57,11 +61,15 @@ function valueToNode(value) {
numerator = (0, _generated.numericLiteral)(1);
}
- result = (0, _generated.binaryExpression)("/", numerator, (0, _generated.numericLiteral)(0));
+ result = (0, _generated.binaryExpression)(
+ '/',
+ numerator,
+ (0, _generated.numericLiteral)(0)
+ );
}
if (value < 0 || Object.is(value, -0)) {
- result = (0, _generated.unaryExpression)("-", result);
+ result = (0, _generated.unaryExpression)('-', result);
}
return result;
@@ -89,7 +97,9 @@ function valueToNode(value) {
nodeKey = (0, _generated.stringLiteral)(key);
}
- props.push((0, _generated.objectProperty)(nodeKey, valueToNode(value[key])));
+ props.push(
+ (0, _generated.objectProperty)(nodeKey, valueToNode(value[key]))
+ );
}
return (0, _generated.objectExpression)(props);
diff --git a/node_modules/@babel/types/lib/definitions/core.js b/node_modules/@babel/types/lib/definitions/core.js
index 643ab58..37c5956 100644
--- a/node_modules/@babel/types/lib/definitions/core.js
+++ b/node_modules/@babel/types/lib/definitions/core.js
@@ -1,398 +1,539 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-exports.patternLikeCommon = exports.functionTypeAnnotationCommon = exports.functionDeclarationCommon = exports.functionCommon = exports.classMethodOrPropertyCommon = exports.classMethodOrDeclareMethodCommon = void 0;
+exports.patternLikeCommon =
+ exports.functionTypeAnnotationCommon =
+ exports.functionDeclarationCommon =
+ exports.functionCommon =
+ exports.classMethodOrPropertyCommon =
+ exports.classMethodOrDeclareMethodCommon =
+ void 0;
-var _is = require("../validators/is");
+var _is = require('../validators/is');
-var _isValidIdentifier = require("../validators/isValidIdentifier");
+var _isValidIdentifier = require('../validators/isValidIdentifier');
-var _helperValidatorIdentifier = require("@babel/helper-validator-identifier");
+var _helperValidatorIdentifier = require('@babel/helper-validator-identifier');
-var _helperStringParser = require("@babel/helper-string-parser");
+var _helperStringParser = require('@babel/helper-string-parser');
-var _constants = require("../constants");
+var _constants = require('../constants');
-var _utils = require("./utils");
+var _utils = require('./utils');
-const defineType = (0, _utils.defineAliasedType)("Standardized");
-defineType("ArrayExpression", {
+const defineType = (0, _utils.defineAliasedType)('Standardized');
+defineType('ArrayExpression', {
fields: {
elements: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeOrValueType)("null", "Expression", "SpreadElement"))),
- default: !process.env.BABEL_TYPES_8_BREAKING ? [] : undefined
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeOrValueType)(
+ 'null',
+ 'Expression',
+ 'SpreadElement'
+ )
+ )
+ ),
+ default: !process.env.BABEL_TYPES_8_BREAKING ? [] : undefined,
+ },
},
- visitor: ["elements"],
- aliases: ["Expression"]
+ visitor: ['elements'],
+ aliases: ['Expression'],
});
-defineType("AssignmentExpression", {
+defineType('AssignmentExpression', {
fields: {
operator: {
- validate: function () {
+ validate: (function () {
if (!process.env.BABEL_TYPES_8_BREAKING) {
- return (0, _utils.assertValueType)("string");
+ return (0, _utils.assertValueType)('string');
}
- const identifier = (0, _utils.assertOneOf)(..._constants.ASSIGNMENT_OPERATORS);
- const pattern = (0, _utils.assertOneOf)("=");
+ const identifier = (0, _utils.assertOneOf)(
+ ..._constants.ASSIGNMENT_OPERATORS
+ );
+ const pattern = (0, _utils.assertOneOf)('=');
return function (node, key, val) {
- const validator = (0, _is.default)("Pattern", node.left) ? pattern : identifier;
+ const validator =
+ (0, _is.default)('Pattern', node.left) ? pattern : identifier;
validator(node, key, val);
};
- }()
+ })(),
},
left: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? (0, _utils.assertNodeType)("LVal") : (0, _utils.assertNodeType)("Identifier", "MemberExpression", "ArrayPattern", "ObjectPattern", "TSAsExpression", "TSTypeAssertion", "TSNonNullExpression")
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ (0, _utils.assertNodeType)('LVal')
+ : (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'MemberExpression',
+ 'ArrayPattern',
+ 'ObjectPattern',
+ 'TSAsExpression',
+ 'TSTypeAssertion',
+ 'TSNonNullExpression'
+ ),
},
right: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
},
- builder: ["operator", "left", "right"],
- visitor: ["left", "right"],
- aliases: ["Expression"]
+ builder: ['operator', 'left', 'right'],
+ visitor: ['left', 'right'],
+ aliases: ['Expression'],
});
-defineType("BinaryExpression", {
- builder: ["operator", "left", "right"],
+defineType('BinaryExpression', {
+ builder: ['operator', 'left', 'right'],
fields: {
operator: {
- validate: (0, _utils.assertOneOf)(..._constants.BINARY_OPERATORS)
+ validate: (0, _utils.assertOneOf)(..._constants.BINARY_OPERATORS),
},
left: {
- validate: function () {
- const expression = (0, _utils.assertNodeType)("Expression");
- const inOp = (0, _utils.assertNodeType)("Expression", "PrivateName");
- const validator = Object.assign(function (node, key, val) {
- const validator = node.operator === "in" ? inOp : expression;
- validator(node, key, val);
- }, {
- oneOfNodeTypes: ["Expression", "PrivateName"]
- });
+ validate: (function () {
+ const expression = (0, _utils.assertNodeType)('Expression');
+ const inOp = (0, _utils.assertNodeType)('Expression', 'PrivateName');
+ const validator = Object.assign(
+ function (node, key, val) {
+ const validator = node.operator === 'in' ? inOp : expression;
+ validator(node, key, val);
+ },
+ {
+ oneOfNodeTypes: ['Expression', 'PrivateName'],
+ }
+ );
return validator;
- }()
+ })(),
},
right: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
},
- visitor: ["left", "right"],
- aliases: ["Binary", "Expression"]
+ visitor: ['left', 'right'],
+ aliases: ['Binary', 'Expression'],
});
-defineType("InterpreterDirective", {
- builder: ["value"],
+defineType('InterpreterDirective', {
+ builder: ['value'],
fields: {
value: {
- validate: (0, _utils.assertValueType)("string")
- }
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ },
});
-defineType("Directive", {
- visitor: ["value"],
+defineType('Directive', {
+ visitor: ['value'],
fields: {
value: {
- validate: (0, _utils.assertNodeType)("DirectiveLiteral")
- }
- }
+ validate: (0, _utils.assertNodeType)('DirectiveLiteral'),
+ },
+ },
});
-defineType("DirectiveLiteral", {
- builder: ["value"],
+defineType('DirectiveLiteral', {
+ builder: ['value'],
fields: {
value: {
- validate: (0, _utils.assertValueType)("string")
- }
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ },
});
-defineType("BlockStatement", {
- builder: ["body", "directives"],
- visitor: ["directives", "body"],
+defineType('BlockStatement', {
+ builder: ['body', 'directives'],
+ visitor: ['directives', 'body'],
fields: {
directives: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Directive"))),
- default: []
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Directive'))
+ ),
+ default: [],
},
body: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Statement")))
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Statement'))
+ ),
+ },
},
- aliases: ["Scopable", "BlockParent", "Block", "Statement"]
+ aliases: ['Scopable', 'BlockParent', 'Block', 'Statement'],
});
-defineType("BreakStatement", {
- visitor: ["label"],
+defineType('BreakStatement', {
+ visitor: ['label'],
fields: {
label: {
- validate: (0, _utils.assertNodeType)("Identifier"),
- optional: true
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ optional: true,
+ },
},
- aliases: ["Statement", "Terminatorless", "CompletionStatement"]
+ aliases: ['Statement', 'Terminatorless', 'CompletionStatement'],
});
-defineType("CallExpression", {
- visitor: ["callee", "arguments", "typeParameters", "typeArguments"],
- builder: ["callee", "arguments"],
- aliases: ["Expression"],
- fields: Object.assign({
- callee: {
- validate: (0, _utils.assertNodeType)("Expression", "Super", "V8IntrinsicIdentifier")
+defineType('CallExpression', {
+ visitor: ['callee', 'arguments', 'typeParameters', 'typeArguments'],
+ builder: ['callee', 'arguments'],
+ aliases: ['Expression'],
+ fields: Object.assign(
+ {
+ callee: {
+ validate: (0, _utils.assertNodeType)(
+ 'Expression',
+ 'Super',
+ 'V8IntrinsicIdentifier'
+ ),
+ },
+ arguments: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'Expression',
+ 'SpreadElement',
+ 'JSXNamespacedName',
+ 'ArgumentPlaceholder'
+ )
+ )
+ ),
+ },
},
- arguments: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Expression", "SpreadElement", "JSXNamespacedName", "ArgumentPlaceholder")))
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ {
+ optional: {
+ validate: (0, _utils.assertOneOf)(true, false),
+ optional: true,
+ },
+ }
+ : {},
+ {
+ typeArguments: {
+ validate: (0, _utils.assertNodeType)('TypeParameterInstantiation'),
+ optional: true,
+ },
+ typeParameters: {
+ validate: (0, _utils.assertNodeType)('TSTypeParameterInstantiation'),
+ optional: true,
+ },
}
- }, !process.env.BABEL_TYPES_8_BREAKING ? {
- optional: {
- validate: (0, _utils.assertOneOf)(true, false),
- optional: true
- }
- } : {}, {
- typeArguments: {
- validate: (0, _utils.assertNodeType)("TypeParameterInstantiation"),
- optional: true
- },
- typeParameters: {
- validate: (0, _utils.assertNodeType)("TSTypeParameterInstantiation"),
- optional: true
- }
- })
+ ),
});
-defineType("CatchClause", {
- visitor: ["param", "body"],
+defineType('CatchClause', {
+ visitor: ['param', 'body'],
fields: {
param: {
- validate: (0, _utils.assertNodeType)("Identifier", "ArrayPattern", "ObjectPattern"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'ArrayPattern',
+ 'ObjectPattern'
+ ),
+ optional: true,
},
body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
- }
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
+ },
},
- aliases: ["Scopable", "BlockParent"]
+ aliases: ['Scopable', 'BlockParent'],
});
-defineType("ConditionalExpression", {
- visitor: ["test", "consequent", "alternate"],
+defineType('ConditionalExpression', {
+ visitor: ['test', 'consequent', 'alternate'],
fields: {
test: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
consequent: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
alternate: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
},
- aliases: ["Expression", "Conditional"]
+ aliases: ['Expression', 'Conditional'],
});
-defineType("ContinueStatement", {
- visitor: ["label"],
+defineType('ContinueStatement', {
+ visitor: ['label'],
fields: {
label: {
- validate: (0, _utils.assertNodeType)("Identifier"),
- optional: true
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ optional: true,
+ },
},
- aliases: ["Statement", "Terminatorless", "CompletionStatement"]
+ aliases: ['Statement', 'Terminatorless', 'CompletionStatement'],
});
-defineType("DebuggerStatement", {
- aliases: ["Statement"]
+defineType('DebuggerStatement', {
+ aliases: ['Statement'],
});
-defineType("DoWhileStatement", {
- visitor: ["test", "body"],
+defineType('DoWhileStatement', {
+ visitor: ['test', 'body'],
fields: {
test: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
},
- aliases: ["Statement", "BlockParent", "Loop", "While", "Scopable"]
+ aliases: ['Statement', 'BlockParent', 'Loop', 'While', 'Scopable'],
});
-defineType("EmptyStatement", {
- aliases: ["Statement"]
+defineType('EmptyStatement', {
+ aliases: ['Statement'],
});
-defineType("ExpressionStatement", {
- visitor: ["expression"],
+defineType('ExpressionStatement', {
+ visitor: ['expression'],
fields: {
expression: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
},
- aliases: ["Statement", "ExpressionWrapper"]
+ aliases: ['Statement', 'ExpressionWrapper'],
});
-defineType("File", {
- builder: ["program", "comments", "tokens"],
- visitor: ["program"],
+defineType('File', {
+ builder: ['program', 'comments', 'tokens'],
+ visitor: ['program'],
fields: {
program: {
- validate: (0, _utils.assertNodeType)("Program")
+ validate: (0, _utils.assertNodeType)('Program'),
},
comments: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? Object.assign(() => {}, {
- each: {
- oneOfNodeTypes: ["CommentBlock", "CommentLine"]
- }
- }) : (0, _utils.assertEach)((0, _utils.assertNodeType)("CommentBlock", "CommentLine")),
- optional: true
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ Object.assign(() => {}, {
+ each: {
+ oneOfNodeTypes: ['CommentBlock', 'CommentLine'],
+ },
+ })
+ : (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('CommentBlock', 'CommentLine')
+ ),
+ optional: true,
},
tokens: {
- validate: (0, _utils.assertEach)(Object.assign(() => {}, {
- type: "any"
- })),
- optional: true
- }
- }
+ validate: (0, _utils.assertEach)(
+ Object.assign(() => {}, {
+ type: 'any',
+ })
+ ),
+ optional: true,
+ },
+ },
});
-defineType("ForInStatement", {
- visitor: ["left", "right", "body"],
- aliases: ["Scopable", "Statement", "For", "BlockParent", "Loop", "ForXStatement"],
+defineType('ForInStatement', {
+ visitor: ['left', 'right', 'body'],
+ aliases: [
+ 'Scopable',
+ 'Statement',
+ 'For',
+ 'BlockParent',
+ 'Loop',
+ 'ForXStatement',
+ ],
fields: {
left: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? (0, _utils.assertNodeType)("VariableDeclaration", "LVal") : (0, _utils.assertNodeType)("VariableDeclaration", "Identifier", "MemberExpression", "ArrayPattern", "ObjectPattern", "TSAsExpression", "TSTypeAssertion", "TSNonNullExpression")
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ (0, _utils.assertNodeType)('VariableDeclaration', 'LVal')
+ : (0, _utils.assertNodeType)(
+ 'VariableDeclaration',
+ 'Identifier',
+ 'MemberExpression',
+ 'ArrayPattern',
+ 'ObjectPattern',
+ 'TSAsExpression',
+ 'TSTypeAssertion',
+ 'TSNonNullExpression'
+ ),
},
right: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
- }
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
+ },
});
-defineType("ForStatement", {
- visitor: ["init", "test", "update", "body"],
- aliases: ["Scopable", "Statement", "For", "BlockParent", "Loop"],
+defineType('ForStatement', {
+ visitor: ['init', 'test', 'update', 'body'],
+ aliases: ['Scopable', 'Statement', 'For', 'BlockParent', 'Loop'],
fields: {
init: {
- validate: (0, _utils.assertNodeType)("VariableDeclaration", "Expression"),
- optional: true
+ validate: (0, _utils.assertNodeType)('VariableDeclaration', 'Expression'),
+ optional: true,
},
test: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
},
update: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
- }
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
+ },
});
const functionCommon = () => ({
params: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Identifier", "Pattern", "RestElement")))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('Identifier', 'Pattern', 'RestElement')
+ )
+ ),
},
generator: {
- default: false
+ default: false,
},
async: {
- default: false
- }
+ default: false,
+ },
});
exports.functionCommon = functionCommon;
const functionTypeAnnotationCommon = () => ({
returnType: {
- validate: (0, _utils.assertNodeType)("TypeAnnotation", "TSTypeAnnotation", "Noop"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'TypeAnnotation',
+ 'TSTypeAnnotation',
+ 'Noop'
+ ),
+ optional: true,
},
typeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterDeclaration", "TSTypeParameterDeclaration", "Noop"),
- optional: true
- }
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterDeclaration',
+ 'TSTypeParameterDeclaration',
+ 'Noop'
+ ),
+ optional: true,
+ },
});
exports.functionTypeAnnotationCommon = functionTypeAnnotationCommon;
-const functionDeclarationCommon = () => Object.assign({}, functionCommon(), {
- declare: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- },
- id: {
- validate: (0, _utils.assertNodeType)("Identifier"),
- optional: true
- }
-});
+const functionDeclarationCommon = () =>
+ Object.assign({}, functionCommon(), {
+ declare: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ id: {
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ optional: true,
+ },
+ });
exports.functionDeclarationCommon = functionDeclarationCommon;
-defineType("FunctionDeclaration", {
- builder: ["id", "params", "body", "generator", "async"],
- visitor: ["id", "params", "body", "returnType", "typeParameters"],
- fields: Object.assign({}, functionDeclarationCommon(), functionTypeAnnotationCommon(), {
- body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
- },
- predicate: {
- validate: (0, _utils.assertNodeType)("DeclaredPredicate", "InferredPredicate"),
- optional: true
+defineType('FunctionDeclaration', {
+ builder: ['id', 'params', 'body', 'generator', 'async'],
+ visitor: ['id', 'params', 'body', 'returnType', 'typeParameters'],
+ fields: Object.assign(
+ {},
+ functionDeclarationCommon(),
+ functionTypeAnnotationCommon(),
+ {
+ body: {
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
+ },
+ predicate: {
+ validate: (0, _utils.assertNodeType)(
+ 'DeclaredPredicate',
+ 'InferredPredicate'
+ ),
+ optional: true,
+ },
}
- }),
- aliases: ["Scopable", "Function", "BlockParent", "FunctionParent", "Statement", "Pureish", "Declaration"],
- validate: function () {
+ ),
+ aliases: [
+ 'Scopable',
+ 'Function',
+ 'BlockParent',
+ 'FunctionParent',
+ 'Statement',
+ 'Pureish',
+ 'Declaration',
+ ],
+ validate: (function () {
if (!process.env.BABEL_TYPES_8_BREAKING) return () => {};
- const identifier = (0, _utils.assertNodeType)("Identifier");
+ const identifier = (0, _utils.assertNodeType)('Identifier');
return function (parent, key, node) {
- if (!(0, _is.default)("ExportDefaultDeclaration", parent)) {
- identifier(node, "id", node.id);
+ if (!(0, _is.default)('ExportDefaultDeclaration', parent)) {
+ identifier(node, 'id', node.id);
}
};
- }()
+ })(),
});
-defineType("FunctionExpression", {
- inherits: "FunctionDeclaration",
- aliases: ["Scopable", "Function", "BlockParent", "FunctionParent", "Expression", "Pureish"],
+defineType('FunctionExpression', {
+ inherits: 'FunctionDeclaration',
+ aliases: [
+ 'Scopable',
+ 'Function',
+ 'BlockParent',
+ 'FunctionParent',
+ 'Expression',
+ 'Pureish',
+ ],
fields: Object.assign({}, functionCommon(), functionTypeAnnotationCommon(), {
id: {
- validate: (0, _utils.assertNodeType)("Identifier"),
- optional: true
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ optional: true,
},
body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
},
predicate: {
- validate: (0, _utils.assertNodeType)("DeclaredPredicate", "InferredPredicate"),
- optional: true
- }
- })
+ validate: (0, _utils.assertNodeType)(
+ 'DeclaredPredicate',
+ 'InferredPredicate'
+ ),
+ optional: true,
+ },
+ }),
});
const patternLikeCommon = () => ({
typeAnnotation: {
- validate: (0, _utils.assertNodeType)("TypeAnnotation", "TSTypeAnnotation", "Noop"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'TypeAnnotation',
+ 'TSTypeAnnotation',
+ 'Noop'
+ ),
+ optional: true,
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
});
exports.patternLikeCommon = patternLikeCommon;
-defineType("Identifier", {
- builder: ["name"],
- visitor: ["typeAnnotation", "decorators"],
- aliases: ["Expression", "PatternLike", "LVal", "TSEntityName"],
+defineType('Identifier', {
+ builder: ['name'],
+ visitor: ['typeAnnotation', 'decorators'],
+ aliases: ['Expression', 'PatternLike', 'LVal', 'TSEntityName'],
fields: Object.assign({}, patternLikeCommon(), {
name: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("string"), Object.assign(function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('string'),
+ Object.assign(
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (!(0, _isValidIdentifier.default)(val, false)) {
- throw new TypeError(`"${val}" is not a valid identifier name`);
- }
- }, {
- type: "string"
- }))
+ if (!(0, _isValidIdentifier.default)(val, false)) {
+ throw new TypeError(`"${val}" is not a valid identifier name`);
+ }
+ },
+ {
+ type: 'string',
+ }
+ )
+ ),
},
optional: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- }
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
}),
validate(parent, key, node) {
@@ -401,1316 +542,1831 @@ defineType("Identifier", {
if (!match) return;
const [, parentKey] = match;
const nonComp = {
- computed: false
+ computed: false,
};
- if (parentKey === "property") {
- if ((0, _is.default)("MemberExpression", parent, nonComp)) return;
- if ((0, _is.default)("OptionalMemberExpression", parent, nonComp)) return;
- } else if (parentKey === "key") {
- if ((0, _is.default)("Property", parent, nonComp)) return;
- if ((0, _is.default)("Method", parent, nonComp)) return;
- } else if (parentKey === "exported") {
- if ((0, _is.default)("ExportSpecifier", parent)) return;
- } else if (parentKey === "imported") {
- if ((0, _is.default)("ImportSpecifier", parent, {
- imported: node
- })) return;
- } else if (parentKey === "meta") {
- if ((0, _is.default)("MetaProperty", parent, {
- meta: node
- })) return;
+ if (parentKey === 'property') {
+ if ((0, _is.default)('MemberExpression', parent, nonComp)) return;
+ if ((0, _is.default)('OptionalMemberExpression', parent, nonComp)) return;
+ } else if (parentKey === 'key') {
+ if ((0, _is.default)('Property', parent, nonComp)) return;
+ if ((0, _is.default)('Method', parent, nonComp)) return;
+ } else if (parentKey === 'exported') {
+ if ((0, _is.default)('ExportSpecifier', parent)) return;
+ } else if (parentKey === 'imported') {
+ if (
+ (0, _is.default)('ImportSpecifier', parent, {
+ imported: node,
+ })
+ )
+ return;
+ } else if (parentKey === 'meta') {
+ if (
+ (0, _is.default)('MetaProperty', parent, {
+ meta: node,
+ })
+ )
+ return;
}
- if (((0, _helperValidatorIdentifier.isKeyword)(node.name) || (0, _helperValidatorIdentifier.isReservedWord)(node.name, false)) && node.name !== "this") {
+ if (
+ ((0, _helperValidatorIdentifier.isKeyword)(node.name) ||
+ (0, _helperValidatorIdentifier.isReservedWord)(node.name, false)) &&
+ node.name !== 'this'
+ ) {
throw new TypeError(`"${node.name}" is not a valid identifier`);
}
- }
-
+ },
});
-defineType("IfStatement", {
- visitor: ["test", "consequent", "alternate"],
- aliases: ["Statement", "Conditional"],
+defineType('IfStatement', {
+ visitor: ['test', 'consequent', 'alternate'],
+ aliases: ['Statement', 'Conditional'],
fields: {
test: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
consequent: {
- validate: (0, _utils.assertNodeType)("Statement")
+ validate: (0, _utils.assertNodeType)('Statement'),
},
alternate: {
optional: true,
- validate: (0, _utils.assertNodeType)("Statement")
- }
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
+ },
});
-defineType("LabeledStatement", {
- visitor: ["label", "body"],
- aliases: ["Statement"],
+defineType('LabeledStatement', {
+ visitor: ['label', 'body'],
+ aliases: ['Statement'],
fields: {
label: {
- validate: (0, _utils.assertNodeType)("Identifier")
+ validate: (0, _utils.assertNodeType)('Identifier'),
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
- }
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
+ },
});
-defineType("StringLiteral", {
- builder: ["value"],
+defineType('StringLiteral', {
+ builder: ['value'],
fields: {
value: {
- validate: (0, _utils.assertValueType)("string")
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
},
- aliases: ["Expression", "Pureish", "Literal", "Immutable"]
+ aliases: ['Expression', 'Pureish', 'Literal', 'Immutable'],
});
-defineType("NumericLiteral", {
- builder: ["value"],
- deprecatedAlias: "NumberLiteral",
+defineType('NumericLiteral', {
+ builder: ['value'],
+ deprecatedAlias: 'NumberLiteral',
fields: {
value: {
- validate: (0, _utils.assertValueType)("number")
- }
+ validate: (0, _utils.assertValueType)('number'),
+ },
},
- aliases: ["Expression", "Pureish", "Literal", "Immutable"]
+ aliases: ['Expression', 'Pureish', 'Literal', 'Immutable'],
});
-defineType("NullLiteral", {
- aliases: ["Expression", "Pureish", "Literal", "Immutable"]
+defineType('NullLiteral', {
+ aliases: ['Expression', 'Pureish', 'Literal', 'Immutable'],
});
-defineType("BooleanLiteral", {
- builder: ["value"],
+defineType('BooleanLiteral', {
+ builder: ['value'],
fields: {
value: {
- validate: (0, _utils.assertValueType)("boolean")
- }
+ validate: (0, _utils.assertValueType)('boolean'),
+ },
},
- aliases: ["Expression", "Pureish", "Literal", "Immutable"]
+ aliases: ['Expression', 'Pureish', 'Literal', 'Immutable'],
});
-defineType("RegExpLiteral", {
- builder: ["pattern", "flags"],
- deprecatedAlias: "RegexLiteral",
- aliases: ["Expression", "Pureish", "Literal"],
+defineType('RegExpLiteral', {
+ builder: ['pattern', 'flags'],
+ deprecatedAlias: 'RegexLiteral',
+ aliases: ['Expression', 'Pureish', 'Literal'],
fields: {
pattern: {
- validate: (0, _utils.assertValueType)("string")
+ validate: (0, _utils.assertValueType)('string'),
},
flags: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("string"), Object.assign(function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
- const invalid = /[^gimsuy]/.exec(val);
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('string'),
+ Object.assign(
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ const invalid = /[^gimsuy]/.exec(val);
- if (invalid) {
- throw new TypeError(`"${invalid[0]}" is not a valid RegExp flag`);
- }
- }, {
- type: "string"
- })),
- default: ""
- }
- }
+ if (invalid) {
+ throw new TypeError(`"${invalid[0]}" is not a valid RegExp flag`);
+ }
+ },
+ {
+ type: 'string',
+ }
+ )
+ ),
+ default: '',
+ },
+ },
});
-defineType("LogicalExpression", {
- builder: ["operator", "left", "right"],
- visitor: ["left", "right"],
- aliases: ["Binary", "Expression"],
+defineType('LogicalExpression', {
+ builder: ['operator', 'left', 'right'],
+ visitor: ['left', 'right'],
+ aliases: ['Binary', 'Expression'],
fields: {
operator: {
- validate: (0, _utils.assertOneOf)(..._constants.LOGICAL_OPERATORS)
+ validate: (0, _utils.assertOneOf)(..._constants.LOGICAL_OPERATORS),
},
left: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
right: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
-});
-defineType("MemberExpression", {
- builder: ["object", "property", "computed", ...(!process.env.BABEL_TYPES_8_BREAKING ? ["optional"] : [])],
- visitor: ["object", "property"],
- aliases: ["Expression", "LVal"],
- fields: Object.assign({
- object: {
- validate: (0, _utils.assertNodeType)("Expression", "Super")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
- property: {
- validate: function () {
- const normal = (0, _utils.assertNodeType)("Identifier", "PrivateName");
- const computed = (0, _utils.assertNodeType)("Expression");
+ },
+});
+defineType('MemberExpression', {
+ builder: [
+ 'object',
+ 'property',
+ 'computed',
+ ...(!process.env.BABEL_TYPES_8_BREAKING ? ['optional'] : []),
+ ],
+ visitor: ['object', 'property'],
+ aliases: ['Expression', 'LVal'],
+ fields: Object.assign(
+ {
+ object: {
+ validate: (0, _utils.assertNodeType)('Expression', 'Super'),
+ },
+ property: {
+ validate: (function () {
+ const normal = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'PrivateName'
+ );
+ const computed = (0, _utils.assertNodeType)('Expression');
- const validator = function (node, key, val) {
- const validator = node.computed ? computed : normal;
- validator(node, key, val);
- };
+ const validator = function (node, key, val) {
+ const validator = node.computed ? computed : normal;
+ validator(node, key, val);
+ };
- validator.oneOfNodeTypes = ["Expression", "Identifier", "PrivateName"];
- return validator;
- }()
+ validator.oneOfNodeTypes = [
+ 'Expression',
+ 'Identifier',
+ 'PrivateName',
+ ];
+ return validator;
+ })(),
+ },
+ computed: {
+ default: false,
+ },
},
- computed: {
- default: false
- }
- }, !process.env.BABEL_TYPES_8_BREAKING ? {
- optional: {
- validate: (0, _utils.assertOneOf)(true, false),
- optional: true
- }
- } : {})
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ {
+ optional: {
+ validate: (0, _utils.assertOneOf)(true, false),
+ optional: true,
+ },
+ }
+ : {}
+ ),
});
-defineType("NewExpression", {
- inherits: "CallExpression"
+defineType('NewExpression', {
+ inherits: 'CallExpression',
});
-defineType("Program", {
- visitor: ["directives", "body"],
- builder: ["body", "directives", "sourceType", "interpreter"],
+defineType('Program', {
+ visitor: ['directives', 'body'],
+ builder: ['body', 'directives', 'sourceType', 'interpreter'],
fields: {
sourceFile: {
- validate: (0, _utils.assertValueType)("string")
+ validate: (0, _utils.assertValueType)('string'),
},
sourceType: {
- validate: (0, _utils.assertOneOf)("script", "module"),
- default: "script"
+ validate: (0, _utils.assertOneOf)('script', 'module'),
+ default: 'script',
},
interpreter: {
- validate: (0, _utils.assertNodeType)("InterpreterDirective"),
+ validate: (0, _utils.assertNodeType)('InterpreterDirective'),
default: null,
- optional: true
+ optional: true,
},
directives: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Directive"))),
- default: []
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Directive'))
+ ),
+ default: [],
},
body: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Statement")))
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Statement'))
+ ),
+ },
},
- aliases: ["Scopable", "BlockParent", "Block"]
+ aliases: ['Scopable', 'BlockParent', 'Block'],
});
-defineType("ObjectExpression", {
- visitor: ["properties"],
- aliases: ["Expression"],
+defineType('ObjectExpression', {
+ visitor: ['properties'],
+ aliases: ['Expression'],
fields: {
properties: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ObjectMethod", "ObjectProperty", "SpreadElement")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'ObjectMethod',
+ 'ObjectProperty',
+ 'SpreadElement'
+ )
+ )
+ ),
+ },
+ },
});
-defineType("ObjectMethod", {
- builder: ["kind", "key", "params", "body", "computed", "generator", "async"],
+defineType('ObjectMethod', {
+ builder: ['kind', 'key', 'params', 'body', 'computed', 'generator', 'async'],
fields: Object.assign({}, functionCommon(), functionTypeAnnotationCommon(), {
- kind: Object.assign({
- validate: (0, _utils.assertOneOf)("method", "get", "set")
- }, !process.env.BABEL_TYPES_8_BREAKING ? {
- default: "method"
- } : {}),
+ kind: Object.assign(
+ {
+ validate: (0, _utils.assertOneOf)('method', 'get', 'set'),
+ },
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ {
+ default: 'method',
+ }
+ : {}
+ ),
computed: {
- default: false
+ default: false,
},
key: {
- validate: function () {
- const normal = (0, _utils.assertNodeType)("Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral");
- const computed = (0, _utils.assertNodeType)("Expression");
+ validate: (function () {
+ const normal = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral'
+ );
+ const computed = (0, _utils.assertNodeType)('Expression');
const validator = function (node, key, val) {
const validator = node.computed ? computed : normal;
validator(node, key, val);
};
- validator.oneOfNodeTypes = ["Expression", "Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral"];
+ validator.oneOfNodeTypes = [
+ 'Expression',
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral',
+ ];
return validator;
- }()
+ })(),
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
},
body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
- }
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
+ },
}),
- visitor: ["key", "params", "body", "decorators", "returnType", "typeParameters"],
- aliases: ["UserWhitespacable", "Function", "Scopable", "BlockParent", "FunctionParent", "Method", "ObjectMember"]
+ visitor: [
+ 'key',
+ 'params',
+ 'body',
+ 'decorators',
+ 'returnType',
+ 'typeParameters',
+ ],
+ aliases: [
+ 'UserWhitespacable',
+ 'Function',
+ 'Scopable',
+ 'BlockParent',
+ 'FunctionParent',
+ 'Method',
+ 'ObjectMember',
+ ],
});
-defineType("ObjectProperty", {
- builder: ["key", "value", "computed", "shorthand", ...(!process.env.BABEL_TYPES_8_BREAKING ? ["decorators"] : [])],
+defineType('ObjectProperty', {
+ builder: [
+ 'key',
+ 'value',
+ 'computed',
+ 'shorthand',
+ ...(!process.env.BABEL_TYPES_8_BREAKING ? ['decorators'] : []),
+ ],
fields: {
computed: {
- default: false
+ default: false,
},
key: {
- validate: function () {
- const normal = (0, _utils.assertNodeType)("Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral", "DecimalLiteral", "PrivateName");
- const computed = (0, _utils.assertNodeType)("Expression");
- const validator = Object.assign(function (node, key, val) {
- const validator = node.computed ? computed : normal;
- validator(node, key, val);
- }, {
- oneOfNodeTypes: ["Expression", "Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral", "DecimalLiteral", "PrivateName"]
- });
+ validate: (function () {
+ const normal = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral',
+ 'DecimalLiteral',
+ 'PrivateName'
+ );
+ const computed = (0, _utils.assertNodeType)('Expression');
+ const validator = Object.assign(
+ function (node, key, val) {
+ const validator = node.computed ? computed : normal;
+ validator(node, key, val);
+ },
+ {
+ oneOfNodeTypes: [
+ 'Expression',
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral',
+ 'DecimalLiteral',
+ 'PrivateName',
+ ],
+ }
+ );
return validator;
- }()
+ })(),
},
value: {
- validate: (0, _utils.assertNodeType)("Expression", "PatternLike")
+ validate: (0, _utils.assertNodeType)('Expression', 'PatternLike'),
},
shorthand: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("boolean"), Object.assign(function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('boolean'),
+ Object.assign(
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (val && node.computed) {
- throw new TypeError("Property shorthand of ObjectProperty cannot be true if computed is true");
- }
- }, {
- type: "boolean"
- }), function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ if (val && node.computed) {
+ throw new TypeError(
+ 'Property shorthand of ObjectProperty cannot be true if computed is true'
+ );
+ }
+ },
+ {
+ type: 'boolean',
+ }
+ ),
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (val && !(0, _is.default)("Identifier", node.key)) {
- throw new TypeError("Property shorthand of ObjectProperty cannot be true if key is not an Identifier");
+ if (val && !(0, _is.default)('Identifier', node.key)) {
+ throw new TypeError(
+ 'Property shorthand of ObjectProperty cannot be true if key is not an Identifier'
+ );
+ }
}
- }),
- default: false
+ ),
+ default: false,
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
},
- visitor: ["key", "value", "decorators"],
- aliases: ["UserWhitespacable", "Property", "ObjectMember"],
- validate: function () {
- const pattern = (0, _utils.assertNodeType)("Identifier", "Pattern", "TSAsExpression", "TSNonNullExpression", "TSTypeAssertion");
- const expression = (0, _utils.assertNodeType)("Expression");
+ visitor: ['key', 'value', 'decorators'],
+ aliases: ['UserWhitespacable', 'Property', 'ObjectMember'],
+ validate: (function () {
+ const pattern = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'Pattern',
+ 'TSAsExpression',
+ 'TSNonNullExpression',
+ 'TSTypeAssertion'
+ );
+ const expression = (0, _utils.assertNodeType)('Expression');
return function (parent, key, node) {
if (!process.env.BABEL_TYPES_8_BREAKING) return;
- const validator = (0, _is.default)("ObjectPattern", parent) ? pattern : expression;
- validator(node, "value", node.value);
+ const validator =
+ (0, _is.default)('ObjectPattern', parent) ? pattern : expression;
+ validator(node, 'value', node.value);
};
- }()
+ })(),
});
-defineType("RestElement", {
- visitor: ["argument", "typeAnnotation"],
- builder: ["argument"],
- aliases: ["LVal", "PatternLike"],
- deprecatedAlias: "RestProperty",
+defineType('RestElement', {
+ visitor: ['argument', 'typeAnnotation'],
+ builder: ['argument'],
+ aliases: ['LVal', 'PatternLike'],
+ deprecatedAlias: 'RestProperty',
fields: Object.assign({}, patternLikeCommon(), {
argument: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? (0, _utils.assertNodeType)("LVal") : (0, _utils.assertNodeType)("Identifier", "ArrayPattern", "ObjectPattern", "MemberExpression", "TSAsExpression", "TSTypeAssertion", "TSNonNullExpression")
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ (0, _utils.assertNodeType)('LVal')
+ : (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'ArrayPattern',
+ 'ObjectPattern',
+ 'MemberExpression',
+ 'TSAsExpression',
+ 'TSTypeAssertion',
+ 'TSNonNullExpression'
+ ),
},
optional: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- }
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
}),
validate(parent, key) {
if (!process.env.BABEL_TYPES_8_BREAKING) return;
const match = /(\w+)\[(\d+)\]/.exec(key);
- if (!match) throw new Error("Internal Babel error: malformed key.");
+ if (!match) throw new Error('Internal Babel error: malformed key.');
const [, listKey, index] = match;
if (parent[listKey].length > +index + 1) {
throw new TypeError(`RestElement must be last element of ${listKey}`);
}
- }
-
+ },
});
-defineType("ReturnStatement", {
- visitor: ["argument"],
- aliases: ["Statement", "Terminatorless", "CompletionStatement"],
+defineType('ReturnStatement', {
+ visitor: ['argument'],
+ aliases: ['Statement', 'Terminatorless', 'CompletionStatement'],
fields: {
argument: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
+ },
+ },
});
-defineType("SequenceExpression", {
- visitor: ["expressions"],
+defineType('SequenceExpression', {
+ visitor: ['expressions'],
fields: {
expressions: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Expression")))
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Expression'))
+ ),
+ },
},
- aliases: ["Expression"]
+ aliases: ['Expression'],
});
-defineType("ParenthesizedExpression", {
- visitor: ["expression"],
- aliases: ["Expression", "ExpressionWrapper"],
+defineType('ParenthesizedExpression', {
+ visitor: ['expression'],
+ aliases: ['Expression', 'ExpressionWrapper'],
fields: {
expression: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-defineType("SwitchCase", {
- visitor: ["test", "consequent"],
+defineType('SwitchCase', {
+ visitor: ['test', 'consequent'],
fields: {
test: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
},
consequent: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Statement")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Statement'))
+ ),
+ },
+ },
});
-defineType("SwitchStatement", {
- visitor: ["discriminant", "cases"],
- aliases: ["Statement", "BlockParent", "Scopable"],
+defineType('SwitchStatement', {
+ visitor: ['discriminant', 'cases'],
+ aliases: ['Statement', 'BlockParent', 'Scopable'],
fields: {
discriminant: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
cases: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("SwitchCase")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('SwitchCase'))
+ ),
+ },
+ },
});
-defineType("ThisExpression", {
- aliases: ["Expression"]
+defineType('ThisExpression', {
+ aliases: ['Expression'],
});
-defineType("ThrowStatement", {
- visitor: ["argument"],
- aliases: ["Statement", "Terminatorless", "CompletionStatement"],
+defineType('ThrowStatement', {
+ visitor: ['argument'],
+ aliases: ['Statement', 'Terminatorless', 'CompletionStatement'],
fields: {
argument: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-defineType("TryStatement", {
- visitor: ["block", "handler", "finalizer"],
- aliases: ["Statement"],
+defineType('TryStatement', {
+ visitor: ['block', 'handler', 'finalizer'],
+ aliases: ['Statement'],
fields: {
block: {
- validate: (0, _utils.chain)((0, _utils.assertNodeType)("BlockStatement"), Object.assign(function (node) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ validate: (0, _utils.chain)(
+ (0, _utils.assertNodeType)('BlockStatement'),
+ Object.assign(
+ function (node) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (!node.handler && !node.finalizer) {
- throw new TypeError("TryStatement expects either a handler or finalizer, or both");
- }
- }, {
- oneOfNodeTypes: ["BlockStatement"]
- }))
+ if (!node.handler && !node.finalizer) {
+ throw new TypeError(
+ 'TryStatement expects either a handler or finalizer, or both'
+ );
+ }
+ },
+ {
+ oneOfNodeTypes: ['BlockStatement'],
+ }
+ )
+ ),
},
handler: {
optional: true,
- validate: (0, _utils.assertNodeType)("CatchClause")
+ validate: (0, _utils.assertNodeType)('CatchClause'),
},
finalizer: {
optional: true,
- validate: (0, _utils.assertNodeType)("BlockStatement")
- }
- }
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
+ },
+ },
});
-defineType("UnaryExpression", {
- builder: ["operator", "argument", "prefix"],
+defineType('UnaryExpression', {
+ builder: ['operator', 'argument', 'prefix'],
fields: {
prefix: {
- default: true
+ default: true,
},
argument: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
operator: {
- validate: (0, _utils.assertOneOf)(..._constants.UNARY_OPERATORS)
- }
+ validate: (0, _utils.assertOneOf)(..._constants.UNARY_OPERATORS),
+ },
},
- visitor: ["argument"],
- aliases: ["UnaryLike", "Expression"]
+ visitor: ['argument'],
+ aliases: ['UnaryLike', 'Expression'],
});
-defineType("UpdateExpression", {
- builder: ["operator", "argument", "prefix"],
+defineType('UpdateExpression', {
+ builder: ['operator', 'argument', 'prefix'],
fields: {
prefix: {
- default: false
+ default: false,
},
argument: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? (0, _utils.assertNodeType)("Expression") : (0, _utils.assertNodeType)("Identifier", "MemberExpression")
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ (0, _utils.assertNodeType)('Expression')
+ : (0, _utils.assertNodeType)('Identifier', 'MemberExpression'),
},
operator: {
- validate: (0, _utils.assertOneOf)(..._constants.UPDATE_OPERATORS)
- }
+ validate: (0, _utils.assertOneOf)(..._constants.UPDATE_OPERATORS),
+ },
},
- visitor: ["argument"],
- aliases: ["Expression"]
+ visitor: ['argument'],
+ aliases: ['Expression'],
});
-defineType("VariableDeclaration", {
- builder: ["kind", "declarations"],
- visitor: ["declarations"],
- aliases: ["Statement", "Declaration"],
+defineType('VariableDeclaration', {
+ builder: ['kind', 'declarations'],
+ visitor: ['declarations'],
+ aliases: ['Statement', 'Declaration'],
fields: {
declare: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
kind: {
- validate: (0, _utils.assertOneOf)("var", "let", "const")
+ validate: (0, _utils.assertOneOf)('var', 'let', 'const'),
},
declarations: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("VariableDeclarator")))
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('VariableDeclarator'))
+ ),
+ },
},
validate(parent, key, node) {
if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (!(0, _is.default)("ForXStatement", parent, {
- left: node
- })) return;
+ if (
+ !(0, _is.default)('ForXStatement', parent, {
+ left: node,
+ })
+ )
+ return;
if (node.declarations.length !== 1) {
- throw new TypeError(`Exactly one VariableDeclarator is required in the VariableDeclaration of a ${parent.type}`);
+ throw new TypeError(
+ `Exactly one VariableDeclarator is required in the VariableDeclaration of a ${parent.type}`
+ );
}
- }
-
+ },
});
-defineType("VariableDeclarator", {
- visitor: ["id", "init"],
+defineType('VariableDeclarator', {
+ visitor: ['id', 'init'],
fields: {
id: {
- validate: function () {
+ validate: (function () {
if (!process.env.BABEL_TYPES_8_BREAKING) {
- return (0, _utils.assertNodeType)("LVal");
+ return (0, _utils.assertNodeType)('LVal');
}
- const normal = (0, _utils.assertNodeType)("Identifier", "ArrayPattern", "ObjectPattern");
- const without = (0, _utils.assertNodeType)("Identifier");
+ const normal = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'ArrayPattern',
+ 'ObjectPattern'
+ );
+ const without = (0, _utils.assertNodeType)('Identifier');
return function (node, key, val) {
const validator = node.init ? normal : without;
validator(node, key, val);
};
- }()
+ })(),
},
definite: {
optional: true,
- validate: (0, _utils.assertValueType)("boolean")
+ validate: (0, _utils.assertValueType)('boolean'),
},
init: {
optional: true,
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-defineType("WhileStatement", {
- visitor: ["test", "body"],
- aliases: ["Statement", "BlockParent", "Loop", "While", "Scopable"],
+defineType('WhileStatement', {
+ visitor: ['test', 'body'],
+ aliases: ['Statement', 'BlockParent', 'Loop', 'While', 'Scopable'],
fields: {
test: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
- }
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
+ },
});
-defineType("WithStatement", {
- visitor: ["object", "body"],
- aliases: ["Statement"],
+defineType('WithStatement', {
+ visitor: ['object', 'body'],
+ aliases: ['Statement'],
fields: {
object: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
- }
- }
+ validate: (0, _utils.assertNodeType)('Statement'),
+ },
+ },
});
-defineType("AssignmentPattern", {
- visitor: ["left", "right", "decorators"],
- builder: ["left", "right"],
- aliases: ["Pattern", "PatternLike", "LVal"],
+defineType('AssignmentPattern', {
+ visitor: ['left', 'right', 'decorators'],
+ builder: ['left', 'right'],
+ aliases: ['Pattern', 'PatternLike', 'LVal'],
fields: Object.assign({}, patternLikeCommon(), {
left: {
- validate: (0, _utils.assertNodeType)("Identifier", "ObjectPattern", "ArrayPattern", "MemberExpression", "TSAsExpression", "TSTypeAssertion", "TSNonNullExpression")
+ validate: (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'ObjectPattern',
+ 'ArrayPattern',
+ 'MemberExpression',
+ 'TSAsExpression',
+ 'TSTypeAssertion',
+ 'TSNonNullExpression'
+ ),
},
right: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- }
- })
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
+ }),
});
-defineType("ArrayPattern", {
- visitor: ["elements", "typeAnnotation"],
- builder: ["elements"],
- aliases: ["Pattern", "PatternLike", "LVal"],
+defineType('ArrayPattern', {
+ visitor: ['elements', 'typeAnnotation'],
+ builder: ['elements'],
+ aliases: ['Pattern', 'PatternLike', 'LVal'],
fields: Object.assign({}, patternLikeCommon(), {
elements: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeOrValueType)("null", "PatternLike", "LVal")))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeOrValueType)('null', 'PatternLike', 'LVal')
+ )
+ ),
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
},
optional: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- }
- })
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ }),
});
-defineType("ArrowFunctionExpression", {
- builder: ["params", "body", "async"],
- visitor: ["params", "body", "returnType", "typeParameters"],
- aliases: ["Scopable", "Function", "BlockParent", "FunctionParent", "Expression", "Pureish"],
+defineType('ArrowFunctionExpression', {
+ builder: ['params', 'body', 'async'],
+ visitor: ['params', 'body', 'returnType', 'typeParameters'],
+ aliases: [
+ 'Scopable',
+ 'Function',
+ 'BlockParent',
+ 'FunctionParent',
+ 'Expression',
+ 'Pureish',
+ ],
fields: Object.assign({}, functionCommon(), functionTypeAnnotationCommon(), {
expression: {
- validate: (0, _utils.assertValueType)("boolean")
+ validate: (0, _utils.assertValueType)('boolean'),
},
body: {
- validate: (0, _utils.assertNodeType)("BlockStatement", "Expression")
+ validate: (0, _utils.assertNodeType)('BlockStatement', 'Expression'),
},
predicate: {
- validate: (0, _utils.assertNodeType)("DeclaredPredicate", "InferredPredicate"),
- optional: true
- }
- })
+ validate: (0, _utils.assertNodeType)(
+ 'DeclaredPredicate',
+ 'InferredPredicate'
+ ),
+ optional: true,
+ },
+ }),
});
-defineType("ClassBody", {
- visitor: ["body"],
+defineType('ClassBody', {
+ visitor: ['body'],
fields: {
body: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ClassMethod", "ClassPrivateMethod", "ClassProperty", "ClassPrivateProperty", "ClassAccessorProperty", "TSDeclareMethod", "TSIndexSignature", "StaticBlock")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'ClassMethod',
+ 'ClassPrivateMethod',
+ 'ClassProperty',
+ 'ClassPrivateProperty',
+ 'ClassAccessorProperty',
+ 'TSDeclareMethod',
+ 'TSIndexSignature',
+ 'StaticBlock'
+ )
+ )
+ ),
+ },
+ },
});
-defineType("ClassExpression", {
- builder: ["id", "superClass", "body", "decorators"],
- visitor: ["id", "body", "superClass", "mixins", "typeParameters", "superTypeParameters", "implements", "decorators"],
- aliases: ["Scopable", "Class", "Expression"],
+defineType('ClassExpression', {
+ builder: ['id', 'superClass', 'body', 'decorators'],
+ visitor: [
+ 'id',
+ 'body',
+ 'superClass',
+ 'mixins',
+ 'typeParameters',
+ 'superTypeParameters',
+ 'implements',
+ 'decorators',
+ ],
+ aliases: ['Scopable', 'Class', 'Expression'],
fields: {
id: {
- validate: (0, _utils.assertNodeType)("Identifier"),
- optional: true
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ optional: true,
},
typeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterDeclaration", "TSTypeParameterDeclaration", "Noop"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterDeclaration',
+ 'TSTypeParameterDeclaration',
+ 'Noop'
+ ),
+ optional: true,
},
body: {
- validate: (0, _utils.assertNodeType)("ClassBody")
+ validate: (0, _utils.assertNodeType)('ClassBody'),
},
superClass: {
optional: true,
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
superTypeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterInstantiation", "TSTypeParameterInstantiation"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterInstantiation',
+ 'TSTypeParameterInstantiation'
+ ),
+ optional: true,
},
implements: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("TSExpressionWithTypeArguments", "ClassImplements"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'TSExpressionWithTypeArguments',
+ 'ClassImplements'
+ )
+ )
+ ),
+ optional: true,
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
},
mixins: {
- validate: (0, _utils.assertNodeType)("InterfaceExtends"),
- optional: true
- }
- }
+ validate: (0, _utils.assertNodeType)('InterfaceExtends'),
+ optional: true,
+ },
+ },
});
-defineType("ClassDeclaration", {
- inherits: "ClassExpression",
- aliases: ["Scopable", "Class", "Statement", "Declaration"],
+defineType('ClassDeclaration', {
+ inherits: 'ClassExpression',
+ aliases: ['Scopable', 'Class', 'Statement', 'Declaration'],
fields: {
id: {
- validate: (0, _utils.assertNodeType)("Identifier")
+ validate: (0, _utils.assertNodeType)('Identifier'),
},
typeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterDeclaration", "TSTypeParameterDeclaration", "Noop"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterDeclaration',
+ 'TSTypeParameterDeclaration',
+ 'Noop'
+ ),
+ optional: true,
},
body: {
- validate: (0, _utils.assertNodeType)("ClassBody")
+ validate: (0, _utils.assertNodeType)('ClassBody'),
},
superClass: {
optional: true,
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
superTypeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterInstantiation", "TSTypeParameterInstantiation"),
- optional: true
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterInstantiation',
+ 'TSTypeParameterInstantiation'
+ ),
+ optional: true,
},
implements: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("TSExpressionWithTypeArguments", "ClassImplements"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'TSExpressionWithTypeArguments',
+ 'ClassImplements'
+ )
+ )
+ ),
+ optional: true,
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
},
mixins: {
- validate: (0, _utils.assertNodeType)("InterfaceExtends"),
- optional: true
+ validate: (0, _utils.assertNodeType)('InterfaceExtends'),
+ optional: true,
},
declare: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
abstract: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- }
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
},
- validate: function () {
- const identifier = (0, _utils.assertNodeType)("Identifier");
+ validate: (function () {
+ const identifier = (0, _utils.assertNodeType)('Identifier');
return function (parent, key, node) {
if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (!(0, _is.default)("ExportDefaultDeclaration", parent)) {
- identifier(node, "id", node.id);
+ if (!(0, _is.default)('ExportDefaultDeclaration', parent)) {
+ identifier(node, 'id', node.id);
}
};
- }()
+ })(),
});
-defineType("ExportAllDeclaration", {
- visitor: ["source"],
- aliases: ["Statement", "Declaration", "ModuleDeclaration", "ExportDeclaration"],
+defineType('ExportAllDeclaration', {
+ visitor: ['source'],
+ aliases: [
+ 'Statement',
+ 'Declaration',
+ 'ModuleDeclaration',
+ 'ExportDeclaration',
+ ],
fields: {
source: {
- validate: (0, _utils.assertNodeType)("StringLiteral")
+ validate: (0, _utils.assertNodeType)('StringLiteral'),
},
- exportKind: (0, _utils.validateOptional)((0, _utils.assertOneOf)("type", "value")),
+ exportKind: (0, _utils.validateOptional)(
+ (0, _utils.assertOneOf)('type', 'value')
+ ),
assertions: {
optional: true,
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ImportAttribute")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('ImportAttribute'))
+ ),
+ },
+ },
});
-defineType("ExportDefaultDeclaration", {
- visitor: ["declaration"],
- aliases: ["Statement", "Declaration", "ModuleDeclaration", "ExportDeclaration"],
+defineType('ExportDefaultDeclaration', {
+ visitor: ['declaration'],
+ aliases: [
+ 'Statement',
+ 'Declaration',
+ 'ModuleDeclaration',
+ 'ExportDeclaration',
+ ],
fields: {
declaration: {
- validate: (0, _utils.assertNodeType)("TSDeclareFunction", "FunctionDeclaration", "ClassDeclaration", "Expression")
+ validate: (0, _utils.assertNodeType)(
+ 'TSDeclareFunction',
+ 'FunctionDeclaration',
+ 'ClassDeclaration',
+ 'Expression'
+ ),
},
- exportKind: (0, _utils.validateOptional)((0, _utils.assertOneOf)("value"))
- }
+ exportKind: (0, _utils.validateOptional)((0, _utils.assertOneOf)('value')),
+ },
});
-defineType("ExportNamedDeclaration", {
- visitor: ["declaration", "specifiers", "source"],
- aliases: ["Statement", "Declaration", "ModuleDeclaration", "ExportDeclaration"],
+defineType('ExportNamedDeclaration', {
+ visitor: ['declaration', 'specifiers', 'source'],
+ aliases: [
+ 'Statement',
+ 'Declaration',
+ 'ModuleDeclaration',
+ 'ExportDeclaration',
+ ],
fields: {
declaration: {
optional: true,
- validate: (0, _utils.chain)((0, _utils.assertNodeType)("Declaration"), Object.assign(function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ validate: (0, _utils.chain)(
+ (0, _utils.assertNodeType)('Declaration'),
+ Object.assign(
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (val && node.specifiers.length) {
- throw new TypeError("Only declaration or specifiers is allowed on ExportNamedDeclaration");
- }
- }, {
- oneOfNodeTypes: ["Declaration"]
- }), function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ if (val && node.specifiers.length) {
+ throw new TypeError(
+ 'Only declaration or specifiers is allowed on ExportNamedDeclaration'
+ );
+ }
+ },
+ {
+ oneOfNodeTypes: ['Declaration'],
+ }
+ ),
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
- if (val && node.source) {
- throw new TypeError("Cannot export a declaration from a source");
+ if (val && node.source) {
+ throw new TypeError('Cannot export a declaration from a source');
+ }
}
- })
+ ),
},
assertions: {
optional: true,
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ImportAttribute")))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('ImportAttribute'))
+ ),
},
specifiers: {
default: [],
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)(function () {
- const sourced = (0, _utils.assertNodeType)("ExportSpecifier", "ExportDefaultSpecifier", "ExportNamespaceSpecifier");
- const sourceless = (0, _utils.assertNodeType)("ExportSpecifier");
- if (!process.env.BABEL_TYPES_8_BREAKING) return sourced;
- return function (node, key, val) {
- const validator = node.source ? sourced : sourceless;
- validator(node, key, val);
- };
- }()))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (function () {
+ const sourced = (0, _utils.assertNodeType)(
+ 'ExportSpecifier',
+ 'ExportDefaultSpecifier',
+ 'ExportNamespaceSpecifier'
+ );
+ const sourceless = (0, _utils.assertNodeType)('ExportSpecifier');
+ if (!process.env.BABEL_TYPES_8_BREAKING) return sourced;
+ return function (node, key, val) {
+ const validator = node.source ? sourced : sourceless;
+ validator(node, key, val);
+ };
+ })()
+ )
+ ),
},
source: {
- validate: (0, _utils.assertNodeType)("StringLiteral"),
- optional: true
+ validate: (0, _utils.assertNodeType)('StringLiteral'),
+ optional: true,
},
- exportKind: (0, _utils.validateOptional)((0, _utils.assertOneOf)("type", "value"))
- }
+ exportKind: (0, _utils.validateOptional)(
+ (0, _utils.assertOneOf)('type', 'value')
+ ),
+ },
});
-defineType("ExportSpecifier", {
- visitor: ["local", "exported"],
- aliases: ["ModuleSpecifier"],
+defineType('ExportSpecifier', {
+ visitor: ['local', 'exported'],
+ aliases: ['ModuleSpecifier'],
fields: {
local: {
- validate: (0, _utils.assertNodeType)("Identifier")
+ validate: (0, _utils.assertNodeType)('Identifier'),
},
exported: {
- validate: (0, _utils.assertNodeType)("Identifier", "StringLiteral")
+ validate: (0, _utils.assertNodeType)('Identifier', 'StringLiteral'),
},
exportKind: {
- validate: (0, _utils.assertOneOf)("type", "value"),
- optional: true
- }
- }
+ validate: (0, _utils.assertOneOf)('type', 'value'),
+ optional: true,
+ },
+ },
});
-defineType("ForOfStatement", {
- visitor: ["left", "right", "body"],
- builder: ["left", "right", "body", "await"],
- aliases: ["Scopable", "Statement", "For", "BlockParent", "Loop", "ForXStatement"],
+defineType('ForOfStatement', {
+ visitor: ['left', 'right', 'body'],
+ builder: ['left', 'right', 'body', 'await'],
+ aliases: [
+ 'Scopable',
+ 'Statement',
+ 'For',
+ 'BlockParent',
+ 'Loop',
+ 'ForXStatement',
+ ],
fields: {
left: {
- validate: function () {
+ validate: (function () {
if (!process.env.BABEL_TYPES_8_BREAKING) {
- return (0, _utils.assertNodeType)("VariableDeclaration", "LVal");
+ return (0, _utils.assertNodeType)('VariableDeclaration', 'LVal');
}
- const declaration = (0, _utils.assertNodeType)("VariableDeclaration");
- const lval = (0, _utils.assertNodeType)("Identifier", "MemberExpression", "ArrayPattern", "ObjectPattern", "TSAsExpression", "TSTypeAssertion", "TSNonNullExpression");
+ const declaration = (0, _utils.assertNodeType)('VariableDeclaration');
+ const lval = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'MemberExpression',
+ 'ArrayPattern',
+ 'ObjectPattern',
+ 'TSAsExpression',
+ 'TSTypeAssertion',
+ 'TSNonNullExpression'
+ );
return function (node, key, val) {
- if ((0, _is.default)("VariableDeclaration", val)) {
+ if ((0, _is.default)('VariableDeclaration', val)) {
declaration(node, key, val);
} else {
lval(node, key, val);
}
};
- }()
+ })(),
},
right: {
- validate: (0, _utils.assertNodeType)("Expression")
+ validate: (0, _utils.assertNodeType)('Expression'),
},
body: {
- validate: (0, _utils.assertNodeType)("Statement")
+ validate: (0, _utils.assertNodeType)('Statement'),
},
await: {
- default: false
- }
- }
+ default: false,
+ },
+ },
});
-defineType("ImportDeclaration", {
- visitor: ["specifiers", "source"],
- aliases: ["Statement", "Declaration", "ModuleDeclaration"],
+defineType('ImportDeclaration', {
+ visitor: ['specifiers', 'source'],
+ aliases: ['Statement', 'Declaration', 'ModuleDeclaration'],
fields: {
assertions: {
optional: true,
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ImportAttribute")))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('ImportAttribute'))
+ ),
},
specifiers: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ImportSpecifier", "ImportDefaultSpecifier", "ImportNamespaceSpecifier")))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'ImportSpecifier',
+ 'ImportDefaultSpecifier',
+ 'ImportNamespaceSpecifier'
+ )
+ )
+ ),
},
source: {
- validate: (0, _utils.assertNodeType)("StringLiteral")
+ validate: (0, _utils.assertNodeType)('StringLiteral'),
},
importKind: {
- validate: (0, _utils.assertOneOf)("type", "typeof", "value"),
- optional: true
- }
- }
+ validate: (0, _utils.assertOneOf)('type', 'typeof', 'value'),
+ optional: true,
+ },
+ },
});
-defineType("ImportDefaultSpecifier", {
- visitor: ["local"],
- aliases: ["ModuleSpecifier"],
+defineType('ImportDefaultSpecifier', {
+ visitor: ['local'],
+ aliases: ['ModuleSpecifier'],
fields: {
local: {
- validate: (0, _utils.assertNodeType)("Identifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ },
+ },
});
-defineType("ImportNamespaceSpecifier", {
- visitor: ["local"],
- aliases: ["ModuleSpecifier"],
+defineType('ImportNamespaceSpecifier', {
+ visitor: ['local'],
+ aliases: ['ModuleSpecifier'],
fields: {
local: {
- validate: (0, _utils.assertNodeType)("Identifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ },
+ },
});
-defineType("ImportSpecifier", {
- visitor: ["local", "imported"],
- aliases: ["ModuleSpecifier"],
+defineType('ImportSpecifier', {
+ visitor: ['local', 'imported'],
+ aliases: ['ModuleSpecifier'],
fields: {
local: {
- validate: (0, _utils.assertNodeType)("Identifier")
+ validate: (0, _utils.assertNodeType)('Identifier'),
},
imported: {
- validate: (0, _utils.assertNodeType)("Identifier", "StringLiteral")
+ validate: (0, _utils.assertNodeType)('Identifier', 'StringLiteral'),
},
importKind: {
- validate: (0, _utils.assertOneOf)("type", "typeof", "value"),
- optional: true
- }
- }
+ validate: (0, _utils.assertOneOf)('type', 'typeof', 'value'),
+ optional: true,
+ },
+ },
});
-defineType("MetaProperty", {
- visitor: ["meta", "property"],
- aliases: ["Expression"],
+defineType('MetaProperty', {
+ visitor: ['meta', 'property'],
+ aliases: ['Expression'],
fields: {
meta: {
- validate: (0, _utils.chain)((0, _utils.assertNodeType)("Identifier"), Object.assign(function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
- let property;
+ validate: (0, _utils.chain)(
+ (0, _utils.assertNodeType)('Identifier'),
+ Object.assign(
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
+ let property;
- switch (val.name) {
- case "function":
- property = "sent";
- break;
+ switch (val.name) {
+ case 'function':
+ property = 'sent';
+ break;
- case "new":
- property = "target";
- break;
+ case 'new':
+ property = 'target';
+ break;
- case "import":
- property = "meta";
- break;
- }
+ case 'import':
+ property = 'meta';
+ break;
+ }
- if (!(0, _is.default)("Identifier", node.property, {
- name: property
- })) {
- throw new TypeError("Unrecognised MetaProperty");
- }
- }, {
- oneOfNodeTypes: ["Identifier"]
- }))
+ if (
+ !(0, _is.default)('Identifier', node.property, {
+ name: property,
+ })
+ ) {
+ throw new TypeError('Unrecognised MetaProperty');
+ }
+ },
+ {
+ oneOfNodeTypes: ['Identifier'],
+ }
+ )
+ ),
},
property: {
- validate: (0, _utils.assertNodeType)("Identifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ },
+ },
});
const classMethodOrPropertyCommon = () => ({
abstract: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
accessibility: {
- validate: (0, _utils.assertOneOf)("public", "private", "protected"),
- optional: true
+ validate: (0, _utils.assertOneOf)('public', 'private', 'protected'),
+ optional: true,
},
static: {
- default: false
+ default: false,
},
override: {
- default: false
+ default: false,
},
computed: {
- default: false
+ default: false,
},
optional: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
key: {
- validate: (0, _utils.chain)(function () {
- const normal = (0, _utils.assertNodeType)("Identifier", "StringLiteral", "NumericLiteral");
- const computed = (0, _utils.assertNodeType)("Expression");
- return function (node, key, val) {
- const validator = node.computed ? computed : normal;
- validator(node, key, val);
- };
- }(), (0, _utils.assertNodeType)("Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral", "Expression"))
- }
-});
-
-exports.classMethodOrPropertyCommon = classMethodOrPropertyCommon;
-
-const classMethodOrDeclareMethodCommon = () => Object.assign({}, functionCommon(), classMethodOrPropertyCommon(), {
- params: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Identifier", "Pattern", "RestElement", "TSParameterProperty")))
- },
- kind: {
- validate: (0, _utils.assertOneOf)("get", "set", "method", "constructor"),
- default: "method"
- },
- access: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("string"), (0, _utils.assertOneOf)("public", "private", "protected")),
- optional: true
- },
- decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- }
-});
-
-exports.classMethodOrDeclareMethodCommon = classMethodOrDeclareMethodCommon;
-defineType("ClassMethod", {
- aliases: ["Function", "Scopable", "BlockParent", "FunctionParent", "Method"],
- builder: ["kind", "key", "params", "body", "computed", "static", "generator", "async"],
- visitor: ["key", "params", "body", "decorators", "returnType", "typeParameters"],
- fields: Object.assign({}, classMethodOrDeclareMethodCommon(), functionTypeAnnotationCommon(), {
- body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
- }
- })
-});
-defineType("ObjectPattern", {
- visitor: ["properties", "typeAnnotation", "decorators"],
- builder: ["properties"],
- aliases: ["Pattern", "PatternLike", "LVal"],
- fields: Object.assign({}, patternLikeCommon(), {
- properties: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("RestElement", "ObjectProperty")))
- }
- })
-});
-defineType("SpreadElement", {
- visitor: ["argument"],
- aliases: ["UnaryLike"],
- deprecatedAlias: "SpreadProperty",
- fields: {
- argument: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
-});
-defineType("Super", {
- aliases: ["Expression"]
-});
-defineType("TaggedTemplateExpression", {
- visitor: ["tag", "quasi", "typeParameters"],
- builder: ["tag", "quasi"],
- aliases: ["Expression"],
- fields: {
- tag: {
- validate: (0, _utils.assertNodeType)("Expression")
- },
- quasi: {
- validate: (0, _utils.assertNodeType)("TemplateLiteral")
- },
- typeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterInstantiation", "TSTypeParameterInstantiation"),
- optional: true
- }
- }
-});
-defineType("TemplateElement", {
- builder: ["value", "tail"],
- fields: {
- value: {
- validate: (0, _utils.chain)((0, _utils.assertShape)({
- raw: {
- validate: (0, _utils.assertValueType)("string")
- },
- cooked: {
- validate: (0, _utils.assertValueType)("string"),
- optional: true
- }
- }), function templateElementCookedValidator(node) {
- const raw = node.value.raw;
- let str,
- containsInvalid,
- unterminatedCalled = false;
-
- try {
- const error = () => {
- throw new Error();
- };
-
- ({
- str,
- containsInvalid
- } = (0, _helperStringParser.readStringContents)("template", raw, 0, 0, 0, {
- unterminated() {
- unterminatedCalled = true;
- },
-
- strictNumericEscape: error,
- invalidEscapeSequence: error,
- numericSeparatorInEscapeSequence: error,
- unexpectedNumericSeparator: error,
- invalidDigit: error,
- invalidCodePoint: error
- }));
- } catch (_unused) {
- unterminatedCalled = true;
- containsInvalid = true;
- }
-
- if (!unterminatedCalled) throw new Error("Invalid raw");
- node.value.cooked = containsInvalid ? null : str;
- })
- },
- tail: {
- default: false
- }
- }
-});
-defineType("TemplateLiteral", {
- visitor: ["quasis", "expressions"],
- aliases: ["Expression", "Literal"],
- fields: {
- quasis: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("TemplateElement")))
- },
- expressions: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Expression", "TSType")), function (node, key, val) {
- if (node.quasis.length !== val.length + 1) {
- throw new TypeError(`Number of ${node.type} quasis should be exactly one more than the number of expressions.\nExpected ${val.length + 1} quasis but got ${node.quasis.length}`);
- }
- })
- }
- }
-});
-defineType("YieldExpression", {
- builder: ["argument", "delegate"],
- visitor: ["argument"],
- aliases: ["Expression", "Terminatorless"],
- fields: {
- delegate: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("boolean"), Object.assign(function (node, key, val) {
- if (!process.env.BABEL_TYPES_8_BREAKING) return;
-
- if (val && !node.argument) {
- throw new TypeError("Property delegate of YieldExpression cannot be true if there is no argument");
- }
- }, {
- type: "boolean"
- })),
- default: false
- },
- argument: {
- optional: true,
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
-});
-defineType("AwaitExpression", {
- builder: ["argument"],
- visitor: ["argument"],
- aliases: ["Expression", "Terminatorless"],
- fields: {
- argument: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
-});
-defineType("Import", {
- aliases: ["Expression"]
-});
-defineType("BigIntLiteral", {
- builder: ["value"],
- fields: {
- value: {
- validate: (0, _utils.assertValueType)("string")
- }
- },
- aliases: ["Expression", "Pureish", "Literal", "Immutable"]
-});
-defineType("ExportNamespaceSpecifier", {
- visitor: ["exported"],
- aliases: ["ModuleSpecifier"],
- fields: {
- exported: {
- validate: (0, _utils.assertNodeType)("Identifier")
- }
- }
-});
-defineType("OptionalMemberExpression", {
- builder: ["object", "property", "computed", "optional"],
- visitor: ["object", "property"],
- aliases: ["Expression"],
- fields: {
- object: {
- validate: (0, _utils.assertNodeType)("Expression")
- },
- property: {
- validate: function () {
- const normal = (0, _utils.assertNodeType)("Identifier");
- const computed = (0, _utils.assertNodeType)("Expression");
- const validator = Object.assign(function (node, key, val) {
- const validator = node.computed ? computed : normal;
- validator(node, key, val);
- }, {
- oneOfNodeTypes: ["Expression", "Identifier"]
- });
- return validator;
- }()
- },
- computed: {
- default: false
- },
- optional: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? (0, _utils.assertValueType)("boolean") : (0, _utils.chain)((0, _utils.assertValueType)("boolean"), (0, _utils.assertOptionalChainStart)())
- }
- }
-});
-defineType("OptionalCallExpression", {
- visitor: ["callee", "arguments", "typeParameters", "typeArguments"],
- builder: ["callee", "arguments", "optional"],
- aliases: ["Expression"],
- fields: {
- callee: {
- validate: (0, _utils.assertNodeType)("Expression")
- },
- arguments: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Expression", "SpreadElement", "JSXNamespacedName", "ArgumentPlaceholder")))
- },
- optional: {
- validate: !process.env.BABEL_TYPES_8_BREAKING ? (0, _utils.assertValueType)("boolean") : (0, _utils.chain)((0, _utils.assertValueType)("boolean"), (0, _utils.assertOptionalChainStart)())
- },
- typeArguments: {
- validate: (0, _utils.assertNodeType)("TypeParameterInstantiation"),
- optional: true
- },
- typeParameters: {
- validate: (0, _utils.assertNodeType)("TSTypeParameterInstantiation"),
- optional: true
- }
- }
-});
-defineType("ClassProperty", {
- visitor: ["key", "value", "typeAnnotation", "decorators"],
- builder: ["key", "value", "typeAnnotation", "decorators", "computed", "static"],
- aliases: ["Property"],
- fields: Object.assign({}, classMethodOrPropertyCommon(), {
- value: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
- },
- definite: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- },
- typeAnnotation: {
- validate: (0, _utils.assertNodeType)("TypeAnnotation", "TSTypeAnnotation", "Noop"),
- optional: true
- },
- decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- },
- readonly: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- },
- declare: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- },
- variance: {
- validate: (0, _utils.assertNodeType)("Variance"),
- optional: true
- }
- })
-});
-defineType("ClassAccessorProperty", {
- visitor: ["key", "value", "typeAnnotation", "decorators"],
- builder: ["key", "value", "typeAnnotation", "decorators", "computed", "static"],
- aliases: ["Property", "Accessor"],
- fields: Object.assign({}, classMethodOrPropertyCommon(), {
- key: {
- validate: (0, _utils.chain)(function () {
- const normal = (0, _utils.assertNodeType)("Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral", "PrivateName");
- const computed = (0, _utils.assertNodeType)("Expression");
+ validate: (0, _utils.chain)(
+ (function () {
+ const normal = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral'
+ );
+ const computed = (0, _utils.assertNodeType)('Expression');
return function (node, key, val) {
const validator = node.computed ? computed : normal;
validator(node, key, val);
};
- }(), (0, _utils.assertNodeType)("Identifier", "StringLiteral", "NumericLiteral", "BigIntLiteral", "Expression", "PrivateName"))
+ })(),
+ (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral',
+ 'Expression'
+ )
+ ),
+ },
+});
+
+exports.classMethodOrPropertyCommon = classMethodOrPropertyCommon;
+
+const classMethodOrDeclareMethodCommon = () =>
+ Object.assign({}, functionCommon(), classMethodOrPropertyCommon(), {
+ params: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'Pattern',
+ 'RestElement',
+ 'TSParameterProperty'
+ )
+ )
+ ),
},
- value: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
+ kind: {
+ validate: (0, _utils.assertOneOf)('get', 'set', 'method', 'constructor'),
+ default: 'method',
},
- definite: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- },
- typeAnnotation: {
- validate: (0, _utils.assertNodeType)("TypeAnnotation", "TSTypeAnnotation", "Noop"),
- optional: true
+ access: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('string'),
+ (0, _utils.assertOneOf)('public', 'private', 'protected')
+ ),
+ optional: true,
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
+ });
+
+exports.classMethodOrDeclareMethodCommon = classMethodOrDeclareMethodCommon;
+defineType('ClassMethod', {
+ aliases: ['Function', 'Scopable', 'BlockParent', 'FunctionParent', 'Method'],
+ builder: [
+ 'kind',
+ 'key',
+ 'params',
+ 'body',
+ 'computed',
+ 'static',
+ 'generator',
+ 'async',
+ ],
+ visitor: [
+ 'key',
+ 'params',
+ 'body',
+ 'decorators',
+ 'returnType',
+ 'typeParameters',
+ ],
+ fields: Object.assign(
+ {},
+ classMethodOrDeclareMethodCommon(),
+ functionTypeAnnotationCommon(),
+ {
+ body: {
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
+ },
+ }
+ ),
+});
+defineType('ObjectPattern', {
+ visitor: ['properties', 'typeAnnotation', 'decorators'],
+ builder: ['properties'],
+ aliases: ['Pattern', 'PatternLike', 'LVal'],
+ fields: Object.assign({}, patternLikeCommon(), {
+ properties: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('RestElement', 'ObjectProperty')
+ )
+ ),
+ },
+ }),
+});
+defineType('SpreadElement', {
+ visitor: ['argument'],
+ aliases: ['UnaryLike'],
+ deprecatedAlias: 'SpreadProperty',
+ fields: {
+ argument: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
+});
+defineType('Super', {
+ aliases: ['Expression'],
+});
+defineType('TaggedTemplateExpression', {
+ visitor: ['tag', 'quasi', 'typeParameters'],
+ builder: ['tag', 'quasi'],
+ aliases: ['Expression'],
+ fields: {
+ tag: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ quasi: {
+ validate: (0, _utils.assertNodeType)('TemplateLiteral'),
+ },
+ typeParameters: {
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterInstantiation',
+ 'TSTypeParameterInstantiation'
+ ),
+ optional: true,
+ },
+ },
+});
+defineType('TemplateElement', {
+ builder: ['value', 'tail'],
+ fields: {
+ value: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertShape)({
+ raw: {
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ cooked: {
+ validate: (0, _utils.assertValueType)('string'),
+ optional: true,
+ },
+ }),
+ function templateElementCookedValidator(node) {
+ const raw = node.value.raw;
+ let str,
+ containsInvalid,
+ unterminatedCalled = false;
+
+ try {
+ const error = () => {
+ throw new Error();
+ };
+
+ ({ str, containsInvalid } = (0,
+ _helperStringParser.readStringContents)('template', raw, 0, 0, 0, {
+ unterminated() {
+ unterminatedCalled = true;
+ },
+
+ strictNumericEscape: error,
+ invalidEscapeSequence: error,
+ numericSeparatorInEscapeSequence: error,
+ unexpectedNumericSeparator: error,
+ invalidDigit: error,
+ invalidCodePoint: error,
+ }));
+ } catch (_unused) {
+ unterminatedCalled = true;
+ containsInvalid = true;
+ }
+
+ if (!unterminatedCalled) throw new Error('Invalid raw');
+ node.value.cooked = containsInvalid ? null : str;
+ }
+ ),
+ },
+ tail: {
+ default: false,
+ },
+ },
+});
+defineType('TemplateLiteral', {
+ visitor: ['quasis', 'expressions'],
+ aliases: ['Expression', 'Literal'],
+ fields: {
+ quasis: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('TemplateElement'))
+ ),
+ },
+ expressions: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('Expression', 'TSType')
+ ),
+ function (node, key, val) {
+ if (node.quasis.length !== val.length + 1) {
+ throw new TypeError(
+ `Number of ${node.type} quasis should be exactly one more than the number of expressions.\nExpected ${val.length + 1} quasis but got ${node.quasis.length}`
+ );
+ }
+ }
+ ),
+ },
+ },
+});
+defineType('YieldExpression', {
+ builder: ['argument', 'delegate'],
+ visitor: ['argument'],
+ aliases: ['Expression', 'Terminatorless'],
+ fields: {
+ delegate: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('boolean'),
+ Object.assign(
+ function (node, key, val) {
+ if (!process.env.BABEL_TYPES_8_BREAKING) return;
+
+ if (val && !node.argument) {
+ throw new TypeError(
+ 'Property delegate of YieldExpression cannot be true if there is no argument'
+ );
+ }
+ },
+ {
+ type: 'boolean',
+ }
+ )
+ ),
+ default: false,
+ },
+ argument: {
+ optional: true,
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
+});
+defineType('AwaitExpression', {
+ builder: ['argument'],
+ visitor: ['argument'],
+ aliases: ['Expression', 'Terminatorless'],
+ fields: {
+ argument: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
+});
+defineType('Import', {
+ aliases: ['Expression'],
+});
+defineType('BigIntLiteral', {
+ builder: ['value'],
+ fields: {
+ value: {
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ },
+ aliases: ['Expression', 'Pureish', 'Literal', 'Immutable'],
+});
+defineType('ExportNamespaceSpecifier', {
+ visitor: ['exported'],
+ aliases: ['ModuleSpecifier'],
+ fields: {
+ exported: {
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ },
+ },
+});
+defineType('OptionalMemberExpression', {
+ builder: ['object', 'property', 'computed', 'optional'],
+ visitor: ['object', 'property'],
+ aliases: ['Expression'],
+ fields: {
+ object: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ property: {
+ validate: (function () {
+ const normal = (0, _utils.assertNodeType)('Identifier');
+ const computed = (0, _utils.assertNodeType)('Expression');
+ const validator = Object.assign(
+ function (node, key, val) {
+ const validator = node.computed ? computed : normal;
+ validator(node, key, val);
+ },
+ {
+ oneOfNodeTypes: ['Expression', 'Identifier'],
+ }
+ );
+ return validator;
+ })(),
+ },
+ computed: {
+ default: false,
+ },
+ optional: {
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ (0, _utils.assertValueType)('boolean')
+ : (0, _utils.chain)(
+ (0, _utils.assertValueType)('boolean'),
+ (0, _utils.assertOptionalChainStart)()
+ ),
+ },
+ },
+});
+defineType('OptionalCallExpression', {
+ visitor: ['callee', 'arguments', 'typeParameters', 'typeArguments'],
+ builder: ['callee', 'arguments', 'optional'],
+ aliases: ['Expression'],
+ fields: {
+ callee: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ arguments: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'Expression',
+ 'SpreadElement',
+ 'JSXNamespacedName',
+ 'ArgumentPlaceholder'
+ )
+ )
+ ),
+ },
+ optional: {
+ validate:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ (0, _utils.assertValueType)('boolean')
+ : (0, _utils.chain)(
+ (0, _utils.assertValueType)('boolean'),
+ (0, _utils.assertOptionalChainStart)()
+ ),
+ },
+ typeArguments: {
+ validate: (0, _utils.assertNodeType)('TypeParameterInstantiation'),
+ optional: true,
+ },
+ typeParameters: {
+ validate: (0, _utils.assertNodeType)('TSTypeParameterInstantiation'),
+ optional: true,
+ },
+ },
+});
+defineType('ClassProperty', {
+ visitor: ['key', 'value', 'typeAnnotation', 'decorators'],
+ builder: [
+ 'key',
+ 'value',
+ 'typeAnnotation',
+ 'decorators',
+ 'computed',
+ 'static',
+ ],
+ aliases: ['Property'],
+ fields: Object.assign({}, classMethodOrPropertyCommon(), {
+ value: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
+ },
+ definite: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ typeAnnotation: {
+ validate: (0, _utils.assertNodeType)(
+ 'TypeAnnotation',
+ 'TSTypeAnnotation',
+ 'Noop'
+ ),
+ optional: true,
+ },
+ decorators: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
},
readonly: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
declare: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
variance: {
- validate: (0, _utils.assertNodeType)("Variance"),
- optional: true
- }
- })
+ validate: (0, _utils.assertNodeType)('Variance'),
+ optional: true,
+ },
+ }),
});
-defineType("ClassPrivateProperty", {
- visitor: ["key", "value", "decorators", "typeAnnotation"],
- builder: ["key", "value", "decorators", "static"],
- aliases: ["Property", "Private"],
- fields: {
+defineType('ClassAccessorProperty', {
+ visitor: ['key', 'value', 'typeAnnotation', 'decorators'],
+ builder: [
+ 'key',
+ 'value',
+ 'typeAnnotation',
+ 'decorators',
+ 'computed',
+ 'static',
+ ],
+ aliases: ['Property', 'Accessor'],
+ fields: Object.assign({}, classMethodOrPropertyCommon(), {
key: {
- validate: (0, _utils.assertNodeType)("PrivateName")
+ validate: (0, _utils.chain)(
+ (function () {
+ const normal = (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral',
+ 'PrivateName'
+ );
+ const computed = (0, _utils.assertNodeType)('Expression');
+ return function (node, key, val) {
+ const validator = node.computed ? computed : normal;
+ validator(node, key, val);
+ };
+ })(),
+ (0, _utils.assertNodeType)(
+ 'Identifier',
+ 'StringLiteral',
+ 'NumericLiteral',
+ 'BigIntLiteral',
+ 'Expression',
+ 'PrivateName'
+ )
+ ),
},
value: {
- validate: (0, _utils.assertNodeType)("Expression"),
- optional: true
- },
- typeAnnotation: {
- validate: (0, _utils.assertNodeType)("TypeAnnotation", "TSTypeAnnotation", "Noop"),
- optional: true
- },
- decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- },
- static: {
- validate: (0, _utils.assertValueType)("boolean"),
- default: false
- },
- readonly: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
},
definite: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ typeAnnotation: {
+ validate: (0, _utils.assertNodeType)(
+ 'TypeAnnotation',
+ 'TSTypeAnnotation',
+ 'Noop'
+ ),
+ optional: true,
+ },
+ decorators: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
+ readonly: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ declare: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
variance: {
- validate: (0, _utils.assertNodeType)("Variance"),
- optional: true
- }
- }
-});
-defineType("ClassPrivateMethod", {
- builder: ["kind", "key", "params", "body", "static"],
- visitor: ["key", "params", "body", "decorators", "returnType", "typeParameters"],
- aliases: ["Function", "Scopable", "BlockParent", "FunctionParent", "Method", "Private"],
- fields: Object.assign({}, classMethodOrDeclareMethodCommon(), functionTypeAnnotationCommon(), {
- kind: {
- validate: (0, _utils.assertOneOf)("get", "set", "method"),
- default: "method"
+ validate: (0, _utils.assertNodeType)('Variance'),
+ optional: true,
},
+ }),
+});
+defineType('ClassPrivateProperty', {
+ visitor: ['key', 'value', 'decorators', 'typeAnnotation'],
+ builder: ['key', 'value', 'decorators', 'static'],
+ aliases: ['Property', 'Private'],
+ fields: {
key: {
- validate: (0, _utils.assertNodeType)("PrivateName")
+ validate: (0, _utils.assertNodeType)('PrivateName'),
},
- body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
- }
- })
+ value: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ optional: true,
+ },
+ typeAnnotation: {
+ validate: (0, _utils.assertNodeType)(
+ 'TypeAnnotation',
+ 'TSTypeAnnotation',
+ 'Noop'
+ ),
+ optional: true,
+ },
+ decorators: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
+ static: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ default: false,
+ },
+ readonly: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ definite: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ variance: {
+ validate: (0, _utils.assertNodeType)('Variance'),
+ optional: true,
+ },
+ },
});
-defineType("PrivateName", {
- visitor: ["id"],
- aliases: ["Private"],
+defineType('ClassPrivateMethod', {
+ builder: ['kind', 'key', 'params', 'body', 'static'],
+ visitor: [
+ 'key',
+ 'params',
+ 'body',
+ 'decorators',
+ 'returnType',
+ 'typeParameters',
+ ],
+ aliases: [
+ 'Function',
+ 'Scopable',
+ 'BlockParent',
+ 'FunctionParent',
+ 'Method',
+ 'Private',
+ ],
+ fields: Object.assign(
+ {},
+ classMethodOrDeclareMethodCommon(),
+ functionTypeAnnotationCommon(),
+ {
+ kind: {
+ validate: (0, _utils.assertOneOf)('get', 'set', 'method'),
+ default: 'method',
+ },
+ key: {
+ validate: (0, _utils.assertNodeType)('PrivateName'),
+ },
+ body: {
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
+ },
+ }
+ ),
+});
+defineType('PrivateName', {
+ visitor: ['id'],
+ aliases: ['Private'],
fields: {
id: {
- validate: (0, _utils.assertNodeType)("Identifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ },
+ },
});
-defineType("StaticBlock", {
- visitor: ["body"],
+defineType('StaticBlock', {
+ visitor: ['body'],
fields: {
body: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Statement")))
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Statement'))
+ ),
+ },
},
- aliases: ["Scopable", "BlockParent", "FunctionParent"]
+ aliases: ['Scopable', 'BlockParent', 'FunctionParent'],
});
//# sourceMappingURL=core.js.map
diff --git a/node_modules/@babel/types/lib/definitions/experimental.js b/node_modules/@babel/types/lib/definitions/experimental.js
index 7244a5b..98904c1 100644
--- a/node_modules/@babel/types/lib/definitions/experimental.js
+++ b/node_modules/@babel/types/lib/definitions/experimental.js
@@ -1,135 +1,148 @@
-"use strict";
+'use strict';
-var _utils = require("./utils");
+var _utils = require('./utils');
-(0, _utils.default)("ArgumentPlaceholder", {});
-(0, _utils.default)("BindExpression", {
- visitor: ["object", "callee"],
- aliases: ["Expression"],
- fields: !process.env.BABEL_TYPES_8_BREAKING ? {
- object: {
- validate: Object.assign(() => {}, {
- oneOfNodeTypes: ["Expression"]
- })
- },
- callee: {
- validate: Object.assign(() => {}, {
- oneOfNodeTypes: ["Expression"]
- })
- }
- } : {
- object: {
- validate: (0, _utils.assertNodeType)("Expression")
- },
- callee: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+(0, _utils.default)('ArgumentPlaceholder', {});
+(0, _utils.default)('BindExpression', {
+ visitor: ['object', 'callee'],
+ aliases: ['Expression'],
+ fields:
+ !process.env.BABEL_TYPES_8_BREAKING ?
+ {
+ object: {
+ validate: Object.assign(() => {}, {
+ oneOfNodeTypes: ['Expression'],
+ }),
+ },
+ callee: {
+ validate: Object.assign(() => {}, {
+ oneOfNodeTypes: ['Expression'],
+ }),
+ },
+ }
+ : {
+ object: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ callee: {
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-(0, _utils.default)("ImportAttribute", {
- visitor: ["key", "value"],
+(0, _utils.default)('ImportAttribute', {
+ visitor: ['key', 'value'],
fields: {
key: {
- validate: (0, _utils.assertNodeType)("Identifier", "StringLiteral")
+ validate: (0, _utils.assertNodeType)('Identifier', 'StringLiteral'),
},
value: {
- validate: (0, _utils.assertNodeType)("StringLiteral")
- }
- }
+ validate: (0, _utils.assertNodeType)('StringLiteral'),
+ },
+ },
});
-(0, _utils.default)("Decorator", {
- visitor: ["expression"],
+(0, _utils.default)('Decorator', {
+ visitor: ['expression'],
fields: {
expression: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-(0, _utils.default)("DoExpression", {
- visitor: ["body"],
- builder: ["body", "async"],
- aliases: ["Expression"],
+(0, _utils.default)('DoExpression', {
+ visitor: ['body'],
+ builder: ['body', 'async'],
+ aliases: ['Expression'],
fields: {
body: {
- validate: (0, _utils.assertNodeType)("BlockStatement")
+ validate: (0, _utils.assertNodeType)('BlockStatement'),
},
async: {
- validate: (0, _utils.assertValueType)("boolean"),
- default: false
- }
- }
+ validate: (0, _utils.assertValueType)('boolean'),
+ default: false,
+ },
+ },
});
-(0, _utils.default)("ExportDefaultSpecifier", {
- visitor: ["exported"],
- aliases: ["ModuleSpecifier"],
+(0, _utils.default)('ExportDefaultSpecifier', {
+ visitor: ['exported'],
+ aliases: ['ModuleSpecifier'],
fields: {
exported: {
- validate: (0, _utils.assertNodeType)("Identifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('Identifier'),
+ },
+ },
});
-(0, _utils.default)("RecordExpression", {
- visitor: ["properties"],
- aliases: ["Expression"],
+(0, _utils.default)('RecordExpression', {
+ visitor: ['properties'],
+ aliases: ['Expression'],
fields: {
properties: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("ObjectProperty", "SpreadElement")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('ObjectProperty', 'SpreadElement')
+ )
+ ),
+ },
+ },
});
-(0, _utils.default)("TupleExpression", {
+(0, _utils.default)('TupleExpression', {
fields: {
elements: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Expression", "SpreadElement"))),
- default: []
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('Expression', 'SpreadElement')
+ )
+ ),
+ default: [],
+ },
},
- visitor: ["elements"],
- aliases: ["Expression"]
+ visitor: ['elements'],
+ aliases: ['Expression'],
});
-(0, _utils.default)("DecimalLiteral", {
- builder: ["value"],
+(0, _utils.default)('DecimalLiteral', {
+ builder: ['value'],
fields: {
value: {
- validate: (0, _utils.assertValueType)("string")
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
},
- aliases: ["Expression", "Pureish", "Literal", "Immutable"]
+ aliases: ['Expression', 'Pureish', 'Literal', 'Immutable'],
});
-(0, _utils.default)("ModuleExpression", {
- visitor: ["body"],
+(0, _utils.default)('ModuleExpression', {
+ visitor: ['body'],
fields: {
body: {
- validate: (0, _utils.assertNodeType)("Program")
- }
+ validate: (0, _utils.assertNodeType)('Program'),
+ },
},
- aliases: ["Expression"]
+ aliases: ['Expression'],
});
-(0, _utils.default)("TopicReference", {
- aliases: ["Expression"]
+(0, _utils.default)('TopicReference', {
+ aliases: ['Expression'],
});
-(0, _utils.default)("PipelineTopicExpression", {
- builder: ["expression"],
- visitor: ["expression"],
+(0, _utils.default)('PipelineTopicExpression', {
+ builder: ['expression'],
+ visitor: ['expression'],
fields: {
expression: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
},
- aliases: ["Expression"]
+ aliases: ['Expression'],
});
-(0, _utils.default)("PipelineBareFunction", {
- builder: ["callee"],
- visitor: ["callee"],
+(0, _utils.default)('PipelineBareFunction', {
+ builder: ['callee'],
+ visitor: ['callee'],
fields: {
callee: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
},
- aliases: ["Expression"]
+ aliases: ['Expression'],
});
-(0, _utils.default)("PipelinePrimaryTopicReference", {
- aliases: ["Expression"]
+(0, _utils.default)('PipelinePrimaryTopicReference', {
+ aliases: ['Expression'],
});
//# sourceMappingURL=experimental.js.map
diff --git a/node_modules/@babel/types/lib/definitions/flow.js b/node_modules/@babel/types/lib/definitions/flow.js
index 97dedae..beb2169 100644
--- a/node_modules/@babel/types/lib/definitions/flow.js
+++ b/node_modules/@babel/types/lib/definitions/flow.js
@@ -1,488 +1,563 @@
-"use strict";
+'use strict';
-var _utils = require("./utils");
+var _utils = require('./utils');
-const defineType = (0, _utils.defineAliasedType)("Flow");
+const defineType = (0, _utils.defineAliasedType)('Flow');
-const defineInterfaceishType = name => {
+const defineInterfaceishType = (name) => {
defineType(name, {
- builder: ["id", "typeParameters", "extends", "body"],
- visitor: ["id", "typeParameters", "extends", "mixins", "implements", "body"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+ builder: ['id', 'typeParameters', 'extends', 'body'],
+ visitor: [
+ 'id',
+ 'typeParameters',
+ 'extends',
+ 'mixins',
+ 'implements',
+ 'body',
+ ],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterDeclaration"),
- extends: (0, _utils.validateOptional)((0, _utils.arrayOfType)("InterfaceExtends")),
- mixins: (0, _utils.validateOptional)((0, _utils.arrayOfType)("InterfaceExtends")),
- implements: (0, _utils.validateOptional)((0, _utils.arrayOfType)("ClassImplements")),
- body: (0, _utils.validateType)("ObjectTypeAnnotation")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterDeclaration'
+ ),
+ extends: (0, _utils.validateOptional)(
+ (0, _utils.arrayOfType)('InterfaceExtends')
+ ),
+ mixins: (0, _utils.validateOptional)(
+ (0, _utils.arrayOfType)('InterfaceExtends')
+ ),
+ implements: (0, _utils.validateOptional)(
+ (0, _utils.arrayOfType)('ClassImplements')
+ ),
+ body: (0, _utils.validateType)('ObjectTypeAnnotation'),
+ },
});
};
-defineType("AnyTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('AnyTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("ArrayTypeAnnotation", {
- visitor: ["elementType"],
- aliases: ["FlowType"],
+defineType('ArrayTypeAnnotation', {
+ visitor: ['elementType'],
+ aliases: ['FlowType'],
fields: {
- elementType: (0, _utils.validateType)("FlowType")
- }
+ elementType: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("BooleanTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('BooleanTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("BooleanLiteralTypeAnnotation", {
- builder: ["value"],
- aliases: ["FlowType"],
+defineType('BooleanLiteralTypeAnnotation', {
+ builder: ['value'],
+ aliases: ['FlowType'],
fields: {
- value: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ value: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ },
});
-defineType("NullLiteralTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('NullLiteralTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("ClassImplements", {
- visitor: ["id", "typeParameters"],
+defineType('ClassImplements', {
+ visitor: ['id', 'typeParameters'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterInstantiation")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterInstantiation'
+ ),
+ },
});
-defineInterfaceishType("DeclareClass");
-defineType("DeclareFunction", {
- visitor: ["id"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineInterfaceishType('DeclareClass');
+defineType('DeclareFunction', {
+ visitor: ['id'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- predicate: (0, _utils.validateOptionalType)("DeclaredPredicate")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ predicate: (0, _utils.validateOptionalType)('DeclaredPredicate'),
+ },
});
-defineInterfaceishType("DeclareInterface");
-defineType("DeclareModule", {
- builder: ["id", "body", "kind"],
- visitor: ["id", "body"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineInterfaceishType('DeclareInterface');
+defineType('DeclareModule', {
+ builder: ['id', 'body', 'kind'],
+ visitor: ['id', 'body'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)(["Identifier", "StringLiteral"]),
- body: (0, _utils.validateType)("BlockStatement"),
- kind: (0, _utils.validateOptional)((0, _utils.assertOneOf)("CommonJS", "ES"))
- }
+ id: (0, _utils.validateType)(['Identifier', 'StringLiteral']),
+ body: (0, _utils.validateType)('BlockStatement'),
+ kind: (0, _utils.validateOptional)(
+ (0, _utils.assertOneOf)('CommonJS', 'ES')
+ ),
+ },
});
-defineType("DeclareModuleExports", {
- visitor: ["typeAnnotation"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('DeclareModuleExports', {
+ visitor: ['typeAnnotation'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- typeAnnotation: (0, _utils.validateType)("TypeAnnotation")
- }
+ typeAnnotation: (0, _utils.validateType)('TypeAnnotation'),
+ },
});
-defineType("DeclareTypeAlias", {
- visitor: ["id", "typeParameters", "right"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('DeclareTypeAlias', {
+ visitor: ['id', 'typeParameters', 'right'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterDeclaration"),
- right: (0, _utils.validateType)("FlowType")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterDeclaration'
+ ),
+ right: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("DeclareOpaqueType", {
- visitor: ["id", "typeParameters", "supertype"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('DeclareOpaqueType', {
+ visitor: ['id', 'typeParameters', 'supertype'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterDeclaration"),
- supertype: (0, _utils.validateOptionalType)("FlowType"),
- impltype: (0, _utils.validateOptionalType)("FlowType")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterDeclaration'
+ ),
+ supertype: (0, _utils.validateOptionalType)('FlowType'),
+ impltype: (0, _utils.validateOptionalType)('FlowType'),
+ },
});
-defineType("DeclareVariable", {
- visitor: ["id"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('DeclareVariable', {
+ visitor: ['id'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ },
});
-defineType("DeclareExportDeclaration", {
- visitor: ["declaration", "specifiers", "source"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('DeclareExportDeclaration', {
+ visitor: ['declaration', 'specifiers', 'source'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- declaration: (0, _utils.validateOptionalType)("Flow"),
- specifiers: (0, _utils.validateOptional)((0, _utils.arrayOfType)(["ExportSpecifier", "ExportNamespaceSpecifier"])),
- source: (0, _utils.validateOptionalType)("StringLiteral"),
- default: (0, _utils.validateOptional)((0, _utils.assertValueType)("boolean"))
- }
+ declaration: (0, _utils.validateOptionalType)('Flow'),
+ specifiers: (0, _utils.validateOptional)(
+ (0, _utils.arrayOfType)(['ExportSpecifier', 'ExportNamespaceSpecifier'])
+ ),
+ source: (0, _utils.validateOptionalType)('StringLiteral'),
+ default: (0, _utils.validateOptional)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("DeclareExportAllDeclaration", {
- visitor: ["source"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('DeclareExportAllDeclaration', {
+ visitor: ['source'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- source: (0, _utils.validateType)("StringLiteral"),
- exportKind: (0, _utils.validateOptional)((0, _utils.assertOneOf)("type", "value"))
- }
+ source: (0, _utils.validateType)('StringLiteral'),
+ exportKind: (0, _utils.validateOptional)(
+ (0, _utils.assertOneOf)('type', 'value')
+ ),
+ },
});
-defineType("DeclaredPredicate", {
- visitor: ["value"],
- aliases: ["FlowPredicate"],
+defineType('DeclaredPredicate', {
+ visitor: ['value'],
+ aliases: ['FlowPredicate'],
fields: {
- value: (0, _utils.validateType)("Flow")
- }
+ value: (0, _utils.validateType)('Flow'),
+ },
});
-defineType("ExistsTypeAnnotation", {
- aliases: ["FlowType"]
+defineType('ExistsTypeAnnotation', {
+ aliases: ['FlowType'],
});
-defineType("FunctionTypeAnnotation", {
- visitor: ["typeParameters", "params", "rest", "returnType"],
- aliases: ["FlowType"],
+defineType('FunctionTypeAnnotation', {
+ visitor: ['typeParameters', 'params', 'rest', 'returnType'],
+ aliases: ['FlowType'],
fields: {
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterDeclaration"),
- params: (0, _utils.validate)((0, _utils.arrayOfType)("FunctionTypeParam")),
- rest: (0, _utils.validateOptionalType)("FunctionTypeParam"),
- this: (0, _utils.validateOptionalType)("FunctionTypeParam"),
- returnType: (0, _utils.validateType)("FlowType")
- }
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterDeclaration'
+ ),
+ params: (0, _utils.validate)((0, _utils.arrayOfType)('FunctionTypeParam')),
+ rest: (0, _utils.validateOptionalType)('FunctionTypeParam'),
+ this: (0, _utils.validateOptionalType)('FunctionTypeParam'),
+ returnType: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("FunctionTypeParam", {
- visitor: ["name", "typeAnnotation"],
+defineType('FunctionTypeParam', {
+ visitor: ['name', 'typeAnnotation'],
fields: {
- name: (0, _utils.validateOptionalType)("Identifier"),
- typeAnnotation: (0, _utils.validateType)("FlowType"),
- optional: (0, _utils.validateOptional)((0, _utils.assertValueType)("boolean"))
- }
+ name: (0, _utils.validateOptionalType)('Identifier'),
+ typeAnnotation: (0, _utils.validateType)('FlowType'),
+ optional: (0, _utils.validateOptional)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("GenericTypeAnnotation", {
- visitor: ["id", "typeParameters"],
- aliases: ["FlowType"],
+defineType('GenericTypeAnnotation', {
+ visitor: ['id', 'typeParameters'],
+ aliases: ['FlowType'],
fields: {
- id: (0, _utils.validateType)(["Identifier", "QualifiedTypeIdentifier"]),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterInstantiation")
- }
+ id: (0, _utils.validateType)(['Identifier', 'QualifiedTypeIdentifier']),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterInstantiation'
+ ),
+ },
});
-defineType("InferredPredicate", {
- aliases: ["FlowPredicate"]
+defineType('InferredPredicate', {
+ aliases: ['FlowPredicate'],
});
-defineType("InterfaceExtends", {
- visitor: ["id", "typeParameters"],
+defineType('InterfaceExtends', {
+ visitor: ['id', 'typeParameters'],
fields: {
- id: (0, _utils.validateType)(["Identifier", "QualifiedTypeIdentifier"]),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterInstantiation")
- }
+ id: (0, _utils.validateType)(['Identifier', 'QualifiedTypeIdentifier']),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterInstantiation'
+ ),
+ },
});
-defineInterfaceishType("InterfaceDeclaration");
-defineType("InterfaceTypeAnnotation", {
- visitor: ["extends", "body"],
- aliases: ["FlowType"],
+defineInterfaceishType('InterfaceDeclaration');
+defineType('InterfaceTypeAnnotation', {
+ visitor: ['extends', 'body'],
+ aliases: ['FlowType'],
fields: {
- extends: (0, _utils.validateOptional)((0, _utils.arrayOfType)("InterfaceExtends")),
- body: (0, _utils.validateType)("ObjectTypeAnnotation")
- }
+ extends: (0, _utils.validateOptional)(
+ (0, _utils.arrayOfType)('InterfaceExtends')
+ ),
+ body: (0, _utils.validateType)('ObjectTypeAnnotation'),
+ },
});
-defineType("IntersectionTypeAnnotation", {
- visitor: ["types"],
- aliases: ["FlowType"],
+defineType('IntersectionTypeAnnotation', {
+ visitor: ['types'],
+ aliases: ['FlowType'],
fields: {
- types: (0, _utils.validate)((0, _utils.arrayOfType)("FlowType"))
- }
+ types: (0, _utils.validate)((0, _utils.arrayOfType)('FlowType')),
+ },
});
-defineType("MixedTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('MixedTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("EmptyTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('EmptyTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("NullableTypeAnnotation", {
- visitor: ["typeAnnotation"],
- aliases: ["FlowType"],
+defineType('NullableTypeAnnotation', {
+ visitor: ['typeAnnotation'],
+ aliases: ['FlowType'],
fields: {
- typeAnnotation: (0, _utils.validateType)("FlowType")
- }
+ typeAnnotation: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("NumberLiteralTypeAnnotation", {
- builder: ["value"],
- aliases: ["FlowType"],
+defineType('NumberLiteralTypeAnnotation', {
+ builder: ['value'],
+ aliases: ['FlowType'],
fields: {
- value: (0, _utils.validate)((0, _utils.assertValueType)("number"))
- }
+ value: (0, _utils.validate)((0, _utils.assertValueType)('number')),
+ },
});
-defineType("NumberTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('NumberTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("ObjectTypeAnnotation", {
- visitor: ["properties", "indexers", "callProperties", "internalSlots"],
- aliases: ["FlowType"],
- builder: ["properties", "indexers", "callProperties", "internalSlots", "exact"],
+defineType('ObjectTypeAnnotation', {
+ visitor: ['properties', 'indexers', 'callProperties', 'internalSlots'],
+ aliases: ['FlowType'],
+ builder: [
+ 'properties',
+ 'indexers',
+ 'callProperties',
+ 'internalSlots',
+ 'exact',
+ ],
fields: {
- properties: (0, _utils.validate)((0, _utils.arrayOfType)(["ObjectTypeProperty", "ObjectTypeSpreadProperty"])),
+ properties: (0, _utils.validate)(
+ (0, _utils.arrayOfType)([
+ 'ObjectTypeProperty',
+ 'ObjectTypeSpreadProperty',
+ ])
+ ),
indexers: {
- validate: (0, _utils.arrayOfType)("ObjectTypeIndexer"),
+ validate: (0, _utils.arrayOfType)('ObjectTypeIndexer'),
optional: true,
- default: []
+ default: [],
},
callProperties: {
- validate: (0, _utils.arrayOfType)("ObjectTypeCallProperty"),
+ validate: (0, _utils.arrayOfType)('ObjectTypeCallProperty'),
optional: true,
- default: []
+ default: [],
},
internalSlots: {
- validate: (0, _utils.arrayOfType)("ObjectTypeInternalSlot"),
+ validate: (0, _utils.arrayOfType)('ObjectTypeInternalSlot'),
optional: true,
- default: []
+ default: [],
},
exact: {
- validate: (0, _utils.assertValueType)("boolean"),
- default: false
+ validate: (0, _utils.assertValueType)('boolean'),
+ default: false,
},
- inexact: (0, _utils.validateOptional)((0, _utils.assertValueType)("boolean"))
- }
+ inexact: (0, _utils.validateOptional)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("ObjectTypeInternalSlot", {
- visitor: ["id", "value", "optional", "static", "method"],
- aliases: ["UserWhitespacable"],
+defineType('ObjectTypeInternalSlot', {
+ visitor: ['id', 'value', 'optional', 'static', 'method'],
+ aliases: ['UserWhitespacable'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- value: (0, _utils.validateType)("FlowType"),
- optional: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- static: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- method: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ id: (0, _utils.validateType)('Identifier'),
+ value: (0, _utils.validateType)('FlowType'),
+ optional: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ static: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ method: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ },
});
-defineType("ObjectTypeCallProperty", {
- visitor: ["value"],
- aliases: ["UserWhitespacable"],
+defineType('ObjectTypeCallProperty', {
+ visitor: ['value'],
+ aliases: ['UserWhitespacable'],
fields: {
- value: (0, _utils.validateType)("FlowType"),
- static: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ value: (0, _utils.validateType)('FlowType'),
+ static: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ },
});
-defineType("ObjectTypeIndexer", {
- visitor: ["id", "key", "value", "variance"],
- aliases: ["UserWhitespacable"],
+defineType('ObjectTypeIndexer', {
+ visitor: ['id', 'key', 'value', 'variance'],
+ aliases: ['UserWhitespacable'],
fields: {
- id: (0, _utils.validateOptionalType)("Identifier"),
- key: (0, _utils.validateType)("FlowType"),
- value: (0, _utils.validateType)("FlowType"),
- static: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- variance: (0, _utils.validateOptionalType)("Variance")
- }
+ id: (0, _utils.validateOptionalType)('Identifier'),
+ key: (0, _utils.validateType)('FlowType'),
+ value: (0, _utils.validateType)('FlowType'),
+ static: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ variance: (0, _utils.validateOptionalType)('Variance'),
+ },
});
-defineType("ObjectTypeProperty", {
- visitor: ["key", "value", "variance"],
- aliases: ["UserWhitespacable"],
+defineType('ObjectTypeProperty', {
+ visitor: ['key', 'value', 'variance'],
+ aliases: ['UserWhitespacable'],
fields: {
- key: (0, _utils.validateType)(["Identifier", "StringLiteral"]),
- value: (0, _utils.validateType)("FlowType"),
- kind: (0, _utils.validate)((0, _utils.assertOneOf)("init", "get", "set")),
- static: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- proto: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- optional: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- variance: (0, _utils.validateOptionalType)("Variance"),
- method: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ key: (0, _utils.validateType)(['Identifier', 'StringLiteral']),
+ value: (0, _utils.validateType)('FlowType'),
+ kind: (0, _utils.validate)((0, _utils.assertOneOf)('init', 'get', 'set')),
+ static: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ proto: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ optional: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ variance: (0, _utils.validateOptionalType)('Variance'),
+ method: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ },
});
-defineType("ObjectTypeSpreadProperty", {
- visitor: ["argument"],
- aliases: ["UserWhitespacable"],
+defineType('ObjectTypeSpreadProperty', {
+ visitor: ['argument'],
+ aliases: ['UserWhitespacable'],
fields: {
- argument: (0, _utils.validateType)("FlowType")
- }
+ argument: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("OpaqueType", {
- visitor: ["id", "typeParameters", "supertype", "impltype"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('OpaqueType', {
+ visitor: ['id', 'typeParameters', 'supertype', 'impltype'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterDeclaration"),
- supertype: (0, _utils.validateOptionalType)("FlowType"),
- impltype: (0, _utils.validateType)("FlowType")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterDeclaration'
+ ),
+ supertype: (0, _utils.validateOptionalType)('FlowType'),
+ impltype: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("QualifiedTypeIdentifier", {
- visitor: ["id", "qualification"],
+defineType('QualifiedTypeIdentifier', {
+ visitor: ['id', 'qualification'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- qualification: (0, _utils.validateType)(["Identifier", "QualifiedTypeIdentifier"])
- }
+ id: (0, _utils.validateType)('Identifier'),
+ qualification: (0, _utils.validateType)([
+ 'Identifier',
+ 'QualifiedTypeIdentifier',
+ ]),
+ },
});
-defineType("StringLiteralTypeAnnotation", {
- builder: ["value"],
- aliases: ["FlowType"],
+defineType('StringLiteralTypeAnnotation', {
+ builder: ['value'],
+ aliases: ['FlowType'],
fields: {
- value: (0, _utils.validate)((0, _utils.assertValueType)("string"))
- }
+ value: (0, _utils.validate)((0, _utils.assertValueType)('string')),
+ },
});
-defineType("StringTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('StringTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("SymbolTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('SymbolTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("ThisTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('ThisTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("TupleTypeAnnotation", {
- visitor: ["types"],
- aliases: ["FlowType"],
+defineType('TupleTypeAnnotation', {
+ visitor: ['types'],
+ aliases: ['FlowType'],
fields: {
- types: (0, _utils.validate)((0, _utils.arrayOfType)("FlowType"))
- }
+ types: (0, _utils.validate)((0, _utils.arrayOfType)('FlowType')),
+ },
});
-defineType("TypeofTypeAnnotation", {
- visitor: ["argument"],
- aliases: ["FlowType"],
+defineType('TypeofTypeAnnotation', {
+ visitor: ['argument'],
+ aliases: ['FlowType'],
fields: {
- argument: (0, _utils.validateType)("FlowType")
- }
+ argument: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("TypeAlias", {
- visitor: ["id", "typeParameters", "right"],
- aliases: ["FlowDeclaration", "Statement", "Declaration"],
+defineType('TypeAlias', {
+ visitor: ['id', 'typeParameters', 'right'],
+ aliases: ['FlowDeclaration', 'Statement', 'Declaration'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TypeParameterDeclaration"),
- right: (0, _utils.validateType)("FlowType")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TypeParameterDeclaration'
+ ),
+ right: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("TypeAnnotation", {
- visitor: ["typeAnnotation"],
+defineType('TypeAnnotation', {
+ visitor: ['typeAnnotation'],
fields: {
- typeAnnotation: (0, _utils.validateType)("FlowType")
- }
+ typeAnnotation: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("TypeCastExpression", {
- visitor: ["expression", "typeAnnotation"],
- aliases: ["ExpressionWrapper", "Expression"],
+defineType('TypeCastExpression', {
+ visitor: ['expression', 'typeAnnotation'],
+ aliases: ['ExpressionWrapper', 'Expression'],
fields: {
- expression: (0, _utils.validateType)("Expression"),
- typeAnnotation: (0, _utils.validateType)("TypeAnnotation")
- }
+ expression: (0, _utils.validateType)('Expression'),
+ typeAnnotation: (0, _utils.validateType)('TypeAnnotation'),
+ },
});
-defineType("TypeParameter", {
- visitor: ["bound", "default", "variance"],
+defineType('TypeParameter', {
+ visitor: ['bound', 'default', 'variance'],
fields: {
- name: (0, _utils.validate)((0, _utils.assertValueType)("string")),
- bound: (0, _utils.validateOptionalType)("TypeAnnotation"),
- default: (0, _utils.validateOptionalType)("FlowType"),
- variance: (0, _utils.validateOptionalType)("Variance")
- }
+ name: (0, _utils.validate)((0, _utils.assertValueType)('string')),
+ bound: (0, _utils.validateOptionalType)('TypeAnnotation'),
+ default: (0, _utils.validateOptionalType)('FlowType'),
+ variance: (0, _utils.validateOptionalType)('Variance'),
+ },
});
-defineType("TypeParameterDeclaration", {
- visitor: ["params"],
+defineType('TypeParameterDeclaration', {
+ visitor: ['params'],
fields: {
- params: (0, _utils.validate)((0, _utils.arrayOfType)("TypeParameter"))
- }
+ params: (0, _utils.validate)((0, _utils.arrayOfType)('TypeParameter')),
+ },
});
-defineType("TypeParameterInstantiation", {
- visitor: ["params"],
+defineType('TypeParameterInstantiation', {
+ visitor: ['params'],
fields: {
- params: (0, _utils.validate)((0, _utils.arrayOfType)("FlowType"))
- }
+ params: (0, _utils.validate)((0, _utils.arrayOfType)('FlowType')),
+ },
});
-defineType("UnionTypeAnnotation", {
- visitor: ["types"],
- aliases: ["FlowType"],
+defineType('UnionTypeAnnotation', {
+ visitor: ['types'],
+ aliases: ['FlowType'],
fields: {
- types: (0, _utils.validate)((0, _utils.arrayOfType)("FlowType"))
- }
+ types: (0, _utils.validate)((0, _utils.arrayOfType)('FlowType')),
+ },
});
-defineType("Variance", {
- builder: ["kind"],
+defineType('Variance', {
+ builder: ['kind'],
fields: {
- kind: (0, _utils.validate)((0, _utils.assertOneOf)("minus", "plus"))
- }
+ kind: (0, _utils.validate)((0, _utils.assertOneOf)('minus', 'plus')),
+ },
});
-defineType("VoidTypeAnnotation", {
- aliases: ["FlowType", "FlowBaseAnnotation"]
+defineType('VoidTypeAnnotation', {
+ aliases: ['FlowType', 'FlowBaseAnnotation'],
});
-defineType("EnumDeclaration", {
- aliases: ["Statement", "Declaration"],
- visitor: ["id", "body"],
+defineType('EnumDeclaration', {
+ aliases: ['Statement', 'Declaration'],
+ visitor: ['id', 'body'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- body: (0, _utils.validateType)(["EnumBooleanBody", "EnumNumberBody", "EnumStringBody", "EnumSymbolBody"])
- }
+ id: (0, _utils.validateType)('Identifier'),
+ body: (0, _utils.validateType)([
+ 'EnumBooleanBody',
+ 'EnumNumberBody',
+ 'EnumStringBody',
+ 'EnumSymbolBody',
+ ]),
+ },
});
-defineType("EnumBooleanBody", {
- aliases: ["EnumBody"],
- visitor: ["members"],
+defineType('EnumBooleanBody', {
+ aliases: ['EnumBody'],
+ visitor: ['members'],
fields: {
- explicitType: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- members: (0, _utils.validateArrayOfType)("EnumBooleanMember"),
- hasUnknownMembers: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ explicitType: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ members: (0, _utils.validateArrayOfType)('EnumBooleanMember'),
+ hasUnknownMembers: (0, _utils.validate)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("EnumNumberBody", {
- aliases: ["EnumBody"],
- visitor: ["members"],
+defineType('EnumNumberBody', {
+ aliases: ['EnumBody'],
+ visitor: ['members'],
fields: {
- explicitType: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- members: (0, _utils.validateArrayOfType)("EnumNumberMember"),
- hasUnknownMembers: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ explicitType: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ members: (0, _utils.validateArrayOfType)('EnumNumberMember'),
+ hasUnknownMembers: (0, _utils.validate)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("EnumStringBody", {
- aliases: ["EnumBody"],
- visitor: ["members"],
+defineType('EnumStringBody', {
+ aliases: ['EnumBody'],
+ visitor: ['members'],
fields: {
- explicitType: (0, _utils.validate)((0, _utils.assertValueType)("boolean")),
- members: (0, _utils.validateArrayOfType)(["EnumStringMember", "EnumDefaultedMember"]),
- hasUnknownMembers: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ explicitType: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ members: (0, _utils.validateArrayOfType)([
+ 'EnumStringMember',
+ 'EnumDefaultedMember',
+ ]),
+ hasUnknownMembers: (0, _utils.validate)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("EnumSymbolBody", {
- aliases: ["EnumBody"],
- visitor: ["members"],
+defineType('EnumSymbolBody', {
+ aliases: ['EnumBody'],
+ visitor: ['members'],
fields: {
- members: (0, _utils.validateArrayOfType)("EnumDefaultedMember"),
- hasUnknownMembers: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ members: (0, _utils.validateArrayOfType)('EnumDefaultedMember'),
+ hasUnknownMembers: (0, _utils.validate)(
+ (0, _utils.assertValueType)('boolean')
+ ),
+ },
});
-defineType("EnumBooleanMember", {
- aliases: ["EnumMember"],
- visitor: ["id"],
+defineType('EnumBooleanMember', {
+ aliases: ['EnumMember'],
+ visitor: ['id'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- init: (0, _utils.validateType)("BooleanLiteral")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ init: (0, _utils.validateType)('BooleanLiteral'),
+ },
});
-defineType("EnumNumberMember", {
- aliases: ["EnumMember"],
- visitor: ["id", "init"],
+defineType('EnumNumberMember', {
+ aliases: ['EnumMember'],
+ visitor: ['id', 'init'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- init: (0, _utils.validateType)("NumericLiteral")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ init: (0, _utils.validateType)('NumericLiteral'),
+ },
});
-defineType("EnumStringMember", {
- aliases: ["EnumMember"],
- visitor: ["id", "init"],
+defineType('EnumStringMember', {
+ aliases: ['EnumMember'],
+ visitor: ['id', 'init'],
fields: {
- id: (0, _utils.validateType)("Identifier"),
- init: (0, _utils.validateType)("StringLiteral")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ init: (0, _utils.validateType)('StringLiteral'),
+ },
});
-defineType("EnumDefaultedMember", {
- aliases: ["EnumMember"],
- visitor: ["id"],
+defineType('EnumDefaultedMember', {
+ aliases: ['EnumMember'],
+ visitor: ['id'],
fields: {
- id: (0, _utils.validateType)("Identifier")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ },
});
-defineType("IndexedAccessType", {
- visitor: ["objectType", "indexType"],
- aliases: ["FlowType"],
+defineType('IndexedAccessType', {
+ visitor: ['objectType', 'indexType'],
+ aliases: ['FlowType'],
fields: {
- objectType: (0, _utils.validateType)("FlowType"),
- indexType: (0, _utils.validateType)("FlowType")
- }
+ objectType: (0, _utils.validateType)('FlowType'),
+ indexType: (0, _utils.validateType)('FlowType'),
+ },
});
-defineType("OptionalIndexedAccessType", {
- visitor: ["objectType", "indexType"],
- aliases: ["FlowType"],
+defineType('OptionalIndexedAccessType', {
+ visitor: ['objectType', 'indexType'],
+ aliases: ['FlowType'],
fields: {
- objectType: (0, _utils.validateType)("FlowType"),
- indexType: (0, _utils.validateType)("FlowType"),
- optional: (0, _utils.validate)((0, _utils.assertValueType)("boolean"))
- }
+ objectType: (0, _utils.validateType)('FlowType'),
+ indexType: (0, _utils.validateType)('FlowType'),
+ optional: (0, _utils.validate)((0, _utils.assertValueType)('boolean')),
+ },
});
//# sourceMappingURL=flow.js.map
diff --git a/node_modules/@babel/types/lib/definitions/index.js b/node_modules/@babel/types/lib/definitions/index.js
index 7de34f5..e048730 100644
--- a/node_modules/@babel/types/lib/definitions/index.js
+++ b/node_modules/@babel/types/lib/definitions/index.js
@@ -1,87 +1,87 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-Object.defineProperty(exports, "ALIAS_KEYS", {
+Object.defineProperty(exports, 'ALIAS_KEYS', {
enumerable: true,
get: function () {
return _utils.ALIAS_KEYS;
- }
+ },
});
-Object.defineProperty(exports, "BUILDER_KEYS", {
+Object.defineProperty(exports, 'BUILDER_KEYS', {
enumerable: true,
get: function () {
return _utils.BUILDER_KEYS;
- }
+ },
});
-Object.defineProperty(exports, "DEPRECATED_KEYS", {
+Object.defineProperty(exports, 'DEPRECATED_KEYS', {
enumerable: true,
get: function () {
return _utils.DEPRECATED_KEYS;
- }
+ },
});
-Object.defineProperty(exports, "FLIPPED_ALIAS_KEYS", {
+Object.defineProperty(exports, 'FLIPPED_ALIAS_KEYS', {
enumerable: true,
get: function () {
return _utils.FLIPPED_ALIAS_KEYS;
- }
+ },
});
-Object.defineProperty(exports, "NODE_FIELDS", {
+Object.defineProperty(exports, 'NODE_FIELDS', {
enumerable: true,
get: function () {
return _utils.NODE_FIELDS;
- }
+ },
});
-Object.defineProperty(exports, "NODE_PARENT_VALIDATIONS", {
+Object.defineProperty(exports, 'NODE_PARENT_VALIDATIONS', {
enumerable: true,
get: function () {
return _utils.NODE_PARENT_VALIDATIONS;
- }
+ },
});
-Object.defineProperty(exports, "PLACEHOLDERS", {
+Object.defineProperty(exports, 'PLACEHOLDERS', {
enumerable: true,
get: function () {
return _placeholders.PLACEHOLDERS;
- }
+ },
});
-Object.defineProperty(exports, "PLACEHOLDERS_ALIAS", {
+Object.defineProperty(exports, 'PLACEHOLDERS_ALIAS', {
enumerable: true,
get: function () {
return _placeholders.PLACEHOLDERS_ALIAS;
- }
+ },
});
-Object.defineProperty(exports, "PLACEHOLDERS_FLIPPED_ALIAS", {
+Object.defineProperty(exports, 'PLACEHOLDERS_FLIPPED_ALIAS', {
enumerable: true,
get: function () {
return _placeholders.PLACEHOLDERS_FLIPPED_ALIAS;
- }
+ },
});
exports.TYPES = void 0;
-Object.defineProperty(exports, "VISITOR_KEYS", {
+Object.defineProperty(exports, 'VISITOR_KEYS', {
enumerable: true,
get: function () {
return _utils.VISITOR_KEYS;
- }
+ },
});
-var _toFastProperties = require("to-fast-properties");
+var _toFastProperties = require('to-fast-properties');
-require("./core");
+require('./core');
-require("./flow");
+require('./flow');
-require("./jsx");
+require('./jsx');
-require("./misc");
+require('./misc');
-require("./experimental");
+require('./experimental');
-require("./typescript");
+require('./typescript');
-var _utils = require("./utils");
+var _utils = require('./utils');
-var _placeholders = require("./placeholders");
+var _placeholders = require('./placeholders');
_toFastProperties(_utils.VISITOR_KEYS);
@@ -99,7 +99,11 @@ _toFastProperties(_placeholders.PLACEHOLDERS_ALIAS);
_toFastProperties(_placeholders.PLACEHOLDERS_FLIPPED_ALIAS);
-const TYPES = [].concat(Object.keys(_utils.VISITOR_KEYS), Object.keys(_utils.FLIPPED_ALIAS_KEYS), Object.keys(_utils.DEPRECATED_KEYS));
+const TYPES = [].concat(
+ Object.keys(_utils.VISITOR_KEYS),
+ Object.keys(_utils.FLIPPED_ALIAS_KEYS),
+ Object.keys(_utils.DEPRECATED_KEYS)
+);
exports.TYPES = TYPES;
//# sourceMappingURL=index.js.map
diff --git a/node_modules/@babel/types/lib/definitions/jsx.js b/node_modules/@babel/types/lib/definitions/jsx.js
index dc3af45..0ce24c8 100644
--- a/node_modules/@babel/types/lib/definitions/jsx.js
+++ b/node_modules/@babel/types/lib/definitions/jsx.js
@@ -1,159 +1,211 @@
-"use strict";
+'use strict';
-var _utils = require("./utils");
+var _utils = require('./utils');
-const defineType = (0, _utils.defineAliasedType)("JSX");
-defineType("JSXAttribute", {
- visitor: ["name", "value"],
- aliases: ["Immutable"],
+const defineType = (0, _utils.defineAliasedType)('JSX');
+defineType('JSXAttribute', {
+ visitor: ['name', 'value'],
+ aliases: ['Immutable'],
fields: {
name: {
- validate: (0, _utils.assertNodeType)("JSXIdentifier", "JSXNamespacedName")
+ validate: (0, _utils.assertNodeType)(
+ 'JSXIdentifier',
+ 'JSXNamespacedName'
+ ),
},
value: {
optional: true,
- validate: (0, _utils.assertNodeType)("JSXElement", "JSXFragment", "StringLiteral", "JSXExpressionContainer")
- }
- }
+ validate: (0, _utils.assertNodeType)(
+ 'JSXElement',
+ 'JSXFragment',
+ 'StringLiteral',
+ 'JSXExpressionContainer'
+ ),
+ },
+ },
});
-defineType("JSXClosingElement", {
- visitor: ["name"],
- aliases: ["Immutable"],
+defineType('JSXClosingElement', {
+ visitor: ['name'],
+ aliases: ['Immutable'],
fields: {
name: {
- validate: (0, _utils.assertNodeType)("JSXIdentifier", "JSXMemberExpression", "JSXNamespacedName")
- }
- }
-});
-defineType("JSXElement", {
- builder: ["openingElement", "closingElement", "children", "selfClosing"],
- visitor: ["openingElement", "children", "closingElement"],
- aliases: ["Immutable", "Expression"],
- fields: Object.assign({
- openingElement: {
- validate: (0, _utils.assertNodeType)("JSXOpeningElement")
+ validate: (0, _utils.assertNodeType)(
+ 'JSXIdentifier',
+ 'JSXMemberExpression',
+ 'JSXNamespacedName'
+ ),
},
- closingElement: {
- optional: true,
- validate: (0, _utils.assertNodeType)("JSXClosingElement")
- },
- children: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("JSXText", "JSXExpressionContainer", "JSXSpreadChild", "JSXElement", "JSXFragment")))
- }
- }, {
- selfClosing: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
- }
- })
+ },
});
-defineType("JSXEmptyExpression", {});
-defineType("JSXExpressionContainer", {
- visitor: ["expression"],
- aliases: ["Immutable"],
+defineType('JSXElement', {
+ builder: ['openingElement', 'closingElement', 'children', 'selfClosing'],
+ visitor: ['openingElement', 'children', 'closingElement'],
+ aliases: ['Immutable', 'Expression'],
+ fields: Object.assign(
+ {
+ openingElement: {
+ validate: (0, _utils.assertNodeType)('JSXOpeningElement'),
+ },
+ closingElement: {
+ optional: true,
+ validate: (0, _utils.assertNodeType)('JSXClosingElement'),
+ },
+ children: {
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'JSXText',
+ 'JSXExpressionContainer',
+ 'JSXSpreadChild',
+ 'JSXElement',
+ 'JSXFragment'
+ )
+ )
+ ),
+ },
+ },
+ {
+ selfClosing: {
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
+ },
+ }
+ ),
+});
+defineType('JSXEmptyExpression', {});
+defineType('JSXExpressionContainer', {
+ visitor: ['expression'],
+ aliases: ['Immutable'],
fields: {
expression: {
- validate: (0, _utils.assertNodeType)("Expression", "JSXEmptyExpression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression', 'JSXEmptyExpression'),
+ },
+ },
});
-defineType("JSXSpreadChild", {
- visitor: ["expression"],
- aliases: ["Immutable"],
+defineType('JSXSpreadChild', {
+ visitor: ['expression'],
+ aliases: ['Immutable'],
fields: {
expression: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-defineType("JSXIdentifier", {
- builder: ["name"],
+defineType('JSXIdentifier', {
+ builder: ['name'],
fields: {
name: {
- validate: (0, _utils.assertValueType)("string")
- }
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ },
});
-defineType("JSXMemberExpression", {
- visitor: ["object", "property"],
+defineType('JSXMemberExpression', {
+ visitor: ['object', 'property'],
fields: {
object: {
- validate: (0, _utils.assertNodeType)("JSXMemberExpression", "JSXIdentifier")
+ validate: (0, _utils.assertNodeType)(
+ 'JSXMemberExpression',
+ 'JSXIdentifier'
+ ),
},
property: {
- validate: (0, _utils.assertNodeType)("JSXIdentifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('JSXIdentifier'),
+ },
+ },
});
-defineType("JSXNamespacedName", {
- visitor: ["namespace", "name"],
+defineType('JSXNamespacedName', {
+ visitor: ['namespace', 'name'],
fields: {
namespace: {
- validate: (0, _utils.assertNodeType)("JSXIdentifier")
+ validate: (0, _utils.assertNodeType)('JSXIdentifier'),
},
name: {
- validate: (0, _utils.assertNodeType)("JSXIdentifier")
- }
- }
+ validate: (0, _utils.assertNodeType)('JSXIdentifier'),
+ },
+ },
});
-defineType("JSXOpeningElement", {
- builder: ["name", "attributes", "selfClosing"],
- visitor: ["name", "attributes"],
- aliases: ["Immutable"],
+defineType('JSXOpeningElement', {
+ builder: ['name', 'attributes', 'selfClosing'],
+ visitor: ['name', 'attributes'],
+ aliases: ['Immutable'],
fields: {
name: {
- validate: (0, _utils.assertNodeType)("JSXIdentifier", "JSXMemberExpression", "JSXNamespacedName")
+ validate: (0, _utils.assertNodeType)(
+ 'JSXIdentifier',
+ 'JSXMemberExpression',
+ 'JSXNamespacedName'
+ ),
},
selfClosing: {
- default: false
+ default: false,
},
attributes: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("JSXAttribute", "JSXSpreadAttribute")))
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)('JSXAttribute', 'JSXSpreadAttribute')
+ )
+ ),
},
typeParameters: {
- validate: (0, _utils.assertNodeType)("TypeParameterInstantiation", "TSTypeParameterInstantiation"),
- optional: true
- }
- }
+ validate: (0, _utils.assertNodeType)(
+ 'TypeParameterInstantiation',
+ 'TSTypeParameterInstantiation'
+ ),
+ optional: true,
+ },
+ },
});
-defineType("JSXSpreadAttribute", {
- visitor: ["argument"],
+defineType('JSXSpreadAttribute', {
+ visitor: ['argument'],
fields: {
argument: {
- validate: (0, _utils.assertNodeType)("Expression")
- }
- }
+ validate: (0, _utils.assertNodeType)('Expression'),
+ },
+ },
});
-defineType("JSXText", {
- aliases: ["Immutable"],
- builder: ["value"],
+defineType('JSXText', {
+ aliases: ['Immutable'],
+ builder: ['value'],
fields: {
value: {
- validate: (0, _utils.assertValueType)("string")
- }
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ },
});
-defineType("JSXFragment", {
- builder: ["openingFragment", "closingFragment", "children"],
- visitor: ["openingFragment", "children", "closingFragment"],
- aliases: ["Immutable", "Expression"],
+defineType('JSXFragment', {
+ builder: ['openingFragment', 'closingFragment', 'children'],
+ visitor: ['openingFragment', 'children', 'closingFragment'],
+ aliases: ['Immutable', 'Expression'],
fields: {
openingFragment: {
- validate: (0, _utils.assertNodeType)("JSXOpeningFragment")
+ validate: (0, _utils.assertNodeType)('JSXOpeningFragment'),
},
closingFragment: {
- validate: (0, _utils.assertNodeType)("JSXClosingFragment")
+ validate: (0, _utils.assertNodeType)('JSXClosingFragment'),
},
children: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("JSXText", "JSXExpressionContainer", "JSXSpreadChild", "JSXElement", "JSXFragment")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)(
+ (0, _utils.assertNodeType)(
+ 'JSXText',
+ 'JSXExpressionContainer',
+ 'JSXSpreadChild',
+ 'JSXElement',
+ 'JSXFragment'
+ )
+ )
+ ),
+ },
+ },
});
-defineType("JSXOpeningFragment", {
- aliases: ["Immutable"]
+defineType('JSXOpeningFragment', {
+ aliases: ['Immutable'],
});
-defineType("JSXClosingFragment", {
- aliases: ["Immutable"]
+defineType('JSXClosingFragment', {
+ aliases: ['Immutable'],
});
//# sourceMappingURL=jsx.js.map
diff --git a/node_modules/@babel/types/lib/definitions/misc.js b/node_modules/@babel/types/lib/definitions/misc.js
index 2c8b07a..9720572 100644
--- a/node_modules/@babel/types/lib/definitions/misc.js
+++ b/node_modules/@babel/types/lib/definitions/misc.js
@@ -1,34 +1,34 @@
-"use strict";
+'use strict';
-var _utils = require("./utils");
+var _utils = require('./utils');
-var _placeholders = require("./placeholders");
+var _placeholders = require('./placeholders');
-const defineType = (0, _utils.defineAliasedType)("Miscellaneous");
+const defineType = (0, _utils.defineAliasedType)('Miscellaneous');
{
- defineType("Noop", {
- visitor: []
+ defineType('Noop', {
+ visitor: [],
});
}
-defineType("Placeholder", {
+defineType('Placeholder', {
visitor: [],
- builder: ["expectedNode", "name"],
+ builder: ['expectedNode', 'name'],
fields: {
name: {
- validate: (0, _utils.assertNodeType)("Identifier")
+ validate: (0, _utils.assertNodeType)('Identifier'),
},
expectedNode: {
- validate: (0, _utils.assertOneOf)(..._placeholders.PLACEHOLDERS)
- }
- }
+ validate: (0, _utils.assertOneOf)(..._placeholders.PLACEHOLDERS),
+ },
+ },
});
-defineType("V8IntrinsicIdentifier", {
- builder: ["name"],
+defineType('V8IntrinsicIdentifier', {
+ builder: ['name'],
fields: {
name: {
- validate: (0, _utils.assertValueType)("string")
- }
- }
+ validate: (0, _utils.assertValueType)('string'),
+ },
+ },
});
//# sourceMappingURL=misc.js.map
diff --git a/node_modules/@babel/types/lib/definitions/placeholders.js b/node_modules/@babel/types/lib/definitions/placeholders.js
index 5dd4f7f..6e085fd 100644
--- a/node_modules/@babel/types/lib/definitions/placeholders.js
+++ b/node_modules/@babel/types/lib/definitions/placeholders.js
@@ -1,17 +1,29 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-exports.PLACEHOLDERS_FLIPPED_ALIAS = exports.PLACEHOLDERS_ALIAS = exports.PLACEHOLDERS = void 0;
+exports.PLACEHOLDERS_FLIPPED_ALIAS =
+ exports.PLACEHOLDERS_ALIAS =
+ exports.PLACEHOLDERS =
+ void 0;
-var _utils = require("./utils");
+var _utils = require('./utils');
-const PLACEHOLDERS = ["Identifier", "StringLiteral", "Expression", "Statement", "Declaration", "BlockStatement", "ClassBody", "Pattern"];
+const PLACEHOLDERS = [
+ 'Identifier',
+ 'StringLiteral',
+ 'Expression',
+ 'Statement',
+ 'Declaration',
+ 'BlockStatement',
+ 'ClassBody',
+ 'Pattern',
+];
exports.PLACEHOLDERS = PLACEHOLDERS;
const PLACEHOLDERS_ALIAS = {
- Declaration: ["Statement"],
- Pattern: ["PatternLike", "LVal"]
+ Declaration: ['Statement'],
+ Pattern: ['PatternLike', 'LVal'],
};
exports.PLACEHOLDERS_ALIAS = PLACEHOLDERS_ALIAS;
@@ -22,8 +34,8 @@ for (const type of PLACEHOLDERS) {
const PLACEHOLDERS_FLIPPED_ALIAS = {};
exports.PLACEHOLDERS_FLIPPED_ALIAS = PLACEHOLDERS_FLIPPED_ALIAS;
-Object.keys(PLACEHOLDERS_ALIAS).forEach(type => {
- PLACEHOLDERS_ALIAS[type].forEach(alias => {
+Object.keys(PLACEHOLDERS_ALIAS).forEach((type) => {
+ PLACEHOLDERS_ALIAS[type].forEach((alias) => {
if (!Object.hasOwnProperty.call(PLACEHOLDERS_FLIPPED_ALIAS, alias)) {
PLACEHOLDERS_FLIPPED_ALIAS[alias] = [];
}
diff --git a/node_modules/@babel/types/lib/definitions/typescript.js b/node_modules/@babel/types/lib/definitions/typescript.js
index 87771c9..438ea1c 100644
--- a/node_modules/@babel/types/lib/definitions/typescript.js
+++ b/node_modules/@babel/types/lib/definitions/typescript.js
@@ -1,497 +1,589 @@
-"use strict";
+'use strict';
-var _utils = require("./utils");
+var _utils = require('./utils');
-var _core = require("./core");
+var _core = require('./core');
-var _is = require("../validators/is");
+var _is = require('../validators/is');
-const defineType = (0, _utils.defineAliasedType)("TypeScript");
-const bool = (0, _utils.assertValueType)("boolean");
+const defineType = (0, _utils.defineAliasedType)('TypeScript');
+const bool = (0, _utils.assertValueType)('boolean');
const tSFunctionTypeAnnotationCommon = () => ({
returnType: {
- validate: (0, _utils.assertNodeType)("TSTypeAnnotation", "Noop"),
- optional: true
+ validate: (0, _utils.assertNodeType)('TSTypeAnnotation', 'Noop'),
+ optional: true,
},
typeParameters: {
- validate: (0, _utils.assertNodeType)("TSTypeParameterDeclaration", "Noop"),
- optional: true
- }
+ validate: (0, _utils.assertNodeType)('TSTypeParameterDeclaration', 'Noop'),
+ optional: true,
+ },
});
-defineType("TSParameterProperty", {
- aliases: ["LVal"],
- visitor: ["parameter"],
+defineType('TSParameterProperty', {
+ aliases: ['LVal'],
+ visitor: ['parameter'],
fields: {
accessibility: {
- validate: (0, _utils.assertOneOf)("public", "private", "protected"),
- optional: true
+ validate: (0, _utils.assertOneOf)('public', 'private', 'protected'),
+ optional: true,
},
readonly: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
parameter: {
- validate: (0, _utils.assertNodeType)("Identifier", "AssignmentPattern")
+ validate: (0, _utils.assertNodeType)('Identifier', 'AssignmentPattern'),
},
override: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
decorators: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("Decorator"))),
- optional: true
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('Decorator'))
+ ),
+ optional: true,
+ },
+ },
});
-defineType("TSDeclareFunction", {
- aliases: ["Statement", "Declaration"],
- visitor: ["id", "typeParameters", "params", "returnType"],
- fields: Object.assign({}, (0, _core.functionDeclarationCommon)(), tSFunctionTypeAnnotationCommon())
+defineType('TSDeclareFunction', {
+ aliases: ['Statement', 'Declaration'],
+ visitor: ['id', 'typeParameters', 'params', 'returnType'],
+ fields: Object.assign(
+ {},
+ (0, _core.functionDeclarationCommon)(),
+ tSFunctionTypeAnnotationCommon()
+ ),
});
-defineType("TSDeclareMethod", {
- visitor: ["decorators", "key", "typeParameters", "params", "returnType"],
- fields: Object.assign({}, (0, _core.classMethodOrDeclareMethodCommon)(), tSFunctionTypeAnnotationCommon())
+defineType('TSDeclareMethod', {
+ visitor: ['decorators', 'key', 'typeParameters', 'params', 'returnType'],
+ fields: Object.assign(
+ {},
+ (0, _core.classMethodOrDeclareMethodCommon)(),
+ tSFunctionTypeAnnotationCommon()
+ ),
});
-defineType("TSQualifiedName", {
- aliases: ["TSEntityName"],
- visitor: ["left", "right"],
+defineType('TSQualifiedName', {
+ aliases: ['TSEntityName'],
+ visitor: ['left', 'right'],
fields: {
- left: (0, _utils.validateType)("TSEntityName"),
- right: (0, _utils.validateType)("Identifier")
- }
+ left: (0, _utils.validateType)('TSEntityName'),
+ right: (0, _utils.validateType)('Identifier'),
+ },
});
const signatureDeclarationCommon = () => ({
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterDeclaration"),
- ["parameters"]: (0, _utils.validateArrayOfType)(["Identifier", "RestElement"]),
- ["typeAnnotation"]: (0, _utils.validateOptionalType)("TSTypeAnnotation")
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterDeclaration'
+ ),
+ ['parameters']: (0, _utils.validateArrayOfType)([
+ 'Identifier',
+ 'RestElement',
+ ]),
+ ['typeAnnotation']: (0, _utils.validateOptionalType)('TSTypeAnnotation'),
});
const callConstructSignatureDeclaration = {
- aliases: ["TSTypeElement"],
- visitor: ["typeParameters", "parameters", "typeAnnotation"],
- fields: signatureDeclarationCommon()
+ aliases: ['TSTypeElement'],
+ visitor: ['typeParameters', 'parameters', 'typeAnnotation'],
+ fields: signatureDeclarationCommon(),
};
-defineType("TSCallSignatureDeclaration", callConstructSignatureDeclaration);
-defineType("TSConstructSignatureDeclaration", callConstructSignatureDeclaration);
+defineType('TSCallSignatureDeclaration', callConstructSignatureDeclaration);
+defineType(
+ 'TSConstructSignatureDeclaration',
+ callConstructSignatureDeclaration
+);
const namedTypeElementCommon = () => ({
- key: (0, _utils.validateType)("Expression"),
+ key: (0, _utils.validateType)('Expression'),
computed: {
- default: false
+ default: false,
},
- optional: (0, _utils.validateOptional)(bool)
+ optional: (0, _utils.validateOptional)(bool),
});
-defineType("TSPropertySignature", {
- aliases: ["TSTypeElement"],
- visitor: ["key", "typeAnnotation", "initializer"],
+defineType('TSPropertySignature', {
+ aliases: ['TSTypeElement'],
+ visitor: ['key', 'typeAnnotation', 'initializer'],
fields: Object.assign({}, namedTypeElementCommon(), {
readonly: (0, _utils.validateOptional)(bool),
- typeAnnotation: (0, _utils.validateOptionalType)("TSTypeAnnotation"),
- initializer: (0, _utils.validateOptionalType)("Expression"),
+ typeAnnotation: (0, _utils.validateOptionalType)('TSTypeAnnotation'),
+ initializer: (0, _utils.validateOptionalType)('Expression'),
kind: {
- validate: (0, _utils.assertOneOf)("get", "set")
- }
- })
+ validate: (0, _utils.assertOneOf)('get', 'set'),
+ },
+ }),
});
-defineType("TSMethodSignature", {
- aliases: ["TSTypeElement"],
- visitor: ["key", "typeParameters", "parameters", "typeAnnotation"],
- fields: Object.assign({}, signatureDeclarationCommon(), namedTypeElementCommon(), {
- kind: {
- validate: (0, _utils.assertOneOf)("method", "get", "set")
+defineType('TSMethodSignature', {
+ aliases: ['TSTypeElement'],
+ visitor: ['key', 'typeParameters', 'parameters', 'typeAnnotation'],
+ fields: Object.assign(
+ {},
+ signatureDeclarationCommon(),
+ namedTypeElementCommon(),
+ {
+ kind: {
+ validate: (0, _utils.assertOneOf)('method', 'get', 'set'),
+ },
}
- })
+ ),
});
-defineType("TSIndexSignature", {
- aliases: ["TSTypeElement"],
- visitor: ["parameters", "typeAnnotation"],
+defineType('TSIndexSignature', {
+ aliases: ['TSTypeElement'],
+ visitor: ['parameters', 'typeAnnotation'],
fields: {
readonly: (0, _utils.validateOptional)(bool),
static: (0, _utils.validateOptional)(bool),
- parameters: (0, _utils.validateArrayOfType)("Identifier"),
- typeAnnotation: (0, _utils.validateOptionalType)("TSTypeAnnotation")
- }
+ parameters: (0, _utils.validateArrayOfType)('Identifier'),
+ typeAnnotation: (0, _utils.validateOptionalType)('TSTypeAnnotation'),
+ },
});
-const tsKeywordTypes = ["TSAnyKeyword", "TSBooleanKeyword", "TSBigIntKeyword", "TSIntrinsicKeyword", "TSNeverKeyword", "TSNullKeyword", "TSNumberKeyword", "TSObjectKeyword", "TSStringKeyword", "TSSymbolKeyword", "TSUndefinedKeyword", "TSUnknownKeyword", "TSVoidKeyword"];
+const tsKeywordTypes = [
+ 'TSAnyKeyword',
+ 'TSBooleanKeyword',
+ 'TSBigIntKeyword',
+ 'TSIntrinsicKeyword',
+ 'TSNeverKeyword',
+ 'TSNullKeyword',
+ 'TSNumberKeyword',
+ 'TSObjectKeyword',
+ 'TSStringKeyword',
+ 'TSSymbolKeyword',
+ 'TSUndefinedKeyword',
+ 'TSUnknownKeyword',
+ 'TSVoidKeyword',
+];
for (const type of tsKeywordTypes) {
defineType(type, {
- aliases: ["TSType", "TSBaseType"],
+ aliases: ['TSType', 'TSBaseType'],
visitor: [],
- fields: {}
+ fields: {},
});
}
-defineType("TSThisType", {
- aliases: ["TSType", "TSBaseType"],
+defineType('TSThisType', {
+ aliases: ['TSType', 'TSBaseType'],
visitor: [],
- fields: {}
+ fields: {},
});
const fnOrCtrBase = {
- aliases: ["TSType"],
- visitor: ["typeParameters", "parameters", "typeAnnotation"]
+ aliases: ['TSType'],
+ visitor: ['typeParameters', 'parameters', 'typeAnnotation'],
};
-defineType("TSFunctionType", Object.assign({}, fnOrCtrBase, {
- fields: signatureDeclarationCommon()
-}));
-defineType("TSConstructorType", Object.assign({}, fnOrCtrBase, {
- fields: Object.assign({}, signatureDeclarationCommon(), {
- abstract: (0, _utils.validateOptional)(bool)
+defineType(
+ 'TSFunctionType',
+ Object.assign({}, fnOrCtrBase, {
+ fields: signatureDeclarationCommon(),
})
-}));
-defineType("TSTypeReference", {
- aliases: ["TSType"],
- visitor: ["typeName", "typeParameters"],
+);
+defineType(
+ 'TSConstructorType',
+ Object.assign({}, fnOrCtrBase, {
+ fields: Object.assign({}, signatureDeclarationCommon(), {
+ abstract: (0, _utils.validateOptional)(bool),
+ }),
+ })
+);
+defineType('TSTypeReference', {
+ aliases: ['TSType'],
+ visitor: ['typeName', 'typeParameters'],
fields: {
- typeName: (0, _utils.validateType)("TSEntityName"),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterInstantiation")
- }
+ typeName: (0, _utils.validateType)('TSEntityName'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterInstantiation'
+ ),
+ },
});
-defineType("TSTypePredicate", {
- aliases: ["TSType"],
- visitor: ["parameterName", "typeAnnotation"],
- builder: ["parameterName", "typeAnnotation", "asserts"],
+defineType('TSTypePredicate', {
+ aliases: ['TSType'],
+ visitor: ['parameterName', 'typeAnnotation'],
+ builder: ['parameterName', 'typeAnnotation', 'asserts'],
fields: {
- parameterName: (0, _utils.validateType)(["Identifier", "TSThisType"]),
- typeAnnotation: (0, _utils.validateOptionalType)("TSTypeAnnotation"),
- asserts: (0, _utils.validateOptional)(bool)
- }
+ parameterName: (0, _utils.validateType)(['Identifier', 'TSThisType']),
+ typeAnnotation: (0, _utils.validateOptionalType)('TSTypeAnnotation'),
+ asserts: (0, _utils.validateOptional)(bool),
+ },
});
-defineType("TSTypeQuery", {
- aliases: ["TSType"],
- visitor: ["exprName", "typeParameters"],
+defineType('TSTypeQuery', {
+ aliases: ['TSType'],
+ visitor: ['exprName', 'typeParameters'],
fields: {
- exprName: (0, _utils.validateType)(["TSEntityName", "TSImportType"]),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterInstantiation")
- }
+ exprName: (0, _utils.validateType)(['TSEntityName', 'TSImportType']),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterInstantiation'
+ ),
+ },
});
-defineType("TSTypeLiteral", {
- aliases: ["TSType"],
- visitor: ["members"],
+defineType('TSTypeLiteral', {
+ aliases: ['TSType'],
+ visitor: ['members'],
fields: {
- members: (0, _utils.validateArrayOfType)("TSTypeElement")
- }
+ members: (0, _utils.validateArrayOfType)('TSTypeElement'),
+ },
});
-defineType("TSArrayType", {
- aliases: ["TSType"],
- visitor: ["elementType"],
+defineType('TSArrayType', {
+ aliases: ['TSType'],
+ visitor: ['elementType'],
fields: {
- elementType: (0, _utils.validateType)("TSType")
- }
+ elementType: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSTupleType", {
- aliases: ["TSType"],
- visitor: ["elementTypes"],
+defineType('TSTupleType', {
+ aliases: ['TSType'],
+ visitor: ['elementTypes'],
fields: {
- elementTypes: (0, _utils.validateArrayOfType)(["TSType", "TSNamedTupleMember"])
- }
+ elementTypes: (0, _utils.validateArrayOfType)([
+ 'TSType',
+ 'TSNamedTupleMember',
+ ]),
+ },
});
-defineType("TSOptionalType", {
- aliases: ["TSType"],
- visitor: ["typeAnnotation"],
+defineType('TSOptionalType', {
+ aliases: ['TSType'],
+ visitor: ['typeAnnotation'],
fields: {
- typeAnnotation: (0, _utils.validateType)("TSType")
- }
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSRestType", {
- aliases: ["TSType"],
- visitor: ["typeAnnotation"],
+defineType('TSRestType', {
+ aliases: ['TSType'],
+ visitor: ['typeAnnotation'],
fields: {
- typeAnnotation: (0, _utils.validateType)("TSType")
- }
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSNamedTupleMember", {
- visitor: ["label", "elementType"],
- builder: ["label", "elementType", "optional"],
+defineType('TSNamedTupleMember', {
+ visitor: ['label', 'elementType'],
+ builder: ['label', 'elementType', 'optional'],
fields: {
- label: (0, _utils.validateType)("Identifier"),
+ label: (0, _utils.validateType)('Identifier'),
optional: {
validate: bool,
- default: false
+ default: false,
},
- elementType: (0, _utils.validateType)("TSType")
- }
+ elementType: (0, _utils.validateType)('TSType'),
+ },
});
const unionOrIntersection = {
- aliases: ["TSType"],
- visitor: ["types"],
+ aliases: ['TSType'],
+ visitor: ['types'],
fields: {
- types: (0, _utils.validateArrayOfType)("TSType")
- }
+ types: (0, _utils.validateArrayOfType)('TSType'),
+ },
};
-defineType("TSUnionType", unionOrIntersection);
-defineType("TSIntersectionType", unionOrIntersection);
-defineType("TSConditionalType", {
- aliases: ["TSType"],
- visitor: ["checkType", "extendsType", "trueType", "falseType"],
+defineType('TSUnionType', unionOrIntersection);
+defineType('TSIntersectionType', unionOrIntersection);
+defineType('TSConditionalType', {
+ aliases: ['TSType'],
+ visitor: ['checkType', 'extendsType', 'trueType', 'falseType'],
fields: {
- checkType: (0, _utils.validateType)("TSType"),
- extendsType: (0, _utils.validateType)("TSType"),
- trueType: (0, _utils.validateType)("TSType"),
- falseType: (0, _utils.validateType)("TSType")
- }
+ checkType: (0, _utils.validateType)('TSType'),
+ extendsType: (0, _utils.validateType)('TSType'),
+ trueType: (0, _utils.validateType)('TSType'),
+ falseType: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSInferType", {
- aliases: ["TSType"],
- visitor: ["typeParameter"],
+defineType('TSInferType', {
+ aliases: ['TSType'],
+ visitor: ['typeParameter'],
fields: {
- typeParameter: (0, _utils.validateType)("TSTypeParameter")
- }
+ typeParameter: (0, _utils.validateType)('TSTypeParameter'),
+ },
});
-defineType("TSParenthesizedType", {
- aliases: ["TSType"],
- visitor: ["typeAnnotation"],
+defineType('TSParenthesizedType', {
+ aliases: ['TSType'],
+ visitor: ['typeAnnotation'],
fields: {
- typeAnnotation: (0, _utils.validateType)("TSType")
- }
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSTypeOperator", {
- aliases: ["TSType"],
- visitor: ["typeAnnotation"],
+defineType('TSTypeOperator', {
+ aliases: ['TSType'],
+ visitor: ['typeAnnotation'],
fields: {
- operator: (0, _utils.validate)((0, _utils.assertValueType)("string")),
- typeAnnotation: (0, _utils.validateType)("TSType")
- }
+ operator: (0, _utils.validate)((0, _utils.assertValueType)('string')),
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSIndexedAccessType", {
- aliases: ["TSType"],
- visitor: ["objectType", "indexType"],
+defineType('TSIndexedAccessType', {
+ aliases: ['TSType'],
+ visitor: ['objectType', 'indexType'],
fields: {
- objectType: (0, _utils.validateType)("TSType"),
- indexType: (0, _utils.validateType)("TSType")
- }
+ objectType: (0, _utils.validateType)('TSType'),
+ indexType: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSMappedType", {
- aliases: ["TSType"],
- visitor: ["typeParameter", "typeAnnotation", "nameType"],
+defineType('TSMappedType', {
+ aliases: ['TSType'],
+ visitor: ['typeParameter', 'typeAnnotation', 'nameType'],
fields: {
- readonly: (0, _utils.validateOptional)((0, _utils.assertOneOf)(true, false, "+", "-")),
- typeParameter: (0, _utils.validateType)("TSTypeParameter"),
- optional: (0, _utils.validateOptional)((0, _utils.assertOneOf)(true, false, "+", "-")),
- typeAnnotation: (0, _utils.validateOptionalType)("TSType"),
- nameType: (0, _utils.validateOptionalType)("TSType")
- }
+ readonly: (0, _utils.validateOptional)(
+ (0, _utils.assertOneOf)(true, false, '+', '-')
+ ),
+ typeParameter: (0, _utils.validateType)('TSTypeParameter'),
+ optional: (0, _utils.validateOptional)(
+ (0, _utils.assertOneOf)(true, false, '+', '-')
+ ),
+ typeAnnotation: (0, _utils.validateOptionalType)('TSType'),
+ nameType: (0, _utils.validateOptionalType)('TSType'),
+ },
});
-defineType("TSLiteralType", {
- aliases: ["TSType", "TSBaseType"],
- visitor: ["literal"],
+defineType('TSLiteralType', {
+ aliases: ['TSType', 'TSBaseType'],
+ visitor: ['literal'],
fields: {
literal: {
- validate: function () {
- const unaryExpression = (0, _utils.assertNodeType)("NumericLiteral", "BigIntLiteral");
- const unaryOperator = (0, _utils.assertOneOf)("-");
- const literal = (0, _utils.assertNodeType)("NumericLiteral", "StringLiteral", "BooleanLiteral", "BigIntLiteral", "TemplateLiteral");
+ validate: (function () {
+ const unaryExpression = (0, _utils.assertNodeType)(
+ 'NumericLiteral',
+ 'BigIntLiteral'
+ );
+ const unaryOperator = (0, _utils.assertOneOf)('-');
+ const literal = (0, _utils.assertNodeType)(
+ 'NumericLiteral',
+ 'StringLiteral',
+ 'BooleanLiteral',
+ 'BigIntLiteral',
+ 'TemplateLiteral'
+ );
function validator(parent, key, node) {
- if ((0, _is.default)("UnaryExpression", node)) {
- unaryOperator(node, "operator", node.operator);
- unaryExpression(node, "argument", node.argument);
+ if ((0, _is.default)('UnaryExpression', node)) {
+ unaryOperator(node, 'operator', node.operator);
+ unaryExpression(node, 'argument', node.argument);
} else {
literal(parent, key, node);
}
}
- validator.oneOfNodeTypes = ["NumericLiteral", "StringLiteral", "BooleanLiteral", "BigIntLiteral", "TemplateLiteral", "UnaryExpression"];
+ validator.oneOfNodeTypes = [
+ 'NumericLiteral',
+ 'StringLiteral',
+ 'BooleanLiteral',
+ 'BigIntLiteral',
+ 'TemplateLiteral',
+ 'UnaryExpression',
+ ];
return validator;
- }()
- }
- }
+ })(),
+ },
+ },
});
-defineType("TSExpressionWithTypeArguments", {
- aliases: ["TSType"],
- visitor: ["expression", "typeParameters"],
+defineType('TSExpressionWithTypeArguments', {
+ aliases: ['TSType'],
+ visitor: ['expression', 'typeParameters'],
fields: {
- expression: (0, _utils.validateType)("TSEntityName"),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterInstantiation")
- }
+ expression: (0, _utils.validateType)('TSEntityName'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterInstantiation'
+ ),
+ },
});
-defineType("TSInterfaceDeclaration", {
- aliases: ["Statement", "Declaration"],
- visitor: ["id", "typeParameters", "extends", "body"],
+defineType('TSInterfaceDeclaration', {
+ aliases: ['Statement', 'Declaration'],
+ visitor: ['id', 'typeParameters', 'extends', 'body'],
fields: {
declare: (0, _utils.validateOptional)(bool),
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterDeclaration"),
- extends: (0, _utils.validateOptional)((0, _utils.arrayOfType)("TSExpressionWithTypeArguments")),
- body: (0, _utils.validateType)("TSInterfaceBody")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterDeclaration'
+ ),
+ extends: (0, _utils.validateOptional)(
+ (0, _utils.arrayOfType)('TSExpressionWithTypeArguments')
+ ),
+ body: (0, _utils.validateType)('TSInterfaceBody'),
+ },
});
-defineType("TSInterfaceBody", {
- visitor: ["body"],
+defineType('TSInterfaceBody', {
+ visitor: ['body'],
fields: {
- body: (0, _utils.validateArrayOfType)("TSTypeElement")
- }
+ body: (0, _utils.validateArrayOfType)('TSTypeElement'),
+ },
});
-defineType("TSTypeAliasDeclaration", {
- aliases: ["Statement", "Declaration"],
- visitor: ["id", "typeParameters", "typeAnnotation"],
+defineType('TSTypeAliasDeclaration', {
+ aliases: ['Statement', 'Declaration'],
+ visitor: ['id', 'typeParameters', 'typeAnnotation'],
fields: {
declare: (0, _utils.validateOptional)(bool),
- id: (0, _utils.validateType)("Identifier"),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterDeclaration"),
- typeAnnotation: (0, _utils.validateType)("TSType")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterDeclaration'
+ ),
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSInstantiationExpression", {
- aliases: ["Expression"],
- visitor: ["expression", "typeParameters"],
+defineType('TSInstantiationExpression', {
+ aliases: ['Expression'],
+ visitor: ['expression', 'typeParameters'],
fields: {
- expression: (0, _utils.validateType)("Expression"),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterInstantiation")
- }
+ expression: (0, _utils.validateType)('Expression'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterInstantiation'
+ ),
+ },
});
-defineType("TSAsExpression", {
- aliases: ["Expression", "LVal", "PatternLike"],
- visitor: ["expression", "typeAnnotation"],
+defineType('TSAsExpression', {
+ aliases: ['Expression', 'LVal', 'PatternLike'],
+ visitor: ['expression', 'typeAnnotation'],
fields: {
- expression: (0, _utils.validateType)("Expression"),
- typeAnnotation: (0, _utils.validateType)("TSType")
- }
+ expression: (0, _utils.validateType)('Expression'),
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ },
});
-defineType("TSTypeAssertion", {
- aliases: ["Expression", "LVal", "PatternLike"],
- visitor: ["typeAnnotation", "expression"],
+defineType('TSTypeAssertion', {
+ aliases: ['Expression', 'LVal', 'PatternLike'],
+ visitor: ['typeAnnotation', 'expression'],
fields: {
- typeAnnotation: (0, _utils.validateType)("TSType"),
- expression: (0, _utils.validateType)("Expression")
- }
+ typeAnnotation: (0, _utils.validateType)('TSType'),
+ expression: (0, _utils.validateType)('Expression'),
+ },
});
-defineType("TSEnumDeclaration", {
- aliases: ["Statement", "Declaration"],
- visitor: ["id", "members"],
+defineType('TSEnumDeclaration', {
+ aliases: ['Statement', 'Declaration'],
+ visitor: ['id', 'members'],
fields: {
declare: (0, _utils.validateOptional)(bool),
const: (0, _utils.validateOptional)(bool),
- id: (0, _utils.validateType)("Identifier"),
- members: (0, _utils.validateArrayOfType)("TSEnumMember"),
- initializer: (0, _utils.validateOptionalType)("Expression")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ members: (0, _utils.validateArrayOfType)('TSEnumMember'),
+ initializer: (0, _utils.validateOptionalType)('Expression'),
+ },
});
-defineType("TSEnumMember", {
- visitor: ["id", "initializer"],
+defineType('TSEnumMember', {
+ visitor: ['id', 'initializer'],
fields: {
- id: (0, _utils.validateType)(["Identifier", "StringLiteral"]),
- initializer: (0, _utils.validateOptionalType)("Expression")
- }
+ id: (0, _utils.validateType)(['Identifier', 'StringLiteral']),
+ initializer: (0, _utils.validateOptionalType)('Expression'),
+ },
});
-defineType("TSModuleDeclaration", {
- aliases: ["Statement", "Declaration"],
- visitor: ["id", "body"],
+defineType('TSModuleDeclaration', {
+ aliases: ['Statement', 'Declaration'],
+ visitor: ['id', 'body'],
fields: {
declare: (0, _utils.validateOptional)(bool),
global: (0, _utils.validateOptional)(bool),
- id: (0, _utils.validateType)(["Identifier", "StringLiteral"]),
- body: (0, _utils.validateType)(["TSModuleBlock", "TSModuleDeclaration"])
- }
+ id: (0, _utils.validateType)(['Identifier', 'StringLiteral']),
+ body: (0, _utils.validateType)(['TSModuleBlock', 'TSModuleDeclaration']),
+ },
});
-defineType("TSModuleBlock", {
- aliases: ["Scopable", "Block", "BlockParent"],
- visitor: ["body"],
+defineType('TSModuleBlock', {
+ aliases: ['Scopable', 'Block', 'BlockParent'],
+ visitor: ['body'],
fields: {
- body: (0, _utils.validateArrayOfType)("Statement")
- }
+ body: (0, _utils.validateArrayOfType)('Statement'),
+ },
});
-defineType("TSImportType", {
- aliases: ["TSType"],
- visitor: ["argument", "qualifier", "typeParameters"],
+defineType('TSImportType', {
+ aliases: ['TSType'],
+ visitor: ['argument', 'qualifier', 'typeParameters'],
fields: {
- argument: (0, _utils.validateType)("StringLiteral"),
- qualifier: (0, _utils.validateOptionalType)("TSEntityName"),
- typeParameters: (0, _utils.validateOptionalType)("TSTypeParameterInstantiation")
- }
+ argument: (0, _utils.validateType)('StringLiteral'),
+ qualifier: (0, _utils.validateOptionalType)('TSEntityName'),
+ typeParameters: (0, _utils.validateOptionalType)(
+ 'TSTypeParameterInstantiation'
+ ),
+ },
});
-defineType("TSImportEqualsDeclaration", {
- aliases: ["Statement"],
- visitor: ["id", "moduleReference"],
+defineType('TSImportEqualsDeclaration', {
+ aliases: ['Statement'],
+ visitor: ['id', 'moduleReference'],
fields: {
isExport: (0, _utils.validate)(bool),
- id: (0, _utils.validateType)("Identifier"),
- moduleReference: (0, _utils.validateType)(["TSEntityName", "TSExternalModuleReference"]),
+ id: (0, _utils.validateType)('Identifier'),
+ moduleReference: (0, _utils.validateType)([
+ 'TSEntityName',
+ 'TSExternalModuleReference',
+ ]),
importKind: {
- validate: (0, _utils.assertOneOf)("type", "value"),
- optional: true
- }
- }
+ validate: (0, _utils.assertOneOf)('type', 'value'),
+ optional: true,
+ },
+ },
});
-defineType("TSExternalModuleReference", {
- visitor: ["expression"],
+defineType('TSExternalModuleReference', {
+ visitor: ['expression'],
fields: {
- expression: (0, _utils.validateType)("StringLiteral")
- }
+ expression: (0, _utils.validateType)('StringLiteral'),
+ },
});
-defineType("TSNonNullExpression", {
- aliases: ["Expression", "LVal", "PatternLike"],
- visitor: ["expression"],
+defineType('TSNonNullExpression', {
+ aliases: ['Expression', 'LVal', 'PatternLike'],
+ visitor: ['expression'],
fields: {
- expression: (0, _utils.validateType)("Expression")
- }
+ expression: (0, _utils.validateType)('Expression'),
+ },
});
-defineType("TSExportAssignment", {
- aliases: ["Statement"],
- visitor: ["expression"],
+defineType('TSExportAssignment', {
+ aliases: ['Statement'],
+ visitor: ['expression'],
fields: {
- expression: (0, _utils.validateType)("Expression")
- }
+ expression: (0, _utils.validateType)('Expression'),
+ },
});
-defineType("TSNamespaceExportDeclaration", {
- aliases: ["Statement"],
- visitor: ["id"],
+defineType('TSNamespaceExportDeclaration', {
+ aliases: ['Statement'],
+ visitor: ['id'],
fields: {
- id: (0, _utils.validateType)("Identifier")
- }
+ id: (0, _utils.validateType)('Identifier'),
+ },
});
-defineType("TSTypeAnnotation", {
- visitor: ["typeAnnotation"],
+defineType('TSTypeAnnotation', {
+ visitor: ['typeAnnotation'],
fields: {
typeAnnotation: {
- validate: (0, _utils.assertNodeType)("TSType")
- }
- }
+ validate: (0, _utils.assertNodeType)('TSType'),
+ },
+ },
});
-defineType("TSTypeParameterInstantiation", {
- visitor: ["params"],
+defineType('TSTypeParameterInstantiation', {
+ visitor: ['params'],
fields: {
params: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("TSType")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('TSType'))
+ ),
+ },
+ },
});
-defineType("TSTypeParameterDeclaration", {
- visitor: ["params"],
+defineType('TSTypeParameterDeclaration', {
+ visitor: ['params'],
fields: {
params: {
- validate: (0, _utils.chain)((0, _utils.assertValueType)("array"), (0, _utils.assertEach)((0, _utils.assertNodeType)("TSTypeParameter")))
- }
- }
+ validate: (0, _utils.chain)(
+ (0, _utils.assertValueType)('array'),
+ (0, _utils.assertEach)((0, _utils.assertNodeType)('TSTypeParameter'))
+ ),
+ },
+ },
});
-defineType("TSTypeParameter", {
- builder: ["constraint", "default", "name"],
- visitor: ["constraint", "default"],
+defineType('TSTypeParameter', {
+ builder: ['constraint', 'default', 'name'],
+ visitor: ['constraint', 'default'],
fields: {
name: {
- validate: (0, _utils.assertValueType)("string")
+ validate: (0, _utils.assertValueType)('string'),
},
in: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
out: {
- validate: (0, _utils.assertValueType)("boolean"),
- optional: true
+ validate: (0, _utils.assertValueType)('boolean'),
+ optional: true,
},
constraint: {
- validate: (0, _utils.assertNodeType)("TSType"),
- optional: true
+ validate: (0, _utils.assertNodeType)('TSType'),
+ optional: true,
},
default: {
- validate: (0, _utils.assertNodeType)("TSType"),
- optional: true
- }
- }
+ validate: (0, _utils.assertNodeType)('TSType'),
+ optional: true,
+ },
+ },
});
//# sourceMappingURL=typescript.js.map
diff --git a/node_modules/@babel/types/lib/definitions/utils.js b/node_modules/@babel/types/lib/definitions/utils.js
index 835f498..b0d44a6 100644
--- a/node_modules/@babel/types/lib/definitions/utils.js
+++ b/node_modules/@babel/types/lib/definitions/utils.js
@@ -1,9 +1,16 @@
-"use strict";
+'use strict';
-Object.defineProperty(exports, "__esModule", {
- value: true
+Object.defineProperty(exports, '__esModule', {
+ value: true,
});
-exports.VISITOR_KEYS = exports.NODE_PARENT_VALIDATIONS = exports.NODE_FIELDS = exports.FLIPPED_ALIAS_KEYS = exports.DEPRECATED_KEYS = exports.BUILDER_KEYS = exports.ALIAS_KEYS = void 0;
+exports.VISITOR_KEYS =
+ exports.NODE_PARENT_VALIDATIONS =
+ exports.NODE_FIELDS =
+ exports.FLIPPED_ALIAS_KEYS =
+ exports.DEPRECATED_KEYS =
+ exports.BUILDER_KEYS =
+ exports.ALIAS_KEYS =
+ void 0;
exports.arrayOf = arrayOf;
exports.arrayOfType = arrayOfType;
exports.assertEach = assertEach;
@@ -23,9 +30,9 @@ exports.validateOptional = validateOptional;
exports.validateOptionalType = validateOptionalType;
exports.validateType = validateType;
-var _is = require("../validators/is");
+var _is = require('../validators/is');
-var _validate = require("../validators/validate");
+var _validate = require('../validators/validate');
const VISITOR_KEYS = {};
exports.VISITOR_KEYS = VISITOR_KEYS;
@@ -44,9 +51,9 @@ exports.NODE_PARENT_VALIDATIONS = NODE_PARENT_VALIDATIONS;
function getType(val) {
if (Array.isArray(val)) {
- return "array";
+ return 'array';
} else if (val === null) {
- return "null";
+ return 'null';
} else {
return typeof val;
}
@@ -54,12 +61,14 @@ function getType(val) {
function validate(validate) {
return {
- validate
+ validate,
};
}
function typeIs(typeName) {
- return typeof typeName === "string" ? assertNodeType(typeName) : assertNodeType(...typeName);
+ return typeof typeName === 'string' ?
+ assertNodeType(typeName)
+ : assertNodeType(...typeName);
}
function validateType(typeName) {
@@ -69,19 +78,19 @@ function validateType(typeName) {
function validateOptional(validate) {
return {
validate,
- optional: true
+ optional: true,
};
}
function validateOptionalType(typeName) {
return {
validate: typeIs(typeName),
- optional: true
+ optional: true,
};
}
function arrayOf(elementType) {
- return chain(assertValueType("array"), assertEach(elementType));
+ return chain(assertValueType('array'), assertEach(elementType));
}
function arrayOfType(typeName) {
@@ -100,7 +109,8 @@ function assertEach(callback) {
const subkey = `${key}[${i}]`;
const v = val[i];
callback(node, subkey, v);
- if (process.env.BABEL_TYPES_8_BREAKING) (0, _validate.validateChild)(node, subkey, v);
+ if (process.env.BABEL_TYPES_8_BREAKING)
+ (0, _validate.validateChild)(node, subkey, v);
}
}
@@ -111,7 +121,9 @@ function assertEach(callback) {
function assertOneOf(...values) {
function validate(node, key, val) {
if (values.indexOf(val) < 0) {
- throw new TypeError(`Property ${key} expected value to be one of ${JSON.stringify(values)} but got ${JSON.stringify(val)}`);
+ throw new TypeError(
+ `Property ${key} expected value to be one of ${JSON.stringify(values)} but got ${JSON.stringify(val)}`
+ );
}
}
@@ -128,7 +140,9 @@ function assertNodeType(...types) {
}
}
- throw new TypeError(`Property ${key} of ${node.type} expected node to be of a type ${JSON.stringify(types)} but instead got ${JSON.stringify(val == null ? void 0 : val.type)}`);
+ throw new TypeError(
+ `Property ${key} of ${node.type} expected node to be of a type ${JSON.stringify(types)} but instead got ${JSON.stringify(val == null ? void 0 : val.type)}`
+ );
}
validate.oneOfNodeTypes = types;
@@ -144,7 +158,9 @@ function assertNodeOrValueType(...types) {
}
}
- throw new TypeError(`Property ${key} of ${node.type} expected node to be of a type ${JSON.stringify(types)} but instead got ${JSON.stringify(val == null ? void 0 : val.type)}`);
+ throw new TypeError(
+ `Property ${key} of ${node.type} expected node to be of a type ${JSON.stringify(types)} but instead got ${JSON.stringify(val == null ? void 0 : val.type)}`
+ );
}
validate.oneOfNodeOrValueTypes = types;
@@ -156,7 +172,9 @@ function assertValueType(type) {
const valid = getType(val) === type;
if (!valid) {
- throw new TypeError(`Property ${key} expected type of ${type} but got ${getType(val)}`);
+ throw new TypeError(
+ `Property ${key} expected type of ${type} but got ${getType(val)}`
+ );
}
}
@@ -170,7 +188,12 @@ function assertShape(shape) {
for (const property of Object.keys(shape)) {
try {
- (0, _validate.validateField)(node, property, val[property], shape[property]);
+ (0, _validate.validateField)(
+ node,
+ property,
+ val[property],
+ shape[property]
+ );
} catch (error) {
if (error instanceof TypeError) {
errors.push(error.message);
@@ -182,7 +205,9 @@ function assertShape(shape) {
}
if (errors.length) {
- throw new TypeError(`Property ${key} of ${node.type} expected to have the following:\n${errors.join("\n")}`);
+ throw new TypeError(
+ `Property ${key} of ${node.type} expected to have the following:\n${errors.join('\n')}`
+ );
}
}
@@ -197,17 +222,15 @@ function assertOptionalChainStart() {
let current = node;
while (node) {
- const {
- type
- } = current;
+ const { type } = current;
- if (type === "OptionalCallExpression") {
+ if (type === 'OptionalCallExpression') {
if (current.optional) return;
current = current.callee;
continue;
}
- if (type === "OptionalMemberExpression") {
+ if (type === 'OptionalMemberExpression') {
if (current.optional) return;
current = current.object;
continue;
@@ -216,7 +239,9 @@ function assertOptionalChainStart() {
break;
}
- throw new TypeError(`Non-optional ${node.type} must chain from an optional OptionalMemberExpression or OptionalCallExpression. Found chain from ${(_current = current) == null ? void 0 : _current.type}`);
+ throw new TypeError(
+ `Non-optional ${node.type} must chain from an optional OptionalMemberExpression or OptionalCallExpression. Found chain from ${(_current = current) == null ? void 0 : _current.type}`
+ );
}
return validate;
@@ -231,15 +256,30 @@ function chain(...fns) {
validate.chainOf = fns;
- if (fns.length >= 2 && "type" in fns[0] && fns[0].type === "array" && !("each" in fns[1])) {
- throw new Error(`An assertValueType("array") validator can only be followed by an assertEach(...) validator.`);
+ if (
+ fns.length >= 2 &&
+ 'type' in fns[0] &&
+ fns[0].type === 'array' &&
+ !('each' in fns[1])
+ ) {
+ throw new Error(
+ `An assertValueType("array") validator can only be followed by an assertEach(...) validator.`
+ );
}
return validate;
}
-const validTypeOpts = ["aliases", "builder", "deprecatedAlias", "fields", "inherits", "visitor", "validate"];
-const validFieldKeys = ["default", "optional", "validate"];
+const validTypeOpts = [
+ 'aliases',
+ 'builder',
+ 'deprecatedAlias',
+ 'fields',
+ 'inherits',
+ 'visitor',
+ 'validate',
+];
+const validFieldKeys = ['default', 'optional', 'validate'];
function defineAliasedType(...aliases) {
return (type, opts = {}) => {
@@ -248,19 +288,23 @@ function defineAliasedType(...aliases) {
if (!defined) {
var _store$opts$inherits$, _defined;
- if (opts.inherits) defined = (_store$opts$inherits$ = store[opts.inherits].aliases) == null ? void 0 : _store$opts$inherits$.slice();
- (_defined = defined) != null ? _defined : defined = [];
+ if (opts.inherits)
+ defined =
+ (_store$opts$inherits$ = store[opts.inherits].aliases) == null ?
+ void 0
+ : _store$opts$inherits$.slice();
+ (_defined = defined) != null ? _defined : (defined = []);
opts.aliases = defined;
}
- const additional = aliases.filter(a => !defined.includes(a));
+ const additional = aliases.filter((a) => !defined.includes(a));
defined.unshift(...additional);
return defineType(type, opts);
};
}
function defineType(type, opts = {}) {
- const inherits = opts.inherits && store[opts.inherits] || {};
+ const inherits = (opts.inherits && store[opts.inherits]) || {};
let fields = opts.fields;
if (!fields) {
@@ -273,14 +317,18 @@ function defineType(type, opts = {}) {
const field = inherits.fields[key];
const def = field.default;
- if (Array.isArray(def) ? def.length > 0 : def && typeof def === "object") {
- throw new Error("field defaults can only be primitives or empty arrays currently");
+ if (
+ Array.isArray(def) ? def.length > 0 : def && typeof def === 'object'
+ ) {
+ throw new Error(
+ 'field defaults can only be primitives or empty arrays currently'
+ );
}
fields[key] = {
default: Array.isArray(def) ? [] : def,
optional: field.optional,
- validate: field.validate
+ validate: field.validate,
};
}
}
@@ -328,7 +376,7 @@ function defineType(type, opts = {}) {
BUILDER_KEYS[type] = opts.builder = builder;
NODE_FIELDS[type] = opts.fields = fields;
ALIAS_KEYS[type] = opts.aliases = aliases;
- aliases.forEach(alias => {
+ aliases.forEach((alias) => {
FLIPPED_ALIAS_KEYS[alias] = FLIPPED_ALIAS_KEYS[alias] || [];
FLIPPED_ALIAS_KEYS[alias].push(type);
});
diff --git a/node_modules/@babel/types/lib/index-legacy.d.ts b/node_modules/@babel/types/lib/index-legacy.d.ts
index 3b1f599..bd7829e 100644
--- a/node_modules/@babel/types/lib/index-legacy.d.ts
+++ b/node_modules/@babel/types/lib/index-legacy.d.ts
@@ -6,15 +6,15 @@ interface BaseComment {
start: number;
end: number;
loc: SourceLocation;
- type: "CommentBlock" | "CommentLine";
+ type: 'CommentBlock' | 'CommentLine';
}
export interface CommentBlock extends BaseComment {
- type: "CommentBlock";
+ type: 'CommentBlock';
}
export interface CommentLine extends BaseComment {
- type: "CommentLine";
+ type: 'CommentLine';
}
export type Comment = CommentBlock | CommentLine;
@@ -38,119 +38,445 @@ interface BaseNode {
start: number | null;
end: number | null;
loc: SourceLocation | null;
- type: Node["type"];
+ type: Node['type'];
extra?: Record;
}
-export type Node = Accessor | AnyTypeAnnotation | ArgumentPlaceholder | ArrayExpression | ArrayPattern | ArrayTypeAnnotation | ArrowFunctionExpression | AssignmentExpression | AssignmentPattern | AwaitExpression | BigIntLiteral | Binary | BinaryExpression | BindExpression | Block | BlockParent | BlockStatement | BooleanLiteral | BooleanLiteralTypeAnnotation | BooleanTypeAnnotation | BreakStatement | CallExpression | CatchClause | Class | ClassAccessorProperty | ClassBody | ClassDeclaration | ClassExpression | ClassImplements | ClassMethod | ClassPrivateMethod | ClassPrivateProperty | ClassProperty | CompletionStatement | Conditional | ConditionalExpression | ContinueStatement | DebuggerStatement | DecimalLiteral | Declaration | DeclareClass | DeclareExportAllDeclaration | DeclareExportDeclaration | DeclareFunction | DeclareInterface | DeclareModule | DeclareModuleExports | DeclareOpaqueType | DeclareTypeAlias | DeclareVariable | DeclaredPredicate | Decorator | Directive | DirectiveLiteral | DoExpression | DoWhileStatement | EmptyStatement | EmptyTypeAnnotation | EnumBody | EnumBooleanBody | EnumBooleanMember | EnumDeclaration | EnumDefaultedMember | EnumMember | EnumNumberBody | EnumNumberMember | EnumStringBody | EnumStringMember | EnumSymbolBody | ExistsTypeAnnotation | ExportAllDeclaration | ExportDeclaration | ExportDefaultDeclaration | ExportDefaultSpecifier | ExportNamedDeclaration | ExportNamespaceSpecifier | ExportSpecifier | Expression | ExpressionStatement | ExpressionWrapper | File | Flow | FlowBaseAnnotation | FlowDeclaration | FlowPredicate | FlowType | For | ForInStatement | ForOfStatement | ForStatement | ForXStatement | Function | FunctionDeclaration | FunctionExpression | FunctionParent | FunctionTypeAnnotation | FunctionTypeParam | GenericTypeAnnotation | Identifier | IfStatement | Immutable | Import | ImportAttribute | ImportDeclaration | ImportDefaultSpecifier | ImportNamespaceSpecifier | ImportSpecifier | IndexedAccessType | InferredPredicate | InterfaceDeclaration | InterfaceExtends | InterfaceTypeAnnotation | InterpreterDirective | IntersectionTypeAnnotation | JSX | JSXAttribute | JSXClosingElement | JSXClosingFragment | JSXElement | JSXEmptyExpression | JSXExpressionContainer | JSXFragment | JSXIdentifier | JSXMemberExpression | JSXNamespacedName | JSXOpeningElement | JSXOpeningFragment | JSXSpreadAttribute | JSXSpreadChild | JSXText | LVal | LabeledStatement | Literal | LogicalExpression | Loop | MemberExpression | MetaProperty | Method | Miscellaneous | MixedTypeAnnotation | ModuleDeclaration | ModuleExpression | ModuleSpecifier | NewExpression | Noop | NullLiteral | NullLiteralTypeAnnotation | NullableTypeAnnotation | NumberLiteral | NumberLiteralTypeAnnotation | NumberTypeAnnotation | NumericLiteral | ObjectExpression | ObjectMember | ObjectMethod | ObjectPattern | ObjectProperty | ObjectTypeAnnotation | ObjectTypeCallProperty | ObjectTypeIndexer | ObjectTypeInternalSlot | ObjectTypeProperty | ObjectTypeSpreadProperty | OpaqueType | OptionalCallExpression | OptionalIndexedAccessType | OptionalMemberExpression | ParenthesizedExpression | Pattern | PatternLike | PipelineBareFunction | PipelinePrimaryTopicReference | PipelineTopicExpression | Placeholder | Private | PrivateName | Program | Property | Pureish | QualifiedTypeIdentifier | RecordExpression | RegExpLiteral | RegexLiteral | RestElement | RestProperty | ReturnStatement | Scopable | SequenceExpression | SpreadElement | SpreadProperty | Standardized | Statement | StaticBlock | StringLiteral | StringLiteralTypeAnnotation | StringTypeAnnotation | Super | SwitchCase | SwitchStatement | SymbolTypeAnnotation | TSAnyKeyword | TSArrayType | TSAsExpression | TSBaseType | TSBigIntKeyword | TSBooleanKeyword | TSCallSignatureDeclaration | TSConditionalType | TSConstructSignatureDeclaration | TSConstructorType | TSDeclareFunction | TSDeclareMethod | TSEntityName | TSEnumDeclaration | TSEnumMember | TSExportAssignment | TSExpressionWithTypeArguments | TSExternalModuleReference | TSFunctionType | TSImportEqualsDeclaration | TSImportType | TSIndexSignature | TSIndexedAccessType | TSInferType | TSInstantiationExpression | TSInterfaceBody | TSInterfaceDeclaration | TSIntersectionType | TSIntrinsicKeyword | TSLiteralType | TSMappedType | TSMethodSignature | TSModuleBlock | TSModuleDeclaration | TSNamedTupleMember | TSNamespaceExportDeclaration | TSNeverKeyword | TSNonNullExpression | TSNullKeyword | TSNumberKeyword | TSObjectKeyword | TSOptionalType | TSParameterProperty | TSParenthesizedType | TSPropertySignature | TSQualifiedName | TSRestType | TSStringKeyword | TSSymbolKeyword | TSThisType | TSTupleType | TSType | TSTypeAliasDeclaration | TSTypeAnnotation | TSTypeAssertion | TSTypeElement | TSTypeLiteral | TSTypeOperator | TSTypeParameter | TSTypeParameterDeclaration | TSTypeParameterInstantiation | TSTypePredicate | TSTypeQuery | TSTypeReference | TSUndefinedKeyword | TSUnionType | TSUnknownKeyword | TSVoidKeyword | TaggedTemplateExpression | TemplateElement | TemplateLiteral | Terminatorless | ThisExpression | ThisTypeAnnotation | ThrowStatement | TopicReference | TryStatement | TupleExpression | TupleTypeAnnotation | TypeAlias | TypeAnnotation | TypeCastExpression | TypeParameter | TypeParameterDeclaration | TypeParameterInstantiation | TypeScript | TypeofTypeAnnotation | UnaryExpression | UnaryLike | UnionTypeAnnotation | UpdateExpression | UserWhitespacable | V8IntrinsicIdentifier | VariableDeclaration | VariableDeclarator | Variance | VoidTypeAnnotation | While | WhileStatement | WithStatement | YieldExpression;
+export type Node =
+ | Accessor
+ | AnyTypeAnnotation
+ | ArgumentPlaceholder
+ | ArrayExpression
+ | ArrayPattern
+ | ArrayTypeAnnotation
+ | ArrowFunctionExpression
+ | AssignmentExpression
+ | AssignmentPattern
+ | AwaitExpression
+ | BigIntLiteral
+ | Binary
+ | BinaryExpression
+ | BindExpression
+ | Block
+ | BlockParent
+ | BlockStatement
+ | BooleanLiteral
+ | BooleanLiteralTypeAnnotation
+ | BooleanTypeAnnotation
+ | BreakStatement
+ | CallExpression
+ | CatchClause
+ | Class
+ | ClassAccessorProperty
+ | ClassBody
+ | ClassDeclaration
+ | ClassExpression
+ | ClassImplements
+ | ClassMethod
+ | ClassPrivateMethod
+ | ClassPrivateProperty
+ | ClassProperty
+ | CompletionStatement
+ | Conditional
+ | ConditionalExpression
+ | ContinueStatement
+ | DebuggerStatement
+ | DecimalLiteral
+ | Declaration
+ | DeclareClass
+ | DeclareExportAllDeclaration
+ | DeclareExportDeclaration
+ | DeclareFunction
+ | DeclareInterface
+ | DeclareModule
+ | DeclareModuleExports
+ | DeclareOpaqueType
+ | DeclareTypeAlias
+ | DeclareVariable
+ | DeclaredPredicate
+ | Decorator
+ | Directive
+ | DirectiveLiteral
+ | DoExpression
+ | DoWhileStatement
+ | EmptyStatement
+ | EmptyTypeAnnotation
+ | EnumBody
+ | EnumBooleanBody
+ | EnumBooleanMember
+ | EnumDeclaration
+ | EnumDefaultedMember
+ | EnumMember
+ | EnumNumberBody
+ | EnumNumberMember
+ | EnumStringBody
+ | EnumStringMember
+ | EnumSymbolBody
+ | ExistsTypeAnnotation
+ | ExportAllDeclaration
+ | ExportDeclaration
+ | ExportDefaultDeclaration
+ | ExportDefaultSpecifier
+ | ExportNamedDeclaration
+ | ExportNamespaceSpecifier
+ | ExportSpecifier
+ | Expression
+ | ExpressionStatement
+ | ExpressionWrapper
+ | File
+ | Flow
+ | FlowBaseAnnotation
+ | FlowDeclaration
+ | FlowPredicate
+ | FlowType
+ | For
+ | ForInStatement
+ | ForOfStatement
+ | ForStatement
+ | ForXStatement
+ | Function
+ | FunctionDeclaration
+ | FunctionExpression
+ | FunctionParent
+ | FunctionTypeAnnotation
+ | FunctionTypeParam
+ | GenericTypeAnnotation
+ | Identifier
+ | IfStatement
+ | Immutable
+ | Import
+ | ImportAttribute
+ | ImportDeclaration
+ | ImportDefaultSpecifier
+ | ImportNamespaceSpecifier
+ | ImportSpecifier
+ | IndexedAccessType
+ | InferredPredicate
+ | InterfaceDeclaration
+ | InterfaceExtends
+ | InterfaceTypeAnnotation
+ | InterpreterDirective
+ | IntersectionTypeAnnotation
+ | JSX
+ | JSXAttribute
+ | JSXClosingElement
+ | JSXClosingFragment
+ | JSXElement
+ | JSXEmptyExpression
+ | JSXExpressionContainer
+ | JSXFragment
+ | JSXIdentifier
+ | JSXMemberExpression
+ | JSXNamespacedName
+ | JSXOpeningElement
+ | JSXOpeningFragment
+ | JSXSpreadAttribute
+ | JSXSpreadChild
+ | JSXText
+ | LVal
+ | LabeledStatement
+ | Literal
+ | LogicalExpression
+ | Loop
+ | MemberExpression
+ | MetaProperty
+ | Method
+ | Miscellaneous
+ | MixedTypeAnnotation
+ | ModuleDeclaration
+ | ModuleExpression
+ | ModuleSpecifier
+ | NewExpression
+ | Noop
+ | NullLiteral
+ | NullLiteralTypeAnnotation
+ | NullableTypeAnnotation
+ | NumberLiteral
+ | NumberLiteralTypeAnnotation
+ | NumberTypeAnnotation
+ | NumericLiteral
+ | ObjectExpression
+ | ObjectMember
+ | ObjectMethod
+ | ObjectPattern
+ | ObjectProperty
+ | ObjectTypeAnnotation
+ | ObjectTypeCallProperty
+ | ObjectTypeIndexer
+ | ObjectTypeInternalSlot
+ | ObjectTypeProperty
+ | ObjectTypeSpreadProperty
+ | OpaqueType
+ | OptionalCallExpression
+ | OptionalIndexedAccessType
+ | OptionalMemberExpression
+ | ParenthesizedExpression
+ | Pattern
+ | PatternLike
+ | PipelineBareFunction
+ | PipelinePrimaryTopicReference
+ | PipelineTopicExpression
+ | Placeholder
+ | Private
+ | PrivateName
+ | Program
+ | Property
+ | Pureish
+ | QualifiedTypeIdentifier
+ | RecordExpression
+ | RegExpLiteral
+ | RegexLiteral
+ | RestElement
+ | RestProperty
+ | ReturnStatement
+ | Scopable
+ | SequenceExpression
+ | SpreadElement
+ | SpreadProperty
+ | Standardized
+ | Statement
+ | StaticBlock
+ | StringLiteral
+ | StringLiteralTypeAnnotation
+ | StringTypeAnnotation
+ | Super
+ | SwitchCase
+ | SwitchStatement
+ | SymbolTypeAnnotation
+ | TSAnyKeyword
+ | TSArrayType
+ | TSAsExpression
+ | TSBaseType
+ | TSBigIntKeyword
+ | TSBooleanKeyword
+ | TSCallSignatureDeclaration
+ | TSConditionalType
+ | TSConstructSignatureDeclaration
+ | TSConstructorType
+ | TSDeclareFunction
+ | TSDeclareMethod
+ | TSEntityName
+ | TSEnumDeclaration
+ | TSEnumMember
+ | TSExportAssignment
+ | TSExpressionWithTypeArguments
+ | TSExternalModuleReference
+ | TSFunctionType
+ | TSImportEqualsDeclaration
+ | TSImportType
+ | TSIndexSignature
+ | TSIndexedAccessType
+ | TSInferType
+ | TSInstantiationExpression
+ | TSInterfaceBody
+ | TSInterfaceDeclaration
+ | TSIntersectionType
+ | TSIntrinsicKeyword
+ | TSLiteralType
+ | TSMappedType
+ | TSMethodSignature
+ | TSModuleBlock
+ | TSModuleDeclaration
+ | TSNamedTupleMember
+ | TSNamespaceExportDeclaration
+ | TSNeverKeyword
+ | TSNonNullExpression
+ | TSNullKeyword
+ | TSNumberKeyword
+ | TSObjectKeyword
+ | TSOptionalType
+ | TSParameterProperty
+ | TSParenthesizedType
+ | TSPropertySignature
+ | TSQualifiedName
+ | TSRestType
+ | TSStringKeyword
+ | TSSymbolKeyword
+ | TSThisType
+ | TSTupleType
+ | TSType
+ | TSTypeAliasDeclaration
+ | TSTypeAnnotation
+ | TSTypeAssertion
+ | TSTypeElement
+ | TSTypeLiteral
+ | TSTypeOperator
+ | TSTypeParameter
+ | TSTypeParameterDeclaration
+ | TSTypeParameterInstantiation
+ | TSTypePredicate
+ | TSTypeQuery
+ | TSTypeReference
+ | TSUndefinedKeyword
+ | TSUnionType
+ | TSUnknownKeyword
+ | TSVoidKeyword
+ | TaggedTemplateExpression
+ | TemplateElement
+ | TemplateLiteral
+ | Terminatorless
+ | ThisExpression
+ | ThisTypeAnnotation
+ | ThrowStatement
+ | TopicReference
+ | TryStatement
+ | TupleExpression
+ | TupleTypeAnnotation
+ | TypeAlias
+ | TypeAnnotation
+ | TypeCastExpression
+ | TypeParameter
+ | TypeParameterDeclaration
+ | TypeParameterInstantiation
+ | TypeScript
+ | TypeofTypeAnnotation
+ | UnaryExpression
+ | UnaryLike
+ | UnionTypeAnnotation
+ | UpdateExpression
+ | UserWhitespacable
+ | V8IntrinsicIdentifier
+ | VariableDeclaration
+ | VariableDeclarator
+ | Variance
+ | VoidTypeAnnotation
+ | While
+ | WhileStatement
+ | WithStatement
+ | YieldExpression;
export interface ArrayExpression extends BaseNode {
- type: "ArrayExpression";
+ type: 'ArrayExpression';
elements: Array;
}
export interface AssignmentExpression extends BaseNode {
- type: "AssignmentExpression";
+ type: 'AssignmentExpression';
operator: string;
left: LVal;
right: Expression;
}
export interface BinaryExpression extends BaseNode {
- type: "BinaryExpression";
- operator: "+" | "-" | "/" | "%" | "*" | "**" | "&" | "|" | ">>" | ">>>" | "<<" | "^" | "==" | "===" | "!=" | "!==" | "in" | "instanceof" | ">" | "<" | ">=" | "<=" | "|>";
+ type: 'BinaryExpression';
+ operator:
+ | '+'
+ | '-'
+ | '/'
+ | '%'
+ | '*'
+ | '**'
+ | '&'
+ | '|'
+ | '>>'
+ | '>>>'
+ | '<<'
+ | '^'
+ | '=='
+ | '==='
+ | '!='
+ | '!=='
+ | 'in'
+ | 'instanceof'
+ | '>'
+ | '<'
+ | '>='
+ | '<='
+ | '|>';
left: Expression | PrivateName;
right: Expression;
}
export interface InterpreterDirective extends BaseNode {
- type: "InterpreterDirective";
+ type: 'InterpreterDirective';
value: string;
}
export interface Directive extends BaseNode {
- type: "Directive";
+ type: 'Directive';
value: DirectiveLiteral;
}
export interface DirectiveLiteral extends BaseNode {
- type: "DirectiveLiteral";
+ type: 'DirectiveLiteral';
value: string;
}
export interface BlockStatement extends BaseNode {
- type: "BlockStatement";
+ type: 'BlockStatement';
body: Array;
directives: Array;
}
export interface BreakStatement extends BaseNode {
- type: "BreakStatement";
+ type: 'BreakStatement';
label: Identifier | null;
}
export interface CallExpression extends BaseNode {
- type: "CallExpression";
+ type: 'CallExpression';
callee: Expression | Super | V8IntrinsicIdentifier;
- arguments: Array;
+ arguments: Array<
+ Expression | SpreadElement | JSXNamespacedName | ArgumentPlaceholder
+ >;
optional: true | false | null;
typeArguments: TypeParameterInstantiation | null;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface CatchClause extends BaseNode {
- type: "CatchClause";
+ type: 'CatchClause';
param: Identifier | ArrayPattern | ObjectPattern | null;
body: BlockStatement;
}
export interface ConditionalExpression extends BaseNode {
- type: "ConditionalExpression";
+ type: 'ConditionalExpression';
test: Expression;
consequent: Expression;
alternate: Expression;
}
export interface ContinueStatement extends BaseNode {
- type: "ContinueStatement";
+ type: 'ContinueStatement';
label: Identifier | null;
}
export interface DebuggerStatement extends BaseNode {
- type: "DebuggerStatement";
+ type: 'DebuggerStatement';
}
export interface DoWhileStatement extends BaseNode {
- type: "DoWhileStatement";
+ type: 'DoWhileStatement';
test: Expression;
body: Statement;
}
export interface EmptyStatement extends BaseNode {
- type: "EmptyStatement";
+ type: 'EmptyStatement';
}
export interface ExpressionStatement extends BaseNode {
- type: "ExpressionStatement";
+ type: 'ExpressionStatement';
expression: Expression;
}
export interface File extends BaseNode {
- type: "File";
+ type: 'File';
program: Program;
comments: Array | null;
tokens: Array | null;
}
export interface ForInStatement extends BaseNode {
- type: "ForInStatement";
+ type: 'ForInStatement';
left: VariableDeclaration | LVal;
right: Expression;
body: Statement;
}
export interface ForStatement extends BaseNode {
- type: "ForStatement";
+ type: 'ForStatement';
init: VariableDeclaration | Expression | null;
test: Expression | null;
update: Expression | null;
@@ -158,7 +484,7 @@ export interface ForStatement extends BaseNode {
}
export interface FunctionDeclaration extends BaseNode {
- type: "FunctionDeclaration";
+ type: 'FunctionDeclaration';
id: Identifier | null;
params: Array;
body: BlockStatement;
@@ -167,11 +493,15 @@ export interface FunctionDeclaration extends BaseNode {
declare: boolean | null;
predicate: DeclaredPredicate | InferredPredicate | null;
returnType: TypeAnnotation | TSTypeAnnotation | Noop | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface FunctionExpression extends BaseNode {
- type: "FunctionExpression";
+ type: 'FunctionExpression';
id: Identifier | null;
params: Array;
body: BlockStatement;
@@ -179,11 +509,15 @@ export interface FunctionExpression extends BaseNode {
async: boolean;
predicate: DeclaredPredicate | InferredPredicate | null;
returnType: TypeAnnotation | TSTypeAnnotation | Noop | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface Identifier extends BaseNode {
- type: "Identifier";
+ type: 'Identifier';
name: string;
decorators: Array | null;
optional: boolean | null;
@@ -191,52 +525,52 @@ export interface Identifier extends BaseNode {
}
export interface IfStatement extends BaseNode {
- type: "IfStatement";
+ type: 'IfStatement';
test: Expression;
consequent: Statement;
alternate: Statement | null;
}
export interface LabeledStatement extends BaseNode {
- type: "LabeledStatement";
+ type: 'LabeledStatement';
label: Identifier;
body: Statement;
}
export interface StringLiteral extends BaseNode {
- type: "StringLiteral";
+ type: 'StringLiteral';
value: string;
}
export interface NumericLiteral extends BaseNode {
- type: "NumericLiteral";
+ type: 'NumericLiteral';
value: number;
}
export interface NullLiteral extends BaseNode {
- type: "NullLiteral";
+ type: 'NullLiteral';
}
export interface BooleanLiteral extends BaseNode {
- type: "BooleanLiteral";
+ type: 'BooleanLiteral';
value: boolean;
}
export interface RegExpLiteral extends BaseNode {
- type: "RegExpLiteral";
+ type: 'RegExpLiteral';
pattern: string;
flags: string;
}
export interface LogicalExpression extends BaseNode {
- type: "LogicalExpression";
- operator: "||" | "&&" | "??";
+ type: 'LogicalExpression';
+ operator: '||' | '&&' | '??';
left: Expression;
right: Expression;
}
export interface MemberExpression extends BaseNode {
- type: "MemberExpression";
+ type: 'MemberExpression';
object: Expression | Super;
property: Expression | Identifier | PrivateName;
computed: boolean;
@@ -244,31 +578,33 @@ export interface MemberExpression extends BaseNode {
}
export interface NewExpression extends BaseNode {
- type: "NewExpression";
+ type: 'NewExpression';
callee: Expression | Super | V8IntrinsicIdentifier;
- arguments: Array;
+ arguments: Array<
+ Expression | SpreadElement | JSXNamespacedName | ArgumentPlaceholder
+ >;
optional: true | false | null;
typeArguments: TypeParameterInstantiation | null;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface Program extends BaseNode {
- type: "Program";
+ type: 'Program';
body: Array;
directives: Array;
- sourceType: "script" | "module";
+ sourceType: 'script' | 'module';
interpreter: InterpreterDirective | null;
sourceFile: string;
}
export interface ObjectExpression extends BaseNode {
- type: "ObjectExpression";
+ type: 'ObjectExpression';
properties: Array;
}
export interface ObjectMethod extends BaseNode {
- type: "ObjectMethod";
- kind: "method" | "get" | "set";
+ type: 'ObjectMethod';
+ kind: 'method' | 'get' | 'set';
key: Expression | Identifier | StringLiteral | NumericLiteral | BigIntLiteral;
params: Array;
body: BlockStatement;
@@ -277,12 +613,23 @@ export interface ObjectMethod extends BaseNode {
async: boolean;
decorators: Array | null;
returnType: TypeAnnotation | TSTypeAnnotation | Noop | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface ObjectProperty extends BaseNode {
- type: "ObjectProperty";
- key: Expression | Identifier | StringLiteral | NumericLiteral | BigIntLiteral | DecimalLiteral | PrivateName;
+ type: 'ObjectProperty';
+ key:
+ | Expression
+ | Identifier
+ | StringLiteral
+ | NumericLiteral
+ | BigIntLiteral
+ | DecimalLiteral
+ | PrivateName;
value: Expression | PatternLike;
computed: boolean;
shorthand: boolean;
@@ -290,7 +637,7 @@ export interface ObjectProperty extends BaseNode {
}
export interface RestElement extends BaseNode {
- type: "RestElement";
+ type: 'RestElement';
argument: LVal;
decorators: Array | null;
optional: boolean | null;
@@ -298,98 +645,105 @@ export interface RestElement extends BaseNode {
}
export interface ReturnStatement extends BaseNode {
- type: "ReturnStatement";
+ type: 'ReturnStatement';
argument: Expression | null;
}
export interface SequenceExpression extends BaseNode {
- type: "SequenceExpression";
+ type: 'SequenceExpression';
expressions: Array;
}
export interface ParenthesizedExpression extends BaseNode {
- type: "ParenthesizedExpression";
+ type: 'ParenthesizedExpression';
expression: Expression;
}
export interface SwitchCase extends BaseNode {
- type: "SwitchCase";
+ type: 'SwitchCase';
test: Expression | null;
consequent: Array;
}
export interface SwitchStatement extends BaseNode {
- type: "SwitchStatement";
+ type: 'SwitchStatement';
discriminant: Expression;
cases: Array;
}
export interface ThisExpression extends BaseNode {
- type: "ThisExpression";
+ type: 'ThisExpression';
}
export interface ThrowStatement extends BaseNode {
- type: "ThrowStatement";
+ type: 'ThrowStatement';
argument: Expression;
}
export interface TryStatement extends BaseNode {
- type: "TryStatement";
+ type: 'TryStatement';
block: BlockStatement;
handler: CatchClause | null;
finalizer: BlockStatement | null;
}
export interface UnaryExpression extends BaseNode {
- type: "UnaryExpression";
- operator: "void" | "throw" | "delete" | "!" | "+" | "-" | "~" | "typeof";
+ type: 'UnaryExpression';
+ operator: 'void' | 'throw' | 'delete' | '!' | '+' | '-' | '~' | 'typeof';
argument: Expression;
prefix: boolean;
}
export interface UpdateExpression extends BaseNode {
- type: "UpdateExpression";
- operator: "++" | "--";
+ type: 'UpdateExpression';
+ operator: '++' | '--';
argument: Expression;
prefix: boolean;
}
export interface VariableDeclaration extends BaseNode {
- type: "VariableDeclaration";
- kind: "var" | "let" | "const";
+ type: 'VariableDeclaration';
+ kind: 'var' | 'let' | 'const';
declarations: Array;
declare: boolean | null;
}
export interface VariableDeclarator extends BaseNode {
- type: "VariableDeclarator";
+ type: 'VariableDeclarator';
id: LVal;
init: Expression | null;
definite: boolean | null;
}
export interface WhileStatement extends BaseNode {
- type: "WhileStatement";
+ type: 'WhileStatement';
test: Expression;
body: Statement;
}
export interface WithStatement extends BaseNode {
- type: "WithStatement";
+ type: 'WithStatement';
object: Expression;
body: Statement;
}
export interface AssignmentPattern extends BaseNode {
- type: "AssignmentPattern";
- left: Identifier | ObjectPattern | ArrayPattern | MemberExpression | TSAsExpression | TSTypeAssertion | TSNonNullExpression;
+ type: 'AssignmentPattern';
+ left:
+ | Identifier
+ | ObjectPattern
+ | ArrayPattern
+ | MemberExpression
+ | TSAsExpression
+ | TSTypeAssertion
+ | TSNonNullExpression;
right: Expression;
decorators: Array | null;
typeAnnotation: TypeAnnotation | TSTypeAnnotation | Noop | null;
}
export interface ArrayPattern extends BaseNode {
- type: "ArrayPattern";
+ type: 'ArrayPattern';
elements: Array;
decorators: Array | null;
optional: boolean | null;
@@ -397,7 +751,7 @@ export interface ArrayPattern extends BaseNode {
}
export interface ArrowFunctionExpression extends BaseNode {
- type: "ArrowFunctionExpression";
+ type: 'ArrowFunctionExpression';
params: Array;
body: BlockStatement | Expression;
async: boolean;
@@ -405,28 +759,48 @@ export interface ArrowFunctionExpression extends BaseNode {
generator: boolean;
predicate: DeclaredPredicate | InferredPredicate | null;
returnType: TypeAnnotation | TSTypeAnnotation | Noop | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface ClassBody extends BaseNode {
- type: "ClassBody";
- body: Array;
+ type: 'ClassBody';
+ body: Array<
+ | ClassMethod
+ | ClassPrivateMethod
+ | ClassProperty
+ | ClassPrivateProperty
+ | ClassAccessorProperty
+ | TSDeclareMethod
+ | TSIndexSignature
+ | StaticBlock
+ >;
}
export interface ClassExpression extends BaseNode {
- type: "ClassExpression";
+ type: 'ClassExpression';
id: Identifier | null;
superClass: Expression | null;
body: ClassBody;
decorators: Array | null;
implements: Array | null;
mixins: InterfaceExtends | null;
- superTypeParameters: TypeParameterInstantiation | TSTypeParameterInstantiation | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ superTypeParameters:
+ | TypeParameterInstantiation
+ | TSTypeParameterInstantiation
+ | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface ClassDeclaration extends BaseNode {
- type: "ClassDeclaration";
+ type: 'ClassDeclaration';
id: Identifier;
superClass: Expression | null;
body: ClassBody;
@@ -435,41 +809,54 @@ export interface ClassDeclaration extends BaseNode {
declare: boolean | null;
implements: Array | null;
mixins: InterfaceExtends | null;
- superTypeParameters: TypeParameterInstantiation | TSTypeParameterInstantiation | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ superTypeParameters:
+ | TypeParameterInstantiation
+ | TSTypeParameterInstantiation
+ | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface ExportAllDeclaration extends BaseNode {
- type: "ExportAllDeclaration";
+ type: 'ExportAllDeclaration';
source: StringLiteral;
assertions: Array | null;
- exportKind: "type" | "value" | null;
+ exportKind: 'type' | 'value' | null;
}
export interface ExportDefaultDeclaration extends BaseNode {
- type: "ExportDefaultDeclaration";
- declaration: TSDeclareFunction | FunctionDeclaration | ClassDeclaration | Expression;
- exportKind: "value" | null;
+ type: 'ExportDefaultDeclaration';
+ declaration:
+ | TSDeclareFunction
+ | FunctionDeclaration
+ | ClassDeclaration
+ | Expression;
+ exportKind: 'value' | null;
}
export interface ExportNamedDeclaration extends BaseNode {
- type: "ExportNamedDeclaration";
+ type: 'ExportNamedDeclaration';
declaration: Declaration | null;
- specifiers: Array;
+ specifiers: Array<
+ ExportSpecifier | ExportDefaultSpecifier | ExportNamespaceSpecifier
+ >;
source: StringLiteral | null;
assertions: Array | null;
- exportKind: "type" | "value" | null;
+ exportKind: 'type' | 'value' | null;
}
export interface ExportSpecifier extends BaseNode {
- type: "ExportSpecifier";
+ type: 'ExportSpecifier';
local: Identifier;
exported: Identifier | StringLiteral;
- exportKind: "type" | "value" | null;
+ exportKind: 'type' | 'value' | null;
}
export interface ForOfStatement extends BaseNode {
- type: "ForOfStatement";
+ type: 'ForOfStatement';
left: VariableDeclaration | LVal;
right: Expression;
body: Statement;
@@ -477,39 +864,41 @@ export interface ForOfStatement extends BaseNode {
}
export interface ImportDeclaration extends BaseNode {
- type: "ImportDeclaration";
- specifiers: Array;
+ type: 'ImportDeclaration';
+ specifiers: Array<
+ ImportSpecifier | ImportDefaultSpecifier | ImportNamespaceSpecifier
+ >;
source: StringLiteral;
assertions: Array | null;
- importKind: "type" | "typeof" | "value" | null;
+ importKind: 'type' | 'typeof' | 'value' | null;
}
export interface ImportDefaultSpecifier extends BaseNode {
- type: "ImportDefaultSpecifier";
+ type: 'ImportDefaultSpecifier';
local: Identifier;
}
export interface ImportNamespaceSpecifier extends BaseNode {
- type: "ImportNamespaceSpecifier";
+ type: 'ImportNamespaceSpecifier';
local: Identifier;
}
export interface ImportSpecifier extends BaseNode {
- type: "ImportSpecifier";
+ type: 'ImportSpecifier';
local: Identifier;
imported: Identifier | StringLiteral;
- importKind: "type" | "typeof" | "value" | null;
+ importKind: 'type' | 'typeof' | 'value' | null;
}
export interface MetaProperty extends BaseNode {
- type: "MetaProperty";
+ type: 'MetaProperty';
meta: Identifier;
property: Identifier;
}
export interface ClassMethod extends BaseNode {
- type: "ClassMethod";
- kind: "get" | "set" | "method" | "constructor";
+ type: 'ClassMethod';
+ kind: 'get' | 'set' | 'method' | 'constructor';
key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression;
params: Array;
body: BlockStatement;
@@ -518,77 +907,84 @@ export interface ClassMethod extends BaseNode {
generator: boolean;
async: boolean;
abstract: boolean | null;
- access: "public" | "private" | "protected" | null;
- accessibility: "public" | "private" | "protected" | null;
+ access: 'public' | 'private' | 'protected' | null;
+ accessibility: 'public' | 'private' | 'protected' | null;
decorators: Array | null;
optional: boolean | null;
override: boolean;
returnType: TypeAnnotation | TSTypeAnnotation | Noop | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface ObjectPattern extends BaseNode {
- type: "ObjectPattern";
+ type: 'ObjectPattern';
properties: Array;
decorators: Array | null;
typeAnnotation: TypeAnnotation | TSTypeAnnotation | Noop | null;
}
export interface SpreadElement extends BaseNode {
- type: "SpreadElement";
+ type: 'SpreadElement';
argument: Expression;
}
export interface Super extends BaseNode {
- type: "Super";
+ type: 'Super';
}
export interface TaggedTemplateExpression extends BaseNode {
- type: "TaggedTemplateExpression";
+ type: 'TaggedTemplateExpression';
tag: Expression;
quasi: TemplateLiteral;
- typeParameters: TypeParameterInstantiation | TSTypeParameterInstantiation | null;
+ typeParameters:
+ | TypeParameterInstantiation
+ | TSTypeParameterInstantiation
+ | null;
}
export interface TemplateElement extends BaseNode {
- type: "TemplateElement";
- value: { raw: string, cooked?: string };
+ type: 'TemplateElement';
+ value: { raw: string; cooked?: string };
tail: boolean;
}
export interface TemplateLiteral extends BaseNode {
- type: "TemplateLiteral";
+ type: 'TemplateLiteral';
quasis: Array;
expressions: Array;
}
export interface YieldExpression extends BaseNode {
- type: "YieldExpression";
+ type: 'YieldExpression';
argument: Expression | null;
delegate: boolean;
}
export interface AwaitExpression extends BaseNode {
- type: "AwaitExpression";
+ type: 'AwaitExpression';
argument: Expression;
}
export interface Import extends BaseNode {
- type: "Import";
+ type: 'Import';
}
export interface BigIntLiteral extends BaseNode {
- type: "BigIntLiteral";
+ type: 'BigIntLiteral';
value: string;
}
export interface ExportNamespaceSpecifier extends BaseNode {
- type: "ExportNamespaceSpecifier";
+ type: 'ExportNamespaceSpecifier';
exported: Identifier;
}
export interface OptionalMemberExpression extends BaseNode {
- type: "OptionalMemberExpression";
+ type: 'OptionalMemberExpression';
object: Expression;
property: Expression | Identifier;
computed: boolean;
@@ -596,16 +992,18 @@ export interface OptionalMemberExpression extends BaseNode {
}
export interface OptionalCallExpression extends BaseNode {
- type: "OptionalCallExpression";
+ type: 'OptionalCallExpression';
callee: Expression;
- arguments: Array;
+ arguments: Array<
+ Expression | SpreadElement | JSXNamespacedName | ArgumentPlaceholder
+ >;
optional: boolean;
typeArguments: TypeParameterInstantiation | null;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface ClassProperty extends BaseNode {
- type: "ClassProperty";
+ type: 'ClassProperty';
key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression;
value: Expression | null;
typeAnnotation: TypeAnnotation | TSTypeAnnotation | Noop | null;
@@ -613,7 +1011,7 @@ export interface ClassProperty extends BaseNode {
computed: boolean;
static: boolean;
abstract: boolean | null;
- accessibility: "public" | "private" | "protected" | null;
+ accessibility: 'public' | 'private' | 'protected' | null;
declare: boolean | null;
definite: boolean | null;
optional: boolean | null;
@@ -623,15 +1021,21 @@ export interface ClassProperty extends BaseNode {
}
export interface ClassAccessorProperty extends BaseNode {
- type: "ClassAccessorProperty";
- key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression | PrivateName;
+ type: 'ClassAccessorProperty';
+ key:
+ | Identifier
+ | StringLiteral
+ | NumericLiteral
+ | BigIntLiteral
+ | Expression
+ | PrivateName;
value: Expression | null;
typeAnnotation: TypeAnnotation | TSTypeAnnotation | Noop | null;
decorators: Array | null;
computed: boolean;
static: boolean;
abstract: boolean | null;
- accessibility: "public" | "private" | "protected" | null;
+ accessibility: 'public' | 'private' | 'protected' | null;
declare: boolean | null;
definite: boolean | null;
optional: boolean | null;
@@ -641,7 +1045,7 @@ export interface ClassAccessorProperty extends BaseNode {
}
export interface ClassPrivateProperty extends BaseNode {
- type: "ClassPrivateProperty";
+ type: 'ClassPrivateProperty';
key: PrivateName;
value: Expression | null;
decorators: Array | null;
@@ -653,15 +1057,15 @@ export interface ClassPrivateProperty extends BaseNode {
}
export interface ClassPrivateMethod extends BaseNode {
- type: "ClassPrivateMethod";
- kind: "get" | "set" | "method";
+ type: 'ClassPrivateMethod';
+ kind: 'get' | 'set' | 'method';
key: PrivateName;
params: Array;
body: BlockStatement;
static: boolean;
abstract: boolean | null;
- access: "public" | "private" | "protected" | null;
- accessibility: "public" | "private" | "protected" | null;
+ access: 'public' | 'private' | 'protected' | null;
+ accessibility: 'public' | 'private' | 'protected' | null;
async: boolean;
computed: boolean;
decorators: Array | null;
@@ -669,49 +1073,53 @@ export interface ClassPrivateMethod extends BaseNode {
optional: boolean | null;
override: boolean;
returnType: TypeAnnotation | TSTypeAnnotation | Noop | null;
- typeParameters: TypeParameterDeclaration | TSTypeParameterDeclaration | Noop | null;
+ typeParameters:
+ | TypeParameterDeclaration
+ | TSTypeParameterDeclaration
+ | Noop
+ | null;
}
export interface PrivateName extends BaseNode {
- type: "PrivateName";
+ type: 'PrivateName';
id: Identifier;
}
export interface StaticBlock extends BaseNode {
- type: "StaticBlock";
+ type: 'StaticBlock';
body: Array;
}
export interface AnyTypeAnnotation extends BaseNode {
- type: "AnyTypeAnnotation";
+ type: 'AnyTypeAnnotation';
}
export interface ArrayTypeAnnotation extends BaseNode {
- type: "ArrayTypeAnnotation";
+ type: 'ArrayTypeAnnotation';
elementType: FlowType;
}
export interface BooleanTypeAnnotation extends BaseNode {
- type: "BooleanTypeAnnotation";
+ type: 'BooleanTypeAnnotation';
}
export interface BooleanLiteralTypeAnnotation extends BaseNode {
- type: "BooleanLiteralTypeAnnotation";
+ type: 'BooleanLiteralTypeAnnotation';
value: boolean;
}
export interface NullLiteralTypeAnnotation extends BaseNode {
- type: "NullLiteralTypeAnnotation";
+ type: 'NullLiteralTypeAnnotation';
}
export interface ClassImplements extends BaseNode {
- type: "ClassImplements";
+ type: 'ClassImplements';
id: Identifier;
typeParameters: TypeParameterInstantiation | null;
}
export interface DeclareClass extends BaseNode {
- type: "DeclareClass";
+ type: 'DeclareClass';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
extends: Array | null;
@@ -721,13 +1129,13 @@ export interface DeclareClass extends BaseNode {
}
export interface DeclareFunction extends BaseNode {
- type: "DeclareFunction";
+ type: 'DeclareFunction';
id: Identifier;
predicate: DeclaredPredicate | null;
}
export interface DeclareInterface extends BaseNode {
- type: "DeclareInterface";
+ type: 'DeclareInterface';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
extends: Array | null;
@@ -737,26 +1145,26 @@ export interface DeclareInterface extends BaseNode {
}
export interface DeclareModule extends BaseNode {
- type: "DeclareModule";
+ type: 'DeclareModule';
id: Identifier | StringLiteral;
body: BlockStatement;
- kind: "CommonJS" | "ES" | null;
+ kind: 'CommonJS' | 'ES' | null;
}
export interface DeclareModuleExports extends BaseNode {
- type: "DeclareModuleExports";
+ type: 'DeclareModuleExports';
typeAnnotation: TypeAnnotation;
}
export interface DeclareTypeAlias extends BaseNode {
- type: "DeclareTypeAlias";
+ type: 'DeclareTypeAlias';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
right: FlowType;
}
export interface DeclareOpaqueType extends BaseNode {
- type: "DeclareOpaqueType";
+ type: 'DeclareOpaqueType';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
supertype: FlowType | null;
@@ -764,12 +1172,12 @@ export interface DeclareOpaqueType extends BaseNode {
}
export interface DeclareVariable extends BaseNode {
- type: "DeclareVariable";
+ type: 'DeclareVariable';
id: Identifier;
}
export interface DeclareExportDeclaration extends BaseNode {
- type: "DeclareExportDeclaration";
+ type: 'DeclareExportDeclaration';
declaration: Flow | null;
specifiers: Array | null;
source: StringLiteral | null;
@@ -777,22 +1185,22 @@ export interface DeclareExportDeclaration extends BaseNode {
}
export interface DeclareExportAllDeclaration extends BaseNode {
- type: "DeclareExportAllDeclaration";
+ type: 'DeclareExportAllDeclaration';
source: StringLiteral;
- exportKind: "type" | "value" | null;
+ exportKind: 'type' | 'value' | null;
}
export interface DeclaredPredicate extends BaseNode {
- type: "DeclaredPredicate";
+ type: 'DeclaredPredicate';
value: Flow;
}
export interface ExistsTypeAnnotation extends BaseNode {
- type: "ExistsTypeAnnotation";
+ type: 'ExistsTypeAnnotation';
}
export interface FunctionTypeAnnotation extends BaseNode {
- type: "FunctionTypeAnnotation";
+ type: 'FunctionTypeAnnotation';
typeParameters: TypeParameterDeclaration | null;
params: Array;
rest: FunctionTypeParam | null;
@@ -801,30 +1209,30 @@ export interface FunctionTypeAnnotation extends BaseNode {
}
export interface FunctionTypeParam extends BaseNode {
- type: "FunctionTypeParam";
+ type: 'FunctionTypeParam';
name: Identifier | null;
typeAnnotation: FlowType;
optional: boolean | null;
}
export interface GenericTypeAnnotation extends BaseNode {
- type: "GenericTypeAnnotation";
+ type: 'GenericTypeAnnotation';
id: Identifier | QualifiedTypeIdentifier;
typeParameters: TypeParameterInstantiation | null;
}
export interface InferredPredicate extends BaseNode {
- type: "InferredPredicate";
+ type: 'InferredPredicate';
}
export interface InterfaceExtends extends BaseNode {
- type: "InterfaceExtends";
+ type: 'InterfaceExtends';
id: Identifier | QualifiedTypeIdentifier;
typeParameters: TypeParameterInstantiation | null;
}
export interface InterfaceDeclaration extends BaseNode {
- type: "InterfaceDeclaration";
+ type: 'InterfaceDeclaration';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
extends: Array | null;
@@ -834,40 +1242,40 @@ export interface InterfaceDeclaration extends BaseNode {
}
export interface InterfaceTypeAnnotation extends BaseNode {
- type: "InterfaceTypeAnnotation";
+ type: 'InterfaceTypeAnnotation';
extends: Array | null;
body: ObjectTypeAnnotation;
}
export interface IntersectionTypeAnnotation extends BaseNode {
- type: "IntersectionTypeAnnotation";
+ type: 'IntersectionTypeAnnotation';
types: Array;
}
export interface MixedTypeAnnotation extends BaseNode {
- type: "MixedTypeAnnotation";
+ type: 'MixedTypeAnnotation';
}
export interface EmptyTypeAnnotation extends BaseNode {
- type: "EmptyTypeAnnotation";
+ type: 'EmptyTypeAnnotation';
}
export interface NullableTypeAnnotation extends BaseNode {
- type: "NullableTypeAnnotation";
+ type: 'NullableTypeAnnotation';
typeAnnotation: FlowType;
}
export interface NumberLiteralTypeAnnotation extends BaseNode {
- type: "NumberLiteralTypeAnnotation";
+ type: 'NumberLiteralTypeAnnotation';
value: number;
}
export interface NumberTypeAnnotation extends BaseNode {
- type: "NumberTypeAnnotation";
+ type: 'NumberTypeAnnotation';
}
export interface ObjectTypeAnnotation extends BaseNode {
- type: "ObjectTypeAnnotation";
+ type: 'ObjectTypeAnnotation';
properties: Array;
indexers: Array;
callProperties: Array;
@@ -877,7 +1285,7 @@ export interface ObjectTypeAnnotation extends BaseNode {
}
export interface ObjectTypeInternalSlot extends BaseNode {
- type: "ObjectTypeInternalSlot";
+ type: 'ObjectTypeInternalSlot';
id: Identifier;
value: FlowType;
optional: boolean;
@@ -886,13 +1294,13 @@ export interface ObjectTypeInternalSlot extends BaseNode {
}
export interface ObjectTypeCallProperty extends BaseNode {
- type: "ObjectTypeCallProperty";
+ type: 'ObjectTypeCallProperty';
value: FlowType;
static: boolean;
}
export interface ObjectTypeIndexer extends BaseNode {
- type: "ObjectTypeIndexer";
+ type: 'ObjectTypeIndexer';
id: Identifier | null;
key: FlowType;
value: FlowType;
@@ -901,11 +1309,11 @@ export interface ObjectTypeIndexer extends BaseNode {
}
export interface ObjectTypeProperty extends BaseNode {
- type: "ObjectTypeProperty";
+ type: 'ObjectTypeProperty';
key: Identifier | StringLiteral;
value: FlowType;
variance: Variance | null;
- kind: "init" | "get" | "set";
+ kind: 'init' | 'get' | 'set';
method: boolean;
optional: boolean;
proto: boolean;
@@ -913,12 +1321,12 @@ export interface ObjectTypeProperty extends BaseNode {
}
export interface ObjectTypeSpreadProperty extends BaseNode {
- type: "ObjectTypeSpreadProperty";
+ type: 'ObjectTypeSpreadProperty';
argument: FlowType;
}
export interface OpaqueType extends BaseNode {
- type: "OpaqueType";
+ type: 'OpaqueType';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
supertype: FlowType | null;
@@ -926,58 +1334,58 @@ export interface OpaqueType extends BaseNode {
}
export interface QualifiedTypeIdentifier extends BaseNode {
- type: "QualifiedTypeIdentifier";
+ type: 'QualifiedTypeIdentifier';
id: Identifier;
qualification: Identifier | QualifiedTypeIdentifier;
}
export interface StringLiteralTypeAnnotation extends BaseNode {
- type: "StringLiteralTypeAnnotation";
+ type: 'StringLiteralTypeAnnotation';
value: string;
}
export interface StringTypeAnnotation extends BaseNode {
- type: "StringTypeAnnotation";
+ type: 'StringTypeAnnotation';
}
export interface SymbolTypeAnnotation extends BaseNode {
- type: "SymbolTypeAnnotation";
+ type: 'SymbolTypeAnnotation';
}
export interface ThisTypeAnnotation extends BaseNode {
- type: "ThisTypeAnnotation";
+ type: 'ThisTypeAnnotation';
}
export interface TupleTypeAnnotation extends BaseNode {
- type: "TupleTypeAnnotation";
+ type: 'TupleTypeAnnotation';
types: Array;
}
export interface TypeofTypeAnnotation extends BaseNode {
- type: "TypeofTypeAnnotation";
+ type: 'TypeofTypeAnnotation';
argument: FlowType;
}
export interface TypeAlias extends BaseNode {
- type: "TypeAlias";
+ type: 'TypeAlias';
id: Identifier;
typeParameters: TypeParameterDeclaration | null;
right: FlowType;
}
export interface TypeAnnotation extends BaseNode {
- type: "TypeAnnotation";
+ type: 'TypeAnnotation';
typeAnnotation: FlowType;
}
export interface TypeCastExpression extends BaseNode {
- type: "TypeCastExpression";
+ type: 'TypeCastExpression';
expression: Expression;
typeAnnotation: TypeAnnotation;
}
export interface TypeParameter extends BaseNode {
- type: "TypeParameter";
+ type: 'TypeParameter';
bound: TypeAnnotation | null;
default: FlowType | null;
variance: Variance | null;
@@ -985,277 +1393,297 @@ export interface TypeParameter extends BaseNode {
}
export interface TypeParameterDeclaration extends BaseNode {
- type: "TypeParameterDeclaration";
+ type: 'TypeParameterDeclaration';
params: Array;
}
export interface TypeParameterInstantiation extends BaseNode {
- type: "TypeParameterInstantiation";
+ type: 'TypeParameterInstantiation';
params: Array;
}
export interface UnionTypeAnnotation extends BaseNode {
- type: "UnionTypeAnnotation";
+ type: 'UnionTypeAnnotation';
types: Array;
}
export interface Variance extends BaseNode {
- type: "Variance";
- kind: "minus" | "plus";
+ type: 'Variance';
+ kind: 'minus' | 'plus';
}
export interface VoidTypeAnnotation extends BaseNode {
- type: "VoidTypeAnnotation";
+ type: 'VoidTypeAnnotation';
}
export interface EnumDeclaration extends BaseNode {
- type: "EnumDeclaration";
+ type: 'EnumDeclaration';
id: Identifier;
body: EnumBooleanBody | EnumNumberBody | EnumStringBody | EnumSymbolBody;
}
export interface EnumBooleanBody extends BaseNode {
- type: "EnumBooleanBody";
+ type: 'EnumBooleanBody';
members: Array;
explicitType: boolean;
hasUnknownMembers: boolean;
}
export interface EnumNumberBody extends BaseNode {
- type: "EnumNumberBody";
+ type: 'EnumNumberBody';
members: Array;
explicitType: boolean;
hasUnknownMembers: boolean;
}
export interface EnumStringBody extends BaseNode {
- type: "EnumStringBody";
+ type: 'EnumStringBody';
members: Array;
explicitType: boolean;
hasUnknownMembers: boolean;
}
export interface EnumSymbolBody extends BaseNode {
- type: "EnumSymbolBody";
+ type: 'EnumSymbolBody';
members: Array;
hasUnknownMembers: boolean;
}
export interface EnumBooleanMember extends BaseNode {
- type: "EnumBooleanMember";
+ type: 'EnumBooleanMember';
id: Identifier;
init: BooleanLiteral;
}
export interface EnumNumberMember extends BaseNode {
- type: "EnumNumberMember";
+ type: 'EnumNumberMember';
id: Identifier;
init: NumericLiteral;
}
export interface EnumStringMember extends BaseNode {
- type: "EnumStringMember";
+ type: 'EnumStringMember';
id: Identifier;
init: StringLiteral;
}
export interface EnumDefaultedMember extends BaseNode {
- type: "EnumDefaultedMember";
+ type: 'EnumDefaultedMember';
id: Identifier;
}
export interface IndexedAccessType extends BaseNode {
- type: "IndexedAccessType";
+ type: 'IndexedAccessType';
objectType: FlowType;
indexType: FlowType;
}
export interface OptionalIndexedAccessType extends BaseNode {
- type: "OptionalIndexedAccessType";
+ type: 'OptionalIndexedAccessType';
objectType: FlowType;
indexType: FlowType;
optional: boolean;
}
export interface JSXAttribute extends BaseNode {
- type: "JSXAttribute";
+ type: 'JSXAttribute';
name: JSXIdentifier | JSXNamespacedName;
- value: JSXElement | JSXFragment | StringLiteral | JSXExpressionContainer | null;
+ value:
+ | JSXElement
+ | JSXFragment
+ | StringLiteral
+ | JSXExpressionContainer
+ | null;
}
export interface JSXClosingElement extends BaseNode {
- type: "JSXClosingElement";
+ type: 'JSXClosingElement';
name: JSXIdentifier | JSXMemberExpression | JSXNamespacedName;
}
export interface JSXElement extends BaseNode {
- type: "JSXElement";
+ type: 'JSXElement';
openingElement: JSXOpeningElement;
closingElement: JSXClosingElement | null;
- children: Array;
+ children: Array<
+ JSXText | JSXExpressionContainer | JSXSpreadChild | JSXElement | JSXFragment
+ >;
selfClosing: boolean | null;
}
export interface JSXEmptyExpression extends BaseNode {
- type: "JSXEmptyExpression";
+ type: 'JSXEmptyExpression';
}
export interface JSXExpressionContainer extends BaseNode {
- type: "JSXExpressionContainer";
+ type: 'JSXExpressionContainer';
expression: Expression | JSXEmptyExpression;
}
export interface JSXSpreadChild extends BaseNode {
- type: "JSXSpreadChild";
+ type: 'JSXSpreadChild';
expression: Expression;
}
export interface JSXIdentifier extends BaseNode {
- type: "JSXIdentifier";
+ type: 'JSXIdentifier';
name: string;
}
export interface JSXMemberExpression extends BaseNode {
- type: "JSXMemberExpression";
+ type: 'JSXMemberExpression';
object: JSXMemberExpression | JSXIdentifier;
property: JSXIdentifier;
}
export interface JSXNamespacedName extends BaseNode {
- type: "JSXNamespacedName";
+ type: 'JSXNamespacedName';
namespace: JSXIdentifier;
name: JSXIdentifier;
}
export interface JSXOpeningElement extends BaseNode {
- type: "JSXOpeningElement";
+ type: 'JSXOpeningElement';
name: JSXIdentifier | JSXMemberExpression | JSXNamespacedName;
attributes: Array;
selfClosing: boolean;
- typeParameters: TypeParameterInstantiation | TSTypeParameterInstantiation | null;
+ typeParameters:
+ | TypeParameterInstantiation
+ | TSTypeParameterInstantiation
+ | null;
}
export interface JSXSpreadAttribute extends BaseNode {
- type: "JSXSpreadAttribute";
+ type: 'JSXSpreadAttribute';
argument: Expression;
}
export interface JSXText extends BaseNode {
- type: "JSXText";
+ type: 'JSXText';
value: string;
}
export interface JSXFragment extends BaseNode {
- type: "JSXFragment";
+ type: 'JSXFragment';
openingFragment: JSXOpeningFragment;
closingFragment: JSXClosingFragment;
- children: Array;
+ children: Array<
+ JSXText | JSXExpressionContainer | JSXSpreadChild | JSXElement | JSXFragment
+ >;
}
export interface JSXOpeningFragment extends BaseNode {
- type: "JSXOpeningFragment";
+ type: 'JSXOpeningFragment';
}
export interface JSXClosingFragment extends BaseNode {
- type: "JSXClosingFragment";
+ type: 'JSXClosingFragment';
}
export interface Noop extends BaseNode {
- type: "Noop";
+ type: 'Noop';
}
export interface Placeholder extends BaseNode {
- type: "Placeholder";
- expectedNode: "Identifier" | "StringLiteral" | "Expression" | "Statement" | "Declaration" | "BlockStatement" | "ClassBody" | "Pattern";
+ type: 'Placeholder';
+ expectedNode:
+ | 'Identifier'
+ | 'StringLiteral'
+ | 'Expression'
+ | 'Statement'
+ | 'Declaration'
+ | 'BlockStatement'
+ | 'ClassBody'
+ | 'Pattern';
name: Identifier;
}
export interface V8IntrinsicIdentifier extends BaseNode {
- type: "V8IntrinsicIdentifier";
+ type: 'V8IntrinsicIdentifier';
name: string;
}
export interface ArgumentPlaceholder extends BaseNode {
- type: "ArgumentPlaceholder";
+ type: 'ArgumentPlaceholder';
}
export interface BindExpression extends BaseNode {
- type: "BindExpression";
+ type: 'BindExpression';
object: Expression;
callee: Expression;
}
export interface ImportAttribute extends BaseNode {
- type: "ImportAttribute";
+ type: 'ImportAttribute';
key: Identifier | StringLiteral;
value: StringLiteral;
}
export interface Decorator extends BaseNode {
- type: "Decorator";
+ type: 'Decorator';
expression: Expression;
}
export interface DoExpression extends BaseNode {
- type: "DoExpression";
+ type: 'DoExpression';
body: BlockStatement;
async: boolean;
}
export interface ExportDefaultSpecifier extends BaseNode {
- type: "ExportDefaultSpecifier";
+ type: 'ExportDefaultSpecifier';
exported: Identifier;
}
export interface RecordExpression extends BaseNode {
- type: "RecordExpression";
+ type: 'RecordExpression';
properties: Array;
}
export interface TupleExpression extends BaseNode {
- type: "TupleExpression";
+ type: 'TupleExpression';
elements: Array;
}
export interface DecimalLiteral extends BaseNode {
- type: "DecimalLiteral";
+ type: 'DecimalLiteral';
value: string;
}
export interface ModuleExpression extends BaseNode {
- type: "ModuleExpression";
+ type: 'ModuleExpression';
body: Program;
}
export interface TopicReference extends BaseNode {
- type: "TopicReference";
+ type: 'TopicReference';
}
export interface PipelineTopicExpression extends BaseNode {
- type: "PipelineTopicExpression";
+ type: 'PipelineTopicExpression';
expression: Expression;
}
export interface PipelineBareFunction extends BaseNode {
- type: "PipelineBareFunction";
+ type: 'PipelineBareFunction';
callee: Expression;
}
export interface PipelinePrimaryTopicReference extends BaseNode {
- type: "PipelinePrimaryTopicReference";
+ type: 'PipelinePrimaryTopicReference';
}
export interface TSParameterProperty extends BaseNode {
- type: "TSParameterProperty";
+ type: 'TSParameterProperty';
parameter: Identifier | AssignmentPattern;
- accessibility: "public" | "private" | "protected" | null;
+ accessibility: 'public' | 'private' | 'protected' | null;
decorators: Array | null;
override: boolean | null;
readonly: boolean | null;
}
export interface TSDeclareFunction extends BaseNode {
- type: "TSDeclareFunction";
+ type: 'TSDeclareFunction';
id: Identifier | null;
typeParameters: TSTypeParameterDeclaration | Noop | null;
params: Array;
@@ -1266,68 +1694,68 @@ export interface TSDeclareFunction extends BaseNode {
}
export interface TSDeclareMethod extends BaseNode {
- type: "TSDeclareMethod";
+ type: 'TSDeclareMethod';
decorators: Array | null;
key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression;
typeParameters: TSTypeParameterDeclaration | Noop | null;
params: Array;
returnType: TSTypeAnnotation | Noop | null;
abstract: boolean | null;
- access: "public" | "private" | "protected" | null;
- accessibility: "public" | "private" | "protected" | null;
+ access: 'public' | 'private' | 'protected' | null;
+ accessibility: 'public' | 'private' | 'protected' | null;
async: boolean;
computed: boolean;
generator: boolean;
- kind: "get" | "set" | "method" | "constructor";
+ kind: 'get' | 'set' | 'method' | 'constructor';
optional: boolean | null;
override: boolean;
static: boolean;
}
export interface TSQualifiedName extends BaseNode {
- type: "TSQualifiedName";
+ type: 'TSQualifiedName';
left: TSEntityName;
right: Identifier;
}
export interface TSCallSignatureDeclaration extends BaseNode {
- type: "TSCallSignatureDeclaration";
+ type: 'TSCallSignatureDeclaration';
typeParameters: TSTypeParameterDeclaration | null;
parameters: Array;
typeAnnotation: TSTypeAnnotation | null;
}
export interface TSConstructSignatureDeclaration extends BaseNode {
- type: "TSConstructSignatureDeclaration";
+ type: 'TSConstructSignatureDeclaration';
typeParameters: TSTypeParameterDeclaration | null;
parameters: Array;
typeAnnotation: TSTypeAnnotation | null;
}
export interface TSPropertySignature extends BaseNode {
- type: "TSPropertySignature";
+ type: 'TSPropertySignature';
key: Expression;
typeAnnotation: TSTypeAnnotation | null;
initializer: Expression | null;
computed: boolean;
- kind: "get" | "set";
+ kind: 'get' | 'set';
optional: boolean | null;
readonly: boolean | null;
}
export interface TSMethodSignature extends BaseNode {
- type: "TSMethodSignature";
+ type: 'TSMethodSignature';
key: Expression;
typeParameters: TSTypeParameterDeclaration | null;
parameters: Array;
typeAnnotation: TSTypeAnnotation | null;
computed: boolean;
- kind: "method" | "get" | "set";
+ kind: 'method' | 'get' | 'set';
optional: boolean | null;
}
export interface TSIndexSignature extends BaseNode {
- type: "TSIndexSignature";
+ type: 'TSIndexSignature';
parameters: Array;
typeAnnotation: TSTypeAnnotation | null;
readonly: boolean | null;
@@ -1335,70 +1763,70 @@ export interface TSIndexSignature extends BaseNode {
}
export interface TSAnyKeyword extends BaseNode {
- type: "TSAnyKeyword";
+ type: 'TSAnyKeyword';
}
export interface TSBooleanKeyword extends BaseNode {
- type: "TSBooleanKeyword";
+ type: 'TSBooleanKeyword';
}
export interface TSBigIntKeyword extends BaseNode {
- type: "TSBigIntKeyword";
+ type: 'TSBigIntKeyword';
}
export interface TSIntrinsicKeyword extends BaseNode {
- type: "TSIntrinsicKeyword";
+ type: 'TSIntrinsicKeyword';
}
export interface TSNeverKeyword extends BaseNode {
- type: "TSNeverKeyword";
+ type: 'TSNeverKeyword';
}
export interface TSNullKeyword extends BaseNode {
- type: "TSNullKeyword";
+ type: 'TSNullKeyword';
}
export interface TSNumberKeyword extends BaseNode {
- type: "TSNumberKeyword";
+ type: 'TSNumberKeyword';
}
export interface TSObjectKeyword extends BaseNode {
- type: "TSObjectKeyword";
+ type: 'TSObjectKeyword';
}
export interface TSStringKeyword extends BaseNode {
- type: "TSStringKeyword";
+ type: 'TSStringKeyword';
}
export interface TSSymbolKeyword extends BaseNode {
- type: "TSSymbolKeyword";
+ type: 'TSSymbolKeyword';
}
export interface TSUndefinedKeyword extends BaseNode {
- type: "TSUndefinedKeyword";
+ type: 'TSUndefinedKeyword';
}
export interface TSUnknownKeyword extends BaseNode {
- type: "TSUnknownKeyword";
+ type: 'TSUnknownKeyword';
}
export interface TSVoidKeyword extends BaseNode {
- type: "TSVoidKeyword";
+ type: 'TSVoidKeyword';
}
export interface TSThisType extends BaseNode {
- type: "TSThisType";
+ type: 'TSThisType';
}
export interface TSFunctionType extends BaseNode {
- type: "TSFunctionType";
+ type: 'TSFunctionType';
typeParameters: TSTypeParameterDeclaration | null;
parameters: Array;
typeAnnotation: TSTypeAnnotation | null;
}
export interface TSConstructorType extends BaseNode {
- type: "TSConstructorType";
+ type: 'TSConstructorType';
typeParameters: TSTypeParameterDeclaration | null;
parameters: Array;
typeAnnotation: TSTypeAnnotation | null;
@@ -1406,68 +1834,68 @@ export interface TSConstructorType extends BaseNode {
}
export interface TSTypeReference extends BaseNode {
- type: "TSTypeReference";
+ type: 'TSTypeReference';
typeName: TSEntityName;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface TSTypePredicate extends BaseNode {
- type: "TSTypePredicate";
+ type: 'TSTypePredicate';
parameterName: Identifier | TSThisType;
typeAnnotation: TSTypeAnnotation | null;
asserts: boolean | null;
}
export interface TSTypeQuery extends BaseNode {
- type: "TSTypeQuery";
+ type: 'TSTypeQuery';
exprName: TSEntityName | TSImportType;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface TSTypeLiteral extends BaseNode {
- type: "TSTypeLiteral";
+ type: 'TSTypeLiteral';
members: Array;
}
export interface TSArrayType extends BaseNode {
- type: "TSArrayType";
+ type: 'TSArrayType';
elementType: TSType;
}
export interface TSTupleType extends BaseNode {
- type: "TSTupleType";
+ type: 'TSTupleType';
elementTypes: Array;
}
export interface TSOptionalType extends BaseNode {
- type: "TSOptionalType";
+ type: 'TSOptionalType';
typeAnnotation: TSType;
}
export interface TSRestType extends BaseNode {
- type: "TSRestType";
+ type: 'TSRestType';
typeAnnotation: TSType;
}
export interface TSNamedTupleMember extends BaseNode {
- type: "TSNamedTupleMember";
+ type: 'TSNamedTupleMember';
label: Identifier;
elementType: TSType;
optional: boolean;
}
export interface TSUnionType extends BaseNode {
- type: "TSUnionType";
+ type: 'TSUnionType';
types: Array;
}
export interface TSIntersectionType extends BaseNode {
- type: "TSIntersectionType";
+ type: 'TSIntersectionType';
types: Array;
}
export interface TSConditionalType extends BaseNode {
- type: "TSConditionalType";
+ type: 'TSConditionalType';
checkType: TSType;
extendsType: TSType;
trueType: TSType;
@@ -1475,49 +1903,55 @@ export interface TSConditionalType extends BaseNode {
}
export interface TSInferType extends BaseNode {
- type: "TSInferType";
+ type: 'TSInferType';
typeParameter: TSTypeParameter;
}
export interface TSParenthesizedType extends BaseNode {
- type: "TSParenthesizedType";
+ type: 'TSParenthesizedType';
typeAnnotation: TSType;
}
export interface TSTypeOperator extends BaseNode {
- type: "TSTypeOperator";
+ type: 'TSTypeOperator';
typeAnnotation: TSType;
operator: string;
}
export interface TSIndexedAccessType extends BaseNode {
- type: "TSIndexedAccessType";
+ type: 'TSIndexedAccessType';
objectType: TSType;
indexType: TSType;
}
export interface TSMappedType extends BaseNode {
- type: "TSMappedType";
+ type: 'TSMappedType';
typeParameter: TSTypeParameter;
typeAnnotation: TSType | null;
nameType: TSType | null;
- optional: true | false | "+" | "-" | null;
- readonly: true | false | "+" | "-" | null;
+ optional: true | false | '+' | '-' | null;
+ readonly: true | false | '+' | '-' | null;
}
export interface TSLiteralType extends BaseNode {
- type: "TSLiteralType";
- literal: NumericLiteral | StringLiteral | BooleanLiteral | BigIntLiteral | TemplateLiteral | UnaryExpression;
+ type: 'TSLiteralType';
+ literal:
+ | NumericLiteral
+ | StringLiteral
+ | BooleanLiteral
+ | BigIntLiteral
+ | TemplateLiteral
+ | UnaryExpression;
}
export interface TSExpressionWithTypeArguments extends BaseNode {
- type: "TSExpressionWithTypeArguments";
+ type: 'TSExpressionWithTypeArguments';
expression: TSEntityName;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface TSInterfaceDeclaration extends BaseNode {
- type: "TSInterfaceDeclaration";
+ type: 'TSInterfaceDeclaration';
id: Identifier;
typeParameters: TSTypeParameterDeclaration | null;
extends: Array | null;
@@ -1526,12 +1960,12 @@ export interface TSInterfaceDeclaration extends BaseNode {
}
export interface TSInterfaceBody extends BaseNode {
- type: "TSInterfaceBody";
+ type: 'TSInterfaceBody';
body: Array;
}
export interface TSTypeAliasDeclaration extends BaseNode {
- type: "TSTypeAliasDeclaration";
+ type: 'TSTypeAliasDeclaration';
id: Identifier;
typeParameters: TSTypeParameterDeclaration | null;
typeAnnotation: TSType;
@@ -1539,25 +1973,25 @@ export interface TSTypeAliasDeclaration extends BaseNode {
}
export interface TSInstantiationExpression extends BaseNode {
- type: "TSInstantiationExpression";
+ type: 'TSInstantiationExpression';
expression: Expression;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface TSAsExpression extends BaseNode {
- type: "TSAsExpression";
+ type: 'TSAsExpression';
expression: Expression;
typeAnnotation: TSType;
}
export interface TSTypeAssertion extends BaseNode {
- type: "TSTypeAssertion";
+ type: 'TSTypeAssertion';
typeAnnotation: TSType;
expression: Expression;
}
export interface TSEnumDeclaration extends BaseNode {
- type: "TSEnumDeclaration";
+ type: 'TSEnumDeclaration';
id: Identifier;
members: Array;
const: boolean | null;
@@ -1566,13 +2000,13 @@ export interface TSEnumDeclaration extends BaseNode {
}
export interface TSEnumMember extends BaseNode {
- type: "TSEnumMember";
+ type: 'TSEnumMember';
id: Identifier | StringLiteral;
initializer: Expression | null;
}
export interface TSModuleDeclaration extends BaseNode {
- type: "TSModuleDeclaration";
+ type: 'TSModuleDeclaration';
id: Identifier | StringLiteral;
body: TSModuleBlock | TSModuleDeclaration;
declare: boolean | null;
@@ -1580,62 +2014,62 @@ export interface TSModuleDeclaration extends BaseNode {
}
export interface TSModuleBlock extends BaseNode {
- type: "TSModuleBlock";
+ type: 'TSModuleBlock';
body: Array;
}
export interface TSImportType extends BaseNode {
- type: "TSImportType";
+ type: 'TSImportType';
argument: StringLiteral;
qualifier: TSEntityName | null;
typeParameters: TSTypeParameterInstantiation | null;
}
export interface TSImportEqualsDeclaration extends BaseNode {
- type: "TSImportEqualsDeclaration";
+ type: 'TSImportEqualsDeclaration';
id: Identifier;
moduleReference: TSEntityName | TSExternalModuleReference;
- importKind: "type" | "value" | null;
+ importKind: 'type' | 'value' | null;
isExport: boolean;
}
export interface TSExternalModuleReference extends BaseNode {
- type: "TSExternalModuleReference";
+ type: 'TSExternalModuleReference';
expression: StringLiteral;
}
export interface TSNonNullExpression extends BaseNode {
- type: "TSNonNullExpression";
+ type: 'TSNonNullExpression';
expression: Expression;
}
export interface TSExportAssignment extends BaseNode {
- type: "TSExportAssignment";
+ type: 'TSExportAssignment';
expression: Expression;
}
export interface TSNamespaceExportDeclaration extends BaseNode {
- type: "TSNamespaceExportDeclaration";
+ type: 'TSNamespaceExportDeclaration';
id: Identifier;
}
export interface TSTypeAnnotation extends BaseNode {
- type: "TSTypeAnnotation";
+ type: 'TSTypeAnnotation';
typeAnnotation: TSType;
}
export interface TSTypeParameterInstantiation extends BaseNode {
- type: "TSTypeParameterInstantiation";
+ type: 'TSTypeParameterInstantiation';
params: Array;
}
export interface TSTypeParameterDeclaration extends BaseNode {
- type: "TSTypeParameterDeclaration";
+ type: 'TSTypeParameterDeclaration';
params: Array;
}
export interface TSTypeParameter extends BaseNode {
- type: "TSTypeParameter";
+ type: 'TSTypeParameter';
constraint: TSType | null;
default: TSType | null;
name: string;
@@ -1663,55 +2097,664 @@ export type RestProperty = RestElement;
*/
export type SpreadProperty = SpreadElement;
-export type Standardized = ArrayExpression | AssignmentExpression | BinaryExpression | InterpreterDirective | Directive | DirectiveLiteral | BlockStatement | BreakStatement | CallExpression | CatchClause | ConditionalExpression | ContinueStatement | DebuggerStatement | DoWhileStatement | EmptyStatement | ExpressionStatement | File | ForInStatement | ForStatement | FunctionDeclaration | FunctionExpression | Identifier | IfStatement | LabeledStatement | StringLiteral | NumericLiteral | NullLiteral | BooleanLiteral | RegExpLiteral | LogicalExpression | MemberExpression | NewExpression | Program | ObjectExpression | ObjectMethod | ObjectProperty | RestElement | ReturnStatement | SequenceExpression | ParenthesizedExpression | SwitchCase | SwitchStatement | ThisExpression | ThrowStatement | TryStatement | UnaryExpression | UpdateExpression | VariableDeclaration | VariableDeclarator | WhileStatement | WithStatement | AssignmentPattern | ArrayPattern | ArrowFunctionExpression | ClassBody | ClassExpression | ClassDeclaration | ExportAllDeclaration | ExportDefaultDeclaration | ExportNamedDeclaration | ExportSpecifier | ForOfStatement | ImportDeclaration | ImportDefaultSpecifier | ImportNamespaceSpecifier | ImportSpecifier | MetaProperty | ClassMethod | ObjectPattern | SpreadElement | Super | TaggedTemplateExpression | TemplateElement | TemplateLiteral | YieldExpression | AwaitExpression | Import | BigIntLiteral | ExportNamespaceSpecifier | OptionalMemberExpression | OptionalCallExpression | ClassProperty | ClassAccessorProperty | ClassPrivateProperty | ClassPrivateMethod | PrivateName | StaticBlock;
-export type Expression = ArrayExpression | AssignmentExpression | BinaryExpression | CallExpression | ConditionalExpression | FunctionExpression | Identifier | StringLiteral | NumericLiteral | NullLiteral | BooleanLiteral | RegExpLiteral | LogicalExpression | MemberExpression | NewExpression | ObjectExpression | SequenceExpression | ParenthesizedExpression | ThisExpression | UnaryExpression | UpdateExpression | ArrowFunctionExpression | ClassExpression | MetaProperty | Super | TaggedTemplateExpression | TemplateLiteral | YieldExpression | AwaitExpression | Import | BigIntLiteral | OptionalMemberExpression | OptionalCallExpression | TypeCastExpression | JSXElement | JSXFragment | BindExpression | DoExpression | RecordExpression | TupleExpression | DecimalLiteral | ModuleExpression | TopicReference | PipelineTopicExpression | PipelineBareFunction | PipelinePrimaryTopicReference | TSInstantiationExpression | TSAsExpression | TSTypeAssertion | TSNonNullExpression;
+export type Standardized =
+ | ArrayExpression
+ | AssignmentExpression
+ | BinaryExpression
+ | InterpreterDirective
+ | Directive
+ | DirectiveLiteral
+ | BlockStatement
+ | BreakStatement
+ | CallExpression
+ | CatchClause
+ | ConditionalExpression
+ | ContinueStatement
+ | DebuggerStatement
+ | DoWhileStatement
+ | EmptyStatement
+ | ExpressionStatement
+ | File
+ | ForInStatement
+ | ForStatement
+ | FunctionDeclaration
+ | FunctionExpression
+ | Identifier
+ | IfStatement
+ | LabeledStatement
+ | StringLiteral
+ | NumericLiteral
+ | NullLiteral
+ | BooleanLiteral
+ | RegExpLiteral
+ | LogicalExpression
+ | MemberExpression
+ | NewExpression
+ | Program
+ | ObjectExpression
+ | ObjectMethod
+ | ObjectProperty
+ | RestElement
+ | ReturnStatement
+ | SequenceExpression
+ | ParenthesizedExpression
+ | SwitchCase
+ | SwitchStatement
+ | ThisExpression
+ | ThrowStatement
+ | TryStatement
+ | UnaryExpression
+ | UpdateExpression
+ | VariableDeclaration
+ | VariableDeclarator
+ | WhileStatement
+ | WithStatement
+ | AssignmentPattern
+ | ArrayPattern
+ | ArrowFunctionExpression
+ | ClassBody
+ | ClassExpression
+ | ClassDeclaration
+ | ExportAllDeclaration
+ | ExportDefaultDeclaration
+ | ExportNamedDeclaration
+ | ExportSpecifier
+ | ForOfStatement
+ | ImportDeclaration
+ | ImportDefaultSpecifier
+ | ImportNamespaceSpecifier
+ | ImportSpecifier
+ | MetaProperty
+ | ClassMethod
+ | ObjectPattern
+ | SpreadElement
+ | Super
+ | TaggedTemplateExpression
+ | TemplateElement
+ | TemplateLiteral
+ | YieldExpression
+ | AwaitExpression
+ | Import
+ | BigIntLiteral
+ | ExportNamespaceSpecifier
+ | OptionalMemberExpression
+ | OptionalCallExpression
+ | ClassProperty
+ | ClassAccessorProperty
+ | ClassPrivateProperty
+ | ClassPrivateMethod
+ | PrivateName
+ | StaticBlock;
+export type Expression =
+ | ArrayExpression
+ | AssignmentExpression
+ | BinaryExpression
+ | CallExpression
+ | ConditionalExpression
+ | FunctionExpression
+ | Identifier
+ | StringLiteral
+ | NumericLiteral
+ | NullLiteral
+ | BooleanLiteral
+ | RegExpLiteral
+ | LogicalExpression
+ | MemberExpression
+ | NewExpression
+ | ObjectExpression
+ | SequenceExpression
+ | ParenthesizedExpression
+ | ThisExpression
+ | UnaryExpression
+ | UpdateExpression
+ | ArrowFunctionExpression
+ | ClassExpression
+ | MetaProperty
+ | Super
+ | TaggedTemplateExpression
+ | TemplateLiteral
+ | YieldExpression
+ | AwaitExpression
+ | Import
+ | BigIntLiteral
+ | OptionalMemberExpression
+ | OptionalCallExpression
+ | TypeCastExpression
+ | JSXElement
+ | JSXFragment
+ | BindExpression
+ | DoExpression
+ | RecordExpression
+ | TupleExpression
+ | DecimalLiteral
+ | ModuleExpression
+ | TopicReference
+ | PipelineTopicExpression
+ | PipelineBareFunction
+ | PipelinePrimaryTopicReference
+ | TSInstantiationExpression
+ | TSAsExpression
+ | TSTypeAssertion
+ | TSNonNullExpression;
export type Binary = BinaryExpression | LogicalExpression;
-export type Scopable = BlockStatement | CatchClause | DoWhileStatement | ForInStatement | ForStatement | FunctionDeclaration | FunctionExpression | Program | ObjectMethod | SwitchStatement | WhileStatement | ArrowFunctionExpression | ClassExpression | ClassDeclaration | ForOfStatement | ClassMethod | ClassPrivateMethod | StaticBlock | TSModuleBlock;
-export type BlockParent = BlockStatement | CatchClause | DoWhileStatement | ForInStatement | ForStatement | FunctionDeclaration | FunctionExpression | Program | ObjectMethod | SwitchStatement | WhileStatement | ArrowFunctionExpression | ForOfStatement | ClassMethod | ClassPrivateMethod | StaticBlock | TSModuleBlock;
+export type Scopable =
+ | BlockStatement
+ | CatchClause
+ | DoWhileStatement
+ | ForInStatement
+ | ForStatement
+ | FunctionDeclaration
+ | FunctionExpression
+ | Program
+ | ObjectMethod
+ | SwitchStatement
+ | WhileStatement
+ | ArrowFunctionExpression
+ | ClassExpression
+ | ClassDeclaration
+ | ForOfStatement
+ | ClassMethod
+ | ClassPrivateMethod
+ | StaticBlock
+ | TSModuleBlock;
+export type BlockParent =
+ | BlockStatement
+ | CatchClause
+ | DoWhileStatement
+ | ForInStatement
+ | ForStatement
+ | FunctionDeclaration
+ | FunctionExpression
+ | Program
+ | ObjectMethod
+ | SwitchStatement
+ | WhileStatement
+ | ArrowFunctionExpression
+ | ForOfStatement
+ | ClassMethod
+ | ClassPrivateMethod
+ | StaticBlock
+ | TSModuleBlock;
export type Block = BlockStatement | Program | TSModuleBlock;
-export type Statement = BlockStatement | BreakStatement | ContinueStatement | DebuggerStatement | DoWhileStatement | EmptyStatement | ExpressionStatement | ForInStatement | ForStatement | FunctionDeclaration | IfStatement | LabeledStatement | ReturnStatement | SwitchStatement | ThrowStatement | TryStatement | VariableDeclaration | WhileStatement | WithStatement | ClassDeclaration | ExportAllDeclaration | ExportDefaultDeclaration | ExportNamedDeclaration | ForOfStatement | ImportDeclaration | DeclareClass | DeclareFunction | DeclareInterface | DeclareModule | DeclareModuleExports | DeclareTypeAlias | DeclareOpaqueType | DeclareVariable | DeclareExportDeclaration | DeclareExportAllDeclaration | InterfaceDeclaration | OpaqueType | TypeAlias | EnumDeclaration | TSDeclareFunction | TSInterfaceDeclaration | TSTypeAliasDeclaration | TSEnumDeclaration | TSModuleDeclaration | TSImportEqualsDeclaration | TSExportAssignment | TSNamespaceExportDeclaration;
-export type Terminatorless = BreakStatement | ContinueStatement | ReturnStatement | ThrowStatement | YieldExpression | AwaitExpression;
-export type CompletionStatement = BreakStatement | ContinueStatement | ReturnStatement | ThrowStatement;
+export type Statement =
+ | BlockStatement
+ | BreakStatement
+ | ContinueStatement
+ | DebuggerStatement
+ | DoWhileStatement
+ | EmptyStatement
+ | ExpressionStatement
+ | ForInStatement
+ | ForStatement
+ | FunctionDeclaration
+ | IfStatement
+ | LabeledStatement
+ | ReturnStatement
+ | SwitchStatement
+ | ThrowStatement
+ | TryStatement
+ | VariableDeclaration
+ | WhileStatement
+ | WithStatement
+ | ClassDeclaration
+ | ExportAllDeclaration
+ | ExportDefaultDeclaration
+ | ExportNamedDeclaration
+ | ForOfStatement
+ | ImportDeclaration
+ | DeclareClass
+ | DeclareFunction
+ | DeclareInterface
+ | DeclareModule
+ | DeclareModuleExports
+ | DeclareTypeAlias
+ | DeclareOpaqueType
+ | DeclareVariable
+ | DeclareExportDeclaration
+ | DeclareExportAllDeclaration
+ | InterfaceDeclaration
+ | OpaqueType
+ | TypeAlias
+ | EnumDeclaration
+ | TSDeclareFunction
+ | TSInterfaceDeclaration
+ | TSTypeAliasDeclaration
+ | TSEnumDeclaration
+ | TSModuleDeclaration
+ | TSImportEqualsDeclaration
+ | TSExportAssignment
+ | TSNamespaceExportDeclaration;
+export type Terminatorless =
+ | BreakStatement
+ | ContinueStatement
+ | ReturnStatement
+ | ThrowStatement
+ | YieldExpression
+ | AwaitExpression;
+export type CompletionStatement =
+ | BreakStatement
+ | ContinueStatement
+ | ReturnStatement
+ | ThrowStatement;
export type Conditional = ConditionalExpression | IfStatement;
-export type Loop = DoWhileStatement | ForInStatement | ForStatement | WhileStatement | ForOfStatement;
+export type Loop =
+ | DoWhileStatement
+ | ForInStatement
+ | ForStatement
+ | WhileStatement
+ | ForOfStatement;
export type While = DoWhileStatement | WhileStatement;
-export type ExpressionWrapper = ExpressionStatement | ParenthesizedExpression | TypeCastExpression;
+export type ExpressionWrapper =
+ | ExpressionStatement
+ | ParenthesizedExpression
+ | TypeCastExpression;
export type For = ForInStatement | ForStatement | ForOfStatement;
export type ForXStatement = ForInStatement | ForOfStatement;
-export type Function = FunctionDeclaration | FunctionExpression | ObjectMethod | ArrowFunctionExpression | ClassMethod | ClassPrivateMethod;
-export type FunctionParent = FunctionDeclaration | FunctionExpression | ObjectMethod | ArrowFunctionExpression | ClassMethod | ClassPrivateMethod | StaticBlock;
-export type Pureish = FunctionDeclaration | FunctionExpression | StringLiteral | NumericLiteral | NullLiteral | BooleanLiteral | RegExpLiteral | ArrowFunctionExpression | BigIntLiteral | DecimalLiteral;
-export type Declaration = FunctionDeclaration | VariableDeclaration | ClassDeclaration | ExportAllDeclaration | ExportDefaultDeclaration | ExportNamedDeclaration | ImportDeclaration | DeclareClass | DeclareFunction | DeclareInterface | DeclareModule | DeclareModuleExports | DeclareTypeAlias | DeclareOpaqueType | DeclareVariable | DeclareExportDeclaration | DeclareExportAllDeclaration | InterfaceDeclaration | OpaqueType | TypeAlias | EnumDeclaration | TSDeclareFunction | TSInterfaceDeclaration | TSTypeAliasDeclaration | TSEnumDeclaration | TSModuleDeclaration;
-export type PatternLike = Identifier | RestElement | AssignmentPattern | ArrayPattern | ObjectPattern | TSAsExpression | TSTypeAssertion | TSNonNullExpression;
-export type LVal = Identifier | MemberExpression | RestElement | AssignmentPattern | ArrayPattern | ObjectPattern | TSParameterProperty | TSAsExpression | TSTypeAssertion | TSNonNullExpression;
+export type Function =
+ | FunctionDeclaration
+ | FunctionExpression
+ | ObjectMethod
+ | ArrowFunctionExpression
+ | ClassMethod
+ | ClassPrivateMethod;
+export type FunctionParent =
+ | FunctionDeclaration
+ | FunctionExpression
+ | ObjectMethod
+ | ArrowFunctionExpression
+ | ClassMethod
+ | ClassPrivateMethod
+ | StaticBlock;
+export type Pureish =
+ | FunctionDeclaration
+ | FunctionExpression
+ | StringLiteral
+ | NumericLiteral
+ | NullLiteral
+ | BooleanLiteral
+ | RegExpLiteral
+ | ArrowFunctionExpression
+ | BigIntLiteral
+ | DecimalLiteral;
+export type Declaration =
+ | FunctionDeclaration
+ | VariableDeclaration
+ | ClassDeclaration
+ | ExportAllDeclaration
+ | ExportDefaultDeclaration
+ | ExportNamedDeclaration
+ | ImportDeclaration
+ | DeclareClass
+ | DeclareFunction
+ | DeclareInterface
+ | DeclareModule
+ | DeclareModuleExports
+ | DeclareTypeAlias
+ | DeclareOpaqueType
+ | DeclareVariable
+ | DeclareExportDeclaration
+ | DeclareExportAllDeclaration
+ | InterfaceDeclaration
+ | OpaqueType
+ | TypeAlias
+ | EnumDeclaration
+ | TSDeclareFunction
+ | TSInterfaceDeclaration
+ | TSTypeAliasDeclaration
+ | TSEnumDeclaration
+ | TSModuleDeclaration;
+export type PatternLike =
+ | Identifier
+ | RestElement
+ | AssignmentPattern
+ | ArrayPattern
+ | ObjectPattern
+ | TSAsExpression
+ | TSTypeAssertion
+ | TSNonNullExpression;
+export type LVal =
+ | Identifier
+ | MemberExpression
+ | RestElement
+ | AssignmentPattern
+ | ArrayPattern
+ | ObjectPattern
+ | TSParameterProperty
+ | TSAsExpression
+ | TSTypeAssertion
+ | TSNonNullExpression;
export type TSEntityName = Identifier | TSQualifiedName;
-export type Literal = StringLiteral | NumericLiteral | NullLiteral | BooleanLiteral | RegExpLiteral | TemplateLiteral | BigIntLiteral | DecimalLiteral;
-export type Immutable = StringLiteral | NumericLiteral | NullLiteral | BooleanLiteral | BigIntLiteral | JSXAttribute | JSXClosingElement | JSXElement | JSXExpressionContainer | JSXSpreadChild | JSXOpeningElement | JSXText | JSXFragment | JSXOpeningFragment | JSXClosingFragment | DecimalLiteral;
-export type UserWhitespacable = ObjectMethod | ObjectProperty | ObjectTypeInternalSlot | ObjectTypeCallProperty | ObjectTypeIndexer | ObjectTypeProperty | ObjectTypeSpreadProperty;
+export type Literal =
+ | StringLiteral
+ | NumericLiteral
+ | NullLiteral
+ | BooleanLiteral
+ | RegExpLiteral
+ | TemplateLiteral
+ | BigIntLiteral
+ | DecimalLiteral;
+export type Immutable =
+ | StringLiteral
+ | NumericLiteral
+ | NullLiteral
+ | BooleanLiteral
+ | BigIntLiteral
+ | JSXAttribute
+ | JSXClosingElement
+ | JSXElement
+ | JSXExpressionContainer
+ | JSXSpreadChild
+ | JSXOpeningElement
+ | JSXText
+ | JSXFragment
+ | JSXOpeningFragment
+ | JSXClosingFragment
+ | DecimalLiteral;
+export type UserWhitespacable =
+ | ObjectMethod
+ | ObjectProperty
+ | ObjectTypeInternalSlot
+ | ObjectTypeCallProperty
+ | ObjectTypeIndexer
+ | ObjectTypeProperty
+ | ObjectTypeSpreadProperty;
export type Method = ObjectMethod | ClassMethod | ClassPrivateMethod;
export type ObjectMember = ObjectMethod | ObjectProperty;
-export type Property = ObjectProperty | ClassProperty | ClassAccessorProperty | ClassPrivateProperty;
+export type Property =
+ | ObjectProperty
+ | ClassProperty
+ | ClassAccessorProperty
+ | ClassPrivateProperty;
export type UnaryLike = UnaryExpression | SpreadElement;
export type Pattern = AssignmentPattern | ArrayPattern | ObjectPattern;
export type Class = ClassExpression | ClassDeclaration;
-export type ModuleDeclaration = ExportAllDeclaration | ExportDefaultDeclaration | ExportNamedDeclaration | ImportDeclaration;
-export type ExportDeclaration = ExportAllDeclaration | ExportDefaultDeclaration | ExportNamedDeclaration;
-export type ModuleSpecifier = ExportSpecifier | ImportDefaultSpecifier | ImportNamespaceSpecifier | ImportSpecifier | ExportNamespaceSpecifier | ExportDefaultSpecifier;
+export type ModuleDeclaration =
+ | ExportAllDeclaration
+ | ExportDefaultDeclaration
+ | ExportNamedDeclaration
+ | ImportDeclaration;
+export type ExportDeclaration =
+ | ExportAllDeclaration
+ | ExportDefaultDeclaration
+ | ExportNamedDeclaration;
+export type ModuleSpecifier =
+ | ExportSpecifier
+ | ImportDefaultSpecifier
+ | ImportNamespaceSpecifier
+ | ImportSpecifier
+ | ExportNamespaceSpecifier
+ | ExportDefaultSpecifier;
export type Accessor = ClassAccessorProperty;
export type Private = ClassPrivateProperty | ClassPrivateMethod | PrivateName;
-export type Flow = AnyTypeAnnotation | ArrayTypeAnnotation | BooleanTypeAnnotation | BooleanLiteralTypeAnnotation | NullLiteralTypeAnnotation | ClassImplements | DeclareClass | DeclareFunction | DeclareInterface | DeclareModule | DeclareModuleExports | DeclareTypeAlias | DeclareOpaqueType | DeclareVariable | DeclareExportDeclaration | DeclareExportAllDeclaration | DeclaredPredicate | ExistsTypeAnnotation | FunctionTypeAnnotation | FunctionTypeParam | GenericTypeAnnotation | InferredPredicate | InterfaceExtends | InterfaceDeclaration | InterfaceTypeAnnotation | IntersectionTypeAnnotation | MixedTypeAnnotation | EmptyTypeAnnotation | NullableTypeAnnotation | NumberLiteralTypeAnnotation | NumberTypeAnnotation | ObjectTypeAnnotation | ObjectTypeInternalSlot | ObjectTypeCallProperty | ObjectTypeIndexer | ObjectTypeProperty | ObjectTypeSpreadProperty | OpaqueType | QualifiedTypeIdentifier | StringLiteralTypeAnnotation | StringTypeAnnotation | SymbolTypeAnnotation | ThisTypeAnnotation | TupleTypeAnnotation | TypeofTypeAnnotation | TypeAlias | TypeAnnotation | TypeCastExpression | TypeParameter | TypeParameterDeclaration | TypeParameterInstantiation | UnionTypeAnnotation | Variance | VoidTypeAnnotation | EnumDeclaration | EnumBooleanBody | EnumNumberBody | EnumStringBody | EnumSymbolBody | EnumBooleanMember | EnumNumberMember | EnumStringMember | EnumDefaultedMember | IndexedAccessType | OptionalIndexedAccessType;
-export type FlowType = AnyTypeAnnotation | ArrayTypeAnnotation | BooleanTypeAnnotation | BooleanLiteralTypeAnnotation | NullLiteralTypeAnnotation | ExistsTypeAnnotation | FunctionTypeAnnotation | GenericTypeAnnotation | InterfaceTypeAnnotation | IntersectionTypeAnnotation | MixedTypeAnnotation | EmptyTypeAnnotation | NullableTypeAnnotation | NumberLiteralTypeAnnotation | NumberTypeAnnotation | ObjectTypeAnnotation | StringLiteralTypeAnnotation | StringTypeAnnotation | SymbolTypeAnnotation | ThisTypeAnnotation | TupleTypeAnnotation | TypeofTypeAnnotation | UnionTypeAnnotation | VoidTypeAnnotation | IndexedAccessType | OptionalIndexedAccessType;
-export type FlowBaseAnnotation = AnyTypeAnnotation | BooleanTypeAnnotation | NullLiteralTypeAnnotation | MixedTypeAnnotation | EmptyTypeAnnotation | NumberTypeAnnotation | StringTypeAnnotation | SymbolTypeAnnotation | ThisTypeAnnotation | VoidTypeAnnotation;
-export type FlowDeclaration = DeclareClass | DeclareFunction | DeclareInterface | DeclareModule | DeclareModuleExports | DeclareTypeAlias | DeclareOpaqueType | DeclareVariable | DeclareExportDeclaration | DeclareExportAllDeclaration | InterfaceDeclaration | OpaqueType | TypeAlias;
+export type Flow =
+ | AnyTypeAnnotation
+ | ArrayTypeAnnotation
+ | BooleanTypeAnnotation
+ | BooleanLiteralTypeAnnotation
+ | NullLiteralTypeAnnotation
+ | ClassImplements
+ | DeclareClass
+ | DeclareFunction
+ | DeclareInterface
+ | DeclareModule
+ | DeclareModuleExports
+ | DeclareTypeAlias
+ | DeclareOpaqueType
+ | DeclareVariable
+ | DeclareExportDeclaration
+ | DeclareExportAllDeclaration
+ | DeclaredPredicate
+ | ExistsTypeAnnotation
+ | FunctionTypeAnnotation
+ | FunctionTypeParam
+ | GenericTypeAnnotation
+ | InferredPredicate
+ | InterfaceExtends
+ | InterfaceDeclaration
+ | InterfaceTypeAnnotation
+ | IntersectionTypeAnnotation
+ | MixedTypeAnnotation
+ | EmptyTypeAnnotation
+ | NullableTypeAnnotation
+ | NumberLiteralTypeAnnotation
+ | NumberTypeAnnotation
+ | ObjectTypeAnnotation
+ | ObjectTypeInternalSlot
+ | ObjectTypeCallProperty
+ | ObjectTypeIndexer
+ | ObjectTypeProperty
+ | ObjectTypeSpreadProperty
+ | OpaqueType
+ | QualifiedTypeIdentifier
+ | StringLiteralTypeAnnotation
+ | StringTypeAnnotation
+ | SymbolTypeAnnotation
+ | ThisTypeAnnotation
+ | TupleTypeAnnotation
+ | TypeofTypeAnnotation
+ | TypeAlias
+ | TypeAnnotation
+ | TypeCastExpression
+ | TypeParameter
+ | TypeParameterDeclaration
+ | TypeParameterInstantiation
+ | UnionTypeAnnotation
+ | Variance
+ | VoidTypeAnnotation
+ | EnumDeclaration
+ | EnumBooleanBody
+ | EnumNumberBody
+ | EnumStringBody
+ | EnumSymbolBody
+ | EnumBooleanMember
+ | EnumNumberMember
+ | EnumStringMember
+ | EnumDefaultedMember
+ | IndexedAccessType
+ | OptionalIndexedAccessType;
+export type FlowType =
+ | AnyTypeAnnotation
+ | ArrayTypeAnnotation
+ | BooleanTypeAnnotation
+ | BooleanLiteralTypeAnnotation
+ | NullLiteralTypeAnnotation
+ | ExistsTypeAnnotation
+ | FunctionTypeAnnotation
+ | GenericTypeAnnotation
+ | InterfaceTypeAnnotation
+ | IntersectionTypeAnnotation
+ | MixedTypeAnnotation
+ | EmptyTypeAnnotation
+ | NullableTypeAnnotation
+ | NumberLiteralTypeAnnotation
+ | NumberTypeAnnotation
+ | ObjectTypeAnnotation
+ | StringLiteralTypeAnnotation
+ | StringTypeAnnotation
+ | SymbolTypeAnnotation
+ | ThisTypeAnnotation
+ | TupleTypeAnnotation
+ | TypeofTypeAnnotation
+ | UnionTypeAnnotation
+ | VoidTypeAnnotation
+ | IndexedAccessType
+ | OptionalIndexedAccessType;
+export type FlowBaseAnnotation =
+ | AnyTypeAnnotation
+ | BooleanTypeAnnotation
+ | NullLiteralTypeAnnotation
+ | MixedTypeAnnotation
+ | EmptyTypeAnnotation
+ | NumberTypeAnnotation
+ | StringTypeAnnotation
+ | SymbolTypeAnnotation
+ | ThisTypeAnnotation
+ | VoidTypeAnnotation;
+export type FlowDeclaration =
+ | DeclareClass
+ | DeclareFunction
+ | DeclareInterface
+ | DeclareModule
+ | DeclareModuleExports
+ | DeclareTypeAlias
+ | DeclareOpaqueType
+ | DeclareVariable
+ | DeclareExportDeclaration
+ | DeclareExportAllDeclaration
+ | InterfaceDeclaration
+ | OpaqueType
+ | TypeAlias;
export type FlowPredicate = DeclaredPredicate | InferredPredicate;
-export type EnumBody = EnumBooleanBody | EnumNumberBody | EnumStringBody | EnumSymbolBody;
-export type EnumMember = EnumBooleanMember | EnumNumberMember | EnumStringMember | EnumDefaultedMember;
-export type JSX = JSXAttribute | JSXClosingElement | JSXElement | JSXEmptyExpression | JSXExpressionContainer | JSXSpreadChild | JSXIdentifier | JSXMemberExpression | JSXNamespacedName | JSXOpeningElement | JSXSpreadAttribute | JSXText | JSXFragment | JSXOpeningFragment | JSXClosingFragment;
+export type EnumBody =
+ | EnumBooleanBody
+ | EnumNumberBody
+ | EnumStringBody
+ | EnumSymbolBody;
+export type EnumMember =
+ | EnumBooleanMember
+ | EnumNumberMember
+ | EnumStringMember
+ | EnumDefaultedMember;
+export type JSX =
+ | JSXAttribute
+ | JSXClosingElement
+ | JSXElement
+ | JSXEmptyExpression
+ | JSXExpressionContainer
+ | JSXSpreadChild
+ | JSXIdentifier
+ | JSXMemberExpression
+ | JSXNamespacedName
+ | JSXOpeningElement
+ | JSXSpreadAttribute
+ | JSXText
+ | JSXFragment
+ | JSXOpeningFragment
+ | JSXClosingFragment;
export type Miscellaneous = Noop | Placeholder | V8IntrinsicIdentifier;
-export type TypeScript = TSParameterProperty | TSDeclareFunction | TSDeclareMethod | TSQualifiedName | TSCallSignatureDeclaration | TSConstructSignatureDeclaration | TSPropertySignature | TSMethodSignature | TSIndexSignature | TSAnyKeyword | TSBooleanKeyword | TSBigIntKeyword | TSIntrinsicKeyword | TSNeverKeyword | TSNullKeyword | TSNumberKeyword | TSObjectKeyword | TSStringKeyword | TSSymbolKeyword | TSUndefinedKeyword | TSUnknownKeyword | TSVoidKeyword | TSThisType | TSFunctionType | TSConstructorType | TSTypeReference | TSTypePredicate | TSTypeQuery | TSTypeLiteral | TSArrayType | TSTupleType | TSOptionalType | TSRestType | TSNamedTupleMember | TSUnionType | TSIntersectionType | TSConditionalType | TSInferType | TSParenthesizedType | TSTypeOperator | TSIndexedAccessType | TSMappedType | TSLiteralType | TSExpressionWithTypeArguments | TSInterfaceDeclaration | TSInterfaceBody | TSTypeAliasDeclaration | TSInstantiationExpression | TSAsExpression | TSTypeAssertion | TSEnumDeclaration | TSEnumMember | TSModuleDeclaration | TSModuleBlock | TSImportType | TSImportEqualsDeclaration | TSExternalModuleReference | TSNonNullExpression | TSExportAssignment | TSNamespaceExportDeclaration | TSTypeAnnotation | TSTypeParameterInstantiation | TSTypeParameterDeclaration | TSTypeParameter;
-export type TSTypeElement = TSCallSignatureDeclaration | TSConstructSignatureDeclaration | TSPropertySignature | TSMethodSignature | TSIndexSignature;
-export type TSType = TSAnyKeyword | TSBooleanKeyword | TSBigIntKeyword | TSIntrinsicKeyword | TSNeverKeyword | TSNullKeyword | TSNumberKeyword | TSObjectKeyword | TSStringKeyword | TSSymbolKeyword | TSUndefinedKeyword | TSUnknownKeyword | TSVoidKeyword | TSThisType | TSFunctionType | TSConstructorType | TSTypeReference | TSTypePredicate | TSTypeQuery | TSTypeLiteral | TSArrayType | TSTupleType | TSOptionalType | TSRestType | TSUnionType | TSIntersectionType | TSConditionalType | TSInferType | TSParenthesizedType | TSTypeOperator | TSIndexedAccessType | TSMappedType | TSLiteralType | TSExpressionWithTypeArguments | TSImportType;
-export type TSBaseType = TSAnyKeyword | TSBooleanKeyword | TSBigIntKeyword | TSIntrinsicKeyword | TSNeverKeyword | TSNullKeyword | TSNumberKeyword | TSObjectKeyword | TSStringKeyword | TSSymbolKeyword | TSUndefinedKeyword | TSUnknownKeyword | TSVoidKeyword | TSThisType | TSLiteralType;
+export type TypeScript =
+ | TSParameterProperty
+ | TSDeclareFunction
+ | TSDeclareMethod
+ | TSQualifiedName
+ | TSCallSignatureDeclaration
+ | TSConstructSignatureDeclaration
+ | TSPropertySignature
+ | TSMethodSignature
+ | TSIndexSignature
+ | TSAnyKeyword
+ | TSBooleanKeyword
+ | TSBigIntKeyword
+ | TSIntrinsicKeyword
+ | TSNeverKeyword
+ | TSNullKeyword
+ | TSNumberKeyword
+ | TSObjectKeyword
+ | TSStringKeyword
+ | TSSymbolKeyword
+ | TSUndefinedKeyword
+ | TSUnknownKeyword
+ | TSVoidKeyword
+ | TSThisType
+ | TSFunctionType
+ | TSConstructorType
+ | TSTypeReference
+ | TSTypePredicate
+ | TSTypeQuery
+ | TSTypeLiteral
+ | TSArrayType
+ | TSTupleType
+ | TSOptionalType
+ | TSRestType
+ | TSNamedTupleMember
+ | TSUnionType
+ | TSIntersectionType
+ | TSConditionalType
+ | TSInferType
+ | TSParenthesizedType
+ | TSTypeOperator
+ | TSIndexedAccessType
+ | TSMappedType
+ | TSLiteralType
+ | TSExpressionWithTypeArguments
+ | TSInterfaceDeclaration
+ | TSInterfaceBody
+ | TSTypeAliasDeclaration
+ | TSInstantiationExpression
+ | TSAsExpression
+ | TSTypeAssertion
+ | TSEnumDeclaration
+ | TSEnumMember
+ | TSModuleDeclaration
+ | TSModuleBlock
+ | TSImportType
+ | TSImportEqualsDeclaration
+ | TSExternalModuleReference
+ | TSNonNullExpression
+ | TSExportAssignment
+ | TSNamespaceExportDeclaration
+ | TSTypeAnnotation
+ | TSTypeParameterInstantiation
+ | TSTypeParameterDeclaration
+ | TSTypeParameter;
+export type TSTypeElement =
+ | TSCallSignatureDeclaration
+ | TSConstructSignatureDeclaration
+ | TSPropertySignature
+ | TSMethodSignature
+ | TSIndexSignature;
+export type TSType =
+ | TSAnyKeyword
+ | TSBooleanKeyword
+ | TSBigIntKeyword
+ | TSIntrinsicKeyword
+ | TSNeverKeyword
+ | TSNullKeyword
+ | TSNumberKeyword
+ | TSObjectKeyword
+ | TSStringKeyword
+ | TSSymbolKeyword
+ | TSUndefinedKeyword
+ | TSUnknownKeyword
+ | TSVoidKeyword
+ | TSThisType
+ | TSFunctionType
+ | TSConstructorType
+ | TSTypeReference
+ | TSTypePredicate
+ | TSTypeQuery
+ | TSTypeLiteral
+ | TSArrayType
+ | TSTupleType
+ | TSOptionalType
+ | TSRestType
+ | TSUnionType
+ | TSIntersectionType
+ | TSConditionalType
+ | TSInferType
+ | TSParenthesizedType
+ | TSTypeOperator
+ | TSIndexedAccessType
+ | TSMappedType
+ | TSLiteralType
+ | TSExpressionWithTypeArguments
+ | TSImportType;
+export type TSBaseType =
+ | TSAnyKeyword
+ | TSBooleanKeyword
+ | TSBigIntKeyword
+ | TSIntrinsicKeyword
+ | TSNeverKeyword
+ | TSNullKeyword
+ | TSNumberKeyword
+ | TSObjectKeyword
+ | TSStringKeyword
+ | TSSymbolKeyword
+ | TSUndefinedKeyword
+ | TSUnknownKeyword
+ | TSVoidKeyword
+ | TSThisType
+ | TSLiteralType;
export interface Aliases {
Standardized: Standardized;
@@ -1765,201 +2808,740 @@ export interface Aliases {
TSBaseType: TSBaseType;
}
-export function arrayExpression(elements?: Array): ArrayExpression;
-export function assignmentExpression(operator: string, left: LVal, right: Expression): AssignmentExpression;
-export function binaryExpression(operator: "+" | "-" | "/" | "%" | "*" | "**" | "&" | "|" | ">>" | ">>>" | "<<" | "^" | "==" | "===" | "!=" | "!==" | "in" | "instanceof" | ">" | "<" | ">=" | "<=" | "|>", left: Expression | PrivateName, right: Expression): BinaryExpression;
+export function arrayExpression(
+ elements?: Array
+): ArrayExpression;
+export function assignmentExpression(
+ operator: string,
+ left: LVal,
+ right: Expression
+): AssignmentExpression;
+export function binaryExpression(
+ operator:
+ | '+'
+ | '-'
+ | '/'
+ | '%'
+ | '*'
+ | '**'
+ | '&'
+ | '|'
+ | '>>'
+ | '>>>'
+ | '<<'
+ | '^'
+ | '=='
+ | '==='
+ | '!='
+ | '!=='
+ | 'in'
+ | 'instanceof'
+ | '>'
+ | '<'
+ | '>='
+ | '<='
+ | '|>',
+ left: Expression | PrivateName,
+ right: Expression
+): BinaryExpression;
export function interpreterDirective(value: string): InterpreterDirective;
export function directive(value: DirectiveLiteral): Directive;
export function directiveLiteral(value: string): DirectiveLiteral;
-export function blockStatement(body: Array, directives?: Array): BlockStatement;
+export function blockStatement(
+ body: Array,
+ directives?: Array
+): BlockStatement;
export function breakStatement(label?: Identifier | null): BreakStatement;
-export function callExpression(callee: Expression | Super | V8IntrinsicIdentifier, _arguments: Array): CallExpression;
-export function catchClause(param: Identifier | ArrayPattern | ObjectPattern | null | undefined, body: BlockStatement): CatchClause;
-export function conditionalExpression(test: Expression, consequent: Expression, alternate: Expression): ConditionalExpression;
+export function callExpression(
+ callee: Expression | Super | V8IntrinsicIdentifier,
+ _arguments: Array<
+ Expression | SpreadElement | JSXNamespacedName | ArgumentPlaceholder
+ >
+): CallExpression;
+export function catchClause(
+ param: Identifier | ArrayPattern | ObjectPattern | null | undefined,
+ body: BlockStatement
+): CatchClause;
+export function conditionalExpression(
+ test: Expression,
+ consequent: Expression,
+ alternate: Expression
+): ConditionalExpression;
export function continueStatement(label?: Identifier | null): ContinueStatement;
export function debuggerStatement(): DebuggerStatement;
-export function doWhileStatement(test: Expression, body: Statement): DoWhileStatement;
+export function doWhileStatement(
+ test: Expression,
+ body: Statement
+): DoWhileStatement;
export function emptyStatement(): EmptyStatement;
-export function expressionStatement(expression: Expression): ExpressionStatement;
-export function file(program: Program, comments?: Array | null, tokens?: Array | null): File;
-export function forInStatement(left: VariableDeclaration | LVal, right: Expression, body: Statement): ForInStatement;
-export function forStatement(init: VariableDeclaration | Expression | null | undefined, test: Expression | null | undefined, update: Expression | null | undefined, body: Statement): ForStatement;
-export function functionDeclaration(id: Identifier | null | undefined, params: Array, body: BlockStatement, generator?: boolean, async?: boolean): FunctionDeclaration;
-export function functionExpression(id: Identifier | null | undefined, params: Array, body: BlockStatement, generator?: boolean, async?: boolean): FunctionExpression;
+export function expressionStatement(
+ expression: Expression
+): ExpressionStatement;
+export function file(
+ program: Program,
+ comments?: Array | null,
+ tokens?: Array | null
+): File;
+export function forInStatement(
+ left: VariableDeclaration | LVal,
+ right: Expression,
+ body: Statement
+): ForInStatement;
+export function forStatement(
+ init: VariableDeclaration | Expression | null | undefined,
+ test: Expression | null | undefined,
+ update: Expression | null | undefined,
+ body: Statement
+): ForStatement;
+export function functionDeclaration(
+ id: Identifier | null | undefined,
+ params: Array,
+ body: BlockStatement,
+ generator?: boolean,
+ async?: boolean
+): FunctionDeclaration;
+export function functionExpression(
+ id: Identifier | null | undefined,
+ params: Array,
+ body: BlockStatement,
+ generator?: boolean,
+ async?: boolean
+): FunctionExpression;
export function identifier(name: string): Identifier;
-export function ifStatement(test: Expression, consequent: Statement, alternate?: Statement | null): IfStatement;
-export function labeledStatement(label: Identifier, body: Statement): LabeledStatement;
+export function ifStatement(
+ test: Expression,
+ consequent: Statement,
+ alternate?: Statement | null
+): IfStatement;
+export function labeledStatement(
+ label: Identifier,
+ body: Statement
+): LabeledStatement;
export function stringLiteral(value: string): StringLiteral;
export function numericLiteral(value: number): NumericLiteral;
export function nullLiteral(): NullLiteral;
export function booleanLiteral(value: boolean): BooleanLiteral;
export function regExpLiteral(pattern: string, flags?: string): RegExpLiteral;
-export function logicalExpression(operator: "||" | "&&" | "??", left: Expression, right: Expression): LogicalExpression;
-export function memberExpression(object: Expression | Super, property: Expression | Identifier | PrivateName, computed?: boolean, optional?: true | false | null): MemberExpression;
-export function newExpression(callee: Expression | Super | V8IntrinsicIdentifier, _arguments: Array): NewExpression;
-export function program(body: Array, directives?: Array, sourceType?: "script" | "module", interpreter?: InterpreterDirective | null): Program;
-export function objectExpression(properties: Array): ObjectExpression;
-export function objectMethod(kind: "method" | "get" | "set" | undefined, key: Expression | Identifier | StringLiteral | NumericLiteral | BigIntLiteral, params: Array, body: BlockStatement, computed?: boolean, generator?: boolean, async?: boolean): ObjectMethod;
-export function objectProperty(key: Expression | Identifier | StringLiteral | NumericLiteral | BigIntLiteral | DecimalLiteral | PrivateName, value: Expression | PatternLike, computed?: boolean, shorthand?: boolean, decorators?: Array | null): ObjectProperty;
+export function logicalExpression(
+ operator: '||' | '&&' | '??',
+ left: Expression,
+ right: Expression
+): LogicalExpression;
+export function memberExpression(
+ object: Expression | Super,
+ property: Expression | Identifier | PrivateName,
+ computed?: boolean,
+ optional?: true | false | null
+): MemberExpression;
+export function newExpression(
+ callee: Expression | Super | V8IntrinsicIdentifier,
+ _arguments: Array<
+ Expression | SpreadElement | JSXNamespacedName | ArgumentPlaceholder
+ >
+): NewExpression;
+export function program(
+ body: Array,
+ directives?: Array,
+ sourceType?: 'script' | 'module',
+ interpreter?: InterpreterDirective | null
+): Program;
+export function objectExpression(
+ properties: Array
+): ObjectExpression;
+export function objectMethod(
+ kind: 'method' | 'get' | 'set' | undefined,
+ key: Expression | Identifier | StringLiteral | NumericLiteral | BigIntLiteral,
+ params: Array,
+ body: BlockStatement,
+ computed?: boolean,
+ generator?: boolean,
+ async?: boolean
+): ObjectMethod;
+export function objectProperty(
+ key:
+ | Expression
+ | Identifier
+ | StringLiteral
+ | NumericLiteral
+ | BigIntLiteral
+ | DecimalLiteral
+ | PrivateName,
+ value: Expression | PatternLike,
+ computed?: boolean,
+ shorthand?: boolean,
+ decorators?: Array | null
+): ObjectProperty;
export function restElement(argument: LVal): RestElement;
export function returnStatement(argument?: Expression | null): ReturnStatement;
-export function sequenceExpression(expressions: Array): SequenceExpression;
-export function parenthesizedExpression(expression: Expression): ParenthesizedExpression;
-export function switchCase(test: Expression | null | undefined, consequent: Array): SwitchCase;
-export function switchStatement(discriminant: Expression, cases: Array): SwitchStatement;
+export function sequenceExpression(
+ expressions: Array
+): SequenceExpression;
+export function parenthesizedExpression(
+ expression: Expression
+): ParenthesizedExpression;
+export function switchCase(
+ test: Expression | null | undefined,
+ consequent: Array
+): SwitchCase;
+export function switchStatement(
+ discriminant: Expression,
+ cases: Array
+): SwitchStatement;
export function thisExpression(): ThisExpression;
export function throwStatement(argument: Expression): ThrowStatement;
-export function tryStatement(block: BlockStatement, handler?: CatchClause | null, finalizer?: BlockStatement | null): TryStatement;
-export function unaryExpression(operator: "void" | "throw" | "delete" | "!" | "+" | "-" | "~" | "typeof", argument: Expression, prefix?: boolean): UnaryExpression;
-export function updateExpression(operator: "++" | "--", argument: Expression, prefix?: boolean): UpdateExpression;
-export function variableDeclaration(kind: "var" | "let" | "const", declarations: Array): VariableDeclaration;
-export function variableDeclarator(id: LVal, init?: Expression | null): VariableDeclarator;
-export function whileStatement(test: Expression, body: Statement): WhileStatement;
-export function withStatement(object: Expression, body: Statement): WithStatement;
-export function assignmentPattern(left: Identifier | ObjectPattern | ArrayPattern | MemberExpression | TSAsExpression | TSTypeAssertion | TSNonNullExpression, right: Expression): AssignmentPattern;
-export function arrayPattern(elements: Array): ArrayPattern;
-export function arrowFunctionExpression(params: Array, body: BlockStatement | Expression, async?: boolean): ArrowFunctionExpression;
-export function classBody(body: Array): ClassBody;
-export function classExpression(id: Identifier | null | undefined, superClass: Expression | null | undefined, body: ClassBody, decorators?: Array | null): ClassExpression;
-export function classDeclaration(id: Identifier, superClass: Expression | null | undefined, body: ClassBody, decorators?: Array | null): ClassDeclaration;
-export function exportAllDeclaration(source: StringLiteral): ExportAllDeclaration;
-export function exportDefaultDeclaration(declaration: TSDeclareFunction | FunctionDeclaration | ClassDeclaration | Expression): ExportDefaultDeclaration;
-export function exportNamedDeclaration(declaration?: Declaration | null, specifiers?: Array, source?: StringLiteral | null): ExportNamedDeclaration;
-export function exportSpecifier(local: Identifier, exported: Identifier | StringLiteral): ExportSpecifier;
-export function forOfStatement(left: VariableDeclaration | LVal, right: Expression, body: Statement, _await?: boolean): ForOfStatement;
-export function importDeclaration(specifiers: Array, source: StringLiteral): ImportDeclaration;
-export function importDefaultSpecifier(local: Identifier): ImportDefaultSpecifier;
-export function importNamespaceSpecifier(local: Identifier): ImportNamespaceSpecifier;
-export function importSpecifier(local: Identifier, imported: Identifier | StringLiteral): ImportSpecifier;
-export function metaProperty(meta: Identifier, property: Identifier): MetaProperty;
-export function classMethod(kind: "get" | "set" | "method" | "constructor" | undefined, key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression, params: Array, body: BlockStatement, computed?: boolean, _static?: boolean, generator?: boolean, async?: boolean): ClassMethod;
-export function objectPattern(properties: Array): ObjectPattern;
+export function tryStatement(
+ block: BlockStatement,
+ handler?: CatchClause | null,
+ finalizer?: BlockStatement | null
+): TryStatement;
+export function unaryExpression(
+ operator: 'void' | 'throw' | 'delete' | '!' | '+' | '-' | '~' | 'typeof',
+ argument: Expression,
+ prefix?: boolean
+): UnaryExpression;
+export function updateExpression(
+ operator: '++' | '--',
+ argument: Expression,
+ prefix?: boolean
+): UpdateExpression;
+export function variableDeclaration(
+ kind: 'var' | 'let' | 'const',
+ declarations: Array
+): VariableDeclaration;
+export function variableDeclarator(
+ id: LVal,
+ init?: Expression | null
+): VariableDeclarator;
+export function whileStatement(
+ test: Expression,
+ body: Statement
+): WhileStatement;
+export function withStatement(
+ object: Expression,
+ body: Statement
+): WithStatement;
+export function assignmentPattern(
+ left:
+ | Identifier
+ | ObjectPattern
+ | ArrayPattern
+ | MemberExpression
+ | TSAsExpression
+ | TSTypeAssertion
+ | TSNonNullExpression,
+ right: Expression
+): AssignmentPattern;
+export function arrayPattern(
+ elements: Array
+): ArrayPattern;
+export function arrowFunctionExpression(
+ params: Array,
+ body: BlockStatement | Expression,
+ async?: boolean
+): ArrowFunctionExpression;
+export function classBody(
+ body: Array<
+ | ClassMethod
+ | ClassPrivateMethod
+ | ClassProperty
+ | ClassPrivateProperty
+ | ClassAccessorProperty
+ | TSDeclareMethod
+ | TSIndexSignature
+ | StaticBlock
+ >
+): ClassBody;
+export function classExpression(
+ id: Identifier | null | undefined,
+ superClass: Expression | null | undefined,
+ body: ClassBody,
+ decorators?: Array | null
+): ClassExpression;
+export function classDeclaration(
+ id: Identifier,
+ superClass: Expression | null | undefined,
+ body: ClassBody,
+ decorators?: Array | null
+): ClassDeclaration;
+export function exportAllDeclaration(
+ source: StringLiteral
+): ExportAllDeclaration;
+export function exportDefaultDeclaration(
+ declaration:
+ | TSDeclareFunction
+ | FunctionDeclaration
+ | ClassDeclaration
+ | Expression
+): ExportDefaultDeclaration;
+export function exportNamedDeclaration(
+ declaration?: Declaration | null,
+ specifiers?: Array<
+ ExportSpecifier | ExportDefaultSpecifier | ExportNamespaceSpecifier
+ >,
+ source?: StringLiteral | null
+): ExportNamedDeclaration;
+export function exportSpecifier(
+ local: Identifier,
+ exported: Identifier | StringLiteral
+): ExportSpecifier;
+export function forOfStatement(
+ left: VariableDeclaration | LVal,
+ right: Expression,
+ body: Statement,
+ _await?: boolean
+): ForOfStatement;
+export function importDeclaration(
+ specifiers: Array<
+ ImportSpecifier | ImportDefaultSpecifier | ImportNamespaceSpecifier
+ >,
+ source: StringLiteral
+): ImportDeclaration;
+export function importDefaultSpecifier(
+ local: Identifier
+): ImportDefaultSpecifier;
+export function importNamespaceSpecifier(
+ local: Identifier
+): ImportNamespaceSpecifier;
+export function importSpecifier(
+ local: Identifier,
+ imported: Identifier | StringLiteral
+): ImportSpecifier;
+export function metaProperty(
+ meta: Identifier,
+ property: Identifier
+): MetaProperty;
+export function classMethod(
+ kind: 'get' | 'set' | 'method' | 'constructor' | undefined,
+ key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression,
+ params: Array,
+ body: BlockStatement,
+ computed?: boolean,
+ _static?: boolean,
+ generator?: boolean,
+ async?: boolean
+): ClassMethod;
+export function objectPattern(
+ properties: Array
+): ObjectPattern;
export function spreadElement(argument: Expression): SpreadElement;
declare function _super(): Super;
-export { _super as super}
-export function taggedTemplateExpression(tag: Expression, quasi: TemplateLiteral): TaggedTemplateExpression;
-export function templateElement(value: { raw: string, cooked?: string }, tail?: boolean): TemplateElement;
-export function templateLiteral(quasis: Array, expressions: Array): TemplateLiteral;
-export function yieldExpression(argument?: Expression | null, delegate?: boolean): YieldExpression;
+export { _super as super };
+export function taggedTemplateExpression(
+ tag: Expression,
+ quasi: TemplateLiteral
+): TaggedTemplateExpression;
+export function templateElement(
+ value: { raw: string; cooked?: string },
+ tail?: boolean
+): TemplateElement;
+export function templateLiteral(
+ quasis: Array,
+ expressions: Array
+): TemplateLiteral;
+export function yieldExpression(
+ argument?: Expression | null,
+ delegate?: boolean
+): YieldExpression;
export function awaitExpression(argument: Expression): AwaitExpression;
declare function _import(): Import;
-export { _import as import}
+export { _import as import };
export function bigIntLiteral(value: string): BigIntLiteral;
-export function exportNamespaceSpecifier(exported: Identifier): ExportNamespaceSpecifier;
-export function optionalMemberExpression(object: Expression, property: Expression | Identifier, computed: boolean | undefined, optional: boolean): OptionalMemberExpression;
-export function optionalCallExpression(callee: Expression, _arguments: Array, optional: boolean): OptionalCallExpression;
-export function classProperty(key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression, value?: Expression | null, typeAnnotation?: TypeAnnotation | TSTypeAnnotation | Noop | null, decorators?: Array | null, computed?: boolean, _static?: boolean): ClassProperty;
-export function classAccessorProperty(key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression | PrivateName, value?: Expression | null, typeAnnotation?: TypeAnnotation | TSTypeAnnotation | Noop | null, decorators?: Array | null, computed?: boolean, _static?: boolean): ClassAccessorProperty;
-export function classPrivateProperty(key: PrivateName, value?: Expression | null, decorators?: Array | null, _static?: boolean): ClassPrivateProperty;
-export function classPrivateMethod(kind: "get" | "set" | "method" | undefined, key: PrivateName, params: Array, body: BlockStatement, _static?: boolean): ClassPrivateMethod;
+export function exportNamespaceSpecifier(
+ exported: Identifier
+): ExportNamespaceSpecifier;
+export function optionalMemberExpression(
+ object: Expression,
+ property: Expression | Identifier,
+ computed: boolean | undefined,
+ optional: boolean
+): OptionalMemberExpression;
+export function optionalCallExpression(
+ callee: Expression,
+ _arguments: Array<
+ Expression | SpreadElement | JSXNamespacedName | ArgumentPlaceholder
+ >,
+ optional: boolean
+): OptionalCallExpression;
+export function classProperty(
+ key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression,
+ value?: Expression | null,
+ typeAnnotation?: TypeAnnotation | TSTypeAnnotation | Noop | null,
+ decorators?: Array | null,
+ computed?: boolean,
+ _static?: boolean
+): ClassProperty;
+export function classAccessorProperty(
+ key:
+ | Identifier
+ | StringLiteral
+ | NumericLiteral
+ | BigIntLiteral
+ | Expression
+ | PrivateName,
+ value?: Expression | null,
+ typeAnnotation?: TypeAnnotation | TSTypeAnnotation | Noop | null,
+ decorators?: Array | null,
+ computed?: boolean,
+ _static?: boolean
+): ClassAccessorProperty;
+export function classPrivateProperty(
+ key: PrivateName,
+ value?: Expression | null,
+ decorators?: Array | null,
+ _static?: boolean
+): ClassPrivateProperty;
+export function classPrivateMethod(
+ kind: 'get' | 'set' | 'method' | undefined,
+ key: PrivateName,
+ params: Array,
+ body: BlockStatement,
+ _static?: boolean
+): ClassPrivateMethod;
export function privateName(id: Identifier): PrivateName;
export function staticBlock(body: Array): StaticBlock;
export function anyTypeAnnotation(): AnyTypeAnnotation;
export function arrayTypeAnnotation(elementType: FlowType): ArrayTypeAnnotation;
export function booleanTypeAnnotation(): BooleanTypeAnnotation;
-export function booleanLiteralTypeAnnotation(value: boolean): BooleanLiteralTypeAnnotation;
+export function booleanLiteralTypeAnnotation(
+ value: boolean
+): BooleanLiteralTypeAnnotation;
export function nullLiteralTypeAnnotation(): NullLiteralTypeAnnotation;
-export function classImplements(id: Identifier, typeParameters?: TypeParameterInstantiation | null): ClassImplements;
-export function declareClass(id: Identifier, typeParameters: TypeParameterDeclaration | null | undefined, _extends: Array | null | undefined, body: ObjectTypeAnnotation): DeclareClass;
+export function classImplements(
+ id: Identifier,
+ typeParameters?: TypeParameterInstantiation | null
+): ClassImplements;
+export function declareClass(
+ id: Identifier,
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ _extends: Array | null | undefined,
+ body: ObjectTypeAnnotation
+): DeclareClass;
export function declareFunction(id: Identifier): DeclareFunction;
-export function declareInterface(id: Identifier, typeParameters: TypeParameterDeclaration | null | undefined, _extends: Array | null | undefined, body: ObjectTypeAnnotation): DeclareInterface;
-export function declareModule(id: Identifier | StringLiteral, body: BlockStatement, kind?: "CommonJS" | "ES" | null): DeclareModule;
-export function declareModuleExports(typeAnnotation: TypeAnnotation): DeclareModuleExports;
-export function declareTypeAlias(id: Identifier, typeParameters: TypeParameterDeclaration | null | undefined, right: FlowType): DeclareTypeAlias;
-export function declareOpaqueType(id: Identifier, typeParameters?: TypeParameterDeclaration | null, supertype?: FlowType | null): DeclareOpaqueType;
+export function declareInterface(
+ id: Identifier,
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ _extends: Array | null | undefined,
+ body: ObjectTypeAnnotation
+): DeclareInterface;
+export function declareModule(
+ id: Identifier | StringLiteral,
+ body: BlockStatement,
+ kind?: 'CommonJS' | 'ES' | null
+): DeclareModule;
+export function declareModuleExports(
+ typeAnnotation: TypeAnnotation
+): DeclareModuleExports;
+export function declareTypeAlias(
+ id: Identifier,
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ right: FlowType
+): DeclareTypeAlias;
+export function declareOpaqueType(
+ id: Identifier,
+ typeParameters?: TypeParameterDeclaration | null,
+ supertype?: FlowType | null
+): DeclareOpaqueType;
export function declareVariable(id: Identifier): DeclareVariable;
-export function declareExportDeclaration(declaration?: Flow | null, specifiers?: Array | null, source?: StringLiteral | null): DeclareExportDeclaration;
-export function declareExportAllDeclaration(source: StringLiteral): DeclareExportAllDeclaration;
+export function declareExportDeclaration(
+ declaration?: Flow | null,
+ specifiers?: Array | null,
+ source?: StringLiteral | null
+): DeclareExportDeclaration;
+export function declareExportAllDeclaration(
+ source: StringLiteral
+): DeclareExportAllDeclaration;
export function declaredPredicate(value: Flow): DeclaredPredicate;
export function existsTypeAnnotation(): ExistsTypeAnnotation;
-export function functionTypeAnnotation(typeParameters: TypeParameterDeclaration | null | undefined, params: Array, rest: FunctionTypeParam | null | undefined, returnType: FlowType): FunctionTypeAnnotation;
-export function functionTypeParam(name: Identifier | null | undefined, typeAnnotation: FlowType): FunctionTypeParam;
-export function genericTypeAnnotation(id: Identifier | QualifiedTypeIdentifier, typeParameters?: TypeParameterInstantiation | null): GenericTypeAnnotation;
+export function functionTypeAnnotation(
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ params: Array,
+ rest: FunctionTypeParam | null | undefined,
+ returnType: FlowType
+): FunctionTypeAnnotation;
+export function functionTypeParam(
+ name: Identifier | null | undefined,
+ typeAnnotation: FlowType
+): FunctionTypeParam;
+export function genericTypeAnnotation(
+ id: Identifier | QualifiedTypeIdentifier,
+ typeParameters?: TypeParameterInstantiation | null
+): GenericTypeAnnotation;
export function inferredPredicate(): InferredPredicate;
-export function interfaceExtends(id: Identifier | QualifiedTypeIdentifier, typeParameters?: TypeParameterInstantiation | null): InterfaceExtends;
-export function interfaceDeclaration(id: Identifier, typeParameters: TypeParameterDeclaration | null | undefined, _extends: Array | null | undefined, body: ObjectTypeAnnotation): InterfaceDeclaration;
-export function interfaceTypeAnnotation(_extends: Array | null | undefined, body: ObjectTypeAnnotation): InterfaceTypeAnnotation;
-export function intersectionTypeAnnotation(types: Array): IntersectionTypeAnnotation;
+export function interfaceExtends(
+ id: Identifier | QualifiedTypeIdentifier,
+ typeParameters?: TypeParameterInstantiation | null
+): InterfaceExtends;
+export function interfaceDeclaration(
+ id: Identifier,
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ _extends: Array | null | undefined,
+ body: ObjectTypeAnnotation
+): InterfaceDeclaration;
+export function interfaceTypeAnnotation(
+ _extends: Array | null | undefined,
+ body: ObjectTypeAnnotation
+): InterfaceTypeAnnotation;
+export function intersectionTypeAnnotation(
+ types: Array
+): IntersectionTypeAnnotation;
export function mixedTypeAnnotation(): MixedTypeAnnotation;
export function emptyTypeAnnotation(): EmptyTypeAnnotation;
-export function nullableTypeAnnotation(typeAnnotation: FlowType): NullableTypeAnnotation;
-export function numberLiteralTypeAnnotation(value: number): NumberLiteralTypeAnnotation;
+export function nullableTypeAnnotation(
+ typeAnnotation: FlowType
+): NullableTypeAnnotation;
+export function numberLiteralTypeAnnotation(
+ value: number
+): NumberLiteralTypeAnnotation;
export function numberTypeAnnotation(): NumberTypeAnnotation;
-export function objectTypeAnnotation(properties: Array, indexers?: Array, callProperties?: Array, internalSlots?: Array, exact?: boolean): ObjectTypeAnnotation;
-export function objectTypeInternalSlot(id: Identifier, value: FlowType, optional: boolean, _static: boolean, method: boolean): ObjectTypeInternalSlot;
+export function objectTypeAnnotation(
+ properties: Array,
+ indexers?: Array,
+ callProperties?: Array,
+ internalSlots?: Array,
+ exact?: boolean
+): ObjectTypeAnnotation;
+export function objectTypeInternalSlot(
+ id: Identifier,
+ value: FlowType,
+ optional: boolean,
+ _static: boolean,
+ method: boolean
+): ObjectTypeInternalSlot;
export function objectTypeCallProperty(value: FlowType): ObjectTypeCallProperty;
-export function objectTypeIndexer(id: Identifier | null | undefined, key: FlowType, value: FlowType, variance?: Variance | null): ObjectTypeIndexer;
-export function objectTypeProperty(key: Identifier | StringLiteral, value: FlowType, variance?: Variance | null): ObjectTypeProperty;
-export function objectTypeSpreadProperty(argument: FlowType): ObjectTypeSpreadProperty;
-export function opaqueType(id: Identifier, typeParameters: TypeParameterDeclaration | null | undefined, supertype: FlowType | null | undefined, impltype: FlowType): OpaqueType;
-export function qualifiedTypeIdentifier(id: Identifier, qualification: Identifier | QualifiedTypeIdentifier): QualifiedTypeIdentifier;
-export function stringLiteralTypeAnnotation(value: string): StringLiteralTypeAnnotation;
+export function objectTypeIndexer(
+ id: Identifier | null | undefined,
+ key: FlowType,
+ value: FlowType,
+ variance?: Variance | null
+): ObjectTypeIndexer;
+export function objectTypeProperty(
+ key: Identifier | StringLiteral,
+ value: FlowType,
+ variance?: Variance | null
+): ObjectTypeProperty;
+export function objectTypeSpreadProperty(
+ argument: FlowType
+): ObjectTypeSpreadProperty;
+export function opaqueType(
+ id: Identifier,
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ supertype: FlowType | null | undefined,
+ impltype: FlowType
+): OpaqueType;
+export function qualifiedTypeIdentifier(
+ id: Identifier,
+ qualification: Identifier | QualifiedTypeIdentifier
+): QualifiedTypeIdentifier;
+export function stringLiteralTypeAnnotation(
+ value: string
+): StringLiteralTypeAnnotation;
export function stringTypeAnnotation(): StringTypeAnnotation;
export function symbolTypeAnnotation(): SymbolTypeAnnotation;
export function thisTypeAnnotation(): ThisTypeAnnotation;
-export function tupleTypeAnnotation(types: Array): TupleTypeAnnotation;
+export function tupleTypeAnnotation(
+ types: Array
+): TupleTypeAnnotation;
export function typeofTypeAnnotation(argument: FlowType): TypeofTypeAnnotation;
-export function typeAlias(id: Identifier, typeParameters: TypeParameterDeclaration | null | undefined, right: FlowType): TypeAlias;
+export function typeAlias(
+ id: Identifier,
+ typeParameters: TypeParameterDeclaration | null | undefined,
+ right: FlowType
+): TypeAlias;
export function typeAnnotation(typeAnnotation: FlowType): TypeAnnotation;
-export function typeCastExpression(expression: Expression, typeAnnotation: TypeAnnotation): TypeCastExpression;
-export function typeParameter(bound?: TypeAnnotation | null, _default?: FlowType | null, variance?: Variance | null): TypeParameter;
-export function typeParameterDeclaration(params: Array): TypeParameterDeclaration;
-export function typeParameterInstantiation(params: Array): TypeParameterInstantiation;
-export function unionTypeAnnotation(types: Array): UnionTypeAnnotation;
-export function variance(kind: "minus" | "plus"): Variance;
+export function typeCastExpression(
+ expression: Expression,
+ typeAnnotation: TypeAnnotation
+): TypeCastExpression;
+export function typeParameter(
+ bound?: TypeAnnotation | null,
+ _default?: FlowType | null,
+ variance?: Variance | null
+): TypeParameter;
+export function typeParameterDeclaration(
+ params: Array
+): TypeParameterDeclaration;
+export function typeParameterInstantiation(
+ params: Array
+): TypeParameterInstantiation;
+export function unionTypeAnnotation(
+ types: Array
+): UnionTypeAnnotation;
+export function variance(kind: 'minus' | 'plus'): Variance;
export function voidTypeAnnotation(): VoidTypeAnnotation;
-export function enumDeclaration(id: Identifier, body: EnumBooleanBody | EnumNumberBody | EnumStringBody | EnumSymbolBody): EnumDeclaration;
-export function enumBooleanBody(members: Array): EnumBooleanBody;
-export function enumNumberBody(members: Array): EnumNumberBody;
-export function enumStringBody(members: Array): EnumStringBody;
-export function enumSymbolBody(members: Array): EnumSymbolBody;
+export function enumDeclaration(
+ id: Identifier,
+ body: EnumBooleanBody | EnumNumberBody | EnumStringBody | EnumSymbolBody
+): EnumDeclaration;
+export function enumBooleanBody(
+ members: Array
+): EnumBooleanBody;
+export function enumNumberBody(
+ members: Array
+): EnumNumberBody;
+export function enumStringBody(
+ members: Array
+): EnumStringBody;
+export function enumSymbolBody(
+ members: Array
+): EnumSymbolBody;
export function enumBooleanMember(id: Identifier): EnumBooleanMember;
-export function enumNumberMember(id: Identifier, init: NumericLiteral): EnumNumberMember;
-export function enumStringMember(id: Identifier, init: StringLiteral): EnumStringMember;
+export function enumNumberMember(
+ id: Identifier,
+ init: NumericLiteral
+): EnumNumberMember;
+export function enumStringMember(
+ id: Identifier,
+ init: StringLiteral
+): EnumStringMember;
export function enumDefaultedMember(id: Identifier): EnumDefaultedMember;
-export function indexedAccessType(objectType: FlowType, indexType: FlowType): IndexedAccessType;
-export function optionalIndexedAccessType(objectType: FlowType, indexType: FlowType): OptionalIndexedAccessType;
-export function jsxAttribute(name: JSXIdentifier | JSXNamespacedName, value?: JSXElement | JSXFragment | StringLiteral | JSXExpressionContainer | null): JSXAttribute;
-export function jsxClosingElement(name: JSXIdentifier | JSXMemberExpression | JSXNamespacedName): JSXClosingElement;
-export function jsxElement(openingElement: JSXOpeningElement, closingElement: JSXClosingElement | null | undefined, children: Array, selfClosing?: boolean | null): JSXElement;
+export function indexedAccessType(
+ objectType: FlowType,
+ indexType: FlowType
+): IndexedAccessType;
+export function optionalIndexedAccessType(
+ objectType: FlowType,
+ indexType: FlowType
+): OptionalIndexedAccessType;
+export function jsxAttribute(
+ name: JSXIdentifier | JSXNamespacedName,
+ value?:
+ | JSXElement
+ | JSXFragment
+ | StringLiteral
+ | JSXExpressionContainer
+ | null
+): JSXAttribute;
+export function jsxClosingElement(
+ name: JSXIdentifier | JSXMemberExpression | JSXNamespacedName
+): JSXClosingElement;
+export function jsxElement(
+ openingElement: JSXOpeningElement,
+ closingElement: JSXClosingElement | null | undefined,
+ children: Array<
+ JSXText | JSXExpressionContainer | JSXSpreadChild | JSXElement | JSXFragment
+ >,
+ selfClosing?: boolean | null
+): JSXElement;
export function jsxEmptyExpression(): JSXEmptyExpression;
-export function jsxExpressionContainer(expression: Expression | JSXEmptyExpression): JSXExpressionContainer;
+export function jsxExpressionContainer(
+ expression: Expression | JSXEmptyExpression
+): JSXExpressionContainer;
export function jsxSpreadChild(expression: Expression): JSXSpreadChild;
export function jsxIdentifier(name: string): JSXIdentifier;
-export function jsxMemberExpression(object: JSXMemberExpression | JSXIdentifier, property: JSXIdentifier): JSXMemberExpression;
-export function jsxNamespacedName(namespace: JSXIdentifier, name: JSXIdentifier): JSXNamespacedName;
-export function jsxOpeningElement(name: JSXIdentifier | JSXMemberExpression | JSXNamespacedName, attributes: Array, selfClosing?: boolean): JSXOpeningElement;
+export function jsxMemberExpression(
+ object: JSXMemberExpression | JSXIdentifier,
+ property: JSXIdentifier
+): JSXMemberExpression;
+export function jsxNamespacedName(
+ namespace: JSXIdentifier,
+ name: JSXIdentifier
+): JSXNamespacedName;
+export function jsxOpeningElement(
+ name: JSXIdentifier | JSXMemberExpression | JSXNamespacedName,
+ attributes: Array,
+ selfClosing?: boolean
+): JSXOpeningElement;
export function jsxSpreadAttribute(argument: Expression): JSXSpreadAttribute;
export function jsxText(value: string): JSXText;
-export function jsxFragment(openingFragment: JSXOpeningFragment, closingFragment: JSXClosingFragment, children: Array): JSXFragment;
+export function jsxFragment(
+ openingFragment: JSXOpeningFragment,
+ closingFragment: JSXClosingFragment,
+ children: Array<
+ JSXText | JSXExpressionContainer | JSXSpreadChild | JSXElement | JSXFragment
+ >
+): JSXFragment;
export function jsxOpeningFragment(): JSXOpeningFragment;
export function jsxClosingFragment(): JSXClosingFragment;
export function noop(): Noop;
-export function placeholder(expectedNode: "Identifier" | "StringLiteral" | "Expression" | "Statement" | "Declaration" | "BlockStatement" | "ClassBody" | "Pattern", name: Identifier): Placeholder;
+export function placeholder(
+ expectedNode:
+ | 'Identifier'
+ | 'StringLiteral'
+ | 'Expression'
+ | 'Statement'
+ | 'Declaration'
+ | 'BlockStatement'
+ | 'ClassBody'
+ | 'Pattern',
+ name: Identifier
+): Placeholder;
export function v8IntrinsicIdentifier(name: string): V8IntrinsicIdentifier;
export function argumentPlaceholder(): ArgumentPlaceholder;
-export function bindExpression(object: Expression, callee: Expression): BindExpression;
-export function importAttribute(key: Identifier | StringLiteral, value: StringLiteral): ImportAttribute;
+export function bindExpression(
+ object: Expression,
+ callee: Expression
+): BindExpression;
+export function importAttribute(
+ key: Identifier | StringLiteral,
+ value: StringLiteral
+): ImportAttribute;
export function decorator(expression: Expression): Decorator;
-export function doExpression(body: BlockStatement, async?: boolean): DoExpression;
-export function exportDefaultSpecifier(exported: Identifier): ExportDefaultSpecifier;
-export function recordExpression(properties: Array): RecordExpression;
-export function tupleExpression(elements?: Array): TupleExpression;
+export function doExpression(
+ body: BlockStatement,
+ async?: boolean
+): DoExpression;
+export function exportDefaultSpecifier(
+ exported: Identifier
+): ExportDefaultSpecifier;
+export function recordExpression(
+ properties: Array
+): RecordExpression;
+export function tupleExpression(
+ elements?: Array
+): TupleExpression;
export function decimalLiteral(value: string): DecimalLiteral;
export function moduleExpression(body: Program): ModuleExpression;
export function topicReference(): TopicReference;
-export function pipelineTopicExpression(expression: Expression): PipelineTopicExpression;
+export function pipelineTopicExpression(
+ expression: Expression
+): PipelineTopicExpression;
export function pipelineBareFunction(callee: Expression): PipelineBareFunction;
export function pipelinePrimaryTopicReference(): PipelinePrimaryTopicReference;
-export function tsParameterProperty(parameter: Identifier | AssignmentPattern): TSParameterProperty;
-export function tsDeclareFunction(id: Identifier | null | undefined, typeParameters: TSTypeParameterDeclaration | Noop | null | undefined, params: Array, returnType?: TSTypeAnnotation | Noop | null): TSDeclareFunction;
-export function tsDeclareMethod(decorators: Array | null | undefined, key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression, typeParameters: TSTypeParameterDeclaration | Noop | null | undefined, params: Array, returnType?: TSTypeAnnotation | Noop | null): TSDeclareMethod;
-export function tsQualifiedName(left: TSEntityName, right: Identifier): TSQualifiedName;
-export function tsCallSignatureDeclaration(typeParameters: TSTypeParameterDeclaration | null | undefined, parameters: Array, typeAnnotation?: TSTypeAnnotation | null): TSCallSignatureDeclaration;
-export function tsConstructSignatureDeclaration(typeParameters: TSTypeParameterDeclaration | null | undefined, parameters: Array, typeAnnotation?: TSTypeAnnotation | null): TSConstructSignatureDeclaration;
-export function tsPropertySignature(key: Expression, typeAnnotation?: TSTypeAnnotation | null, initializer?: Expression | null): TSPropertySignature;
-export function tsMethodSignature(key: Expression, typeParameters: TSTypeParameterDeclaration | null | undefined, parameters: Array, typeAnnotation?: TSTypeAnnotation | null): TSMethodSignature;
-export function tsIndexSignature(parameters: Array, typeAnnotation?: TSTypeAnnotation | null): TSIndexSignature;
+export function tsParameterProperty(
+ parameter: Identifier | AssignmentPattern
+): TSParameterProperty;
+export function tsDeclareFunction(
+ id: Identifier | null | undefined,
+ typeParameters: TSTypeParameterDeclaration | Noop | null | undefined,
+ params: Array,
+ returnType?: TSTypeAnnotation | Noop | null
+): TSDeclareFunction;
+export function tsDeclareMethod(
+ decorators: Array | null | undefined,
+ key: Identifier | StringLiteral | NumericLiteral | BigIntLiteral | Expression,
+ typeParameters: TSTypeParameterDeclaration | Noop | null | undefined,
+ params: Array,
+ returnType?: TSTypeAnnotation | Noop | null
+): TSDeclareMethod;
+export function tsQualifiedName(
+ left: TSEntityName,
+ right: Identifier
+): TSQualifiedName;
+export function tsCallSignatureDeclaration(
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ parameters: Array,
+ typeAnnotation?: TSTypeAnnotation | null
+): TSCallSignatureDeclaration;
+export function tsConstructSignatureDeclaration(
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ parameters: Array,
+ typeAnnotation?: TSTypeAnnotation | null
+): TSConstructSignatureDeclaration;
+export function tsPropertySignature(
+ key: Expression,
+ typeAnnotation?: TSTypeAnnotation | null,
+ initializer?: Expression | null
+): TSPropertySignature;
+export function tsMethodSignature(
+ key: Expression,
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ parameters: Array,
+ typeAnnotation?: TSTypeAnnotation | null
+): TSMethodSignature;
+export function tsIndexSignature(
+ parameters: Array,
+ typeAnnotation?: TSTypeAnnotation | null
+): TSIndexSignature;
export function tsAnyKeyword(): TSAnyKeyword;
export function tsBooleanKeyword(): TSBooleanKeyword;
export function tsBigIntKeyword(): TSBigIntKeyword;
@@ -1974,709 +3556,2717 @@ export function tsUndefinedKeyword(): TSUndefinedKeyword;
export function tsUnknownKeyword(): TSUnknownKeyword;
export function tsVoidKeyword(): TSVoidKeyword;
export function tsThisType(): TSThisType;
-export function tsFunctionType(typeParameters: TSTypeParameterDeclaration | null | undefined, parameters: Array, typeAnnotation?: TSTypeAnnotation | null): TSFunctionType;
-export function tsConstructorType(typeParameters: TSTypeParameterDeclaration | null | undefined, parameters: Array, typeAnnotation?: TSTypeAnnotation | null): TSConstructorType;
-export function tsTypeReference(typeName: TSEntityName, typeParameters?: TSTypeParameterInstantiation | null): TSTypeReference;
-export function tsTypePredicate(parameterName: Identifier | TSThisType, typeAnnotation?: TSTypeAnnotation | null, asserts?: boolean | null): TSTypePredicate;
-export function tsTypeQuery(exprName: TSEntityName | TSImportType, typeParameters?: TSTypeParameterInstantiation | null): TSTypeQuery;
+export function tsFunctionType(
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ parameters: Array,
+ typeAnnotation?: TSTypeAnnotation | null
+): TSFunctionType;
+export function tsConstructorType(
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ parameters: Array,
+ typeAnnotation?: TSTypeAnnotation | null
+): TSConstructorType;
+export function tsTypeReference(
+ typeName: TSEntityName,
+ typeParameters?: TSTypeParameterInstantiation | null
+): TSTypeReference;
+export function tsTypePredicate(
+ parameterName: Identifier | TSThisType,
+ typeAnnotation?: TSTypeAnnotation | null,
+ asserts?: boolean | null
+): TSTypePredicate;
+export function tsTypeQuery(
+ exprName: TSEntityName | TSImportType,
+ typeParameters?: TSTypeParameterInstantiation | null
+): TSTypeQuery;
export function tsTypeLiteral(members: Array): TSTypeLiteral;
export function tsArrayType(elementType: TSType): TSArrayType;
-export function tsTupleType(elementTypes: Array): TSTupleType;
+export function tsTupleType(
+ elementTypes: Array
+): TSTupleType;
export function tsOptionalType(typeAnnotation: TSType): TSOptionalType;
export function tsRestType(typeAnnotation: TSType): TSRestType;
-export function tsNamedTupleMember(label: Identifier, elementType: TSType, optional?: boolean): TSNamedTupleMember;
+export function tsNamedTupleMember(
+ label: Identifier,
+ elementType: TSType,
+ optional?: boolean
+): TSNamedTupleMember;
export function tsUnionType(types: Array): TSUnionType;
export function tsIntersectionType(types: Array): TSIntersectionType;
-export function tsConditionalType(checkType: TSType, extendsType: TSType, trueType: TSType, falseType: TSType): TSConditionalType;
+export function tsConditionalType(
+ checkType: TSType,
+ extendsType: TSType,
+ trueType: TSType,
+ falseType: TSType
+): TSConditionalType;
export function tsInferType(typeParameter: TSTypeParameter): TSInferType;
-export function tsParenthesizedType(typeAnnotation: TSType): TSParenthesizedType;
+export function tsParenthesizedType(
+ typeAnnotation: TSType
+): TSParenthesizedType;
export function tsTypeOperator(typeAnnotation: TSType): TSTypeOperator;
-export function tsIndexedAccessType(objectType: TSType, indexType: TSType): TSIndexedAccessType;
-export function tsMappedType(typeParameter: TSTypeParameter, typeAnnotation?: TSType | null, nameType?: TSType | null): TSMappedType;
-export function tsLiteralType(literal: NumericLiteral | StringLiteral | BooleanLiteral | BigIntLiteral | TemplateLiteral | UnaryExpression): TSLiteralType;
-export function tsExpressionWithTypeArguments(expression: TSEntityName, typeParameters?: TSTypeParameterInstantiation | null): TSExpressionWithTypeArguments;
-export function tsInterfaceDeclaration(id: Identifier, typeParameters: TSTypeParameterDeclaration | null | undefined, _extends: Array | null | undefined, body: TSInterfaceBody): TSInterfaceDeclaration;
+export function tsIndexedAccessType(
+ objectType: TSType,
+ indexType: TSType
+): TSIndexedAccessType;
+export function tsMappedType(
+ typeParameter: TSTypeParameter,
+ typeAnnotation?: TSType | null,
+ nameType?: TSType | null
+): TSMappedType;
+export function tsLiteralType(
+ literal:
+ | NumericLiteral
+ | StringLiteral
+ | BooleanLiteral
+ | BigIntLiteral
+ | TemplateLiteral
+ | UnaryExpression
+): TSLiteralType;
+export function tsExpressionWithTypeArguments(
+ expression: TSEntityName,
+ typeParameters?: TSTypeParameterInstantiation | null
+): TSExpressionWithTypeArguments;
+export function tsInterfaceDeclaration(
+ id: Identifier,
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ _extends: Array | null | undefined,
+ body: TSInterfaceBody
+): TSInterfaceDeclaration;
export function tsInterfaceBody(body: Array): TSInterfaceBody;
-export function tsTypeAliasDeclaration(id: Identifier, typeParameters: TSTypeParameterDeclaration | null | undefined, typeAnnotation: TSType): TSTypeAliasDeclaration;
-export function tsInstantiationExpression(expression: Expression, typeParameters?: TSTypeParameterInstantiation | null): TSInstantiationExpression;
-export function tsAsExpression(expression: Expression, typeAnnotation: TSType): TSAsExpression;
-export function tsTypeAssertion(typeAnnotation: TSType, expression: Expression): TSTypeAssertion;
-export function tsEnumDeclaration(id: Identifier, members: Array): TSEnumDeclaration;
-export function tsEnumMember(id: Identifier | StringLiteral, initializer?: Expression | null): TSEnumMember;
-export function tsModuleDeclaration(id: Identifier | StringLiteral, body: TSModuleBlock | TSModuleDeclaration): TSModuleDeclaration;
+export function tsTypeAliasDeclaration(
+ id: Identifier,
+ typeParameters: TSTypeParameterDeclaration | null | undefined,
+ typeAnnotation: TSType
+): TSTypeAliasDeclaration;
+export function tsInstantiationExpression(
+ expression: Expression,
+ typeParameters?: TSTypeParameterInstantiation | null
+): TSInstantiationExpression;
+export function tsAsExpression(
+ expression: Expression,
+ typeAnnotation: TSType
+): TSAsExpression;
+export function tsTypeAssertion(
+ typeAnnotation: TSType,
+ expression: Expression
+): TSTypeAssertion;
+export function tsEnumDeclaration(
+ id: Identifier,
+ members: Array
+): TSEnumDeclaration;
+export function tsEnumMember(
+ id: Identifier | StringLiteral,
+ initializer?: Expression | null
+): TSEnumMember;
+export function tsModuleDeclaration(
+ id: Identifier | StringLiteral,
+ body: TSModuleBlock | TSModuleDeclaration
+): TSModuleDeclaration;
export function tsModuleBlock(body: Array): TSModuleBlock;
-export function tsImportType(argument: StringLiteral, qualifier?: TSEntityName | null, typeParameters?: TSTypeParameterInstantiation | null): TSImportType;
-export function tsImportEqualsDeclaration(id: Identifier, moduleReference: TSEntityName | TSExternalModuleReference): TSImportEqualsDeclaration;
-export function tsExternalModuleReference(expression: StringLiteral): TSExternalModuleReference;
-export function tsNonNullExpression(expression: Expression): TSNonNullExpression;
+export function tsImportType(
+ argument: StringLiteral,
+ qualifier?: TSEntityName | null,
+ typeParameters?: TSTypeParameterInstantiation | null
+): TSImportType;
+export function tsImportEqualsDeclaration(
+ id: Identifier,
+ moduleReference: TSEntityName | TSExternalModuleReference
+): TSImportEqualsDeclaration;
+export function tsExternalModuleReference(
+ expression: StringLiteral
+): TSExternalModuleReference;
+export function tsNonNullExpression(
+ expression: Expression
+): TSNonNullExpression;
export function tsExportAssignment(expression: Expression): TSExportAssignment;
-export function tsNamespaceExportDeclaration(id: Identifier): TSNamespaceExportDeclaration;
+export function tsNamespaceExportDeclaration(
+ id: Identifier
+): TSNamespaceExportDeclaration;
export function tsTypeAnnotation(typeAnnotation: TSType): TSTypeAnnotation;
-export function tsTypeParameterInstantiation(params: Array): TSTypeParameterInstantiation;
-export function tsTypeParameterDeclaration(params: Array): TSTypeParameterDeclaration;
-export function tsTypeParameter(constraint: TSType | null | undefined, _default: TSType | null | undefined, name: string): TSTypeParameter;
-export function isAccessor(node: object | null | undefined, opts?: object | null): node is Accessor;
-export function assertAccessor(node: object | null | undefined, opts?: object | null): void;
-export function isAnyTypeAnnotation(node: object | null | undefined, opts?: object | null): node is AnyTypeAnnotation;
-export function assertAnyTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isArgumentPlaceholder(node: object | null | undefined, opts?: object | null): node is ArgumentPlaceholder;
-export function assertArgumentPlaceholder(node: object | null | undefined, opts?: object | null): void;
-export function isArrayExpression(node: object | null | undefined, opts?: object | null): node is ArrayExpression;
-export function assertArrayExpression(node: object | null | undefined, opts?: object | null): void;
-export function isArrayPattern(node: object | null | undefined, opts?: object | null): node is ArrayPattern;
-export function assertArrayPattern(node: object | null | undefined, opts?: object | null): void;
-export function isArrayTypeAnnotation(node: object | null | undefined, opts?: object | null): node is ArrayTypeAnnotation;
-export function assertArrayTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isArrowFunctionExpression(node: object | null | undefined, opts?: object | null): node is ArrowFunctionExpression;
-export function assertArrowFunctionExpression(node: object | null | undefined, opts?: object | null): void;
-export function isAssignmentExpression(node: object | null | undefined, opts?: object | null): node is AssignmentExpression;
-export function assertAssignmentExpression(node: object | null | undefined, opts?: object | null): void;
-export function isAssignmentPattern(node: object | null | undefined, opts?: object | null): node is AssignmentPattern;
-export function assertAssignmentPattern(node: object | null | undefined, opts?: object | null): void;
-export function isAwaitExpression(node: object | null | undefined, opts?: object | null): node is AwaitExpression;
-export function assertAwaitExpression(node: object | null | undefined, opts?: object | null): void;
-export function isBigIntLiteral(node: object | null | undefined, opts?: object | null): node is BigIntLiteral;
-export function assertBigIntLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isBinary(node: object | null | undefined, opts?: object | null): node is Binary;
-export function assertBinary(node: object | null | undefined, opts?: object | null): void;
-export function isBinaryExpression(node: object | null | undefined, opts?: object | null): node is BinaryExpression;
-export function assertBinaryExpression(node: object | null | undefined, opts?: object | null): void;
-export function isBindExpression(node: object | null | undefined, opts?: object | null): node is BindExpression;
-export function assertBindExpression(node: object | null | undefined, opts?: object | null): void;
-export function isBlock(node: object | null | undefined, opts?: object | null): node is Block;
-export function assertBlock(node: object | null | undefined, opts?: object | null): void;
-export function isBlockParent(node: object | null | undefined, opts?: object | null): node is BlockParent;
-export function assertBlockParent(node: object | null | undefined, opts?: object | null): void;
-export function isBlockStatement(node: object | null | undefined, opts?: object | null): node is BlockStatement;
-export function assertBlockStatement(node: object | null | undefined, opts?: object | null): void;
-export function isBooleanLiteral(node: object | null | undefined, opts?: object | null): node is BooleanLiteral;
-export function assertBooleanLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isBooleanLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): node is BooleanLiteralTypeAnnotation;
-export function assertBooleanLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isBooleanTypeAnnotation(node: object | null | undefined, opts?: object | null): node is BooleanTypeAnnotation;
-export function assertBooleanTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isBreakStatement(node: object | null | undefined, opts?: object | null): node is BreakStatement;
-export function assertBreakStatement(node: object | null | undefined, opts?: object | null): void;
-export function isCallExpression(node: object | null | undefined, opts?: object | null): node is CallExpression;
-export function assertCallExpression(node: object | null | undefined, opts?: object | null): void;
-export function isCatchClause(node: object | null | undefined, opts?: object | null): node is CatchClause;
-export function assertCatchClause(node: object | null | undefined, opts?: object | null): void;
-export function isClass(node: object | null | undefined, opts?: object | null): node is Class;
-export function assertClass(node: object | null | undefined, opts?: object | null): void;
-export function isClassAccessorProperty(node: object | null | undefined, opts?: object | null): node is ClassAccessorProperty;
-export function assertClassAccessorProperty(node: object | null | undefined, opts?: object | null): void;
-export function isClassBody(node: object | null | undefined, opts?: object | null): node is ClassBody;
-export function assertClassBody(node: object | null | undefined, opts?: object | null): void;
-export function isClassDeclaration(node: object | null | undefined, opts?: object | null): node is ClassDeclaration;
-export function assertClassDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isClassExpression(node: object | null | undefined, opts?: object | null): node is ClassExpression;
-export function assertClassExpression(node: object | null | undefined, opts?: object | null): void;
-export function isClassImplements(node: object | null | undefined, opts?: object | null): node is ClassImplements;
-export function assertClassImplements(node: object | null | undefined, opts?: object | null): void;
-export function isClassMethod(node: object | null | undefined, opts?: object | null): node is ClassMethod;
-export function assertClassMethod(node: object | null | undefined, opts?: object | null): void;
-export function isClassPrivateMethod(node: object | null | undefined, opts?: object | null): node is ClassPrivateMethod;
-export function assertClassPrivateMethod(node: object | null | undefined, opts?: object | null): void;
-export function isClassPrivateProperty(node: object | null | undefined, opts?: object | null): node is ClassPrivateProperty;
-export function assertClassPrivateProperty(node: object | null | undefined, opts?: object | null): void;
-export function isClassProperty(node: object | null | undefined, opts?: object | null): node is ClassProperty;
-export function assertClassProperty(node: object | null | undefined, opts?: object | null): void;
-export function isCompletionStatement(node: object | null | undefined, opts?: object | null): node is CompletionStatement;
-export function assertCompletionStatement(node: object | null | undefined, opts?: object | null): void;
-export function isConditional(node: object | null | undefined, opts?: object | null): node is Conditional;
-export function assertConditional(node: object | null | undefined, opts?: object | null): void;
-export function isConditionalExpression(node: object | null | undefined, opts?: object | null): node is ConditionalExpression;
-export function assertConditionalExpression(node: object | null | undefined, opts?: object | null): void;
-export function isContinueStatement(node: object | null | undefined, opts?: object | null): node is ContinueStatement;
-export function assertContinueStatement(node: object | null | undefined, opts?: object | null): void;
-export function isDebuggerStatement(node: object | null | undefined, opts?: object | null): node is DebuggerStatement;
-export function assertDebuggerStatement(node: object | null | undefined, opts?: object | null): void;
-export function isDecimalLiteral(node: object | null | undefined, opts?: object | null): node is DecimalLiteral;
-export function assertDecimalLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isDeclaration(node: object | null | undefined, opts?: object | null): node is Declaration;
-export function assertDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareClass(node: object | null | undefined, opts?: object | null): node is DeclareClass;
-export function assertDeclareClass(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareExportAllDeclaration(node: object | null | undefined, opts?: object | null): node is DeclareExportAllDeclaration;
-export function assertDeclareExportAllDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareExportDeclaration(node: object | null | undefined, opts?: object | null): node is DeclareExportDeclaration;
-export function assertDeclareExportDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareFunction(node: object | null | undefined, opts?: object | null): node is DeclareFunction;
-export function assertDeclareFunction(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareInterface(node: object | null | undefined, opts?: object | null): node is DeclareInterface;
-export function assertDeclareInterface(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareModule(node: object | null | undefined, opts?: object | null): node is DeclareModule;
-export function assertDeclareModule(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareModuleExports(node: object | null | undefined, opts?: object | null): node is DeclareModuleExports;
-export function assertDeclareModuleExports(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareOpaqueType(node: object | null | undefined, opts?: object | null): node is DeclareOpaqueType;
-export function assertDeclareOpaqueType(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareTypeAlias(node: object | null | undefined, opts?: object | null): node is DeclareTypeAlias;
-export function assertDeclareTypeAlias(node: object | null | undefined, opts?: object | null): void;
-export function isDeclareVariable(node: object | null | undefined, opts?: object | null): node is DeclareVariable;
-export function assertDeclareVariable(node: object | null | undefined, opts?: object | null): void;
-export function isDeclaredPredicate(node: object | null | undefined, opts?: object | null): node is DeclaredPredicate;
-export function assertDeclaredPredicate(node: object | null | undefined, opts?: object | null): void;
-export function isDecorator(node: object | null | undefined, opts?: object | null): node is Decorator;
-export function assertDecorator(node: object | null | undefined, opts?: object | null): void;
-export function isDirective(node: object | null | undefined, opts?: object | null): node is Directive;
-export function assertDirective(node: object | null | undefined, opts?: object | null): void;
-export function isDirectiveLiteral(node: object | null | undefined, opts?: object | null): node is DirectiveLiteral;
-export function assertDirectiveLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isDoExpression(node: object | null | undefined, opts?: object | null): node is DoExpression;
-export function assertDoExpression(node: object | null | undefined, opts?: object | null): void;
-export function isDoWhileStatement(node: object | null | undefined, opts?: object | null): node is DoWhileStatement;
-export function assertDoWhileStatement(node: object | null | undefined, opts?: object | null): void;
-export function isEmptyStatement(node: object | null | undefined, opts?: object | null): node is EmptyStatement;
-export function assertEmptyStatement(node: object | null | undefined, opts?: object | null): void;
-export function isEmptyTypeAnnotation(node: object | null | undefined, opts?: object | null): node is EmptyTypeAnnotation;
-export function assertEmptyTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isEnumBody(node: object | null | undefined, opts?: object | null): node is EnumBody;
-export function assertEnumBody(node: object | null | undefined, opts?: object | null): void;
-export function isEnumBooleanBody(node: object | null | undefined, opts?: object | null): node is EnumBooleanBody;
-export function assertEnumBooleanBody(node: object | null | undefined, opts?: object | null): void;
-export function isEnumBooleanMember(node: object | null | undefined, opts?: object | null): node is EnumBooleanMember;
-export function assertEnumBooleanMember(node: object | null | undefined, opts?: object | null): void;
-export function isEnumDeclaration(node: object | null | undefined, opts?: object | null): node is EnumDeclaration;
-export function assertEnumDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isEnumDefaultedMember(node: object | null | undefined, opts?: object | null): node is EnumDefaultedMember;
-export function assertEnumDefaultedMember(node: object | null | undefined, opts?: object | null): void;
-export function isEnumMember(node: object | null | undefined, opts?: object | null): node is EnumMember;
-export function assertEnumMember(node: object | null | undefined, opts?: object | null): void;
-export function isEnumNumberBody(node: object | null | undefined, opts?: object | null): node is EnumNumberBody;
-export function assertEnumNumberBody(node: object | null | undefined, opts?: object | null): void;
-export function isEnumNumberMember(node: object | null | undefined, opts?: object | null): node is EnumNumberMember;
-export function assertEnumNumberMember(node: object | null | undefined, opts?: object | null): void;
-export function isEnumStringBody(node: object | null | undefined, opts?: object | null): node is EnumStringBody;
-export function assertEnumStringBody(node: object | null | undefined, opts?: object | null): void;
-export function isEnumStringMember(node: object | null | undefined, opts?: object | null): node is EnumStringMember;
-export function assertEnumStringMember(node: object | null | undefined, opts?: object | null): void;
-export function isEnumSymbolBody(node: object | null | undefined, opts?: object | null): node is EnumSymbolBody;
-export function assertEnumSymbolBody(node: object | null | undefined, opts?: object | null): void;
-export function isExistsTypeAnnotation(node: object | null | undefined, opts?: object | null): node is ExistsTypeAnnotation;
-export function assertExistsTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isExportAllDeclaration(node: object | null | undefined, opts?: object | null): node is ExportAllDeclaration;
-export function assertExportAllDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isExportDeclaration(node: object | null | undefined, opts?: object | null): node is ExportDeclaration;
-export function assertExportDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isExportDefaultDeclaration(node: object | null | undefined, opts?: object | null): node is ExportDefaultDeclaration;
-export function assertExportDefaultDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isExportDefaultSpecifier(node: object | null | undefined, opts?: object | null): node is ExportDefaultSpecifier;
-export function assertExportDefaultSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isExportNamedDeclaration(node: object | null | undefined, opts?: object | null): node is ExportNamedDeclaration;
-export function assertExportNamedDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isExportNamespaceSpecifier(node: object | null | undefined, opts?: object | null): node is ExportNamespaceSpecifier;
-export function assertExportNamespaceSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isExportSpecifier(node: object | null | undefined, opts?: object | null): node is ExportSpecifier;
-export function assertExportSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isExpression(node: object | null | undefined, opts?: object | null): node is Expression;
-export function assertExpression(node: object | null | undefined, opts?: object | null): void;
-export function isExpressionStatement(node: object | null | undefined, opts?: object | null): node is ExpressionStatement;
-export function assertExpressionStatement(node: object | null | undefined, opts?: object | null): void;
-export function isExpressionWrapper(node: object | null | undefined, opts?: object | null): node is ExpressionWrapper;
-export function assertExpressionWrapper(node: object | null | undefined, opts?: object | null): void;
-export function isFile(node: object | null | undefined, opts?: object | null): node is File;
-export function assertFile(node: object | null | undefined, opts?: object | null): void;
-export function isFlow(node: object | null | undefined, opts?: object | null): node is Flow;
-export function assertFlow(node: object | null | undefined, opts?: object | null): void;
-export function isFlowBaseAnnotation(node: object | null | undefined, opts?: object | null): node is FlowBaseAnnotation;
-export function assertFlowBaseAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isFlowDeclaration(node: object | null | undefined, opts?: object | null): node is FlowDeclaration;
-export function assertFlowDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isFlowPredicate(node: object | null | undefined, opts?: object | null): node is FlowPredicate;
-export function assertFlowPredicate(node: object | null | undefined, opts?: object | null): void;
-export function isFlowType(node: object | null | undefined, opts?: object | null): node is FlowType;
-export function assertFlowType(node: object | null | undefined, opts?: object | null): void;
-export function isFor(node: object | null | undefined, opts?: object | null): node is For;
-export function assertFor(node: object | null | undefined, opts?: object | null): void;
-export function isForInStatement(node: object | null | undefined, opts?: object | null): node is ForInStatement;
-export function assertForInStatement(node: object | null | undefined, opts?: object | null): void;
-export function isForOfStatement(node: object | null | undefined, opts?: object | null): node is ForOfStatement;
-export function assertForOfStatement(node: object | null | undefined, opts?: object | null): void;
-export function isForStatement(node: object | null | undefined, opts?: object | null): node is ForStatement;
-export function assertForStatement(node: object | null | undefined, opts?: object | null): void;
-export function isForXStatement(node: object | null | undefined, opts?: object | null): node is ForXStatement;
-export function assertForXStatement(node: object | null | undefined, opts?: object | null): void;
-export function isFunction(node: object | null | undefined, opts?: object | null): node is Function;
-export function assertFunction(node: object | null | undefined, opts?: object | null): void;
-export function isFunctionDeclaration(node: object | null | undefined, opts?: object | null): node is FunctionDeclaration;
-export function assertFunctionDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isFunctionExpression(node: object | null | undefined, opts?: object | null): node is FunctionExpression;
-export function assertFunctionExpression(node: object | null | undefined, opts?: object | null): void;
-export function isFunctionParent(node: object | null | undefined, opts?: object | null): node is FunctionParent;
-export function assertFunctionParent(node: object | null | undefined, opts?: object | null): void;
-export function isFunctionTypeAnnotation(node: object | null | undefined, opts?: object | null): node is FunctionTypeAnnotation;
-export function assertFunctionTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isFunctionTypeParam(node: object | null | undefined, opts?: object | null): node is FunctionTypeParam;
-export function assertFunctionTypeParam(node: object | null | undefined, opts?: object | null): void;
-export function isGenericTypeAnnotation(node: object | null | undefined, opts?: object | null): node is GenericTypeAnnotation;
-export function assertGenericTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isIdentifier(node: object | null | undefined, opts?: object | null): node is Identifier;
-export function assertIdentifier(node: object | null | undefined, opts?: object | null): void;
-export function isIfStatement(node: object | null | undefined, opts?: object | null): node is IfStatement;
-export function assertIfStatement(node: object | null | undefined, opts?: object | null): void;
-export function isImmutable(node: object | null | undefined, opts?: object | null): node is Immutable;
-export function assertImmutable(node: object | null | undefined, opts?: object | null): void;
-export function isImport(node: object | null | undefined, opts?: object | null): node is Import;
-export function assertImport(node: object | null | undefined, opts?: object | null): void;
-export function isImportAttribute(node: object | null | undefined, opts?: object | null): node is ImportAttribute;
-export function assertImportAttribute(node: object | null | undefined, opts?: object | null): void;
-export function isImportDeclaration(node: object | null | undefined, opts?: object | null): node is ImportDeclaration;
-export function assertImportDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isImportDefaultSpecifier(node: object | null | undefined, opts?: object | null): node is ImportDefaultSpecifier;
-export function assertImportDefaultSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isImportNamespaceSpecifier(node: object | null | undefined, opts?: object | null): node is ImportNamespaceSpecifier;
-export function assertImportNamespaceSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isImportSpecifier(node: object | null | undefined, opts?: object | null): node is ImportSpecifier;
-export function assertImportSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isIndexedAccessType(node: object | null | undefined, opts?: object | null): node is IndexedAccessType;
-export function assertIndexedAccessType(node: object | null | undefined, opts?: object | null): void;
-export function isInferredPredicate(node: object | null | undefined, opts?: object | null): node is InferredPredicate;
-export function assertInferredPredicate(node: object | null | undefined, opts?: object | null): void;
-export function isInterfaceDeclaration(node: object | null | undefined, opts?: object | null): node is InterfaceDeclaration;
-export function assertInterfaceDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isInterfaceExtends(node: object | null | undefined, opts?: object | null): node is InterfaceExtends;
-export function assertInterfaceExtends(node: object | null | undefined, opts?: object | null): void;
-export function isInterfaceTypeAnnotation(node: object | null | undefined, opts?: object | null): node is InterfaceTypeAnnotation;
-export function assertInterfaceTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isInterpreterDirective(node: object | null | undefined, opts?: object | null): node is InterpreterDirective;
-export function assertInterpreterDirective(node: object | null | undefined, opts?: object | null): void;
-export function isIntersectionTypeAnnotation(node: object | null | undefined, opts?: object | null): node is IntersectionTypeAnnotation;
-export function assertIntersectionTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isJSX(node: object | null | undefined, opts?: object | null): node is JSX;
-export function assertJSX(node: object | null | undefined, opts?: object | null): void;
-export function isJSXAttribute(node: object | null | undefined, opts?: object | null): node is JSXAttribute;
-export function assertJSXAttribute(node: object | null | undefined, opts?: object | null): void;
-export function isJSXClosingElement(node: object | null | undefined, opts?: object | null): node is JSXClosingElement;
-export function assertJSXClosingElement(node: object | null | undefined, opts?: object | null): void;
-export function isJSXClosingFragment(node: object | null | undefined, opts?: object | null): node is JSXClosingFragment;
-export function assertJSXClosingFragment(node: object | null | undefined, opts?: object | null): void;
-export function isJSXElement(node: object | null | undefined, opts?: object | null): node is JSXElement;
-export function assertJSXElement(node: object | null | undefined, opts?: object | null): void;
-export function isJSXEmptyExpression(node: object | null | undefined, opts?: object | null): node is JSXEmptyExpression;
-export function assertJSXEmptyExpression(node: object | null | undefined, opts?: object | null): void;
-export function isJSXExpressionContainer(node: object | null | undefined, opts?: object | null): node is JSXExpressionContainer;
-export function assertJSXExpressionContainer(node: object | null | undefined, opts?: object | null): void;
-export function isJSXFragment(node: object | null | undefined, opts?: object | null): node is JSXFragment;
-export function assertJSXFragment(node: object | null | undefined, opts?: object | null): void;
-export function isJSXIdentifier(node: object | null | undefined, opts?: object | null): node is JSXIdentifier;
-export function assertJSXIdentifier(node: object | null | undefined, opts?: object | null): void;
-export function isJSXMemberExpression(node: object | null | undefined, opts?: object | null): node is JSXMemberExpression;
-export function assertJSXMemberExpression(node: object | null | undefined, opts?: object | null): void;
-export function isJSXNamespacedName(node: object | null | undefined, opts?: object | null): node is JSXNamespacedName;
-export function assertJSXNamespacedName(node: object | null | undefined, opts?: object | null): void;
-export function isJSXOpeningElement(node: object | null | undefined, opts?: object | null): node is JSXOpeningElement;
-export function assertJSXOpeningElement(node: object | null | undefined, opts?: object | null): void;
-export function isJSXOpeningFragment(node: object | null | undefined, opts?: object | null): node is JSXOpeningFragment;
-export function assertJSXOpeningFragment(node: object | null | undefined, opts?: object | null): void;
-export function isJSXSpreadAttribute(node: object | null | undefined, opts?: object | null): node is JSXSpreadAttribute;
-export function assertJSXSpreadAttribute(node: object | null | undefined, opts?: object | null): void;
-export function isJSXSpreadChild(node: object | null | undefined, opts?: object | null): node is JSXSpreadChild;
-export function assertJSXSpreadChild(node: object | null | undefined, opts?: object | null): void;
-export function isJSXText(node: object | null | undefined, opts?: object | null): node is JSXText;
-export function assertJSXText(node: object | null | undefined, opts?: object | null): void;
-export function isLVal(node: object | null | undefined, opts?: object | null): node is LVal;
-export function assertLVal(node: object | null | undefined, opts?: object | null): void;
-export function isLabeledStatement(node: object | null | undefined, opts?: object | null): node is LabeledStatement;
-export function assertLabeledStatement(node: object | null | undefined, opts?: object | null): void;
-export function isLiteral(node: object | null | undefined, opts?: object | null): node is Literal;
-export function assertLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isLogicalExpression(node: object | null | undefined, opts?: object | null): node is LogicalExpression;
-export function assertLogicalExpression(node: object | null | undefined, opts?: object | null): void;
-export function isLoop(node: object | null | undefined, opts?: object | null): node is Loop;
-export function assertLoop(node: object | null | undefined, opts?: object | null): void;
-export function isMemberExpression(node: object | null | undefined, opts?: object | null): node is MemberExpression;
-export function assertMemberExpression(node: object | null | undefined, opts?: object | null): void;
-export function isMetaProperty(node: object | null | undefined, opts?: object | null): node is MetaProperty;
-export function assertMetaProperty(node: object | null | undefined, opts?: object | null): void;
-export function isMethod(node: object | null | undefined, opts?: object | null): node is Method;
-export function assertMethod(node: object | null | undefined, opts?: object | null): void;
-export function isMiscellaneous(node: object | null | undefined, opts?: object | null): node is Miscellaneous;
-export function assertMiscellaneous(node: object | null | undefined, opts?: object | null): void;
-export function isMixedTypeAnnotation(node: object | null | undefined, opts?: object | null): node is MixedTypeAnnotation;
-export function assertMixedTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isModuleDeclaration(node: object | null | undefined, opts?: object | null): node is ModuleDeclaration;
-export function assertModuleDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isModuleExpression(node: object | null | undefined, opts?: object | null): node is ModuleExpression;
-export function assertModuleExpression(node: object | null | undefined, opts?: object | null): void;
-export function isModuleSpecifier(node: object | null | undefined, opts?: object | null): node is ModuleSpecifier;
-export function assertModuleSpecifier(node: object | null | undefined, opts?: object | null): void;
-export function isNewExpression(node: object | null | undefined, opts?: object | null): node is NewExpression;
-export function assertNewExpression(node: object | null | undefined, opts?: object | null): void;
-export function isNoop(node: object | null | undefined, opts?: object | null): node is Noop;
-export function assertNoop(node: object | null | undefined, opts?: object | null): void;
-export function isNullLiteral(node: object | null | undefined, opts?: object | null): node is NullLiteral;
-export function assertNullLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isNullLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): node is NullLiteralTypeAnnotation;
-export function assertNullLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isNullableTypeAnnotation(node: object | null | undefined, opts?: object | null): node is NullableTypeAnnotation;
-export function assertNullableTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
+export function tsTypeParameterInstantiation(
+ params: Array
+): TSTypeParameterInstantiation;
+export function tsTypeParameterDeclaration(
+ params: Array
+): TSTypeParameterDeclaration;
+export function tsTypeParameter(
+ constraint: TSType | null | undefined,
+ _default: TSType | null | undefined,
+ name: string
+): TSTypeParameter;
+export function isAccessor(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Accessor;
+export function assertAccessor(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isAnyTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is AnyTypeAnnotation;
+export function assertAnyTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isArgumentPlaceholder(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ArgumentPlaceholder;
+export function assertArgumentPlaceholder(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isArrayExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ArrayExpression;
+export function assertArrayExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isArrayPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ArrayPattern;
+export function assertArrayPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isArrayTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ArrayTypeAnnotation;
+export function assertArrayTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isArrowFunctionExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ArrowFunctionExpression;
+export function assertArrowFunctionExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isAssignmentExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is AssignmentExpression;
+export function assertAssignmentExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isAssignmentPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): node is AssignmentPattern;
+export function assertAssignmentPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isAwaitExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is AwaitExpression;
+export function assertAwaitExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBigIntLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BigIntLiteral;
+export function assertBigIntLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBinary(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Binary;
+export function assertBinary(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBinaryExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BinaryExpression;
+export function assertBinaryExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBindExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BindExpression;
+export function assertBindExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBlock(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Block;
+export function assertBlock(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBlockParent(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BlockParent;
+export function assertBlockParent(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBlockStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BlockStatement;
+export function assertBlockStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBooleanLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BooleanLiteral;
+export function assertBooleanLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBooleanLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BooleanLiteralTypeAnnotation;
+export function assertBooleanLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBooleanTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BooleanTypeAnnotation;
+export function assertBooleanTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isBreakStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is BreakStatement;
+export function assertBreakStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isCallExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is CallExpression;
+export function assertCallExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isCatchClause(
+ node: object | null | undefined,
+ opts?: object | null
+): node is CatchClause;
+export function assertCatchClause(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClass(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Class;
+export function assertClass(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassAccessorProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassAccessorProperty;
+export function assertClassAccessorProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassBody;
+export function assertClassBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassDeclaration;
+export function assertClassDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassExpression;
+export function assertClassExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassImplements(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassImplements;
+export function assertClassImplements(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassMethod;
+export function assertClassMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassPrivateMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassPrivateMethod;
+export function assertClassPrivateMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassPrivateProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassPrivateProperty;
+export function assertClassPrivateProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isClassProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ClassProperty;
+export function assertClassProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isCompletionStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is CompletionStatement;
+export function assertCompletionStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isConditional(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Conditional;
+export function assertConditional(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isConditionalExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ConditionalExpression;
+export function assertConditionalExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isContinueStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ContinueStatement;
+export function assertContinueStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDebuggerStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DebuggerStatement;
+export function assertDebuggerStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDecimalLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DecimalLiteral;
+export function assertDecimalLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Declaration;
+export function assertDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareClass(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareClass;
+export function assertDeclareClass(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareExportAllDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareExportAllDeclaration;
+export function assertDeclareExportAllDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareExportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareExportDeclaration;
+export function assertDeclareExportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareFunction;
+export function assertDeclareFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareInterface(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareInterface;
+export function assertDeclareInterface(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareModule(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareModule;
+export function assertDeclareModule(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareModuleExports(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareModuleExports;
+export function assertDeclareModuleExports(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareOpaqueType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareOpaqueType;
+export function assertDeclareOpaqueType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareTypeAlias(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareTypeAlias;
+export function assertDeclareTypeAlias(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclareVariable(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclareVariable;
+export function assertDeclareVariable(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDeclaredPredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DeclaredPredicate;
+export function assertDeclaredPredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDecorator(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Decorator;
+export function assertDecorator(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDirective(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Directive;
+export function assertDirective(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDirectiveLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DirectiveLiteral;
+export function assertDirectiveLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDoExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DoExpression;
+export function assertDoExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isDoWhileStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is DoWhileStatement;
+export function assertDoWhileStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEmptyStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EmptyStatement;
+export function assertEmptyStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEmptyTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EmptyTypeAnnotation;
+export function assertEmptyTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumBody;
+export function assertEnumBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumBooleanBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumBooleanBody;
+export function assertEnumBooleanBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumBooleanMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumBooleanMember;
+export function assertEnumBooleanMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumDeclaration;
+export function assertEnumDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumDefaultedMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumDefaultedMember;
+export function assertEnumDefaultedMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumMember;
+export function assertEnumMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumNumberBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumNumberBody;
+export function assertEnumNumberBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumNumberMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumNumberMember;
+export function assertEnumNumberMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumStringBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumStringBody;
+export function assertEnumStringBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumStringMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumStringMember;
+export function assertEnumStringMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isEnumSymbolBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is EnumSymbolBody;
+export function assertEnumSymbolBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExistsTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExistsTypeAnnotation;
+export function assertExistsTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportAllDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportAllDeclaration;
+export function assertExportAllDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportDeclaration;
+export function assertExportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportDefaultDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportDefaultDeclaration;
+export function assertExportDefaultDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportDefaultSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportDefaultSpecifier;
+export function assertExportDefaultSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportNamedDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportNamedDeclaration;
+export function assertExportNamedDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportNamespaceSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportNamespaceSpecifier;
+export function assertExportNamespaceSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExportSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExportSpecifier;
+export function assertExportSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Expression;
+export function assertExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExpressionStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExpressionStatement;
+export function assertExpressionStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isExpressionWrapper(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ExpressionWrapper;
+export function assertExpressionWrapper(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFile(
+ node: object | null | undefined,
+ opts?: object | null
+): node is File;
+export function assertFile(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFlow(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Flow;
+export function assertFlow(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFlowBaseAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FlowBaseAnnotation;
+export function assertFlowBaseAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFlowDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FlowDeclaration;
+export function assertFlowDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFlowPredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FlowPredicate;
+export function assertFlowPredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFlowType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FlowType;
+export function assertFlowType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFor(
+ node: object | null | undefined,
+ opts?: object | null
+): node is For;
+export function assertFor(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isForInStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ForInStatement;
+export function assertForInStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isForOfStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ForOfStatement;
+export function assertForOfStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isForStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ForStatement;
+export function assertForStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isForXStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ForXStatement;
+export function assertForXStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Function;
+export function assertFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFunctionDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FunctionDeclaration;
+export function assertFunctionDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFunctionExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FunctionExpression;
+export function assertFunctionExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFunctionParent(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FunctionParent;
+export function assertFunctionParent(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFunctionTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FunctionTypeAnnotation;
+export function assertFunctionTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isFunctionTypeParam(
+ node: object | null | undefined,
+ opts?: object | null
+): node is FunctionTypeParam;
+export function assertFunctionTypeParam(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isGenericTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is GenericTypeAnnotation;
+export function assertGenericTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Identifier;
+export function assertIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isIfStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is IfStatement;
+export function assertIfStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImmutable(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Immutable;
+export function assertImmutable(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImport(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Import;
+export function assertImport(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImportAttribute(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ImportAttribute;
+export function assertImportAttribute(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ImportDeclaration;
+export function assertImportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImportDefaultSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ImportDefaultSpecifier;
+export function assertImportDefaultSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImportNamespaceSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ImportNamespaceSpecifier;
+export function assertImportNamespaceSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isImportSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ImportSpecifier;
+export function assertImportSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isIndexedAccessType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is IndexedAccessType;
+export function assertIndexedAccessType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isInferredPredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): node is InferredPredicate;
+export function assertInferredPredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isInterfaceDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is InterfaceDeclaration;
+export function assertInterfaceDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isInterfaceExtends(
+ node: object | null | undefined,
+ opts?: object | null
+): node is InterfaceExtends;
+export function assertInterfaceExtends(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isInterfaceTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is InterfaceTypeAnnotation;
+export function assertInterfaceTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isInterpreterDirective(
+ node: object | null | undefined,
+ opts?: object | null
+): node is InterpreterDirective;
+export function assertInterpreterDirective(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isIntersectionTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is IntersectionTypeAnnotation;
+export function assertIntersectionTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSX(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSX;
+export function assertJSX(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXAttribute(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXAttribute;
+export function assertJSXAttribute(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXClosingElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXClosingElement;
+export function assertJSXClosingElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXClosingFragment(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXClosingFragment;
+export function assertJSXClosingFragment(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXElement;
+export function assertJSXElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXEmptyExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXEmptyExpression;
+export function assertJSXEmptyExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXExpressionContainer(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXExpressionContainer;
+export function assertJSXExpressionContainer(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXFragment(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXFragment;
+export function assertJSXFragment(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXIdentifier;
+export function assertJSXIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXMemberExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXMemberExpression;
+export function assertJSXMemberExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXNamespacedName(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXNamespacedName;
+export function assertJSXNamespacedName(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXOpeningElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXOpeningElement;
+export function assertJSXOpeningElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXOpeningFragment(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXOpeningFragment;
+export function assertJSXOpeningFragment(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXSpreadAttribute(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXSpreadAttribute;
+export function assertJSXSpreadAttribute(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXSpreadChild(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXSpreadChild;
+export function assertJSXSpreadChild(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isJSXText(
+ node: object | null | undefined,
+ opts?: object | null
+): node is JSXText;
+export function assertJSXText(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isLVal(
+ node: object | null | undefined,
+ opts?: object | null
+): node is LVal;
+export function assertLVal(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isLabeledStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is LabeledStatement;
+export function assertLabeledStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Literal;
+export function assertLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isLogicalExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is LogicalExpression;
+export function assertLogicalExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isLoop(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Loop;
+export function assertLoop(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isMemberExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is MemberExpression;
+export function assertMemberExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isMetaProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is MetaProperty;
+export function assertMetaProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Method;
+export function assertMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isMiscellaneous(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Miscellaneous;
+export function assertMiscellaneous(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isMixedTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is MixedTypeAnnotation;
+export function assertMixedTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isModuleDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ModuleDeclaration;
+export function assertModuleDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isModuleExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ModuleExpression;
+export function assertModuleExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isModuleSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ModuleSpecifier;
+export function assertModuleSpecifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNewExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NewExpression;
+export function assertNewExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNoop(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Noop;
+export function assertNoop(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNullLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NullLiteral;
+export function assertNullLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNullLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NullLiteralTypeAnnotation;
+export function assertNullLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNullableTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NullableTypeAnnotation;
+export function assertNullableTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
/** @deprecated Use `isNumericLiteral` */
-export function isNumberLiteral(node: object | null | undefined, opts?: object | null): node is NumericLiteral;
+export function isNumberLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NumericLiteral;
/** @deprecated Use `assertNumericLiteral` */
-export function assertNumberLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isNumberLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): node is NumberLiteralTypeAnnotation;
-export function assertNumberLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isNumberTypeAnnotation(node: object | null | undefined, opts?: object | null): node is NumberTypeAnnotation;
-export function assertNumberTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isNumericLiteral(node: object | null | undefined, opts?: object | null): node is NumericLiteral;
-export function assertNumericLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isObjectExpression(node: object | null | undefined, opts?: object | null): node is ObjectExpression;
-export function assertObjectExpression(node: object | null | undefined, opts?: object | null): void;
-export function isObjectMember(node: object | null | undefined, opts?: object | null): node is ObjectMember;
-export function assertObjectMember(node: object | null | undefined, opts?: object | null): void;
-export function isObjectMethod(node: object | null | undefined, opts?: object | null): node is ObjectMethod;
-export function assertObjectMethod(node: object | null | undefined, opts?: object | null): void;
-export function isObjectPattern(node: object | null | undefined, opts?: object | null): node is ObjectPattern;
-export function assertObjectPattern(node: object | null | undefined, opts?: object | null): void;
-export function isObjectProperty(node: object | null | undefined, opts?: object | null): node is ObjectProperty;
-export function assertObjectProperty(node: object | null | undefined, opts?: object | null): void;
-export function isObjectTypeAnnotation(node: object | null | undefined, opts?: object | null): node is ObjectTypeAnnotation;
-export function assertObjectTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isObjectTypeCallProperty(node: object | null | undefined, opts?: object | null): node is ObjectTypeCallProperty;
-export function assertObjectTypeCallProperty(node: object | null | undefined, opts?: object | null): void;
-export function isObjectTypeIndexer(node: object | null | undefined, opts?: object | null): node is ObjectTypeIndexer;
-export function assertObjectTypeIndexer(node: object | null | undefined, opts?: object | null): void;
-export function isObjectTypeInternalSlot(node: object | null | undefined, opts?: object | null): node is ObjectTypeInternalSlot;
-export function assertObjectTypeInternalSlot(node: object | null | undefined, opts?: object | null): void;
-export function isObjectTypeProperty(node: object | null | undefined, opts?: object | null): node is ObjectTypeProperty;
-export function assertObjectTypeProperty(node: object | null | undefined, opts?: object | null): void;
-export function isObjectTypeSpreadProperty(node: object | null | undefined, opts?: object | null): node is ObjectTypeSpreadProperty;
-export function assertObjectTypeSpreadProperty(node: object | null | undefined, opts?: object | null): void;
-export function isOpaqueType(node: object | null | undefined, opts?: object | null): node is OpaqueType;
-export function assertOpaqueType(node: object | null | undefined, opts?: object | null): void;
-export function isOptionalCallExpression(node: object | null | undefined, opts?: object | null): node is OptionalCallExpression;
-export function assertOptionalCallExpression(node: object | null | undefined, opts?: object | null): void;
-export function isOptionalIndexedAccessType(node: object | null | undefined, opts?: object | null): node is OptionalIndexedAccessType;
-export function assertOptionalIndexedAccessType(node: object | null | undefined, opts?: object | null): void;
-export function isOptionalMemberExpression(node: object | null | undefined, opts?: object | null): node is OptionalMemberExpression;
-export function assertOptionalMemberExpression(node: object | null | undefined, opts?: object | null): void;
-export function isParenthesizedExpression(node: object | null | undefined, opts?: object | null): node is ParenthesizedExpression;
-export function assertParenthesizedExpression(node: object | null | undefined, opts?: object | null): void;
-export function isPattern(node: object | null | undefined, opts?: object | null): node is Pattern;
-export function assertPattern(node: object | null | undefined, opts?: object | null): void;
-export function isPatternLike(node: object | null | undefined, opts?: object | null): node is PatternLike;
-export function assertPatternLike(node: object | null | undefined, opts?: object | null): void;
-export function isPipelineBareFunction(node: object | null | undefined, opts?: object | null): node is PipelineBareFunction;
-export function assertPipelineBareFunction(node: object | null | undefined, opts?: object | null): void;
-export function isPipelinePrimaryTopicReference(node: object | null | undefined, opts?: object | null): node is PipelinePrimaryTopicReference;
-export function assertPipelinePrimaryTopicReference(node: object | null | undefined, opts?: object | null): void;
-export function isPipelineTopicExpression(node: object | null | undefined, opts?: object | null): node is PipelineTopicExpression;
-export function assertPipelineTopicExpression(node: object | null | undefined, opts?: object | null): void;
-export function isPlaceholder(node: object | null | undefined, opts?: object | null): node is Placeholder;
-export function assertPlaceholder(node: object | null | undefined, opts?: object | null): void;
-export function isPrivate(node: object | null | undefined, opts?: object | null): node is Private;
-export function assertPrivate(node: object | null | undefined, opts?: object | null): void;
-export function isPrivateName(node: object | null | undefined, opts?: object | null): node is PrivateName;
-export function assertPrivateName(node: object | null | undefined, opts?: object | null): void;
-export function isProgram(node: object | null | undefined, opts?: object | null): node is Program;
-export function assertProgram(node: object | null | undefined, opts?: object | null): void;
-export function isProperty(node: object | null | undefined, opts?: object | null): node is Property;
-export function assertProperty(node: object | null | undefined, opts?: object | null): void;
-export function isPureish(node: object | null | undefined, opts?: object | null): node is Pureish;
-export function assertPureish(node: object | null | undefined, opts?: object | null): void;
-export function isQualifiedTypeIdentifier(node: object | null | undefined, opts?: object | null): node is QualifiedTypeIdentifier;
-export function assertQualifiedTypeIdentifier(node: object | null | undefined, opts?: object | null): void;
-export function isRecordExpression(node: object | null | undefined, opts?: object | null): node is RecordExpression;
-export function assertRecordExpression(node: object | null | undefined, opts?: object | null): void;
-export function isRegExpLiteral(node: object | null | undefined, opts?: object | null): node is RegExpLiteral;
-export function assertRegExpLiteral(node: object | null | undefined, opts?: object | null): void;
+export function assertNumberLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNumberLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NumberLiteralTypeAnnotation;
+export function assertNumberLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNumberTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NumberTypeAnnotation;
+export function assertNumberTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isNumericLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is NumericLiteral;
+export function assertNumericLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectExpression;
+export function assertObjectExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectMember;
+export function assertObjectMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectMethod;
+export function assertObjectMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectPattern;
+export function assertObjectPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectProperty;
+export function assertObjectProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectTypeAnnotation;
+export function assertObjectTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectTypeCallProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectTypeCallProperty;
+export function assertObjectTypeCallProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectTypeIndexer(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectTypeIndexer;
+export function assertObjectTypeIndexer(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectTypeInternalSlot(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectTypeInternalSlot;
+export function assertObjectTypeInternalSlot(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectTypeProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectTypeProperty;
+export function assertObjectTypeProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isObjectTypeSpreadProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ObjectTypeSpreadProperty;
+export function assertObjectTypeSpreadProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isOpaqueType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is OpaqueType;
+export function assertOpaqueType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isOptionalCallExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is OptionalCallExpression;
+export function assertOptionalCallExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isOptionalIndexedAccessType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is OptionalIndexedAccessType;
+export function assertOptionalIndexedAccessType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isOptionalMemberExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is OptionalMemberExpression;
+export function assertOptionalMemberExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isParenthesizedExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ParenthesizedExpression;
+export function assertParenthesizedExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Pattern;
+export function assertPattern(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPatternLike(
+ node: object | null | undefined,
+ opts?: object | null
+): node is PatternLike;
+export function assertPatternLike(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPipelineBareFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): node is PipelineBareFunction;
+export function assertPipelineBareFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPipelinePrimaryTopicReference(
+ node: object | null | undefined,
+ opts?: object | null
+): node is PipelinePrimaryTopicReference;
+export function assertPipelinePrimaryTopicReference(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPipelineTopicExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is PipelineTopicExpression;
+export function assertPipelineTopicExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPlaceholder(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Placeholder;
+export function assertPlaceholder(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPrivate(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Private;
+export function assertPrivate(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPrivateName(
+ node: object | null | undefined,
+ opts?: object | null
+): node is PrivateName;
+export function assertPrivateName(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isProgram(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Program;
+export function assertProgram(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Property;
+export function assertProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isPureish(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Pureish;
+export function assertPureish(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isQualifiedTypeIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is QualifiedTypeIdentifier;
+export function assertQualifiedTypeIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isRecordExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is RecordExpression;
+export function assertRecordExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isRegExpLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is RegExpLiteral;
+export function assertRegExpLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
/** @deprecated Use `isRegExpLiteral` */
-export function isRegexLiteral(node: object | null | undefined, opts?: object | null): node is RegExpLiteral;
+export function isRegexLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is RegExpLiteral;
/** @deprecated Use `assertRegExpLiteral` */
-export function assertRegexLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isRestElement(node: object | null | undefined, opts?: object | null): node is RestElement;
-export function assertRestElement(node: object | null | undefined, opts?: object | null): void;
+export function assertRegexLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isRestElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is RestElement;
+export function assertRestElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
/** @deprecated Use `isRestElement` */
-export function isRestProperty(node: object | null | undefined, opts?: object | null): node is RestElement;
+export function isRestProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is RestElement;
/** @deprecated Use `assertRestElement` */
-export function assertRestProperty(node: object | null | undefined, opts?: object | null): void;
-export function isReturnStatement(node: object | null | undefined, opts?: object | null): node is ReturnStatement;
-export function assertReturnStatement(node: object | null | undefined, opts?: object | null): void;
-export function isScopable(node: object | null | undefined, opts?: object | null): node is Scopable;
-export function assertScopable(node: object | null | undefined, opts?: object | null): void;
-export function isSequenceExpression(node: object | null | undefined, opts?: object | null): node is SequenceExpression;
-export function assertSequenceExpression(node: object | null | undefined, opts?: object | null): void;
-export function isSpreadElement(node: object | null | undefined, opts?: object | null): node is SpreadElement;
-export function assertSpreadElement(node: object | null | undefined, opts?: object | null): void;
+export function assertRestProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isReturnStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ReturnStatement;
+export function assertReturnStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isScopable(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Scopable;
+export function assertScopable(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isSequenceExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is SequenceExpression;
+export function assertSequenceExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isSpreadElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is SpreadElement;
+export function assertSpreadElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
/** @deprecated Use `isSpreadElement` */
-export function isSpreadProperty(node: object | null | undefined, opts?: object | null): node is SpreadElement;
+export function isSpreadProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is SpreadElement;
/** @deprecated Use `assertSpreadElement` */
-export function assertSpreadProperty(node: object | null | undefined, opts?: object | null): void;
-export function isStandardized(node: object | null | undefined, opts?: object | null): node is Standardized;
-export function assertStandardized(node: object | null | undefined, opts?: object | null): void;
-export function isStatement(node: object | null | undefined, opts?: object | null): node is Statement;
-export function assertStatement(node: object | null | undefined, opts?: object | null): void;
-export function isStaticBlock(node: object | null | undefined, opts?: object | null): node is StaticBlock;
-export function assertStaticBlock(node: object | null | undefined, opts?: object | null): void;
-export function isStringLiteral(node: object | null | undefined, opts?: object | null): node is StringLiteral;
-export function assertStringLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isStringLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): node is StringLiteralTypeAnnotation;
-export function assertStringLiteralTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isStringTypeAnnotation(node: object | null | undefined, opts?: object | null): node is StringTypeAnnotation;
-export function assertStringTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isSuper(node: object | null | undefined, opts?: object | null): node is Super;
-export function assertSuper(node: object | null | undefined, opts?: object | null): void;
-export function isSwitchCase(node: object | null | undefined, opts?: object | null): node is SwitchCase;
-export function assertSwitchCase(node: object | null | undefined, opts?: object | null): void;
-export function isSwitchStatement(node: object | null | undefined, opts?: object | null): node is SwitchStatement;
-export function assertSwitchStatement(node: object | null | undefined, opts?: object | null): void;
-export function isSymbolTypeAnnotation(node: object | null | undefined, opts?: object | null): node is SymbolTypeAnnotation;
-export function assertSymbolTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isTSAnyKeyword(node: object | null | undefined, opts?: object | null): node is TSAnyKeyword;
-export function assertTSAnyKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSArrayType(node: object | null | undefined, opts?: object | null): node is TSArrayType;
-export function assertTSArrayType(node: object | null | undefined, opts?: object | null): void;
-export function isTSAsExpression(node: object | null | undefined, opts?: object | null): node is TSAsExpression;
-export function assertTSAsExpression(node: object | null | undefined, opts?: object | null): void;
-export function isTSBaseType(node: object | null | undefined, opts?: object | null): node is TSBaseType;
-export function assertTSBaseType(node: object | null | undefined, opts?: object | null): void;
-export function isTSBigIntKeyword(node: object | null | undefined, opts?: object | null): node is TSBigIntKeyword;
-export function assertTSBigIntKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSBooleanKeyword(node: object | null | undefined, opts?: object | null): node is TSBooleanKeyword;
-export function assertTSBooleanKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSCallSignatureDeclaration(node: object | null | undefined, opts?: object | null): node is TSCallSignatureDeclaration;
-export function assertTSCallSignatureDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSConditionalType(node: object | null | undefined, opts?: object | null): node is TSConditionalType;
-export function assertTSConditionalType(node: object | null | undefined, opts?: object | null): void;
-export function isTSConstructSignatureDeclaration(node: object | null | undefined, opts?: object | null): node is TSConstructSignatureDeclaration;
-export function assertTSConstructSignatureDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSConstructorType(node: object | null | undefined, opts?: object | null): node is TSConstructorType;
-export function assertTSConstructorType(node: object | null | undefined, opts?: object | null): void;
-export function isTSDeclareFunction(node: object | null | undefined, opts?: object | null): node is TSDeclareFunction;
-export function assertTSDeclareFunction(node: object | null | undefined, opts?: object | null): void;
-export function isTSDeclareMethod(node: object | null | undefined, opts?: object | null): node is TSDeclareMethod;
-export function assertTSDeclareMethod(node: object | null | undefined, opts?: object | null): void;
-export function isTSEntityName(node: object | null | undefined, opts?: object | null): node is TSEntityName;
-export function assertTSEntityName(node: object | null | undefined, opts?: object | null): void;
-export function isTSEnumDeclaration(node: object | null | undefined, opts?: object | null): node is TSEnumDeclaration;
-export function assertTSEnumDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSEnumMember(node: object | null | undefined, opts?: object | null): node is TSEnumMember;
-export function assertTSEnumMember(node: object | null | undefined, opts?: object | null): void;
-export function isTSExportAssignment(node: object | null | undefined, opts?: object | null): node is TSExportAssignment;
-export function assertTSExportAssignment(node: object | null | undefined, opts?: object | null): void;
-export function isTSExpressionWithTypeArguments(node: object | null | undefined, opts?: object | null): node is TSExpressionWithTypeArguments;
-export function assertTSExpressionWithTypeArguments(node: object | null | undefined, opts?: object | null): void;
-export function isTSExternalModuleReference(node: object | null | undefined, opts?: object | null): node is TSExternalModuleReference;
-export function assertTSExternalModuleReference(node: object | null | undefined, opts?: object | null): void;
-export function isTSFunctionType(node: object | null | undefined, opts?: object | null): node is TSFunctionType;
-export function assertTSFunctionType(node: object | null | undefined, opts?: object | null): void;
-export function isTSImportEqualsDeclaration(node: object | null | undefined, opts?: object | null): node is TSImportEqualsDeclaration;
-export function assertTSImportEqualsDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSImportType(node: object | null | undefined, opts?: object | null): node is TSImportType;
-export function assertTSImportType(node: object | null | undefined, opts?: object | null): void;
-export function isTSIndexSignature(node: object | null | undefined, opts?: object | null): node is TSIndexSignature;
-export function assertTSIndexSignature(node: object | null | undefined, opts?: object | null): void;
-export function isTSIndexedAccessType(node: object | null | undefined, opts?: object | null): node is TSIndexedAccessType;
-export function assertTSIndexedAccessType(node: object | null | undefined, opts?: object | null): void;
-export function isTSInferType(node: object | null | undefined, opts?: object | null): node is TSInferType;
-export function assertTSInferType(node: object | null | undefined, opts?: object | null): void;
-export function isTSInstantiationExpression(node: object | null | undefined, opts?: object | null): node is TSInstantiationExpression;
-export function assertTSInstantiationExpression(node: object | null | undefined, opts?: object | null): void;
-export function isTSInterfaceBody(node: object | null | undefined, opts?: object | null): node is TSInterfaceBody;
-export function assertTSInterfaceBody(node: object | null | undefined, opts?: object | null): void;
-export function isTSInterfaceDeclaration(node: object | null | undefined, opts?: object | null): node is TSInterfaceDeclaration;
-export function assertTSInterfaceDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSIntersectionType(node: object | null | undefined, opts?: object | null): node is TSIntersectionType;
-export function assertTSIntersectionType(node: object | null | undefined, opts?: object | null): void;
-export function isTSIntrinsicKeyword(node: object | null | undefined, opts?: object | null): node is TSIntrinsicKeyword;
-export function assertTSIntrinsicKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSLiteralType(node: object | null | undefined, opts?: object | null): node is TSLiteralType;
-export function assertTSLiteralType(node: object | null | undefined, opts?: object | null): void;
-export function isTSMappedType(node: object | null | undefined, opts?: object | null): node is TSMappedType;
-export function assertTSMappedType(node: object | null | undefined, opts?: object | null): void;
-export function isTSMethodSignature(node: object | null | undefined, opts?: object | null): node is TSMethodSignature;
-export function assertTSMethodSignature(node: object | null | undefined, opts?: object | null): void;
-export function isTSModuleBlock(node: object | null | undefined, opts?: object | null): node is TSModuleBlock;
-export function assertTSModuleBlock(node: object | null | undefined, opts?: object | null): void;
-export function isTSModuleDeclaration(node: object | null | undefined, opts?: object | null): node is TSModuleDeclaration;
-export function assertTSModuleDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSNamedTupleMember(node: object | null | undefined, opts?: object | null): node is TSNamedTupleMember;
-export function assertTSNamedTupleMember(node: object | null | undefined, opts?: object | null): void;
-export function isTSNamespaceExportDeclaration(node: object | null | undefined, opts?: object | null): node is TSNamespaceExportDeclaration;
-export function assertTSNamespaceExportDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSNeverKeyword(node: object | null | undefined, opts?: object | null): node is TSNeverKeyword;
-export function assertTSNeverKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSNonNullExpression(node: object | null | undefined, opts?: object | null): node is TSNonNullExpression;
-export function assertTSNonNullExpression(node: object | null | undefined, opts?: object | null): void;
-export function isTSNullKeyword(node: object | null | undefined, opts?: object | null): node is TSNullKeyword;
-export function assertTSNullKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSNumberKeyword(node: object | null | undefined, opts?: object | null): node is TSNumberKeyword;
-export function assertTSNumberKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSObjectKeyword(node: object | null | undefined, opts?: object | null): node is TSObjectKeyword;
-export function assertTSObjectKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSOptionalType(node: object | null | undefined, opts?: object | null): node is TSOptionalType;
-export function assertTSOptionalType(node: object | null | undefined, opts?: object | null): void;
-export function isTSParameterProperty(node: object | null | undefined, opts?: object | null): node is TSParameterProperty;
-export function assertTSParameterProperty(node: object | null | undefined, opts?: object | null): void;
-export function isTSParenthesizedType(node: object | null | undefined, opts?: object | null): node is TSParenthesizedType;
-export function assertTSParenthesizedType(node: object | null | undefined, opts?: object | null): void;
-export function isTSPropertySignature(node: object | null | undefined, opts?: object | null): node is TSPropertySignature;
-export function assertTSPropertySignature(node: object | null | undefined, opts?: object | null): void;
-export function isTSQualifiedName(node: object | null | undefined, opts?: object | null): node is TSQualifiedName;
-export function assertTSQualifiedName(node: object | null | undefined, opts?: object | null): void;
-export function isTSRestType(node: object | null | undefined, opts?: object | null): node is TSRestType;
-export function assertTSRestType(node: object | null | undefined, opts?: object | null): void;
-export function isTSStringKeyword(node: object | null | undefined, opts?: object | null): node is TSStringKeyword;
-export function assertTSStringKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSSymbolKeyword(node: object | null | undefined, opts?: object | null): node is TSSymbolKeyword;
-export function assertTSSymbolKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSThisType(node: object | null | undefined, opts?: object | null): node is TSThisType;
-export function assertTSThisType(node: object | null | undefined, opts?: object | null): void;
-export function isTSTupleType(node: object | null | undefined, opts?: object | null): node is TSTupleType;
-export function assertTSTupleType(node: object | null | undefined, opts?: object | null): void;
-export function isTSType(node: object | null | undefined, opts?: object | null): node is TSType;
-export function assertTSType(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeAliasDeclaration(node: object | null | undefined, opts?: object | null): node is TSTypeAliasDeclaration;
-export function assertTSTypeAliasDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeAnnotation(node: object | null | undefined, opts?: object | null): node is TSTypeAnnotation;
-export function assertTSTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeAssertion(node: object | null | undefined, opts?: object | null): node is TSTypeAssertion;
-export function assertTSTypeAssertion(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeElement(node: object | null | undefined, opts?: object | null): node is TSTypeElement;
-export function assertTSTypeElement(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeLiteral(node: object | null | undefined, opts?: object | null): node is TSTypeLiteral;
-export function assertTSTypeLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeOperator(node: object | null | undefined, opts?: object | null): node is TSTypeOperator;
-export function assertTSTypeOperator(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeParameter(node: object | null | undefined, opts?: object | null): node is TSTypeParameter;
-export function assertTSTypeParameter(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeParameterDeclaration(node: object | null | undefined, opts?: object | null): node is TSTypeParameterDeclaration;
-export function assertTSTypeParameterDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeParameterInstantiation(node: object | null | undefined, opts?: object | null): node is TSTypeParameterInstantiation;
-export function assertTSTypeParameterInstantiation(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypePredicate(node: object | null | undefined, opts?: object | null): node is TSTypePredicate;
-export function assertTSTypePredicate(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeQuery(node: object | null | undefined, opts?: object | null): node is TSTypeQuery;
-export function assertTSTypeQuery(node: object | null | undefined, opts?: object | null): void;
-export function isTSTypeReference(node: object | null | undefined, opts?: object | null): node is TSTypeReference;
-export function assertTSTypeReference(node: object | null | undefined, opts?: object | null): void;
-export function isTSUndefinedKeyword(node: object | null | undefined, opts?: object | null): node is TSUndefinedKeyword;
-export function assertTSUndefinedKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSUnionType(node: object | null | undefined, opts?: object | null): node is TSUnionType;
-export function assertTSUnionType(node: object | null | undefined, opts?: object | null): void;
-export function isTSUnknownKeyword(node: object | null | undefined, opts?: object | null): node is TSUnknownKeyword;
-export function assertTSUnknownKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTSVoidKeyword(node: object | null | undefined, opts?: object | null): node is TSVoidKeyword;
-export function assertTSVoidKeyword(node: object | null | undefined, opts?: object | null): void;
-export function isTaggedTemplateExpression(node: object | null | undefined, opts?: object | null): node is TaggedTemplateExpression;
-export function assertTaggedTemplateExpression(node: object | null | undefined, opts?: object | null): void;
-export function isTemplateElement(node: object | null | undefined, opts?: object | null): node is TemplateElement;
-export function assertTemplateElement(node: object | null | undefined, opts?: object | null): void;
-export function isTemplateLiteral(node: object | null | undefined, opts?: object | null): node is TemplateLiteral;
-export function assertTemplateLiteral(node: object | null | undefined, opts?: object | null): void;
-export function isTerminatorless(node: object | null | undefined, opts?: object | null): node is Terminatorless;
-export function assertTerminatorless(node: object | null | undefined, opts?: object | null): void;
-export function isThisExpression(node: object | null | undefined, opts?: object | null): node is ThisExpression;
-export function assertThisExpression(node: object | null | undefined, opts?: object | null): void;
-export function isThisTypeAnnotation(node: object | null | undefined, opts?: object | null): node is ThisTypeAnnotation;
-export function assertThisTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isThrowStatement(node: object | null | undefined, opts?: object | null): node is ThrowStatement;
-export function assertThrowStatement(node: object | null | undefined, opts?: object | null): void;
-export function isTopicReference(node: object | null | undefined, opts?: object | null): node is TopicReference;
-export function assertTopicReference(node: object | null | undefined, opts?: object | null): void;
-export function isTryStatement(node: object | null | undefined, opts?: object | null): node is TryStatement;
-export function assertTryStatement(node: object | null | undefined, opts?: object | null): void;
-export function isTupleExpression(node: object | null | undefined, opts?: object | null): node is TupleExpression;
-export function assertTupleExpression(node: object | null | undefined, opts?: object | null): void;
-export function isTupleTypeAnnotation(node: object | null | undefined, opts?: object | null): node is TupleTypeAnnotation;
-export function assertTupleTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isTypeAlias(node: object | null | undefined, opts?: object | null): node is TypeAlias;
-export function assertTypeAlias(node: object | null | undefined, opts?: object | null): void;
-export function isTypeAnnotation(node: object | null | undefined, opts?: object | null): node is TypeAnnotation;
-export function assertTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isTypeCastExpression(node: object | null | undefined, opts?: object | null): node is TypeCastExpression;
-export function assertTypeCastExpression(node: object | null | undefined, opts?: object | null): void;
-export function isTypeParameter(node: object | null | undefined, opts?: object | null): node is TypeParameter;
-export function assertTypeParameter(node: object | null | undefined, opts?: object | null): void;
-export function isTypeParameterDeclaration(node: object | null | undefined, opts?: object | null): node is TypeParameterDeclaration;
-export function assertTypeParameterDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isTypeParameterInstantiation(node: object | null | undefined, opts?: object | null): node is TypeParameterInstantiation;
-export function assertTypeParameterInstantiation(node: object | null | undefined, opts?: object | null): void;
-export function isTypeScript(node: object | null | undefined, opts?: object | null): node is TypeScript;
-export function assertTypeScript(node: object | null | undefined, opts?: object | null): void;
-export function isTypeofTypeAnnotation(node: object | null | undefined, opts?: object | null): node is TypeofTypeAnnotation;
-export function assertTypeofTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isUnaryExpression(node: object | null | undefined, opts?: object | null): node is UnaryExpression;
-export function assertUnaryExpression(node: object | null | undefined, opts?: object | null): void;
-export function isUnaryLike(node: object | null | undefined, opts?: object | null): node is UnaryLike;
-export function assertUnaryLike(node: object | null | undefined, opts?: object | null): void;
-export function isUnionTypeAnnotation(node: object | null | undefined, opts?: object | null): node is UnionTypeAnnotation;
-export function assertUnionTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isUpdateExpression(node: object | null | undefined, opts?: object | null): node is UpdateExpression;
-export function assertUpdateExpression(node: object | null | undefined, opts?: object | null): void;
-export function isUserWhitespacable(node: object | null | undefined, opts?: object | null): node is UserWhitespacable;
-export function assertUserWhitespacable(node: object | null | undefined, opts?: object | null): void;
-export function isV8IntrinsicIdentifier(node: object | null | undefined, opts?: object | null): node is V8IntrinsicIdentifier;
-export function assertV8IntrinsicIdentifier(node: object | null | undefined, opts?: object | null): void;
-export function isVariableDeclaration(node: object | null | undefined, opts?: object | null): node is VariableDeclaration;
-export function assertVariableDeclaration(node: object | null | undefined, opts?: object | null): void;
-export function isVariableDeclarator(node: object | null | undefined, opts?: object | null): node is VariableDeclarator;
-export function assertVariableDeclarator(node: object | null | undefined, opts?: object | null): void;
-export function isVariance(node: object | null | undefined, opts?: object | null): node is Variance;
-export function assertVariance(node: object | null | undefined, opts?: object | null): void;
-export function isVoidTypeAnnotation(node: object | null | undefined, opts?: object | null): node is VoidTypeAnnotation;
-export function assertVoidTypeAnnotation(node: object | null | undefined, opts?: object | null): void;
-export function isWhile(node: object | null | undefined, opts?: object | null): node is While;
-export function assertWhile(node: object | null | undefined, opts?: object | null): void;
-export function isWhileStatement(node: object | null | undefined, opts?: object | null): node is WhileStatement;
-export function assertWhileStatement(node: object | null | undefined, opts?: object | null): void;
-export function isWithStatement(node: object | null | undefined, opts?: object | null): node is WithStatement;
-export function assertWithStatement(node: object | null | undefined, opts?: object | null): void;
-export function isYieldExpression(node: object | null | undefined, opts?: object | null): node is YieldExpression;
-export function assertYieldExpression(node: object | null | undefined, opts?: object | null): void;
-export function assertNode(obj: any): void
-export function createTypeAnnotationBasedOnTypeof(type: 'string' | 'number' | 'undefined' | 'boolean' | 'function' | 'object' | 'symbol'): StringTypeAnnotation | VoidTypeAnnotation | NumberTypeAnnotation | BooleanTypeAnnotation | GenericTypeAnnotation
-export function createUnionTypeAnnotation(types: [T]): T
-export function createFlowUnionType(types: [T]): T
-export function createUnionTypeAnnotation(types: ReadonlyArray): UnionTypeAnnotation
-export function createFlowUnionType(types: ReadonlyArray): UnionTypeAnnotation
-export function buildChildren(node: { children: ReadonlyArray }): JSXElement['children']
+export function assertSpreadProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isStandardized(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Standardized;
+export function assertStandardized(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Statement;
+export function assertStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isStaticBlock(
+ node: object | null | undefined,
+ opts?: object | null
+): node is StaticBlock;
+export function assertStaticBlock(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isStringLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is StringLiteral;
+export function assertStringLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isStringLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is StringLiteralTypeAnnotation;
+export function assertStringLiteralTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isStringTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is StringTypeAnnotation;
+export function assertStringTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isSuper(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Super;
+export function assertSuper(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isSwitchCase(
+ node: object | null | undefined,
+ opts?: object | null
+): node is SwitchCase;
+export function assertSwitchCase(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isSwitchStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is SwitchStatement;
+export function assertSwitchStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isSymbolTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is SymbolTypeAnnotation;
+export function assertSymbolTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSAnyKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSAnyKeyword;
+export function assertTSAnyKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSArrayType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSArrayType;
+export function assertTSArrayType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSAsExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSAsExpression;
+export function assertTSAsExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSBaseType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSBaseType;
+export function assertTSBaseType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSBigIntKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSBigIntKeyword;
+export function assertTSBigIntKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSBooleanKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSBooleanKeyword;
+export function assertTSBooleanKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSCallSignatureDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSCallSignatureDeclaration;
+export function assertTSCallSignatureDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSConditionalType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSConditionalType;
+export function assertTSConditionalType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSConstructSignatureDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSConstructSignatureDeclaration;
+export function assertTSConstructSignatureDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSConstructorType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSConstructorType;
+export function assertTSConstructorType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSDeclareFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSDeclareFunction;
+export function assertTSDeclareFunction(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSDeclareMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSDeclareMethod;
+export function assertTSDeclareMethod(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSEntityName(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSEntityName;
+export function assertTSEntityName(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSEnumDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSEnumDeclaration;
+export function assertTSEnumDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSEnumMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSEnumMember;
+export function assertTSEnumMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSExportAssignment(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSExportAssignment;
+export function assertTSExportAssignment(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSExpressionWithTypeArguments(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSExpressionWithTypeArguments;
+export function assertTSExpressionWithTypeArguments(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSExternalModuleReference(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSExternalModuleReference;
+export function assertTSExternalModuleReference(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSFunctionType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSFunctionType;
+export function assertTSFunctionType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSImportEqualsDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSImportEqualsDeclaration;
+export function assertTSImportEqualsDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSImportType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSImportType;
+export function assertTSImportType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSIndexSignature(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSIndexSignature;
+export function assertTSIndexSignature(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSIndexedAccessType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSIndexedAccessType;
+export function assertTSIndexedAccessType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSInferType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSInferType;
+export function assertTSInferType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSInstantiationExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSInstantiationExpression;
+export function assertTSInstantiationExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSInterfaceBody(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSInterfaceBody;
+export function assertTSInterfaceBody(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSInterfaceDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSInterfaceDeclaration;
+export function assertTSInterfaceDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSIntersectionType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSIntersectionType;
+export function assertTSIntersectionType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSIntrinsicKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSIntrinsicKeyword;
+export function assertTSIntrinsicKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSLiteralType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSLiteralType;
+export function assertTSLiteralType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSMappedType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSMappedType;
+export function assertTSMappedType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSMethodSignature(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSMethodSignature;
+export function assertTSMethodSignature(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSModuleBlock(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSModuleBlock;
+export function assertTSModuleBlock(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSModuleDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSModuleDeclaration;
+export function assertTSModuleDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSNamedTupleMember(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSNamedTupleMember;
+export function assertTSNamedTupleMember(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSNamespaceExportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSNamespaceExportDeclaration;
+export function assertTSNamespaceExportDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSNeverKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSNeverKeyword;
+export function assertTSNeverKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSNonNullExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSNonNullExpression;
+export function assertTSNonNullExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSNullKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSNullKeyword;
+export function assertTSNullKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSNumberKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSNumberKeyword;
+export function assertTSNumberKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSObjectKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSObjectKeyword;
+export function assertTSObjectKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSOptionalType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSOptionalType;
+export function assertTSOptionalType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSParameterProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSParameterProperty;
+export function assertTSParameterProperty(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSParenthesizedType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSParenthesizedType;
+export function assertTSParenthesizedType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSPropertySignature(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSPropertySignature;
+export function assertTSPropertySignature(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSQualifiedName(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSQualifiedName;
+export function assertTSQualifiedName(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSRestType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSRestType;
+export function assertTSRestType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSStringKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSStringKeyword;
+export function assertTSStringKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSSymbolKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSSymbolKeyword;
+export function assertTSSymbolKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSThisType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSThisType;
+export function assertTSThisType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTupleType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTupleType;
+export function assertTSTupleType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSType;
+export function assertTSType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeAliasDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeAliasDeclaration;
+export function assertTSTypeAliasDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeAnnotation;
+export function assertTSTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeAssertion(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeAssertion;
+export function assertTSTypeAssertion(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeElement;
+export function assertTSTypeElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeLiteral;
+export function assertTSTypeLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeOperator(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeOperator;
+export function assertTSTypeOperator(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeParameter(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeParameter;
+export function assertTSTypeParameter(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeParameterDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeParameterDeclaration;
+export function assertTSTypeParameterDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeParameterInstantiation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeParameterInstantiation;
+export function assertTSTypeParameterInstantiation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypePredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypePredicate;
+export function assertTSTypePredicate(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeQuery(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeQuery;
+export function assertTSTypeQuery(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSTypeReference(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSTypeReference;
+export function assertTSTypeReference(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSUndefinedKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSUndefinedKeyword;
+export function assertTSUndefinedKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSUnionType(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSUnionType;
+export function assertTSUnionType(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSUnknownKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSUnknownKeyword;
+export function assertTSUnknownKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTSVoidKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TSVoidKeyword;
+export function assertTSVoidKeyword(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTaggedTemplateExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TaggedTemplateExpression;
+export function assertTaggedTemplateExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTemplateElement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TemplateElement;
+export function assertTemplateElement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTemplateLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TemplateLiteral;
+export function assertTemplateLiteral(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTerminatorless(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Terminatorless;
+export function assertTerminatorless(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isThisExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ThisExpression;
+export function assertThisExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isThisTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ThisTypeAnnotation;
+export function assertThisTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isThrowStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is ThrowStatement;
+export function assertThrowStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTopicReference(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TopicReference;
+export function assertTopicReference(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTryStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TryStatement;
+export function assertTryStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTupleExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TupleExpression;
+export function assertTupleExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTupleTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TupleTypeAnnotation;
+export function assertTupleTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeAlias(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeAlias;
+export function assertTypeAlias(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeAnnotation;
+export function assertTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeCastExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeCastExpression;
+export function assertTypeCastExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeParameter(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeParameter;
+export function assertTypeParameter(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeParameterDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeParameterDeclaration;
+export function assertTypeParameterDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeParameterInstantiation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeParameterInstantiation;
+export function assertTypeParameterInstantiation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeScript(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeScript;
+export function assertTypeScript(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isTypeofTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is TypeofTypeAnnotation;
+export function assertTypeofTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isUnaryExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is UnaryExpression;
+export function assertUnaryExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isUnaryLike(
+ node: object | null | undefined,
+ opts?: object | null
+): node is UnaryLike;
+export function assertUnaryLike(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isUnionTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is UnionTypeAnnotation;
+export function assertUnionTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isUpdateExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is UpdateExpression;
+export function assertUpdateExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isUserWhitespacable(
+ node: object | null | undefined,
+ opts?: object | null
+): node is UserWhitespacable;
+export function assertUserWhitespacable(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isV8IntrinsicIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): node is V8IntrinsicIdentifier;
+export function assertV8IntrinsicIdentifier(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isVariableDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): node is VariableDeclaration;
+export function assertVariableDeclaration(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isVariableDeclarator(
+ node: object | null | undefined,
+ opts?: object | null
+): node is VariableDeclarator;
+export function assertVariableDeclarator(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isVariance(
+ node: object | null | undefined,
+ opts?: object | null
+): node is Variance;
+export function assertVariance(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isVoidTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): node is VoidTypeAnnotation;
+export function assertVoidTypeAnnotation(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isWhile(
+ node: object | null | undefined,
+ opts?: object | null
+): node is While;
+export function assertWhile(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isWhileStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is WhileStatement;
+export function assertWhileStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isWithStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): node is WithStatement;
+export function assertWithStatement(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function isYieldExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): node is YieldExpression;
+export function assertYieldExpression(
+ node: object | null | undefined,
+ opts?: object | null
+): void;
+export function assertNode(obj: any): void;
+export function createTypeAnnotationBasedOnTypeof(
+ type:
+ | 'string'
+ | 'number'
+ | 'undefined'
+ | 'boolean'
+ | 'function'
+ | 'object'
+ | 'symbol'
+):
+ | StringTypeAnnotation
+ | VoidTypeAnnotation
+ | NumberTypeAnnotation
+ | BooleanTypeAnnotation
+ | GenericTypeAnnotation;
+export function createUnionTypeAnnotation(types: [T]): T;
+export function createFlowUnionType(types: [T]): T;
+export function createUnionTypeAnnotation(
+ types: ReadonlyArray
+): UnionTypeAnnotation;
+export function createFlowUnionType(
+ types: ReadonlyArray
+): UnionTypeAnnotation;
+export function buildChildren(node: {
+ children: ReadonlyArray<
+ | JSXText
+ | JSXExpressionContainer
+ | JSXSpreadChild
+ | JSXElement
+ | JSXFragment
+ | JSXEmptyExpression
+ >;
+}): JSXElement['children'];
export function clone(n: T): T;
export function cloneDeep(n: T): T;
export function cloneDeepWithoutLoc |