Files
headroom/frontend/node_modules/eslint-plugin-svelte/lib/rules/prefer-const.js
Santhosh Janardhanan de2d83092e feat: Reinitialize frontend with SvelteKit and TypeScript
- Delete old Vite+Svelte frontend
- Initialize new SvelteKit project with TypeScript
- Configure Tailwind CSS v4 + DaisyUI
- Implement JWT authentication with auto-refresh
- Create login page with form validation (Zod)
- Add protected route guards
- Update Docker configuration for single-stage build
- Add E2E tests with Playwright (6/11 passing)
- Fix Svelte 5 reactivity with $state() runes

Known issues:
- 5 E2E tests failing (timing/async issues)
- Token refresh implementation needs debugging
- Validation error display timing
2026-02-17 16:19:59 -05:00

84 lines
2.8 KiB
JavaScript

import { createRule } from '../utils/index.js';
import { defineWrapperListener, getCoreRule } from '../utils/eslint-core.js';
const coreRule = getCoreRule('prefer-const');
/**
* Finds and returns the callee of a declaration node within variable declarations or object patterns.
*/
function findDeclarationCallee(node) {
const { parent } = node;
if (parent.type === 'VariableDeclarator' && parent.init?.type === 'CallExpression') {
return parent.init.callee;
}
return null;
}
/**
* Determines if a declaration should be skipped in the const preference analysis.
* Specifically checks for Svelte's state management utilities ($props, $derived).
*/
function shouldSkipDeclaration(declaration, excludedRunes) {
if (!declaration) {
return false;
}
const callee = findDeclarationCallee(declaration);
if (!callee) {
return false;
}
if (callee.type === 'Identifier' && excludedRunes.includes(callee.name)) {
return true;
}
if (callee.type !== 'MemberExpression' || callee.object.type !== 'Identifier') {
return false;
}
if (excludedRunes.includes(callee.object.name)) {
return true;
}
return false;
}
export default createRule('prefer-const', {
meta: {
...coreRule.meta,
docs: {
description: coreRule.meta.docs.description,
category: 'Best Practices',
recommended: false,
extensionRule: 'prefer-const'
},
schema: [
{
type: 'object',
properties: {
destructuring: { enum: ['any', 'all'] },
ignoreReadBeforeAssign: { type: 'boolean' },
excludedRunes: {
type: 'array',
items: {
type: 'string'
}
}
},
// Allow ESLint core rule properties in case new options are added in the future.
additionalProperties: true
}
]
},
create(context) {
const config = context.options[0] ?? {};
const excludedRunes = config.excludedRunes ?? ['$props', '$derived'];
return defineWrapperListener(coreRule, context, {
createListenerProxy(coreListener) {
return {
...coreListener,
VariableDeclaration(node) {
for (const decl of node.declarations) {
if (shouldSkipDeclaration(decl.init, excludedRunes)) {
return;
}
}
coreListener.VariableDeclaration?.(node);
}
};
}
});
}
});