> 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.
curl "https://skillshub.wtf/TerminalSkills/skills/zod?format=md"Zod — TypeScript-First Schema Validation
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.
Core Capabilities
Schema Definition
import { z } from "zod";
// Primitives
const nameSchema = z.string().min(1).max(100);
const ageSchema = z.number().int().positive().max(150);
const emailSchema = z.string().email();
// Objects
const userSchema = z.object({
name: z.string().min(1, "Name is required"),
email: z.string().email("Invalid email"),
age: z.number().int().min(18, "Must be 18+").optional(),
role: z.enum(["user", "admin", "moderator"]).default("user"),
tags: z.array(z.string()).max(10).default([]),
address: z.object({
street: z.string(),
city: z.string(),
country: z.string().length(2), // ISO country code
zip: z.string().regex(/^\d{5}(-\d{4})?$/),
}).optional(),
metadata: z.record(z.string(), z.unknown()).optional(),
});
// Infer TypeScript type from schema — single source of truth
type User = z.infer<typeof userSchema>;
// {
// name: string; email: string; age?: number;
// role: "user" | "admin" | "moderator"; tags: string[];
// address?: { street: string; city: string; country: string; zip: string };
// metadata?: Record<string, unknown>;
// }
// Parse (throws on invalid)
const user = userSchema.parse(requestBody);
// Safe parse (returns result object)
const result = userSchema.safeParse(requestBody);
if (result.success) {
console.log(result.data); // Typed as User
} else {
console.log(result.error.flatten()); // Structured error messages
}
Advanced Patterns
// Discriminated unions
const eventSchema = z.discriminatedUnion("type", [
z.object({ type: z.literal("click"), x: z.number(), y: z.number() }),
z.object({ type: z.literal("scroll"), offset: z.number() }),
z.object({ type: z.literal("keypress"), key: z.string(), modifiers: z.array(z.string()) }),
]);
// Transform (parse + transform in one step)
const dateStringSchema = z.string().transform((s) => new Date(s));
const csvSchema = z.string().transform((s) => s.split(",").map((v) => v.trim()));
// Refinement (custom validation)
const passwordSchema = z.string()
.min(8, "At least 8 characters")
.refine((p) => /[A-Z]/.test(p), "Must contain uppercase")
.refine((p) => /[0-9]/.test(p), "Must contain number")
.refine((p) => /[^A-Za-z0-9]/.test(p), "Must contain special character");
// Recursive types
const categorySchema: z.ZodType<Category> = z.object({
name: z.string(),
children: z.lazy(() => z.array(categorySchema)).default([]),
});
// Environment variables
const envSchema = z.object({
DATABASE_URL: z.string().url(),
API_KEY: z.string().min(1),
PORT: z.coerce.number().default(3000), // Coerces string "3000" to number
NODE_ENV: z.enum(["development", "production", "test"]).default("development"),
});
const env = envSchema.parse(process.env);
// Pipe (chain transformations)
const numberFromString = z.string().pipe(z.coerce.number().positive());
API Validation
// Express middleware
import { z } from "zod";
function validate<T extends z.ZodType>(schema: T) {
return (req: Request, res: Response, next: NextFunction) => {
const result = schema.safeParse(req.body);
if (!result.success) {
return res.status(400).json({ errors: result.error.flatten().fieldErrors });
}
req.body = result.data;
next();
};
}
app.post("/api/users", validate(userSchema), (req, res) => {
// req.body is validated and typed
});
Installation
npm install zod
Best Practices
- Single source of truth — Define schema once; infer types with
z.infer<>; never duplicate type definitions - safeParse over parse — Use
safeParsein APIs; returns error object instead of throwing - Coerce for strings — Use
z.coerce.number()for query params and env vars; auto-converts strings - Default values — Use
.default()to provide defaults; schema is also a transformer - Error messages — Pass custom messages:
z.string().min(1, "Required"); user-friendly validation - Discriminated unions — Use for API event types, polymorphic data; TypeScript narrows correctly
- Environment validation — Validate
process.envat startup; fail fast on missing config - Composability —
.extend(),.pick(),.omit(),.merge()for schema reuse; DRY schemas
> 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.
> 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.
> zig
Expert guidance for Zig, the systems programming language focused on performance, safety, and readability. Helps developers write high-performance code with compile-time evaluation, seamless C interop, no hidden control flow, and no garbage collector. Zig is used for game engines, operating systems, networking, and as a C/C++ replacement.