nyra / zod
Zod-style schema validation with static type inference
Installs: 38
Dependents: 0
Suggesters: 0
Security: 0
Stars: 0
Watchers: 0
Forks: 0
Open Issues: 0
pkg:composer/nyra/zod
Requires
- php: ^8.2
Requires (Dev)
- phpunit/phpunit: ^12.4
This package is auto-updated.
Last update: 2025-10-20 22:49:33 UTC
README
A PHP-first port of Zod that mirrors the fluent schema builder and validation pipeline familiar to TypeScript users.
Quickstart
Add the package to your project with Composer:
composer require nyra/zod
Basic Usage
use Nyra\Zod\Z; $schema = Z::object([ 'id' => Z::number()->int()->positive(), 'email' => Z::string()->email(), 'roles' => Z::array(Z::string()->nonempty())->nonempty(), ]); $payload = $schema->parse([ 'id' => 42, 'email' => 'dev@example.com', 'roles' => ['admin'], ]);
Defining a Schema
Schemas are composed with fluent helpers. Every primitive has refinement methods, nullable/optional wrappers, unions, tuples, and objects.
use Nyra\Zod\Z; $userSchema = Z::object([ 'name' => Z::string()->min(2), 'age' => Z::coerce()->number()->int()->min(0)->default(18), 'email' => Z::string()->email()->optional(), 'address' => Z::object([ 'street' => Z::string()->nonempty(), 'zip' => Z::string()->regex('/^[0-9]{5}$/'), ])->passthrough(), ]);
Parsing Data
Call parse() to validate and retrieve the typed value. Use safeParse() for success/error separation without exceptions.
$result = $userSchema->safeParse($input); if ($result->success) { $user = $result->data; // validated payload } else { // handle $result->error }
Pipeline helpers support preprocessing and transformation:
$trimmed = Z::string() ->preprocess(static fn ($value) => is_string($value) ? trim($value) : $value) ->nonempty(); $upper = Z::string()->transform('strtoupper');
Handling Errors
parse() throws Nyra\Zod\Errors\ZodError. Each error contains one or more ZodIssue entries with codes, messages, and paths.
use Nyra\Zod\Errors\ZodError; try { $userSchema->parse($input); } catch (ZodError $error) { foreach ($error->getIssues() as $issue) { printf("[%s] %s at %s\n", $issue->code, $issue->message, implode('.', $issue->path)); } }
Inferring Types
The library returns validated PHP values. Combine schema definitions with PHPDoc or static analysis to keep types aligned:
/** @var array{name: string, age: int, email?: string|null} $user */ $user = $userSchema->parse($input);
When using Psalm or PHPStan, you can declare custom provider extensions that map schema builders to precise array shapes, mirroring how Zod integrates with TypeScript's type inference.