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

@siyavuyachagi/vuesanity

v2.0.0

Published

A lightweight and flexible Vue 3 validation utility designed to simplify model validation in Vue applications. Built with TypeScript for type safety and performance.

Downloads

144

Readme

VueSanity

License: MIT npm version npm downloads GitHub stars Sponsor

A lightweight and flexible Vue3/Nuxtjs validation utility designed to simplify form validation and state management in Vue applications. Built with TypeScript for enhanced type safety and optimal performance.

Why VueSanity?

Unlike Vuelidate, VueSanity lets you wrap your model with both props and validations in one place — no separate rules objects, no boilerplate, no headaches.

  • ✅ All-in-one reactive model + validation
  • ✅ Clean, type-safe, and ready for FormData
  • ✅ Immediate validation feedback
  • ✅ Generic typing with createModel<T> for fully type-safe forms

It's faster to set up, easier to read, and simpler to maintain, so you can focus on building features, not wiring forms.

Features

  • Type-Safe Validation: Built entirely with TypeScript for robust type checking and developer experience
  • Generic Form Models: createModel<T> infers field types directly from your DTO interfaces
  • Reactive Model Management: Seamlessly integrates with Vue 3's reactivity system
  • Comprehensive Validators: 27+ built-in validators for booleans, strings, files, numbers, and dates
  • Real-time Validation: Provides immediate feedback with detailed error messages
  • FormData Generation: Automatically converts your validated models into FormData objects for API submissions
  • Custom Validation Rules: Easily extend with your own validation rules
  • Zero Dependencies: Lightweight library with Vue 3 as the only peer dependency

Installation

npm install @siyavuyachagi/vuesanity

or

yarn add @siyavuyachagi/vuesanity

Quick Start

With createModel<T> (Recommended)

import VueSanity, { createModel, required, email, minChars } from '@siyavuyachagi/vuesanity';

interface LoginDto {
  email: string;
  password: string;
}

const loginForm = createModel<LoginDto>({
  email: {
    value: '',
    validations: [required('Email is required'), email()]
  },
  password: {
    value: '',
    validations: [required('Password is required'), minChars(8)]
  }
});

const form = new VueSanity(loginForm);

console.log(form.isValid);           // boolean
console.log(form.errors);            // { email: [...], password: [...] }
console.log(form.normalizedModel);   // { email: '...', password: '...' }
console.log(form.formData);          // FormData instance

With reactive<ModelConfig<T>> (Manual)

import { reactive } from 'vue';
import VueSanity, { required, email, minChars } from '@siyavuyachagi/vuesanity';
import type { ModelConfig } from '@siyavuyachagi/vuesanity';

interface LoginDto {
  email: string;
  password: string;
}

const loginForm = reactive<ModelConfig<LoginDto>>({
  email: {
    value: '',
    validations: [required('Email is required'), email()],
    errors: []
  },
  password: {
    value: '',
    validations: [required('Password is required'), minChars(8)],
    errors: []
  }
});

const form = new VueSanity(loginForm);

Available Validators

Boolean Validators

| Validator | Description | Example | |-----------|-------------|---------| | mustBeTrue(message?) | Value must be true | mustBeTrue('You must accept the terms') | | mustBeFalse(message?) | Value must be false | mustBeFalse() |

Date Validators

| Validator | Description | Example | |-----------|-------------|---------| | minDate(date, message?) | Minimum date validation | minDate(new Date('2024-01-01')) | | maxDate(date, message?) | Maximum date validation | maxDate(new Date()) | | rangeDate(minDate, maxDate, message?) | Date range validation | rangeDate(min, max) |

File Validators

| Validator | Description | Example | |-----------|-------------|---------| | fileExtension(exts, message?) | Validates file extensions | fileExtension(['pdf', 'docx']) | | maxFileSize(sizeMB, message?) | Validates maximum file size | maxFileSize(5, 'Max 5MB') | | minFileSize(sizeMB, message?) | Validates minimum file size | minFileSize(0.1) | | fileSize(sizeMB, message?) | Validates exact file size | fileSize(2) | | fileType(allowedTypes, message?) | Validates file MIME types | fileType(["image/*", "application/pdf"], 'Only images and pdf') |

Number Validators

| Validator | Description | Example | |-----------|-------------|---------| | minNumber(value, message?) | Minimum number value | minNumber(0, 'Must be positive') | | maxNumber(value, message?) | Maximum number value | maxNumber(100) | | rangeNumber(min, max, message?) | Number range validation | rangeNumber(1, 100) |

String Validators

| Validator | Description | Example | |-----------|-------------|---------| | alpha(allowSpaces?, message?) | Alphabetic characters only | alpha(true, 'Letters only') | | alphanumeric(allowSpaces?, message?) | Letters and numbers only | alphanumeric() | | chars(length, message?) | Validates exact character length | chars(10, 'Exactly 10 chars') | | differentFrom(compareValue, message?) | Ensures value differs from another | differentFrom(() => model.oldPass.value, 'New password must be different') | | email(domains?, message?) | Validates email format with optional domain restrictions | email(['gmail.com'], 'Invalid email') | | maxChars(length, message?) | Ensures maximum character length | maxChars(50, 'Max 50 chars') | | minChars(length, message?) | Ensures minimum character length | minChars(8, 'Min 8 chars') | | numeric(allowDecimals?, allowNegative?, message?) | Numbers only | numeric(true, false) | | password(message?) | Validates password strength | password('Password must be stronger') | | phone(locale?, message?) | Validates phone number format (E.164) | phone('ZA', 'Invalid phone') | | regex(pattern, message?) | Custom regex pattern matching | regex(/^[A-Z]{3}\d{3}$/) | | required(message?) | Ensures field is not empty | required('Field required') | | sameAs(compareValue, message?) | Compares with another field | sameAs(() => form.password.value) | | url(message?) | Validates URL format | url('Invalid URL') |

Documentation

For detailed usage instructions and advanced examples:

License

This project is licensed under the MIT License - see the LICENSE file for details.

Author

Chagi Siyavuya (CeeJay) - @siyavuyachagi

💖 Sponsor VueSanity

VueSanity is an open-source form validation and utility library for Vue/Nuxt — built and maintained by @siyavuyachagi.

Your sponsorship helps me dedicate more time to improving the library, adding new validators, maintaining documentation, and providing ongoing support.

☕ Ways to Support

If VueSanity has saved you time or made your project better, consider sponsoring the work behind it:


🧠 Why Sponsor?

VueSanity is designed for clean, reusable, and declarative validation in Vue.
If you or your team depend on it, your contribution ensures it continues to evolve sustainably.

Every sponsor, no matter the amount, makes a difference.
Thank you for supporting open source 💚