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 🙏

© 2025 – Pkg Stats / Ryan Hefner

@noravel/validation

v1.1.0

Published

Noravel validation

Downloads

4

Readme

Noravel validation

This is a support library for Nam's projects.

Content

Installation

npm install @noravel/validation

Usage

const { ValidationFactory } = require('@noravel/validation');

const validator = ValidationFactory.make(
  rule => ({
    name: rule().required().min(2).max(255),
    email: rule().required().email(),
  }),
  {
    name: 'Trinh Tran Phuong Nam',
    email: '[email protected]',
  }
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

console.log(validator.validated());

Available validation rules

array

The field under validation must be an array.

const validator = ValidationFactory.make(
  rule => ({
    posts: rule().required().array().max(3),
  }),
  { posts: 123 },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  posts: ['The posts field must be an array.']
}
*/

confirmed

The field under validation must match the value of {field}_confirmation. For example, if the field under validation is password, a matching password_confirmation field should be present in the input data.

const validator = ValidationFactory.make(
  rule => ({
    password: rule().required().confirmed(),
  }),
  {
    password: '123456',
    password_confirmation: '654321',
  }
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  password: ['The password field confirmation does not match.'],
}
*/

You may also pass a custom confirmation field name to the confirmed method.

const validator = ValidationFactory.make(
  rule => ({
    password: rule().required().confirmed('repeat_password'),
  }),
  {
    password: '123456',
    repeat_password: '654321',
  }
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  password: ['The password field confirmation does not match.'],
}
*/

date

The field under validation must be a valid date. By default, the date rule uses format YYYY-MM-DD.

const validator = ValidationFactory.make(
  rule => ({
    date_of_birth: rule().date(),
  }),
  { date_of_birth: '18-12-1996' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  date_of_birth: ['The date of birth field must be a valid date.'],
}
*/

You can also use the date method to validate a date with a custom format.

const validator = ValidationFactory.make(
  rule => ({
    date_of_birth: rule().date('DD-MM-YYYY'),
  }),
  { date_of_birth: '18-12-1996' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

// Now the log will be empty, because the date of birth is valid.

email

The field under validation must be formatted as an email address. By default, the email rule uses regex /^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,}$/i.

const validator = ValidationFactory.make(
  rule => ({
    email: rule().email(),
  }),
  { email: 'ttpn18121996' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  email: ['The email field must be a valid email address.']
}
*/

file

The field under validation must be a file.

const validator = ValidationFactory.make(
  rule => ({
    file: rule().file(),
  }),
  { file: 'ttpn18121996' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  file: ['The file field must be a file.'],
}
*/

You can also pass a list of mime types to the file method.

const file = new File(['test.txt'], 'test.txt', { type: 'text/plain' });
const validator = ValidationFactory.make(
  rule => ({
    file: rule().mimetypes('image/jpeg, image/png'),
  }),
  { file },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  file: ['The file field must be a file of type: image/jpeg, image/png.'],
}
*/

Or you can pass an array of extensions to the file method.

const file = new File(['test.txt'], 'test.txt', { type: 'text/plain' });
const validator = ValidationFactory.make(
  rule => ({
    file: rule().mimes(['.jpg', '.png']),
  }),
  { file },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  file: ['The file field must be a file of type: .jpg, .png.'],
}
*/

in

The field under validation must be included in the given list of values.

const validator = ValidationFactory.make(
  rule => ({
    gender: rule().required().in(['male', 'female']),
  }),
  {
    gender: 'gentleman',
  }
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  gender: ['The gender field must be a valid value.'],
}
*/

max

The field under validation must be less than or equal to a maximum value. Strings, numerics and arrays are evaluated in the same fashion as the size rule.

const validator = ValidationFactory.make(
  rule => ({
    name: rule().required().max(5),
    age: rule().required().numeric().max(80),
    posts: rule().required().array().max(3),
  }),
  {
    name: 'Trinh Tran Phuong Nam',
    age: 90,
    posts: [1, 2, 3, 4],
  },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  name: ['The name field must not have more than 5 characters.'],
  age: ['The age field must not have more than 80.'],
  posts: ['The posts field must not have more than 3 items.'],
}
*/

min

The field under validation must be greater than or equal to a minimum value. Strings, numerics and arrays are evaluated in the same fashion as the size rule.

const validator = ValidationFactory.make(
  rule => ({
    name: rule().required().min(5),
    age: rule().required().numeric().min(18),
    posts: rule().required().array().min(3),
  }),
  {
    name: 'Nam',
    age: 3,
    posts: [1],
  },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  name: ['The name field must be at least 5 characters.'],
  age: ['The age field must be at least 18.'],
  posts: ['The posts field must be at least 3 items.'],
}
*/

numeric

The field under validation must be numeric.

const validator = ValidationFactory.make(
  rule => ({
    age: rule().required().numeric(),
  }),
  { age: 'my age' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  age: ['The age field must be a number.']
}
*/

required

The field under validation must be present in the input data and not be empty.

const validator = ValidationFactory.make(
  rule => ({
    name: rule().required(),
    email: rule().required(),
    password: rule().required(),
    other: rule().required(),
  }),
  { name: null, email: '', password: '    ' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  name: ['The name field is required.'],
  email: ['The email field is required.'],
  password: ['The password field is required.'],
  other: ['The other field is required.'],
}
*/

string

The field under validation must be a string.

const validator = ValidationFactory.make(
  rule => ({
    name: rule().required().string(),
  }),
  { name: 123 },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  name: ['The name field must be a string.'],
}
*/

Custom validation messages

You can set custom validation messages by passing a parameter for each rule definition function.

const validator = ValidationFactory.make(
  rule => ({
    name: rule().required('You cannot leave the name field empty.'),
    email: rule().email('Please enter a valid email address.'),
  }),
  { name: null, email: 'ttpn18121996' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  name: ['You cannot leave the name field empty.'],
  email: ['Please enter a valid email address.'],
}
*/

Custom validation rules

You can use a class to define a custom rule. An rule object contains a validate method. This method receives the attribute name, its value, and a callback that should be invoked on failure with the validation error message.

import { ValidationRule } from '@noravel/validation';

class PhoneRule extends ValidationRule {
  validate(attribute, value, fail) {
    if (!/^(\+\d{1,3}[- ]?)?(\(\d{3}\)|\d{3})[- ]?\d{3}[- ]?\d{4}$/.test(value)) {
      fail(`The ${attribute} must be a valid phone number.`);
    }
  }
}

const validator = ValidationFactory.make(
  _ => ({
    phone: new PhoneRule(),
  }),
  { phone: 'my phone number' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  phone: ['The phone must be a valid phone number.'],
}
*/

You can also use the makeRule method of the ValidationFactory to create a custom rule. It receives a callback function that should be invoked with the attribute name, its value, and a callback that should be invoked on failure with the validation error message.

const UppercaseRule = ValidationFactory.makeRule((attribute, value, fail) => {
  if (value !== value.toUpperCase()) {
    fail(`The ${attribute} field must be uppercase.`);
  }
});

ValidationFactory.make(
  _ => ({
    code: UppercaseRule,
  }),
  { code: 'failed' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  code: ['The code field must be uppercase.'],
}
*/

Under the hood, the makeRule method creates a new instance of the CustomRule class. You can also use the CustomRule class directly.

import { CustomRule } from '@noravel/validation';

const UppercaseRule = new CustomRule((attribute, value, fail) => {
  if (value !== value.toUpperCase()) {
    fail(`The ${attribute} field must be uppercase.`);
  }
});

ValidationFactory.make(
  _ => ({
    code: UppercaseRule,
  }),
  { code: 'failed' },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

/*
{
  code: ['The code field must be uppercase.'],
}
*/

You also can mix custom rule with other rules.

import { CustomRule } from '@noravel/validation';

const UppercaseRule = new CustomRule((attribute, value, fail) => {
  if (value !== value.toUpperCase()) {
    fail(`The ${attribute} field must be uppercase.`);
  }
});

ValidationFactory.make(
  rule => ({
    code: rule().addRule('code', UppercaseRule).nullable(),
  }),
  { code: null },
);

if (validator.fails()) {
  console.log(validator.getMessage());
}

// The log will be empty, because the code is nullable.