Create backend with ElysiaJS, a type-safe, high-performance framework.
Use the skills CLI to install this skill with one command. Auto-detects all installed AI assistants.
Method 1 - skills CLI
npx skills i elysiajs/skills/elysiaMethod 2 - openskills (supports sync & update)
npx openskills install elysiajs/skillsAuto-detects Claude Code, Cursor, Codex CLI, Gemini CLI, and more. One install, works everywhere.
Installation Path
Download and extract to one of the following locations:
No setup needed. Let our cloud agents run this skill for you.
Select Provider
Select Model
Best for coding tasks
Environment setup included
Always consult elysiajs.com/llms.txt for code examples and latest API.
ElysiaJS is a TypeScript framework for building Bun-first (but not limited to Bun) type-safe, high-performance backend servers. This skill provides comprehensive guidance for developing with Elysia, including routing, validation, authentication, plugins, integrations, and deployment.
Trigger this skill when the user asks to:
Quick scaffold:
bun create elysia appimport { Elysia, t, status } from 'elysia'
const app = new Elysia()
.get('/', () => 'Hello World')
.post('/user', ({ body }) => body, {
body: t.Object({
name: t.
import { Elysia } from 'elysia'
new Elysia()
.get('/', 'GET')
.post('/', 'POST')
.put('/', 'PUT')
.patch('/', 'PATCH')
.delete
.get('/user/:id', ({ params: { id } }) => id)
.get('/post/:id/:slug', ({ params }) => params).get('/search', ({ query }) => query.q)
// GET /search?q=elysia → "elysia".post('/user', ({ body }) => body).get('/', ({ headers }) => headers.authorization)import { Elysia, t } from 'elysia'
.post('/user', ({ body }) => body, {
body: t.Object({
name: t.String(),
age: t.Number(),
email: t.String({ format: 'email' }),
website: t.Optional(t.String({ format: 'uri' }))
body: t.Object({
user: t.Object({
name: t.String(),
address: t.Object({
street: t.String(),
city: t.String()
})
})
})body: t.Object({
tags: t.Array(t.String()),
users: t.Array(t.Object({
id: t.String(),
name: t.String()
}))
}).post('/upload', ({ body }) => body.file, {
body: t.Object({
file: t.File({
type: 'image', // image/* mime types
maxSize: '5m' // 5 megabytes
}),
files: t.Files({ // Multiple files
type: ['image/png', 'image/jpeg']
.get('/user/:id', ({ params: { id } }) => ({
id,
name: 'John',
email: 'john@example.com'
}), {
params: t.Object({
id: t.Number()
}),
response: {
200: t.Object({
id: t.Number(),
import { z } from 'zod'
.post('/user', ({ body }) => body, {
body: z.object({
name: z.string(),
age: z.number().min(0),
email: z.string().email()
})
}).get('/user/:id', ({ params: { id }, status }) => {
const user = findUser(id)
if (!user) {
return status(404, 'User not found')
}
return user
}).guard({
params: t.Object({
id: t.Number()
})
}, app => app
.get('/user/:id', ({ params: { id } }) => id)
.delete('/user/:id', ({ params: { id } }) => id)
).macro({
hi: (word: string) => ({
beforeHandle() { console.log(word) }
})
})
.get('/', () => 'hi', { hi: 'Elysia' })Elysia takes an unopinionated approach but based on user request. But without any specific preference, we recommend a feature-based and domain driven folder structure where each feature has its own folder containing controllers, services, and models.
src/
├── index.ts # Main server entry
├── modules/
│ ├── auth/
│ │ ├── index.ts # Auth routes (Elysia instance)
│ │ ├── service.ts # Business logic
│ │ └── model.ts # TypeBox schemas/DTOs
│ └── user/
│ ├── index.ts
│ ├── service.ts
│ └── model.ts
└── plugins/
└── custom.ts
public/ # Static files (if using static plugin)
test/ # Unit tests
Each file has its own responsibility as follows:
Elysia is unopinionated on design pattern, but if not provided, we can relies on MVC pattern pair with feature based folder structure.
onError to handle local custom errorsElysia.models({ ...models }) and prefix model by namespace `Elysia.prefix('model', 'Namespace.')Model.nameModelstatus (import { status } from 'elysia') for errorreturn Error instead of throw ErrorElysia has a every important concepts/rules to understand before use.
Lifecycles (hooks, middleware) don't leak between instances unless scoped.
Scope levels:
local (default) - current instance + descendantsscoped - parent + current + descendantsglobal - all instances.onBeforeHandle(() => {}) // only local instance
.onBeforeHandle({ as: 'global' }, () => {}) // exports to allMust chain. Each method returns new type reference.
❌ Don't:
const app = new Elysia()
app.state('build', 1) // loses type
app.get('/', ({ store }) => store.build) // build doesn't exists✅ Do:
new Elysia()
.state('build', 1)
.get('/', ({ store }) => store.build)Each instance independent. Declare what you use.
const auth = new Elysia()
.decorate('Auth', Auth)
.model(Auth.models)
new Elysia()
.get('/', ({ Auth }) => Auth.getProfile()) // Auth doesn't exists
new Elysia()
.use(auth)
Global scope when:
Explicit when:
Plugins re-execute unless named:
new Elysia() // rerun on `.use`
new Elysia({ name: 'ip' }) // runs once across all instancesEvents apply to routes registered after them.
.onBeforeHandle(() => console.log('1'))
.get('/', () => 'hi') // has hook
.onBeforeHandle(() => console.log('2')) // doesn't affect '/'Inline functions only for accurate types.
For controllers, destructure in inline wrapper:
.post('/', ({ body }) => Controller.greet(body), {
body: t.Object({ name: t.String() })
})Get type from schema:
type MyType = typeof MyType.staticModel can be reference by name, especially great for documenting an API
new Elysia()
.model({
book: t.Object({
name: t.String()
})
})
.post('/', ({ body }) => body.name, {
body: 'book'
})Model can be renamed by using .prefix / .suffix
new Elysia()
.model({
book: t.Object({
name: t.String()
})
})
.prefix('model', 'Namespace')
.post('/', ({ body }) => body.name, {
body: 'Namespace.Book'
})Once prefix, model name will be capitalized by default.
The following are technical terms that is use for Elysia:
OpenAPI Type Gen - function name fromTypes from @elysiajs/openapi for generating OpenAPI from types, see plugins/openapi.mdEden, Eden Treaty - e2e type safe RPC client for share type from backend to frontendUse the following references as needed.
It's recommended to checkout route.md for as it contains the most important foundation building blocks with examples.
plugin.md and validation.md is important as well but can be check as needed.
Detailed documentation split by topic:
bun-fullstack-dev-server.md - Bun Fullstack Dev Server with HMR. React without bundler.cookie.md - Detailed documentation on cookiedeployment.md - Production deployment guide / Dockereden.md - e2e type safe RPC client for share type from backend to frontendguard.md - Setting validation/lifecycle all at oncemacro.md - Compose multiple schema/lifecycle as a reusable Elysia via key-value (recommended for complex setup, eg. authentication, authorization, Role-based Access Check)plugin.md - Decouple part of Elysia into a standalone componentroute.md - Elysia foundation building block: Routing, Handler and Contexttesting.md - Unit tests with examplesvalidation.md - Setup input/output validation and list of all custom validation ruleswebsocket.md - Real-time featuresDetailed documentation, usage and configuration reference for official Elysia plugin:
bearer.md - Add bearer capability to Elysia (@elysiajs/bearer)cors.md - Out of box configuration for CORS (@elysiajs/cors)cron.md - Run cron job with access to Elysia context (@elysiajs/cron)graphql-apollo.md - Integration GraphQL Apollo (@elysiajs/graphql-apollo)graphql-yoga.md - Integration with GraphQL Yoga (@elysiajs/graphql-yoga)html.md - HTML and JSX plugin setup and usage (@elysiajs/html)jwt.md - JWT / JWK plugin (@elysiajs/jwt)openapi.md - OpenAPI documentation and OpenAPI Type Gen / OpenAPI from types (@elysiajs/openapi)Guide to integrate Elysia with external library/runtime:
ai-sdk.md - Using Vercel AI SDK with Elysiaastro.md - Elysia in Astro API routebetter-auth.md - Integrate Elysia with better-authcloudflare-worker.md - Elysia on Cloudflare Worker adapterdeno.md - Elysia on Denodrizzle.md - Integrate Elysia with Drizzle ORMexpo.md - Elysia in Expo API routenextjs.md - Elysia in Nextjs API routenodejs.md - Run Elysia on Node.jsnuxt.md - Elysia on API routeprisma.md - Integrate Elysia with Prismareact-email.d - Create and Send Email with React and Elysiasveltekit.md - Run Elysia on Svelte Kit API routetanstack-start.md - Run Elysia on Tanstack Start / React Querybasic.ts - Basic Elysia examplebody-parser.ts - Custom body parser example via .onParsecomplex.ts - Comprehensive usage of Elysia servercookie.ts - Setting cookieerror.ts - Error handlingfile.ts - Returning local file from serverguard.ts - Setting mulitple validation schema and lifecyclemap-response.ts - Custom response mapperredirect.ts - Redirect responserename.ts - Rename context's propertyschema.ts - Setup validationstate.ts - Setup global stateupload-file.ts - File upload with validationwebsocket.ts - Web Socket for realtime communicationpatterns/mvc.md - Detail guideline for using Elysia with MVC patternsopentelemetry.md - OpenTelemetry, instrumentation, and record span utilities (@elysiajs/opentelemetry)server-timing.md - Server Timing metric for debug (@elysiajs/server-timing)static.md - Serve static files/folders for Elysia Server (@elysiajs/static)vercel.md