- Target Svelte Version: SvelteKit 1.0
- Target TypeScript Version: 4.x
- Use Svelte components as the primary building blocks.
- Prefer composition over inheritance at all times.
- Use TypeScript for type safety and interfaces consistently throughout the codebase.
- Follow Svelte's conventions for naming and code formatting rigorously.
- Utilize reactive declarations and stores appropriately to manage state.
- Ensure each component or module has a single, well-defined responsibility.
- Minimize dependencies between components using props, events, and the context API.
- Build complex UIs from simpler components using composition.
- Avoid class inheritance entirely; Svelte favors functional and reactive programming.
- Utilize slots and props to compose and customize components effectively.
- Define data structures first using TypeScript interfaces or types.
- Use type annotations to specify data types clearly and consistently.
- Design components and stores around data structures, not behaviors.
- Use TypeScript interfaces and types to define contracts between components and services.
- Code against abstractions, not concrete implementations, to enhance flexibility.
- Leverage dependency injection via the context API or module imports to decouple components.
- Initialize data and services outside of components whenever possible.
- Pass dependencies as props or through the context API; do not hardcode dependencies within components.
- Use service modules for shared logic and API interactions.
- Write simple and readable code, avoiding clever or complex solutions.
- Do not add unnecessary functionality (YAGNI principle).
- Refactor and simplify code regularly to maintain clarity and efficiency.
- Use built-in types and generics like
Array<T>
,Promise<T>
, andRecord<K, V>
. - Define custom types and interfaces for all complex data structures.
- Use union types (e.g.,
string | number
) where necessary. - Use
type | undefined
for optional properties instead ofnull
. - Annotate all variables, function parameters, and return types explicitly.
- Avoid using
any
; if the type cannot be determined, useunknown
and refine as soon as possible.
Example:
interface User {
id: number;
name: string;
email?: string;
}
function greet(user: User): string {
return `Hello, ${user.name}!`;
}
- Use PascalCase for component names and filenames (e.g.,
MyComponent.svelte
). - Keep components focused and small, adhering strictly to the Single Responsibility Principle.
- Use reactive statements and declarations to manage state changes effectively.
- Avoid using
bind:this
; use Svelte's reactivity and refs for DOM manipulation instead.
- Define props using the
export
keyword in components, and annotate their types. - Use default values for props when appropriate to ensure components behave predictably.
- Manage local state within components using reactive variables and statements.
- Avoid modifying props directly; treat them as immutable within the component.
Example:
<script lang="ts">
export let count: number = 0;
$: doubled = count * 2;
</script>
- Use Svelte's
writable
,readable
, andderived
stores for shared state management. - Create custom stores for complex state logic and encapsulate related functionality.
- Subscribe to stores using the
$
prefix for automatic reactivity in components. - Unsubscribe from stores manually only if subscribing imperatively; otherwise, let Svelte handle it.
Example:
// store.ts
import { writable } from 'svelte/store';
export const count = writable(0);
<script lang="ts">
import { count } from './store';
function increment() {
count.update(n => n + 1);
}
</script>
<button on:click={increment}>Count is {$count}</button>
- Use Svelte's event system for communication between components.
- Dispatch custom events using
createEventDispatcher
with typed event payloads. - Handle events using the
on:eventName
directive in parent components. - Name events descriptively, using camelCase, to reflect their purpose clearly.
Example:
<script lang="ts">
import { createEventDispatcher } from 'svelte';
const dispatch = createEventDispatcher<{ increment: { value: number } }>();
function handleClick() {
dispatch('increment', { value: 1 });
}
</script>
<button on:click={handleClick}>Increment</button>
- Use camelCase for variables, functions, and methods.
- Use PascalCase for component names and TypeScript classes or interfaces.
- Use UPPER_SNAKE_CASE for constants that are intended to remain unchanged.
- Choose meaningful and descriptive names for all identifiers to enhance code readability.
- Use reactive declarations (
$:
) for values that depend on reactive variables. - Avoid side effects within reactive statements; keep them pure and predictable.
- Keep reactive statements simple and focused to maintain clarity.
Example:
<script lang="ts">
let count = 0;
$: doubled = count * 2;
</script>
- Use JSDoc comments for functions, interfaces, and any complex logic that requires explanation.
- Document component APIs, including props, events, and slots, thoroughly.
- Write comments to explain non-obvious code; avoid redundant or obvious comments.
Example:
/**
* Fetches user data from the API.
* @param id - The ID of the user to fetch.
* @returns A Promise that resolves to a User object.
*/
async function fetchUser(id: number): Promise<User> {
// ...
}
- Define interfaces for object shapes, component props, and API responses.
- Use types for unions, intersections, and more complex type manipulations.
- Prefer interfaces when you need to extend object types through inheritance.
- Use
readonly
andPartial<>
modifiers when you want to enforce immutability or optionality.
Example:
interface Address {
street: string;
city: string;
zipCode: string;
}
interface User {
id: number;
name: string;
address?: Address;
}
- Define data models that mirror backend API schemas using TypeScript interfaces.
- Use the Fetch API for network requests, leveraging
async
/await
syntax. - Handle API responses and errors gracefully, providing meaningful feedback to the user.
- Ensure type safety by explicitly typing API response data.
Example:
async function getUser(id: number): Promise<User> {
const response = await fetch(`/api/users/${id}`);
if (!response.ok) {
throw new Error(`Failed to fetch user with id ${id}`);
}
return response.json() as Promise<User>;
}
- Compose components using props and slots to build flexible and reusable UIs.
- Use the context API for dependency injection to avoid prop drilling.
- Create higher-order components (HOCs) only when necessary; prefer composition over HOCs.
- Utilize custom stores to manage shared logic and state effectively.
Example:
<!-- Modal.svelte -->
<div class="modal">
<header>
<slot name="header"></slot>
</header>
<main>
<slot></slot>
</main>
<footer>
<slot name="footer"></slot>
</footer>
</div>
- Organize files by feature or domain, grouping related components, stores, and utilities together.
- Use consistent and descriptive naming conventions for files and directories.
- Separate concerns by keeping components, stores, utilities, and styles in their respective directories.
- Avoid deep directory nesting to maintain simplicity and ease of navigation.
Example Directory Structure:
src/
├── components/
│ ├── Button.svelte
│ └── Modal.svelte
├── routes/
│ ├── +layout.svelte
│ └── +page.svelte
├── stores/
│ └── userStore.ts
├── lib/
│ └── utils.ts
- Use SvelteKit's file-based routing system exclusively.
- Organize routes within the
src/routes
directory, using+page.svelte
and+layout.svelte
appropriately. - Use nested layouts and pages to create a hierarchical structure.
- Leverage dynamic routes and parameters for flexible navigation and data retrieval.
Example:
src/routes/
├── +layout.svelte
├── index.svelte
├── about.svelte
└── items/
├── +page.svelte
└── [id]/
└── +page.svelte
- Use
load
functions in+page.ts
or+layout.ts
for data fetching required by the page. - Perform server-side fetching whenever possible to improve performance and SEO.
- Handle errors and redirects within the
load
function using SvelteKit's conventions. - Use the
fetch
function provided by theload
context to make requests, ensuring cookies and headers are preserved.
Example:
// +page.ts
import type { PageLoad } from './$types';
export const load: PageLoad = async ({ fetch, params }) => {
const response = await fetch(`/api/items/${params.id}`);
if (!response.ok) {
return {
status: response.status,
error: new Error(`Failed to fetch item with id ${params.id}`),
};
}
const item = await response.json() as Item;
return { item };
};
- Use Svelte stores for global or shared state across components or pages.
- Avoid using stores for state that is local to a component; use component state instead.
- Use
derived
stores for computed state based on other stores to avoid redundant computations. - Keep store logic encapsulated within the store to promote maintainability and reuse.
- Use SvelteKit's error handling by returning errors from
load
functions or throwing exceptions. - Create custom error pages (
__error.svelte
) to display user-friendly error messages. - Use try-catch blocks for asynchronous operations within components and
load
functions. - Provide informative and actionable error messages to enhance user experience.
Example:
// +page.ts
import type { PageLoad } from './$types';
export const load: PageLoad = async ({ fetch }) => {
try {
const response = await fetch('/api/data');
if (!response.ok) {
throw new Error(`Failed to fetch data: ${response.statusText}`);
}
const data = await response.json();
return { data };
} catch (error) {
return {
status: 500,
error: new Error('Internal Server Error'),
};
}
};
- Use npm for package management consistently across the project.
- Specify exact versions of dependencies in
package.json
to ensure consistency across environments. - Regularly update dependencies and test for compatibility issues.
- Avoid adding unnecessary dependencies to keep the bundle size minimal and reduce potential security risks.
- Use
async
/await
syntax for asynchronous code to enhance readability and maintainability. - Handle promise rejections using try-catch blocks or
.catch()
methods to prevent unhandled exceptions. - Avoid blocking the UI with heavy computations; use web workers if necessary.
- Leverage Svelte's reactivity to update the UI upon data changes without manual DOM manipulation.
- Use scoped styles within components by default to avoid style conflicts.
- Leverage CSS variables and themes to maintain consistent styling across the application.
- Follow the BEM (Block, Element, Modifier) naming convention for class names to enhance readability.
- Use SCSS as a preprocessor for advanced styling features and maintainable stylesheets.
Example:
<style lang="scss">
.button {
background-color: var(--primary-color);
&:hover {
background-color: var(--primary-color-dark);
}
}
</style>
- Use Vitest as the testing framework for unit and integration tests.
- Use @testing-library/svelte for testing Svelte components.
- Write tests for all critical logic and components to ensure reliability.
- Mock API calls and external dependencies in tests to isolate units and avoid flakiness.
Example:
// MyComponent.test.ts
import { render, fireEvent } from '@testing-library/svelte';
import MyComponent from './MyComponent.svelte';
test('renders with default props', () => {
const { getByText } = render(MyComponent);
expect(getByText('Default Text')).toBeInTheDocument();
});
- Follow WAI-ARIA guidelines strictly to ensure the application is accessible to all users.
- Use semantic HTML elements (e.g.,
<button>
,<nav>
,<main>
) for better accessibility and SEO. - Ensure keyboard navigation works for all interactive elements and components.
- Provide alternative text for images and media content using the
alt
attribute.
- Sanitize all user inputs and outputs to prevent Cross-Site Scripting (XSS) attacks.
- Avoid exposing sensitive data or secrets in the frontend codebase.
- Use HTTPS for all network requests and API interactions to secure data in transit.
- Implement proper authentication and authorization checks, especially on pages that access sensitive information.
- Optimize images and assets using appropriate formats (e.g., WebP) and compression techniques.
- Lazy-load components and resources that are not immediately needed to improve initial load times.
- Minimize unnecessary reactivity by avoiding overuse of reactive variables and statements.
- Use code splitting and dynamic imports to reduce the bundle size of the initial page load.
- Use Prettier for consistent code formatting across the project, adhering to a shared configuration.
- Break down large components into smaller, reusable ones to enhance maintainability.
- Organize code logically within components, grouping related variables and functions together.
- Avoid deeply nested code structures; flatten logic where possible for clarity.
- Write pure functions for data transformations and avoid side effects to ensure predictability.
- Avoid side effects in reactive statements; keep them focused on data computation.
- Use immutable data patterns, avoiding direct mutation of objects or arrays.
- Leverage array and object methods (e.g.,
map
,filter
,reduce
) for data manipulation instead of loops when appropriate.
- Use classes only when integrating with libraries or APIs that require them.
- Prefer functional and reactive programming paradigms within Svelte components.
- Use classes for complex data models or services that benefit from encapsulation and inheritance, but only when necessary.
<!-- Counter.svelte -->
<script lang="ts">
import { createEventDispatcher } from 'svelte';
export let count: number = 0;
const dispatch = createEventDispatcher<{ increment: number }>();
function increment() {
count += 1;
dispatch('increment', count);
}
</script>
<button on:click={increment}>Count is {count}</button>
<!-- App.svelte -->
<script lang="ts">
import { count } from './store';
function increment() {
count.update(n => n + 1);
}
</script>
<button on:click={increment}>Count is {$count}</button>
// +page.ts
import type { PageLoad } from './$types';
export const load: PageLoad = async ({ fetch }) => {
const response = await fetch('/api/items');
if (!response.ok) {
throw new Error('Failed to fetch items');
}
const items = await response.json() as Item[];
return { items };
};
// userStore.ts
import { writable } from 'svelte/store';
import type { User } from './types';
function createUserStore() {
const { subscribe, set } = writable<User | null>(null);
return {
subscribe,
login: async (username: string, password: string) => {
const user = await apiLogin(username, password);
set(user);
},
logout: () => set(null),
};
}
export const userStore = createUserStore();
<!-- ThemeProvider.svelte -->
<script lang="ts">
import { setContext } from 'svelte';
export let theme: 'light' | 'dark' = 'light';
setContext('theme', theme);
</script>
<slot></slot>
<!-- ChildComponent.svelte -->
<script lang="ts">
import { getContext } from 'svelte';
const theme = getContext<'light' | 'dark'>('theme');
</script>
<div class={`theme-${theme}`}>
<!-- content -->
</div>
// +page.ts
import type { PageLoad } from './$types';
export const load: PageLoad = async ({ fetch }) => {
try {
const response = await fetch('/api/data');
if (!response.ok) {
throw new Error(`Failed to fetch data: ${response.statusText}`);
}
const data = await response.json();
return { data };
} catch (error) {
return {
status: 500,
error: new Error('Internal Server Error'),
};
}
};
// Button.test.ts
import { render, fireEvent } from '@testing-library/svelte';
import Button from './Button.svelte';
test('increments count on click', async () => {
const { getByText, component } = render(Button, { props: { count: 0 } });
const button = getByText('Count is 0');
await fireEvent.click(button);
expect(component.$$.ctx[0]).toBe(1);
expect(getByText('Count is 1')).toBeInTheDocument();
});