> encore
Build cloud backend applications with Encore — type-safe backend framework with built-in infrastructure. Use when someone asks to "build a backend", "Encore", "type-safe API framework", "backend with built-in infra", "auto-provision cloud resources", or "backend framework with databases built-in". Covers API definition, databases, pub/sub, cron, and auto-provisioned infrastructure.
curl "https://skillshub.wtf/TerminalSkills/skills/encore?format=md"Encore
Overview
Encore is a backend framework where infrastructure is part of the code — define an API endpoint and Encore provisions the cloud resources automatically. Databases, pub/sub, cron jobs, and caching are declared in your TypeScript/Go code, not in Terraform files. Encore understands your application architecture and generates infrastructure, API documentation, and architecture diagrams from the code. Local development mirrors production exactly.
When to Use
- Building cloud backends without managing infrastructure manually
- Want type-safe APIs with automatic documentation
- Need databases, pub/sub, and cron without configuring them
- Rapid prototyping that scales to production
- Teams that want to focus on business logic, not DevOps
Instructions
Setup
# Install Encore CLI (macOS/Linux)
brew install encoredev/tap/encore
# Create a new app
encore app create my-app --lang=ts
cd my-app
encore run # Local dev server with hot reload
Define API Endpoints
// backend/user/user.ts — API endpoints are just exported functions
import { api } from "encore.dev/api";
import { SQLDatabase } from "encore.dev/storage/sqldb";
// Database declared in code — Encore provisions it automatically
const db = new SQLDatabase("users", {
migrations: "./migrations",
});
interface User {
id: number;
email: string;
name: string;
}
// POST /user.create — Type-safe request/response
export const create = api(
{ method: "POST", path: "/user", expose: true },
async (params: { email: string; name: string }): Promise<User> => {
const row = await db.queryRow`
INSERT INTO users (email, name)
VALUES (${params.email}, ${params.name})
RETURNING id, email, name
`;
return row!;
}
);
// GET /user/:id — Path parameters are typed
export const get = api(
{ method: "GET", path: "/user/:id", expose: true },
async (params: { id: number }): Promise<User> => {
const row = await db.queryRow`
SELECT id, email, name FROM users WHERE id = ${params.id}
`;
if (!row) throw new Error("User not found");
return row;
}
);
// GET /user — List with query params
export const list = api(
{ method: "GET", path: "/user", expose: true },
async (params: { limit?: number; offset?: number }): Promise<{ users: User[] }> => {
const rows = await db.query`
SELECT id, email, name FROM users
ORDER BY id DESC
LIMIT ${params.limit ?? 20} OFFSET ${params.offset ?? 0}
`;
return { users: rows };
}
);
Pub/Sub
// backend/notifications/notifications.ts — Event-driven with pub/sub
import { Topic, Subscription } from "encore.dev/pubsub";
// Declare a topic — Encore provisions the message broker
export const userCreated = new Topic<{ userId: number; email: string }>("user-created");
// Publish events
export async function notifyUserCreated(userId: number, email: string) {
await userCreated.publish({ userId, email });
}
// Subscribe to events
const _ = new Subscription(userCreated, "send-welcome-email", {
handler: async (event) => {
await sendEmail(event.email, {
subject: "Welcome!",
body: "Thanks for signing up.",
});
},
});
Cron Jobs
// backend/reports/cron.ts — Scheduled tasks
import { CronJob } from "encore.dev/cron";
// Runs daily at 9 AM UTC — Encore handles scheduling
const dailyReport = new CronJob("daily-report", {
title: "Generate Daily Report",
schedule: "0 9 * * *",
endpoint: generateReport,
});
export const generateReport = api(
{ method: "POST", path: "/reports/daily" },
async (): Promise<{ generated: boolean }> => {
const stats = await db.query`SELECT ...`;
await sendSlackReport(stats);
return { generated: true };
}
);
Deploy
# Deploy to Encore Cloud (auto-provisions all infrastructure)
git push encore main
# Or self-host with Docker
encore build docker my-app:latest
docker run my-app:latest
Examples
Example 1: Build a SaaS backend
User prompt: "Build a backend for a project management tool with users, projects, and real-time updates."
The agent will define Encore services with databases, pub/sub for real-time events, and cron for notifications — all infrastructure auto-provisioned.
Example 2: Microservices with service-to-service calls
User prompt: "Split our monolith into microservices with type-safe internal communication."
The agent will create Encore services that call each other with typed function calls (no HTTP clients to write), with automatic tracing and documentation.
Guidelines
- Infrastructure is code — databases, pub/sub, cron declared in TypeScript
api()for endpoints — type-safe request/response with automatic validationSQLDatabasefor databases — Encore provisions Postgres automaticallyTopic/Subscriptionfor events — pub/sub without message broker setupCronJobfor schedules — declare in code, Encore handles executionencore runfor local dev — mirrors production environment exactly- Auto-generated docs — API documentation from your type definitions
- Architecture diagrams — Encore understands your service graph
- Tracing built-in — distributed tracing across services without config
expose: truefor public APIs — internal services are private by default
> related_skills --same-repo
> zustand
You are an expert in Zustand, the small, fast, and scalable state management library for React. You help developers manage global state without boilerplate using Zustand's hook-based stores, selectors for performance, middleware (persist, devtools, immer), computed values, and async actions — replacing Redux complexity with a simple, un-opinionated API in under 1KB.
> zoho
Integrate and automate Zoho products. Use when a user asks to work with Zoho CRM, Zoho Books, Zoho Desk, Zoho Projects, Zoho Mail, or Zoho Creator, build custom integrations via Zoho APIs, automate workflows with Deluge scripting, sync data between Zoho apps and external systems, manage leads and deals, automate invoicing, build custom Zoho Creator apps, set up webhooks, or manage Zoho organization settings. Covers Zoho CRM, Books, Desk, Projects, Creator, and cross-product integrations.
> zod
You are an expert in Zod, the TypeScript-first schema declaration and validation library. You help developers define schemas that validate data at runtime AND infer TypeScript types at compile time — eliminating the need to write types and validators separately. Used for API input validation, form validation, environment variables, config files, and any data boundary.
> zipkin
Deploy and configure Zipkin for distributed tracing and request flow visualization. Use when a user needs to set up trace collection, instrument Java/Spring or other services with Zipkin, analyze service dependencies, or configure storage backends for trace data.