epic-deployment
Guide on deployment with Fly.io, multi-region setup, and CI/CD for Epic Stack
Install
mkdir -p .claude/skills/epic-deployment && curl -L -o skill.zip "https://mcp.directory/api/skills/download/5870" && unzip -o skill.zip -d .claude/skills/epic-deployment && rm skill.zipInstalls to .claude/skills/epic-deployment
About this skill
Epic Stack: Deployment
When to use this skill
Use this skill when you need to:
- Configure deployment on Fly.io
- Setup multi-region deployment
- Configure CI/CD with GitHub Actions
- Manage secrets in production
- Configure healthchecks
- Work with LiteFS and volumes
- Local deployment with Docker
Patterns and conventions
Fly.io Configuration
Epic Stack uses Fly.io for hosting with configuration in fly.toml.
Basic configuration:
# fly.toml
app = "your-app-name"
primary_region = "sjc"
kill_signal = "SIGINT"
kill_timeout = 5
[build]
dockerfile = "/other/Dockerfile"
ignorefile = "/other/Dockerfile.dockerignore"
[mounts]
source = "data"
destination = "/data"
Primary Region
Configure primary region:
primary_region = "sjc" # Change according to your location
Important: The primary region must be the same for:
primary_regionenfly.toml- Region del volume
data PRIMARY_REGIONen variables de entorno
LiteFS Configuration
Configuration in other/litefs.yml:
fuse:
dir: '${LITEFS_DIR}'
data:
dir: '/data/litefs'
proxy:
addr: ':${INTERNAL_PORT}'
target: 'localhost:${PORT}'
db: '${DATABASE_FILENAME}'
lease:
type: 'consul'
candidate: ${FLY_REGION == PRIMARY_REGION}
promote: true
advertise-url: 'http://${HOSTNAME}.vm.${FLY_APP_NAME}.internal:20202'
consul:
url: '${FLY_CONSUL_URL}'
key: 'epic-stack-litefs_20250222/${FLY_APP_NAME}'
exec:
- cmd: npx prisma migrate deploy
if-candidate: true
- cmd: sqlite3 $DATABASE_PATH "PRAGMA journal_mode = WAL;"
if-candidate: true
- cmd: sqlite3 $CACHE_DATABASE_PATH "PRAGMA journal_mode = WAL;"
if-candidate: true
- cmd: npx prisma generate --sql
- cmd: npm start
Healthchecks
Configuration in fly.toml:
[[services.http_checks]]
interval = "10s"
grace_period = "5s"
method = "get"
path = "/resources/healthcheck"
protocol = "http"
timeout = "2s"
tls_skip_verify = false
Healthcheck implementation:
// app/routes/resources/healthcheck.tsx
export async function loader({ request }: Route.LoaderArgs) {
const host =
request.headers.get('X-Forwarded-Host') ?? request.headers.get('host')
try {
await Promise.all([
prisma.user.count(), // Verify DB
fetch(`${new URL(request.url).protocol}${host}`, {
method: 'HEAD',
headers: { 'X-Healthcheck': 'true' },
}),
])
return new Response('OK')
} catch (error) {
console.log('healthcheck ❌', { error })
return new Response('ERROR', { status: 500 })
}
}
Environment Variables
Secrets in Fly.io:
# Generate secrets
fly secrets set SESSION_SECRET=$(openssl rand -hex 32) --app [YOUR_APP_NAME]
fly secrets set HONEYPOT_SECRET=$(openssl rand -hex 32) --app [YOUR_APP_NAME]
# List secrets
fly secrets list --app [YOUR_APP_NAME]
# Delete secret
fly secrets unset SECRET_NAME --app [YOUR_APP_NAME]
Common secrets:
SESSION_SECRET- Secret for signing session cookiesHONEYPOT_SECRET- Secret for honeypot fieldsDATABASE_URL- Automatically configured by LiteFSCACHE_DATABASE_PATH- Automatically configuredRESEND_API_KEY- For sending emails (optional)TIGRIS_*- For image storage (automatic)SENTRY_DSN- For error monitoring (optional)
Volumes
Create volume:
fly volumes create data --region sjc --size 1 --app [YOUR_APP_NAME]
List volumes:
fly volumes list --app [YOUR_APP_NAME]
Expand volume:
fly volumes extend <volume-id> --size 10 --app [YOUR_APP_NAME]
Multi-Region Deployment
Deploy to multiple regions:
# Deploy in primary region (more instances)
fly scale count 2 --region sjc --app [YOUR_APP_NAME]
# Deploy in secondary regions (read-only)
fly scale count 1 --region ams --app [YOUR_APP_NAME]
fly scale count 1 --region syd --app [YOUR_APP_NAME]
Verify instances:
fly status --app [YOUR_APP_NAME]
# The ROLE column will show "primary" or "replica"
Consul Setup
Attach Consul:
fly consul attach --app [YOUR_APP_NAME]
Consul manages:
- Which instance is primary
- Automatic failover
- Data replication
GitHub Actions CI/CD
Basic workflow:
# .github/workflows/deploy.yml
name: Deploy
on:
push:
branches: [main, dev]
jobs:
deploy:
name: Deploy
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
- uses: superfly/flyctl-actions/setup-flyctl@master
- run: flyctl deploy --remote-only
env:
FLY_API_TOKEN: ${{ secrets.FLY_API_TOKEN }}
Complete configuration:
- Deploy to
productionfrommainbranch - Deploy to
stagingfromdevbranch - Tests before deploy (optional)
Deployable Commits
Following Epic Web principles:
Deployable commits - Every commit to the main branch should be deployable. This means:
- The code should be in a working state
- Tests should pass
- The application should build successfully
- No "WIP" or "TODO" commits that break the build
Example - Deployable commit workflow:
# ✅ Good - Each commit is deployable
git commit -m "Add user profile page"
# This commit is complete, tested, and deployable
git commit -m "Fix login redirect bug"
# This commit fixes a bug and is deployable
# ❌ Avoid - Non-deployable commits
git commit -m "WIP: working on feature"
# This commit might not work, not deployable
git commit -m "Add feature (tests failing)"
# This commit breaks the build, not deployable
Benefits:
- Easy rollback - any commit can be deployed
- Continuous deployment - deploy any time
- Clear history - each commit represents a working state
- Faster recovery - can deploy any previous commit
Small and Short Lived Merge Requests
Following Epic Web principles:
Small and short lived merge requests - Keep PRs small and merge them quickly. Large PRs are hard to review, risky to merge, and slow down the team.
Guidelines:
- Small PRs - Focus on one feature or fix per PR
- Short-lived - Merge within a day or two, not weeks
- Reviewable - PRs should be reviewable in 30 minutes or less
- Independent - Each PR should be independently deployable
Example - Small, focused PR:
# ✅ Good - Small, focused PR
# PR: "Add email validation to signup form"
# - Only changes signup validation
# - Includes tests
# - Can be reviewed quickly
# - Can be merged and deployed independently
# ❌ Avoid - Large, complex PR
# PR: "Refactor authentication system and add 2FA and OAuth"
# - Too many changes at once
# - Hard to review
# - Risky to merge
# - Takes days to review
Benefits:
- Faster reviews - easier to understand and review
- Lower risk - smaller changes are less risky
- Faster feedback - get feedback sooner
- Easier rollback - smaller changes are easier to revert
- Better collaboration - team can work in parallel on different small PRs
When PRs get too large:
- Split into multiple smaller PRs
- Use feature flags to merge incrementally
- Break down into logical pieces
Tigris Object Storage
Create storage:
fly storage create --app [YOUR_APP_NAME]
This creates:
- Tigris bucket
- Automatic environment variables:
TIGRIS_ENDPOINTTIGRIS_ACCESS_KEY_IDTIGRIS_SECRET_ACCESS_KEYTIGRIS_BUCKET_NAME
Database Migrations
Automatic migrations: Migrations are automatically applied on deploy via
litefs.yml:
exec:
- cmd: npx prisma migrate deploy
if-candidate: true
Note: Only the primary instance runs migrations (if-candidate: true).
Database Backups
Create backup:
# SSH to instance
fly ssh console --app [YOUR_APP_NAME]
# Create backup
mkdir /backups
litefs export -name sqlite.db /backups/backup-$(date +%Y-%m-%d).db
exit
# Download backup
fly ssh sftp get /backups/backup-2024-01-01.db --app [YOUR_APP_NAME]
Restore backup:
# Upload backup
fly ssh sftp shell --app [YOUR_APP_NAME]
put backup-2024-01-01.db
# Ctrl+C to exit
# SSH and restore
fly ssh console --app [YOUR_APP_NAME]
litefs import -name sqlite.db /backup-2024-01-01.db
exit
Deployment Local
Deploy con Fly CLI:
fly deploy
Deploy con Docker:
# Build
docker build -t epic-stack . -f other/Dockerfile \
--build-arg COMMIT_SHA=$(git rev-parse --short HEAD)
# Run
docker run -d \
-p 8081:8081 \
-e SESSION_SECRET='secret' \
-e HONEYPOT_SECRET='secret' \
-e FLY='false' \
-v ~/litefs:/litefs \
epic-stack
Zero-Downtime Deploys
Strategy:
- Deploy to multiple instances
- Automatic blue-green deployment
- Healthchecks verify app is ready
- Auto-rollback if healthcheck fails
Configuration:
[experimental]
auto_rollback = true
Monitoring
View logs:
fly logs --app [YOUR_APP_NAME]
View metrics:
fly dashboard --app [YOUR_APP_NAME]
# Or visit: https://fly.io/apps/[YOUR_APP_NAME]/monitoring
Sentry (opcional):
fly secrets set SENTRY_DSN=your-sentry-dsn --app [YOUR_APP_NAME]
Common examples
Example 1: Complete initial setup
# 1. Create apps
fly apps create my-app
fly apps create my-app-staging
# 2. Configure secrets
fly secrets set \
SESSION_SECRET=$(openssl rand -hex 32) \
HONEYPOT_SECRET=$(openssl rand -hex 32) \
--app my-app
fly secrets set \
SESSION_SECRET=$(openssl rand -hex 32) \
HONEYPOT_SECRET=$(openssl rand -hex 32) \
ALLOW_INDEXING=false \
--app my-app-staging
# 3. Create volumes
fly volumes create data --region sjc --size 1 --app my-app
fly volumes create data --region sjc --size 1 --app my-app-staging
# 4. Attach Consul
fly consul attach --app my-app
fly consul attach --app my-app-staging
# 5. Create storage
fly storage create --app my-app
fly storage create --app my-app-staging
# 6. Deploy
fly deploy --app my-app
Example 2: Multi-region setup
# Fi
---
*Content truncated.*
More by epicweb-dev
View all skills by epicweb-dev →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversRaindrop: AI DevOps to convert Claude Code into an infrastructure-as-code full-stack deployment platform, automating app
Uno Platform — Documentation and prompts for building cross-platform .NET apps with a single codebase. Get guides, sampl
XcodeBuild streamlines iOS app development for Apple developers with tools for building, debugging, and deploying iOS an
Connect Supabase projects to AI with Supabase MCP Server. Standardize LLM communication for secure, efficient developmen
Solana Agent Kit: Easily deploy tokens, mint NFTs, and manage DeFi & cross-chain tasks with Solana integration in chat i
pg-aiguide — Version-aware PostgreSQL docs and best practices tailored for AI coding assistants. Improve queries, migrat
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.