Skip to content

Commit

Permalink
docs: improve basic usage examples with clearer comments and explanat…
Browse files Browse the repository at this point in the history
…ions
  • Loading branch information
braden-w committed Dec 6, 2024
1 parent 48b4f05 commit 700d9f4
Showing 1 changed file with 28 additions and 12 deletions.
40 changes: 28 additions & 12 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -661,37 +661,53 @@ import { z } from "https://deno.land/x/[email protected]/mod.ts";
## Basic usage

Creating a simple string schema
Creating a simple string schema:

```ts
import { z } from "zod";

// creating a schema for strings
// Create a schema for string validation
const mySchema = z.string();

// parsing
mySchema.parse("tuna"); // => "tuna"
mySchema.parse(12); // => throws ZodError
// parse() returns the validated data directly or throws ZodError
const validString = mySchema.parse("tuna");
// validString: string = "tuna"

// "safe" parsing (doesn't throw error if validation fails)
mySchema.safeParse("tuna"); // => { success: true; data: "tuna" }
mySchema.safeParse(12); // => { success: false; error: ZodError }
try {
mySchema.parse(12); // throws ZodError because 12 is not a string
} catch (error) {
// handle validation error
}

// safeParse() returns a discriminated union for error handling
const safeResult = mySchema.safeParse("tuna");
// safeResult: { success: true, data: string } | { success: false, error: ZodError }

if (safeResult.success) {
// safeResult.data: string = "tuna"
} else {
// safeResult.error: ZodError
}
```

Creating an object schema
Creating an object schema:

```ts
import { z } from "zod";

// Define a schema for validating user data
const User = z.object({
username: z.string(),
});

User.parse({ username: "Ludwig" });
const user = User.parse({ username: "Ludwig" });
// user: { username: string } = { username: "Ludwig" }

// extract the inferred type
// Extract the inferred TypeScript type from the schema
type User = z.infer<typeof User>;
// { username: string }
// User: { username: string }
```

```
## Primitives
Expand Down

0 comments on commit 700d9f4

Please sign in to comment.