What is @hapi/joi?
@hapi/joi is a powerful schema description language and data validator for JavaScript. It allows you to define and validate data structures in a declarative way, making it easier to ensure that your data conforms to the expected format.
What are @hapi/joi's main functionalities?
Schema Validation
This feature allows you to define a schema for your data and validate it against that schema. The example demonstrates how to create a schema for a user object and validate an instance of that object.
const Joi = require('@hapi/joi');
const schema = Joi.object({
username: Joi.string().alphanum().min(3).max(30).required(),
password: Joi.string().pattern(new RegExp('^[a-zA-Z0-9]{3,30}$')),
birth_year: Joi.number().integer().min(1900).max(2013)
});
const value = {
username: 'abc',
password: 'password123',
birth_year: 1990
};
const result = schema.validate(value);
console.log(result);
Custom Error Messages
This feature allows you to customize error messages for different validation rules. The example shows how to provide custom error messages for the username and password fields.
const Joi = require('@hapi/joi');
const schema = Joi.object({
username: Joi.string().alphanum().min(3).max(30).required().messages({
'string.base': 'Username should be a type of text',
'string.empty': 'Username cannot be an empty field',
'string.min': 'Username should have a minimum length of {#limit}',
'any.required': 'Username is a required field'
}),
password: Joi.string().pattern(new RegExp('^[a-zA-Z0-9]{3,30}$')).messages({
'string.pattern.base': 'Password must be alphanumeric and between 3 to 30 characters'
})
});
const value = {
username: '',
password: 'pw'
};
const result = schema.validate(value);
console.log(result.error.details);
Async Validation
This feature allows you to perform asynchronous validation, such as checking if an email is already taken in a database. The example demonstrates how to use an external async validation function within a Joi schema.
const Joi = require('@hapi/joi');
const schema = Joi.object({
email: Joi.string().email().external(async (value, helpers) => {
const isEmailTaken = await checkEmailInDatabase(value); // hypothetical async function
if (isEmailTaken) {
throw new Error('Email is already taken');
}
return value;
})
});
async function validateEmail(email) {
try {
await schema.validateAsync({ email });
console.log('Email is valid');
} catch (err) {
console.error(err.message);
}
}
validateEmail('test@example.com');
Other packages similar to @hapi/joi
yup
Yup is a JavaScript schema builder for value parsing and validation. It is similar to @hapi/joi in that it allows you to define schemas and validate data against them. However, Yup is often considered to be more lightweight and has a more modern API.
validator
Validator is a library of string validators and sanitizers. Unlike @hapi/joi, which is a comprehensive schema validation library, Validator focuses on providing a wide range of functions for validating and sanitizing strings.
ajv
Ajv is a JSON schema validator that is highly performant and supports JSON Schema standards. It is different from @hapi/joi in that it uses JSON Schema for validation, making it a good choice for applications that need to adhere to JSON Schema standards.
joi
Object schema description language and validator for JavaScript objects.
Lead Maintainer: Nicolas Morel
Introduction
Imagine you run facebook and you want visitors to sign up on the website with real names and not something like l337_p@nda
in the first name field. How would you define the limitations of what can be inputted and validate it against the set rules?
This is joi, joi allows you to create blueprints or schemas for JavaScript objects (an object that stores information) to ensure validation of key information.
API
See the detailed API Reference.
Example
const Joi = require('joi');
const schema = Joi.object().keys({
username: Joi.string().alphanum().min(3).max(30).required(),
password: Joi.string().regex(/^[a-zA-Z0-9]{3,30}$/),
access_token: [Joi.string(), Joi.number()],
birthyear: Joi.number().integer().min(1900).max(2013),
email: Joi.string().email({ minDomainAtoms: 2 })
}).with('username', 'birthyear').without('password', 'access_token');
const result = Joi.validate({ username: 'abc', birthyear: 1994 }, schema);
Joi.validate({ username: 'abc', birthyear: 1994 }, schema, function (err, value) { });
The above schema defines the following constraints:
username
- a required string
- must contain only alphanumeric characters
- at least 3 characters long but no more than 30
- must be accompanied by
birthyear
password
- an optional string
- must satisfy the custom regex
- cannot appear together with
access_token
access_token
- an optional, unconstrained string or number
birthyear
- an integer between 1900 and 2013
email
- a valid email address string
- must have two domain parts e.g.
example.com
Usage
Usage is a two steps process. First, a schema is constructed using the provided types and constraints:
const schema = {
a: Joi.string()
};
Note that joi schema objects are immutable which means every additional rule added (e.g. .min(5)
) will return a
new schema object.
Second, the value is validated against the defined schema:
const {error, value} = Joi.validate({ a: 'a string' }, schema);
Joi.validate({ a: 'a string' }, schema, function (error, value) { });
If the input is valid, then the error
will be null
, otherwise it will be an Error
object providing more information.
The schema can be a plain JavaScript object where every key is assigned a joi type, or it can be a joi type directly:
const schema = Joi.string().min(10);
If the schema is a joi type, the schema.validate(value, callback)
can be called directly on the type. When passing a non-type schema object,
the module converts it internally to an object() type equivalent to:
const schema = Joi.object().keys({
a: Joi.string()
});
When validating a schema:
-
Values (or keys in case of objects) are optional by default.
Joi.validate(undefined, Joi.string());
To disallow this behavior, you can either set the schema as required()
, or set presence
to "required"
when passing options
:
Joi.validate(undefined, Joi.string().required());
Joi.validate(undefined, Joi.string(), { presence: "required" });
-
Strings are utf-8 encoded by default.
-
Rules are defined in an additive fashion and evaluated in order, first the inclusive rules, then the exclusive rules.
Browsers
Joi doesn't directly support browsers, but you could use joi-browser for an ES5 build of Joi that works in browsers, or as a source of inspiration for your own builds.