📄 require-await.ts¶
📊 Analysis Summary¶
| Metric | Count |
|---|---|
| 🔧 Functions | 16 |
| 📦 Imports | 13 |
| 📊 Variables & Constants | 5 |
| 📐 Interfaces | 1 |
| 📑 Type Aliases | 1 |
📚 Table of Contents¶
🛠️ File Location:¶
📂 packages/eslint-plugin/src/rules/require-await.ts
📦 Imports¶
| Name | Source |
|---|---|
TSESTree |
@typescript-eslint/utils |
AST |
@typescript-eslint/utils/ts-eslint |
RuleFix |
@typescript-eslint/utils/ts-eslint |
AST_NODE_TYPES |
@typescript-eslint/utils |
AST_TOKEN_TYPES |
@typescript-eslint/utils |
createRule |
../util |
getFunctionHeadLoc |
../util |
getFunctionNameWithKind |
../util |
getParserServices |
../util |
isStartOfExpressionStatement |
../util |
needsPrecedingSemicolon |
../util |
nullThrows |
../util |
upperCaseFirst |
../util |
Variables & Constants¶
| Name | Type | Kind | Value | Exported |
|---|---|---|---|---|
scopeInfo |
ScopeInfo | null |
let/var | null |
✗ |
nodeWithAsyncKeyword |
any |
const | `(node.parent.type === AST_NODE_TYPES.MethodDefinition && | |
| node.parent.value === node) | ||||
| (node.parent.type === AST_NODE_TYPES.Property && | ||||
| node.parent.method && | ||||
| node.parent.value === node) | ||||
| ? node.parent | ||||
| : node` | ✗ | |||
asyncRange |
Readonly<AST.Range> |
const | `[ | |
| asyncToken.range[0], | ||||
| nullThrows( | ||||
| context.sourceCode.getTokenAfter(asyncToken, { | ||||
| includeComments: true, | ||||
| }), | ||||
| 'There will always be a token after the "async" keyword.', | ||||
| ).range[0], | ||||
| ] as const` | ✗ | |||
addSemiColon |
boolean |
const | `nextToken.type === AST_TOKEN_TYPES.Punctuator && | |
| (nextToken.value === '[' | nextToken.value === '(') && | |||
| (nodeWithAsyncKeyword.type === AST_NODE_TYPES.MethodDefinition | ||||
| isStartOfExpressionStatement(nodeWithAsyncKeyword)) && | ||||
| needsPrecedingSemicolon(context.sourceCode, nodeWithAsyncKeyword)` | ✗ | |||
changes |
{ range: AST.Range; replacement: string; }[] |
const | `[ | |
| { range: asyncRange, replacement: addSemiColon ? ';' : undefined }, | ||||
| ]` | ✗ |
Functions¶
enterFunction(node: FunctionNode): void¶
Code
-
JSDoc:
-
Parameters:
node: FunctionNode- Return Type:
void
exitFunction(node: FunctionNode): void¶
Code
function exitFunction(node: FunctionNode): void {
/* istanbul ignore if */ if (!scopeInfo) {
// this shouldn't ever happen, as we have to exit a function after we enter it
return;
}
if (
node.async &&
!scopeInfo.hasAwait &&
!isEmptyFunction(node) &&
!(scopeInfo.isGen && scopeInfo.isAsyncYield)
) {
// If the function belongs to a method definition or
// property, then the function's range may not include the
// `async` keyword and we should look at the parent instead.
const nodeWithAsyncKeyword =
(node.parent.type === AST_NODE_TYPES.MethodDefinition &&
node.parent.value === node) ||
(node.parent.type === AST_NODE_TYPES.Property &&
node.parent.method &&
node.parent.value === node)
? node.parent
: node;
const asyncToken = nullThrows(
context.sourceCode.getFirstToken(
nodeWithAsyncKeyword,
token => token.value === 'async',
),
'The node is an async function, so it must have an "async" token.',
);
const asyncRange: Readonly<AST.Range> = [
asyncToken.range[0],
nullThrows(
context.sourceCode.getTokenAfter(asyncToken, {
includeComments: true,
}),
'There will always be a token after the "async" keyword.',
).range[0],
] as const;
// Removing the `async` keyword can cause parsing errors if the
// current statement is relying on automatic semicolon insertion.
// If ASI is currently being used, then we should replace the
// `async` keyword with a semicolon.
const nextToken = nullThrows(
context.sourceCode.getTokenAfter(asyncToken),
'There will always be a token after the "async" keyword.',
);
const addSemiColon =
nextToken.type === AST_TOKEN_TYPES.Punctuator &&
(nextToken.value === '[' || nextToken.value === '(') &&
(nodeWithAsyncKeyword.type === AST_NODE_TYPES.MethodDefinition ||
isStartOfExpressionStatement(nodeWithAsyncKeyword)) &&
needsPrecedingSemicolon(context.sourceCode, nodeWithAsyncKeyword);
const changes = [
{ range: asyncRange, replacement: addSemiColon ? ';' : undefined },
];
// If there's a return type annotation and it's a
// `Promise<T>`, we can also change the return type
// annotation to just `T` as part of the suggestion.
// Alternatively, if the function is a generator and
// the return type annotation is `AsyncGenerator<T>`,
// then we can change it to `Generator<T>`.
if (
node.returnType?.typeAnnotation.type ===
AST_NODE_TYPES.TSTypeReference
) {
if (scopeInfo.isGen) {
if (hasTypeName(node.returnType.typeAnnotation, 'AsyncGenerator')) {
changes.push({
range: node.returnType.typeAnnotation.typeName.range,
replacement: 'Generator',
});
}
} else if (
hasTypeName(node.returnType.typeAnnotation, 'Promise') &&
node.returnType.typeAnnotation.typeArguments != null
) {
const openAngle = nullThrows(
context.sourceCode.getFirstToken(
node.returnType.typeAnnotation,
token =>
token.type === AST_TOKEN_TYPES.Punctuator &&
token.value === '<',
),
'There are type arguments, so the angle bracket will exist.',
);
const closeAngle = nullThrows(
context.sourceCode.getLastToken(
node.returnType.typeAnnotation,
token =>
token.type === AST_TOKEN_TYPES.Punctuator &&
token.value === '>',
),
'There are type arguments, so the angle bracket will exist.',
);
changes.push(
// Remove the closing angled bracket.
{ range: closeAngle.range, replacement: undefined },
// Remove the "Promise" identifier
// and the opening angled bracket.
{
range: [
node.returnType.typeAnnotation.typeName.range[0],
openAngle.range[1],
],
replacement: undefined,
},
);
}
}
context.report({
loc: getFunctionHeadLoc(node, context.sourceCode),
node,
messageId: 'missingAwait',
data: {
name: upperCaseFirst(getFunctionNameWithKind(node)),
},
suggest: [
{
messageId: 'removeAsync',
fix: (fixer): RuleFix[] =>
changes.map(change =>
change.replacement != null
? fixer.replaceTextRange(change.range, change.replacement)
: fixer.removeRange(change.range),
),
},
],
});
}
scopeInfo = scopeInfo.upper;
}
-
JSDoc:
-
Parameters:
node: FunctionNode- Return Type:
void - Calls:
isEmptyFunctionnullThrows (from ../util)context.sourceCode.getFirstTokencontext.sourceCode.getTokenAfterisStartOfExpressionStatement (from ../util)needsPrecedingSemicolon (from ../util)hasTypeNamechanges.pushcontext.sourceCode.getLastTokencontext.reportgetFunctionHeadLoc (from ../util)upperCaseFirst (from ../util)getFunctionNameWithKind (from ../util)changes.mapfixer.replaceTextRangefixer.removeRange- Internal Comments:
/* istanbul ignore if */ // this shouldn't ever happen, as we have to exit a function after we enter it // If the function belongs to a method definition or (x2) // property, then the function's range may not include the (x2) // `async` keyword and we should look at the parent instead. (x2) // Removing the `async` keyword can cause parsing errors if the (x2) // current statement is relying on automatic semicolon insertion. (x2) // If ASI is currently being used, then we should replace the (x2) // `async` keyword with a semicolon. (x2) // If there's a return type annotation and it's a // `Promise<T>`, we can also change the return type // annotation to just `T` as part of the suggestion. // Alternatively, if the function is a generator and // the return type annotation is `AsyncGenerator<T>`, // then we can change it to `Generator<T>`. // Remove the closing angled bracket. // Remove the "Promise" identifier // and the opening angled bracket.
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
isThenableType(node: ts.Node): boolean¶
Code
-
JSDoc:
-
Parameters:
node: ts.Node- Return Type:
boolean - Calls:
checker.getTypeAtLocationtsutils.isThenableType
markAsHasAwait(): void¶
-
JSDoc:
-
Return Type:
void
visitYieldExpression(node: TSESTree.YieldExpression): void¶
Code
function visitYieldExpression(node: TSESTree.YieldExpression): void {
if (!scopeInfo?.isGen || !node.argument) {
return;
}
if (node.argument.type === AST_NODE_TYPES.Literal) {
// ignoring this as for literals we don't need to check the definition
// eg : async function* run() { yield* 1 }
return;
}
if (!node.delegate) {
if (isThenableType(services.esTreeNodeToTSNodeMap.get(node.argument))) {
scopeInfo.isAsyncYield = true;
}
return;
}
const type = services.getTypeAtLocation(node.argument);
const typesToCheck = expandUnionOrIntersectionType(type);
for (const type of typesToCheck) {
const asyncIterator = tsutils.getWellKnownSymbolPropertyOfType(
type,
'asyncIterator',
checker,
);
if (asyncIterator != null) {
scopeInfo.isAsyncYield = true;
break;
}
}
}
-
JSDoc:
-
Parameters:
node: TSESTree.YieldExpression- Return Type:
void - Calls:
isThenableTypeservices.esTreeNodeToTSNodeMap.getservices.getTypeAtLocationexpandUnionOrIntersectionTypetsutils.getWellKnownSymbolPropertyOfType- Internal Comments:
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
fix(fixer: any): RuleFix[]¶
Code
- Parameters:
fixer: any- Return Type:
RuleFix[] - Calls:
changes.map
isEmptyFunction(node: FunctionNode): boolean¶
Code
- Parameters:
node: FunctionNode- Return Type:
boolean
expandUnionOrIntersectionType(type: ts.Type): ts.Type[]¶
Code
- Parameters:
type: ts.Type- Return Type:
ts.Type[] - Calls:
type.isUnionOrIntersectiontype.types.flatMap
hasTypeName(typeReference: TSESTree.TSTypeReference, typeName: string): boolean¶
Code
- Parameters:
typeReference: TSESTree.TSTypeReferencetypeName: string- Return Type:
boolean
Interfaces¶
ScopeInfo¶
Interface Code
Properties¶
| Name | Type | Optional | Description |
|---|---|---|---|
hasAsync |
boolean |
✗ | |
hasAwait |
boolean |
✗ | |
isAsyncYield |
boolean |
✗ | |
isGen |
boolean |
✗ | |
upper |
ScopeInfo | null |
✗ |
Type Aliases¶
FunctionNode¶
type FunctionNode = | TSESTree.ArrowFunctionExpression
| TSESTree.FunctionDeclaration
| TSESTree.FunctionExpression;