| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576 | 'use strict';const {isOpeningParenToken, isClosingParenToken} = require('@eslint-community/eslint-utils');const assertToken = require('./utils/assert-token.js');const MESSAGE_ID_WITH_NAME = 'with-name';const MESSAGE_ID_WITHOUT_NAME = 'without-name';const messages = {	[MESSAGE_ID_WITH_NAME]: 'Remove unused catch binding `{{name}}`.',	[MESSAGE_ID_WITHOUT_NAME]: 'Remove unused catch binding.',};const selector = [	'CatchClause',	' > ',	'.param',].join('');/** @param {import('eslint').Rule.RuleContext} context */const create = context => ({	[selector](node) {		const variables = context.getDeclaredVariables(node.parent);		if (variables.some(variable => variable.references.length > 0)) {			return;		}		const {type, name, parent} = node;		return {			node,			messageId: type === 'Identifier' ? MESSAGE_ID_WITH_NAME : MESSAGE_ID_WITHOUT_NAME,			data: {name},			* fix(fixer) {				const sourceCode = context.getSourceCode();				const tokenBefore = sourceCode.getTokenBefore(node);				assertToken(tokenBefore, {					test: isOpeningParenToken,					expected: '(',					ruleId: 'prefer-optional-catch-binding',				});				const tokenAfter = sourceCode.getTokenAfter(node);				assertToken(tokenAfter, {					test: isClosingParenToken,					expected: ')',					ruleId: 'prefer-optional-catch-binding',				});				yield fixer.remove(tokenBefore);				yield fixer.remove(node);				yield fixer.remove(tokenAfter);				const [, endOfClosingParenthesis] = tokenAfter.range;				const [startOfCatchClauseBody] = parent.body.range;				const text = sourceCode.text.slice(endOfClosingParenthesis, startOfCatchClauseBody);				const leadingSpacesLength = text.length - text.trimStart().length;				if (leadingSpacesLength !== 0) {					yield fixer.removeRange([endOfClosingParenthesis, endOfClosingParenthesis + leadingSpacesLength]);				}			},		};	},});/** @type {import('eslint').Rule.RuleModule} */module.exports = {	create,	meta: {		type: 'suggestion',		docs: {			description: 'Prefer omitting the `catch` binding parameter.',		},		fixable: 'code',		messages,	},};
 |