npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@vielzeug/validit

v1.1.3

Published

Lightweight, type-safe schema validation for TypeScript. Build robust validation with minimal code and maximum type safety.

Readme

@vielzeug/validit

Lightweight, type-safe schema validation for TypeScript. Build robust validation with minimal code and maximum type safety.

Features

  • Type-Safe - Full TypeScript support with automatic type inference
  • Zero Dependencies - No external dependencies
  • Lightweight - 2.8 KB gzipped
  • Intuitive API - Inspired by Zod but simpler
  • Composable - Build complex schemas from simple primitives
  • Async Validation - Full support for async validators
  • Convenience Helpers - Pre-built schemas for common patterns (email, URL, UUID, etc.)
  • Framework Agnostic - Works anywhere JavaScript runs

Installation

npm install @vielzeug/validit

Quick Start

import { v, type Infer } from '@vielzeug/validit';

// Define a schema with convenience helpers
const userSchema = v.object({
  id: v.int().positive(), // Convenience: number().int().positive()
  name: v.string().min(1).max(100), // Non-empty string (min(1) rejects "")
  email: v.email(), // Convenience: string().email()
  age: v.number().int().min(18).optional(),
  role: v.enum('admin', 'user', 'guest'),
});

// Infer TypeScript type
type User = Infer<typeof userSchema>;
// {
//   id: number;
//   name: string;
//   email: string;
//   age?: number | undefined;
//   role: 'admin' | 'user' | 'guest';
// }

// Validate data
const user = userSchema.parse({
  id: 1,
  name: 'John Doe',
  email: '[email protected]',
  role: 'admin',
}); // ✅ Returns typed data

// Safe parse (no exceptions)
const result = userSchema.safeParse(data);
if (result.success) {
  console.log(result.data); // Typed user data
} else {
  console.error(result.error.issues); // Validation errors
}

API Reference

Convenience Schemas

Pre-configured schemas for common patterns:

v.email(); // Email validation (string().email())
v.url(); // URL validation (string().url())
v.uuid(); // UUID validation
v.int().positive(); // Positive integer (number().int().positive())
v.int().negative(); // Negative integer (number().int().negative())

Primitives

String

v.string() // string
  .min(3) // min length
  .max(100) // max length
  .length(10) // exact length
  .pattern(/^[a-z]+$/) // regex pattern
  .email() // email validation
  .url() // URL validation
  .uuid() // UUID validation
  .trim(); // trim whitespace

Number

v.number() // number
  .min(0) // minimum value
  .max(100) // maximum value
  .int() // integer only
  .positive() // > 0
  .negative(); // < 0

Boolean

v.boolean(); // boolean

Date

v.date() // Date object
  .min(new Date('2020-01-01')) // minimum date
  .max(new Date()); // maximum date

Literals & Enums

v.literal('active'); // Exact value
v.enum('red', 'green', 'blue'); // One of values

Complex Types

Array

v.array(v.string()) // string[]
  .min(1) // min items
  .max(10) // max items
  .length(5) // exact length

Object

v.object({
  name: v.string(),
  age: v.number(),
})
  .partial() // Make all fields optional
  .pick('name') // Select specific fields
  .omit('age'); // Exclude specific fields

Union

v.union(v.string(), v.number()); // string | number

Modifiers

schema.optional(); // T | undefined (makes field optional)
schema.nullable(); // T | null (allows null)
schema.default(value); // Provides default value when undefined

Note: All schemas reject null and undefined by default. Use .optional() or .nullable() to allow them.

To reject empty strings or arrays, use .min(1):

v.string().min(1); // Rejects empty string ""
v.array(v.string()).min(1); // Rejects empty array []

schema.describe('name'); // Add description for better error messages


### Async Validation

Full async support for all validation needs:

```typescript
// Async refinements
const schema = v.string().refineAsync(async (val) => {
  const exists = await checkDatabase(val);
  return !exists;
}, 'Already exists');

// Must use parseAsync for async validators
const result = await schema.parseAsync(value);

// Safe async parse
const result = await schema.safeParseAsync(value);
if (result.success) {
  console.log(result.data);
}

Usage Examples

Form Validation

const registrationSchema = v.object({
  username: v
    .string()
    .min(1, 'Username is required')
    .max(20)
    .pattern(/^[a-zA-Z0-9_]+$/),
  email: v.email(),
  password: v
    .string()
    .min(8)
    .refine((val) => /[A-Z]/.test(val), 'Must contain uppercase')
    .refine((val) => /[0-9]/.test(val), 'Must contain number'),
  age: v.int().min(13),
  terms: v
    .boolean()
    .refine((val) => val === true, 'Must accept terms'),
});

type RegistrationData = Infer<typeof registrationSchema>;

const result = registrationSchema.safeParse(formData);
if (!result.success) {
  // Show validation errors
  result.error.issues.forEach((issue) => {
    console.log(`${issue.path.join('.')}: ${issue.message}`);
  });
}

API Response Validation

const apiResponseSchema = v.object({
  success: v.boolean(),
  data: v.object({
    id: v.number(),
    name: v.string(),
    email: v.string().email(),
  }),
  meta: v
    .object({
      timestamp: v.date(),
      version: v.string(),
    })
    .optional(),
});

async function fetchData() {
  const response = await fetch('/api/data');
  const json = await response.json();

  // Validate and get typed data
  return apiResponseSchema.parse(json);
}

Configuration Schema

const configSchema = v.object({
  apiKey: v.string().min(32),
  environment: v.enum('dev', 'staging', 'prod'),
  timeout: v.number().int().min(1000).default(5000),
  retries: v.number().int().min(0).max(5).default(3),
  features: v.object({
    auth: v.boolean().default(true),
    analytics: v.boolean().default(false),
  }),
});

type Config = Infer<typeof configSchema>;

Nested Object Validation

const addressSchema = v.object({
  street: v.string(),
  city: v.string(),
  zipCode: v.string().pattern(/^\d{5}$/),
});

const personSchema = v.object({
  name: v.string(),
  email: v.string().email(),
  address: addressSchema,
  billingAddress: addressSchema.optional(),
});

Custom Refinements

const passwordSchema = v
  .string()
  .min(8, 'Password must be at least 8 characters')
  .refine((val) => /[A-Z]/.test(val), 'Must contain at least one uppercase letter')
  .refine((val) => /[a-z]/.test(val), 'Must contain at least one lowercase letter')
  .refine((val) => /[0-9]/.test(val), 'Must contain at least one number');

// Object-level refinement
const signupSchema = v
  .object({
    password: v.string(),
    confirmPassword: v.string(),
  })
  .refine((data) => data.password === data.confirmPassword, 'Passwords must match');

Async Validation Examples

// Username availability check
const usernameSchema = v
  .string()
  .min(3)
  .refineAsync(async (username) => {
    const available = await checkUsernameAvailability(username);
    return available;
  }, 'Username already taken');

// Must use parseAsync
const result = await usernameSchema.safeParseAsync('john_doe');

// Combining sync and async validations
const emailSchema = v
  .email() // Sync validation
  .refineAsync(async (email) => {
    const exists = await checkEmailInDatabase(email);
    return !exists;
  }, 'Email already registered'); // Async validation

// Object with async validation
const userSchema = v
  .object({
    email: v.email(),
    username: v.string().min(3),
  })
  .refineAsync(async (data) => {
    const valid = await validateUserData(data);
    return valid;
  }, 'Invalid user data');

await userSchema.parseAsync({ email: '[email protected]', username: 'john' });

// Parallel array validation for performance
const itemsSchema = v.array(
  v
    .object({
      id: v.int().positive(),
      name: v.string(),
    })
    .refineAsync(async (item) => {
      return await validateItem(item);
    }, 'Invalid item'),
);

await itemsSchema.parseAsync(items);

Union Types

// Discriminated union
const resultSchema = v.union(
  v.object({
    success: v.literal(true),
    data: v.string(),
  }),
  v.object({
    success: v.literal(false),
    error: v.string(),
  }),
);

type Result = Infer<typeof resultSchema>;
// { success: true; data: string } | { success: false; error: string }

Error Handling

import { ValidationError } from '@vielzeug/validit';

try {
  schema.parse(data);
} catch (error) {
  if (error instanceof ValidationError) {
    error.issues.forEach((issue) => {
      console.log(`Path: ${issue.path.join('.')}`);
      console.log(`Message: ${issue.message}`);
    });
  }
}

// Or use safeParse to avoid exceptions
const result = schema.safeParse(data);
if (!result.success) {
  result.error.issues; // Array of validation issues
}

Type Inference

import { type Infer } from '@vielzeug/validit';

const schema = v.object({
  id: v.number(),
  name: v.string(),
  tags: v.array(v.string()).optional(),
});

type Data = Infer<typeof schema>;
// {
//   id: number;
//   name: string;
//   tags?: string[] | undefined;
// }

Comparison with Zod

validit is inspired by Zod but focuses on simplicity and smaller bundle size:

| Feature | validit | Zod | | ------------------------- | ---------- | ------ | | Bundle Size (gzipped) | ~2 KB | ~12 KB | | Type Inference | ✅ | ✅ | | Basic Validation | ✅ | ✅ | | Custom Refinements | ✅ | ✅ | | Async Validation | ✅ | ✅ | | Parallel Array Validation | ✅ | ❌ | | Convenience Schemas | ✅ | ❌ | | Transformers | ✅ (basic) | ✅ | | Preprocess | ❌ | ✅ | | Coercion | ✅ (basic) | ✅ | | Brand Types | ❌ | ✅ | | Discriminated Unions | ✅ | ✅ |

If you need advanced features like brand types, use Zod. If you want a lightweight alternative with the essentials plus async validation, use validit.

Performance & Code Quality

validit is designed with performance and maintainability in mind:

Efficient Validation

// Validate arrays with async validators
const schema = v.array(
  v.object({ id: v.number(), data: v.string() }).refineAsync(async (item) => await validateItem(item)),
);

// Much faster for large datasets
await schema.parseAsync(largeArray);

License

MIT

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.