> rocket
You are an expert in Rocket, the ergonomic Rust web framework that makes building web applications feel effortless. You help developers build type-safe HTTP APIs with Rocket's macro-based routing, request guards for authentication, form handling, JSON support, database integration, and fairings (middleware) — providing Rails-like productivity with Rust's compile-time safety guarantees.
curl "https://skillshub.wtf/TerminalSkills/skills/rocket?format=md"Rocket — Type-Safe Rust Web Framework
You are an expert in Rocket, the ergonomic Rust web framework that makes building web applications feel effortless. You help developers build type-safe HTTP APIs with Rocket's macro-based routing, request guards for authentication, form handling, JSON support, database integration, and fairings (middleware) — providing Rails-like productivity with Rust's compile-time safety guarantees.
Core Capabilities
Routes and Handlers
#[macro_use] extern crate rocket;
use rocket::serde::{json::Json, Deserialize, Serialize};
use rocket::http::Status;
#[derive(Serialize, Deserialize, Clone)]
#[serde(crate = "rocket::serde")]
struct User {
id: Option<u64>,
name: String,
email: String,
role: String,
}
#[derive(Deserialize)]
#[serde(crate = "rocket::serde")]
struct CreateUser {
name: String,
email: String,
}
// GET /api/users?page=1&limit=20
#[get("/users?<page>&<limit>")]
async fn list_users(
db: &State<DbPool>,
page: Option<u32>,
limit: Option<u32>,
) -> Json<Vec<User>> {
let page = page.unwrap_or(1);
let limit = limit.unwrap_or(20);
let users = db.find_users(page, limit).await;
Json(users)
}
// POST /api/users
#[post("/users", format = "json", data = "<input>")]
async fn create_user(
db: &State<DbPool>,
auth: AuthUser, // Request guard: rejects if not authenticated
input: Json<CreateUser>,
) -> Result<(Status, Json<User>), Status> {
if !auth.is_admin() {
return Err(Status::Forbidden);
}
match db.create_user(&input.name, &input.email).await {
Ok(user) => Ok((Status::Created, Json(user))),
Err(_) => Err(Status::InternalServerError),
}
}
// GET /api/users/<id>
#[get("/users/<id>")]
async fn get_user(db: &State<DbPool>, id: u64) -> Option<Json<User>> {
db.find_user(id).await.map(Json) // Returns 404 if None
}
#[launch]
fn rocket() -> _ {
rocket::build()
.attach(DbPool::init())
.attach(Cors::fairing())
.mount("/api", routes![list_users, create_user, get_user])
.register("/", catchers![not_found, internal_error])
}
// Custom error catchers
#[catch(404)]
fn not_found() -> Json<serde_json::Value> {
Json(serde_json::json!({"error": "not found"}))
}
#[catch(500)]
fn internal_error() -> Json<serde_json::Value> {
Json(serde_json::json!({"error": "internal server error"}))
}
Request Guards (Auth)
use rocket::request::{FromRequest, Outcome, Request};
struct AuthUser {
id: u64,
role: String,
}
#[rocket::async_trait]
impl<'r> FromRequest<'r> for AuthUser {
type Error = &'static str;
async fn from_request(request: &'r Request<'_>) -> Outcome<Self, Self::Error> {
match request.headers().get_one("Authorization") {
Some(token) => match validate_token(token).await {
Ok(user) => Outcome::Success(user),
Err(_) => Outcome::Error((Status::Unauthorized, "invalid token")),
},
None => Outcome::Error((Status::Unauthorized, "missing token")),
}
}
}
// Now just add `auth: AuthUser` to any handler parameter — Rocket enforces auth automatically
Installation
# Cargo.toml
[dependencies]
rocket = { version = "0.5", features = ["json"] }
Best Practices
- Request guards — Use guards for auth, rate limiting, feature flags; enforced at compile time, impossible to forget
- Type-safe routes — Path params, query params, body all type-checked;
Option<T>for optional params - Return
Option/Result— ReturnNonefor 404,Err(Status)for errors; Rocket maps automatically - Fairings — Use fairings for CORS, logging, DB connection pooling; runs on request/response lifecycle
- Managed state — Use
State<T>for shared resources (DB pool, config); thread-safe, injected by Rocket - Custom catchers — Register catchers for 404, 500, etc.; consistent error format across all routes
- Forms + validation — Use
#[derive(FromForm)]for query/form data; validates structure at compile time - Async by default — Rocket 0.5 is fully async; use
async fnhandlers for non-blocking I/O
> 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.