Table of contents
Installation
To install the latest version:
npm install --save zod
yarn add zod
Typescript versions
Zod 1.0.x is compatible with Typescript 3.0+.
Usage
Zod is a validation library designed for optimal developer experience.
- It takes advantage of Typescript generic inference to statically infer the types of your schemas, eliminating the need to define static types and runtime validators separately.
- It has a composable, declarative API that makes it easy to define complex types concisely.
- Schemas are immutable. All methods return a new schema instance.
Primitives
import * as z from 'zod';
const stringSchema = z.string();
const numberSchema = z.number();
const booleanSchema = z.boolean();
const undefinedSchema = z.undefined();
const nullTypeSchema = z.null();
Parsing
const stringSchema = z.string();
stringSchema.parse('fish');
stringSchema.parse(12);
Type inference
You can extract the Typescript type of any schema with z.TypeOf<>
.
const A = z.string();
type A = z.TypeOf<typeof A>;
const u: A = 12;
const u: A = 'asdf';
We'll include examples of inferred types throughout the rest of the documentation.
Objects
const dogSchema = z.object({
name: z.string(),
age: z.number(),
neutered: z.boolean(),
});
type Dog = z.TypeOf<typeof dogSchema>;
const cujo = dogSchema.parse({
name: 'Cujo',
age: 4,
neutered: true,
});
const fido: Dog = {
name: 'Fido',
age: 2,
};
Arrays
const dogsList = z.array(dogSchema);
dogSchema.parse([
{ name: 'Cujo', neutered: null },
{ name: 'Fido', age: 4, neutered: true },
]);
dogsList.parse([]);
const nonEmptyDogsList = z.array(dogSchema).nonempty();
nonEmptyDogsList.parse([]);
Unions
Including Nullable and Optional types.
Zod includes a built-in z.union
method for composing "OR" types.
const stringOrNumber = z.union([z.string(), z.number()]);
stringOrNumber.parse('foo');
stringOrNumber.parse(14);
Unions are the basis for defining nullable and optional values.
const A = z.union([z.string(), z.undefined()]);
A.parse(undefined);
type A = z.TypeOf<typeof A>;
There is also a shorthand way to make a schema "optional":
const B = z.string().optional();
const C = z.object({
username: z.string().optional(),
});
type C = z.TypeOf<typeof C>;
Similarly, you can create nullable types like so:
const D = z.union([z.string(), z.null()]);
const E = z.string().nullable();
type E = z.TypeOf<typeof D>;
You can create unions of any two schemas.
const F = z
.union([z.string(), z.number()])
.optional()
.nullable();
F.parse('tuna');
F.parse(42);
F.parse(undefined);
F.parse(null);
F.parse({});
type F = z.TypeOf<typeof F>;
Intersections
Intersections are useful for creating "logical AND" types.
const a = z.union([z.number(), z.string()]);
const b = z.union([z.number(), z.boolean()]);
const c = z.intersection(a, b);
type c = z.TypeOf<typeof C>;
const neverType = z.intersection(z.string(), z.number());
type Never = z.TypeOf<typeof stringAndNumber>;
This is particularly useful for defining "schema mixins" that you can apply to multiple schemas.
const HasId = z.object({
id: z.string(),
});
const BaseTeacher = z.object({
name: z.string(),
});
const Teacher = z.intersection(BaseTeacher, HasId);
type Teacher = z.TypeOf<typeof Teacher>;
Object merging
In the examples above, the return value of z.intersection
is an instance of ZodIntersection
, a generic class that wraps the two schemas passed in as arguments.
But if you're trying to combine two object schemas, there is a shorthand:
const Teacher = BaseTeacher.merge(HasId);
The benefit of using this shorthand is that the returned value is a new object schema (ZodObject
), instead of a generic ZodIntersection
instance. This way, you're able to fluently chain together many .merge
calls:
const Teacher = BaseTeacher.merge(HasId)
.merge(HasName)
.merge(HasAddress);
Tuples
These differ from arrays in that they have a fixed number of elements, and each element can have a different type.
const athleteSchema = z.tuple([
z.string(),
z.number(),
z.object({
pointsScored: z.number(),
}),
]);
type Athlete = z.TypeOf<typeof athleteSchema>;
Recursive types
You can define a recursive schema in Zod, but because of a limitation of Typescript, their type can't be statically inferred. If you need a recursive Zod schema you'll need to define the type definition manually, and provide it to Zod as a "type hint".
interface Category {
name: string;
subcategories: Category[];
}
const Category: z.ZodType<Category> = z.lazy(() => {
return z.object({
name: z.string(),
subcategories: z.array(Category),
});
});
Category.parse({
name: 'People',
subcategories: [
{
name: 'Politicians',
subcategories: [{ name: 'Presidents', subcategories: [] }],
},
],
});
Function schemas
Zod also lets you define "function schemas". This makes it easy to validate the inputs and outputs of a function without intermixing your validation code and "business logic".
You can create a function schema with z.function(args, returnType)
which accepts these arguments.
args: ZodTuple
The first argument is a tuple (created with z.tuple([...])
and defines the schema of the arguments to your function. If the function doesn't accept arguments, you can pass an empty tuple (z.tuple([])
).returnType: ZodType
The second argument is the function's return type. This can be any Zod schema.
const args = z.tuple([
z.object({ nameStartsWith: z.string() }),
z.object({ skip: z.number(), limit: z.number() }),
]);
const returnType = z.array(
z.object({
id: string(),
name: string(),
})
);
const FetcherFactory = z.function(args, returnType);
z.function
returns a higher-order "function factory". Every "factory" has .validate()
method which accepts a function as input and returns a new function. The returned function automatically validates both its inputs and return value against the schemas provided to z.function
. If either is invalid, the function throws.
This lets you confidently This way you can confidently execute business logic in a "validated function" without worrying about invalid inputs or return types, mixing your validation and business logic, or writing duplicative types for your functions.
Here's an example.
const validatedQueryUser = FetchFunction.validate((filters, pagination) => {
filters.nameStartsWith;
filters.ageLessThan;
return 'salmon';
});
const users = validatedQueryUser(
{
nameStartsWith: 'John',
},
{
skip: 0,
limit: 20,
}
);
This is particularly useful for defining HTTP or RPC endpoints that accept complex payloads that require validation. Moreover, you can define your endpoints once with Zod and share the code with both your client and server code to achieve end-to-end type safety.
Comparison
There are a handful of other widely-used validation libraries, but all of them have certain design limitations that make for a non-ideal developer experience.
Yup is a full-featured library that was implemented first in vanilla JS, with Typescript typings added later.
Yup supports static type inference, but unfortunately the inferred types aren't actually correct. Currently, the yup package treats all object properties as optional by default:
const schema = yup.object({
asdf: yup.string(),
});
schema.validate({});
type SchemaType = yup.InferType<typeof schema>;
Yup also mis-infers the type of required arrays.
const numList = yup
.array()
.of(yup.string())
.required();
numList.validateSync([]);
type NumList = yup.InferType<typeof numList>;
These may sound like nitpicks. But it's not acceptable that an object that's assignable to the inferred Typescript type can fail validation by the validator it was inferred from.
io-ts is an excellent library by gcanti. The API of io-ts heavily inspired the design of Zod.
In our experience, io-ts prioritizes functional programming purity over developer experience in many cases. This is a valid and admirable design goal, but it makes io-ts particularly hard to integrate into an existing codebase with a more procedural or object-oriented bias.
For instance, consider how to define an object with optional properties in io-ts:
const A = t.type({
foo: t.string,
});
const B = t.partial({
bar: t.number,
});
const C = t.intersection([A, B]);
type C = t.TypeOf<typeof C>;
You must define the required and optional props in separate object validators, pass the optionals through t.partial
(which marks all properties as optional), then combine them with t.intersection
.
Consider the equivalent in Zod:
const C = z.object({
foo: z.string(),
bar: z.string().optional(),
});
type C = z.TypeOf<typeof C>;
This more declarative API makes schema definitions vastly more concise.
io-ts
also requires the use of gcanti's functional programming library fp-ts
to parse results and handle errors. This is another fantastic resource for developers looking to keep their codebase strictly functional. But depending on fp-ts
necessarily comes with a lot of intellectual overhead; a developer has to be familiar with functional programming concepts, fp-ts
's nomenclature, and the Either
monad to do a simple schema validation. It's just not worth it for many people.
Doesn't support static type inference. 😕