- Joi
version
validate(value, schema, [options], [callback])
compile(schema)
describe(schema)
assert(value, schema, [message])
attempt(value, schema, [message])
ref(key, [options])
isRef(ref)
reach(schema, path)
defaults(fn)
bind()
extend(extension)
any
schemaType
any.validate(value, [options], [callback])
any.allow(value)
any.valid(value)
- aliases:only
,equal
any.invalid(value)
- aliases:disallow
,not
any.required()
- aliases:exist
any.optional()
any.forbidden()
any.strip()
any.description(desc)
any.notes(notes)
any.tags(tags)
any.meta(meta)
any.example(...values)
any.unit(name)
any.options(options)
any.strict(isStrict)
any.default([value, [description]])
any.concat(schema)
any.when(condition, options)
any.label(name)
any.raw(isRaw)
any.empty(schema)
any.error(err, [options])
any.describe()
array
- inherits fromAny
boolean
- inherits fromAny
binary
- inherits fromAny
date
- inherits fromAny
func
- inherits fromAny
number
- inherits fromAny
object
- inherits fromAny
object.keys([schema])
object.append([schema])
object.min(limit)
object.max(limit)
object.length(limit)
object.pattern(pattern, schema)
object.and(peers)
object.nand(peers)
object.or(peers)
object.xor(peers)
object.oxor(...peers)
object.with(key, peers)
object.without(key, peers)
object.rename(from, to, [options])
object.assert(ref, schema, [message])
object.unknown([allow])
object.type(constructor, [name])
object.schema()
object.requiredKeys(children)
object.optionalKeys(children)
object.forbiddenKeys(children)
string
- inherits fromAny
string.insensitive()
string.min(limit, [encoding])
string.max(limit, [encoding])
string.truncate([enabled])
string.creditCard()
string.length(limit, [encoding])
string.regex(pattern, [name | options])
string.replace(pattern, replacement)
string.alphanum()
string.token()
string.email([options])
string.ip([options])
string.uri([options])
string.guid()
- aliases:uuid
string.hex([options])
string.base64([options])
string.dataUri([options])
string.hostname()
string.normalize([form])
string.lowercase()
string.uppercase()
string.trim([enabled])
string.isoDate()
symbol
- inherits fromAny
alternatives
- inherits fromAny
lazy(fn[, options])
- inherits fromAny
- Errors
- List of errors
alternatives.base
any.allowOnly
any.default
any.empty
any.invalid
any.required
any.unknown
array.base
array.excludes
array.excludesSingle
array.includesRequiredBoth
array.includesRequiredKnowns
array.includesRequiredUnknowns
array.includes
array.includesSingle
array.length
array.max
array.min
array.orderedLength
array.ref
array.sparse
array.unique
array.hasKnown
array.hasUnknown
binary.base
binary.length
binary.max
binary.min
boolean.base
date.base
date.greater
date.isoDate
date.less
date.max
date.min
date.ref
date.strict
date.timestamp.javascript
date.timestamp.unix
function.arity
function.base
function.class
function.maxArity
function.minArity
function.ref
lazy.base
lazy.schema
number.base
number.greater
number.integer
number.less
number.max
number.min
number.multiple
number.negative
number.port
number.positive
number.precision
number.ref
number.unsafe
object.allowUnknown
object.and
object.assert
object.base
object.length
object.max
object.min
object.missing
object.nand
object.rename.multiple
object.rename.override
object.rename.regex.multiple
object.rename.regex.override
object.schema
object.type
object.with
object.without
object.xor
object.oxor
string.alphanum
string.base64
string.base
string.creditCard
string.dataUri
string.email
string.guid
string.hexAlign
string.hex
string.hostname
string.ipVersion
string.ip
string.isoDate
string.length
string.lowercase
string.max
string.min
string.normalize
string.ref
string.regex.base
string.regex.name
string.regex.invert.base
string.regex.invert.name
string.token
string.trim
string.uppercase
string.uri
string.uriCustomScheme
string.uriRelativeOnly
symbol.base
symbol.map
- List of errors
Property showing the current version of joi being used.
Validates a value using the given schema and options where:
value
- the value being validated.schema
- the validation schema. Can be a joi type object or a plain object where every key is assigned a joi type object usingJoi.compile
(be careful of the cost of compiling repeatedly the same schemas).options
- an optional object with the following optional keys:abortEarly
- whentrue
, stops validation on the first error, otherwise returns all the errors found. Defaults totrue
.convert
- whentrue
, attempts to cast values to the required types (e.g. a string to a number). Defaults totrue
.allowUnknown
- whentrue
, allows object to contain unknown keys which are ignored. Defaults tofalse
.skipFunctions
- whentrue
, ignores unknown keys with a function value. Defaults tofalse
.stripUnknown
- remove unknown elements from objects and arrays. Defaults tofalse
.- when an
object
:arrays
- set totrue
to remove unknown items from arrays.objects
- set totrue
to remove unknown keys from objects.
- when
true
, it is equivalent to having{ arrays: false, objects: true }
.
- when an
language
- overrides individual error messages. Defaults to no override ({}
). Messages apply the following rules :- variables are put between curly braces like
{{var}}
, if prefixed by a!
like{{!var}}
, it will be html escaped if the optionescapeHtml
is also set totrue
- strings are always preceeded by the key name, unless a
{{label}}
is found elsewhere or if the string is prefixed by a!!
- to better understand the structure of the language, it's advised to have a look at the existing messages you want to override here
- variables are put between curly braces like
presence
- sets the default presence requirements. Supported modes:'optional'
,'required'
, and'forbidden'
. Defaults to'optional'
.context
- provides an external data set to be used in references. Can only be set as an external option tovalidate()
and not usingany.options()
.noDefaults
- whentrue
, do not apply default values. Defaults tofalse
.escapeHtml
- whentrue
, error message templates will escape special characters to HTML entities, for security purposes. Defaults tofalse
.
callback
- the optional synchronous callback method using the signaturefunction(err, value)
where:err
- if validation failed, the error reason, otherwisenull
.value
- the validated value with any type conversions and other modifiers applied (the input is left unchanged).value
can be incomplete if validation failed andabortEarly
istrue
. If callback is not provided, then returns an object with error and value properties.
When used without a callback, this function returns a Promise-like object that can be used as a promise, or as a simple object like in the below examples.
const schema = {
a: Joi.number()
};
const value = {
a: '123'
};
Joi.validate(value, schema, (err, value) => { });
// err -> null
// value.a -> 123 (number, not string)
// or
const result = Joi.validate(value, schema);
// result.error -> null
// result.value -> { "a" : 123 }
// or
const promise = Joi.validate(value, schema);
promise.then((value) => {
// value -> { "a" : 123 }
});
Converts literal schema definition to joi schema object (or returns the same back if already a joi schema object) where:
schema
- the schema definition to compile.
const definition = ['key', 5, { a: true, b: [/^a/, 'boom'] }];
const schema = Joi.compile(definition);
// Same as:
const schema = Joi.alternatives().try([
Joi.string().valid('key'),
Joi.number().valid(5),
Joi.object().keys({
a: Joi.boolean().valid(true),
b: Joi.alternatives().try([
Joi.string().regex(/^a/),
Joi.string().valid('boom')
])
})
]);
Returns an object that represents the internal configuration of a joi schema. Useful for debugging and exposing a schema's configuration to other systems, like valid values in a user interface.
schema
- the schema to describe.
const schema = Joi.any().valid([ 'foo', 'bar' ]);
console.log(Joi.describe(schema));
Results in:
{ type: 'any',
flags: { allowOnly: true },
valids: [ 'foo', 'bar' ] }
Validates a value against a schema and throws if validation fails where:
value
- the value to validate.schema
- the validation schema. Can be a joi type object or a plain object where every key is assigned a joi type object usingJoi.compile
(be careful of the cost of compiling repeatedly the same schemas).message
- optional message string prefix added in front of the error message. may also be an Error object.
Joi.assert('x', Joi.number());
Validates a value against a schema, returns valid object, and throws if validation fails where:
value
- the value to validate.schema
- the validation schema. Can be a joi type object or a plain object where every key is assigned a joi type object usingJoi.compile
(be careful of the cost of compiling repeatedly the same schemas).message
- optional message string prefix added in front of the error message. may also be an Error object.
Joi.attempt('x', Joi.number()); // throws error
const result = Joi.attempt('4', Joi.number()); // result -> 4
Generates a reference to the value of the named key. References are resolved at validation time and in order of dependency so that if one key validation depends on another, the dependent key is validated second after the reference is validated. References support the following arguments:
key
- the reference target. References cannot point up the object tree, only to sibling keys, but they can point to their siblings' children (e.g. 'a.b.c') using the.
separator. If akey
starts with$
is signifies a context reference which is looked up in thecontext
option object.options
- optional settings:separator
- overrides the default.
hierarchy separator.contextPrefix
- overrides the default$
context prefix signifier.- Other options can also be passed based on what
Hoek.reach
supports.
Note that references can only be used where explicitly supported such as in valid()
or invalid()
rules. If upwards
(parents) references are needed, use object.assert()
.
const schema = Joi.object().keys({
a: Joi.ref('b.c'),
b: {
c: Joi.any()
},
c: Joi.ref('$x')
});
Joi.validate({ a: 5, b: { c: 5 } }, schema, { context: { x: 5 } }, (err, value) => {});
Checks whether or not the provided argument is a reference. It's especially useful if you want to post-process error messages.
const ref = Joi.ref('a');
Joi.isRef(ref); // returns true
Get a sub-schema of an existing schema based on a path
that can be either a string or an array of strings For string values path separator is a dot (.
).
const schema = Joi.object({ foo: Joi.object({ bar: Joi.number() }) });
const number = Joi.reach(schema, 'foo.bar');
//or
const result = Joi.reach(schema, ['foo', 'bar']); //same as number
Creates a new Joi instance that will apply defaults onto newly created schemas through the use of the fn
function that takes exactly one argument, the schema being created.
The function must always return a schema, even if untransformed.
const defaultJoi = Joi.defaults((schema) => {
switch (schema.schemaType) {
case 'string':
return schema.allow('');
case 'object':
return schema.min(1);
default:
return schema;
}
});
const schema = defaultJoi.object(); // Equivalent to a Joi.object().min(1)
By default, some Joi methods to function properly need to rely on the Joi instance they are attached to because they use this
internally. So Joi.string()
works but if you extract the function from it and call string()
it won't. bind()
creates a new Joi instance where all the functions relying on this
are bound to the Joi instance.
const { object, string } = require('@hapi/joi').bind();
const schema = object({
property: string().min(4)
});
Creates a new Joi instance customized with the extension(s) you provide included.
It is important to understand that original Joi library is not modified by this.
The extension makes use of some common structures that need to be described prior :
value
- the value being processed by Joi.state
- an object containing the current context of validation.key
- the key of the current value.path
- the full path of the current value.parent
- the potential parent of the current value.
options
- options object provided throughany().options()
orJoi.validate()
.
extension
can be :
- a single extension object
- a factory function generating an extension object
- or an array of those
Extension objects use the following parameters :
name
- name of the new type you are defining, this can be an existing type. Required.base
- an existing Joi schema to base your type upon. Defaults toJoi.any()
.coerce
- an optional function that runs before the base, usually serves when you want to coerce values of a different type than your base. It takes 3 argumentsvalue
,state
andoptions
.pre
- an optional function that runs first in the validation chain, usually serves when you need to cast values. It takes 3 argumentsvalue
,state
andoptions
.language
- an optional object to add error definitions. Every key will be prefixed by the type name.describe
- an optional function taking the fully formed description to post-process it.rules
- an optional array of rules to add.name
- name of the new rule. Required.params
- an optional object containing Joi schemas of each parameter ordered. You can also pass a single Joi schema as long as it is aJoi.object()
, of course some methods such aspattern
orrename
won't be useful or won't work at all in this given context.setup
- an optional function that takes an object with the provided parameters to allow for internals manipulation of the schema when a rule is set, you can optionally return a new Joi schema that will be taken as the new schema instance. At least one ofsetup
orvalidate
must be provided.validate
- an optional function to validate values that takes 4 parametersparams
,value
,state
andoptions
. At least one ofsetup
orvalidate
must be provided.description
- an optional string or function taking the parameters as argument to describe what the rule is doing.
Factory functions are advised if you intend to publish your extensions for others to use, because they are capable of using an extended joi being built, thus avoiding any erasure when using multiple extensions at the same time. See an example of a factory function in the section below.
The params
of rules
rely on the fact that all engines, even though not stated in the ECMA specifications, preserve the order of object keys, this is a conscious choice to simplify the API for the end-user. If you ever see an engine misbehaving or are uncomfortable relying on this, you can use a single option object to describe your parameters, like:
params: { options: Joi.object({ param1: Joi.number().required(), param2: Joi.string() }) }
Any of the coerce
, pre
and validate
functions should use this.createError(type, context, state, options[, flags])
to create and return errors.
This function potentially takes 5 arguments:
type
- the dotted type of the error matching predefined language elements or the ones defined in your extension. Required.context
- a free-form object that can contain anything you want to provide context on regarding the error. This object's properties are inserted in the error message where bracketted placeholders are. Required.state
- state that the validation was in, which contains the current key, path, parent if any, or reference if any. Usually you just have to pass the state you were given. Required.options
- options that were used for the validation. Usually you just have to pass the options you were given. Required.flags
- optional flags that you want to be shown for the error. Defaults to the schema's current flags.
If you publish your extension on npm, make sure to add joi
and extension
as keywords so that it's discoverable more easily.
const Joi = require('@hapi/joi');
const customJoi = Joi.extend((joi) => ({
base: joi.number(),
name: 'number',
language: {
round: 'needs to be a rounded number', // Used below as 'number.round'
dividable: 'needs to be dividable by {{q}}'
},
pre(value, state, options) {
if (options.convert && this._flags.round) {
return Math.round(value); // Change the value
}
return value; // Keep the value as it was
},
rules: [
{
name: 'round',
setup(params) {
this._flags.round = true; // Set a flag for later use
},
validate(params, value, state, options) {
if (value % 1 !== 0) {
// Generate an error, state and options need to be passed
return this.createError('number.round', { v: value }, state, options);
}
return value; // Everything is OK
}
},
{
name: 'dividable',
params: {
q: joi.alternatives([joi.number().required(), joi.func().ref()])
},
validate(params, value, state, options) {
if (value % params.q !== 0) {
// Generate an error, state and options need to be passed, q is used in the language
return this.createError('number.dividable', { v: value, q: params.q }, state, options);
}
return value; // Everything is OK
}
}
]
}));
const schema = customJoi.number().round().dividable(3);
Generates a schema object that matches any data type.
const any = Joi.any();
any.validate('a', (err, value) => { });
Gets the type of the schema.
const schema = Joi.string();
schema.schemaType === 'string'; // === true
Validates a value using the schema and options where:
value
- the value being validated.options
- an object with the same optional keys asJoi.validate(value, schema, options, callback)
.callback
- an optional synchronous callback method using the the same signature asJoi.validate(value, schema, options, callback)
.
const schema = Joi.object({
a: Joi.number()
});
const value = {
a: '123'
};
schema.validate(value, (err, value) => { });
// err -> null
// value.a -> 123 (number, not string)
// or
const result = schema.validate(value);
// result.error -> null
// result.value -> { "a" : 123 }
// or
const promise = schema.validate(value);
Whitelists a value where:
value
- the allowed value which can be of any type and will be matched against the validated value before applying any other rules.value
can be an array of values, or multiple values can be passed as individual arguments.value
supports references.
Note that this whitelist of allowed values is in addition to any other permitted values.
To create an exclusive whitelist of values, see any.valid(value)
.
const schema = {
a: Joi.any().allow('a'),
b: Joi.any().allow('b', 'B'),
c: Joi.any().allow(['c', 'C'])
};
Adds the provided values into the allowed whitelist and marks them as the only valid values allowed where:
value
- the allowed value which can be of any type and will be matched against the validated value before applying any other rules.value
can be an array of values, or multiple values can be passed as individual arguments.value
supports references.
const schema = {
a: Joi.any().valid('a'),
b: Joi.any().valid('b', 'B'),
c: Joi.any().valid(['c', 'C'])
};
💥 Possible validation errors:any.allowOnly
Blacklists a value where:
value
- the forbidden value which can be of any type and will be matched against the validated value before applying any other rules.value
can be an array of values, or multiple values can be passed as individual arguments.value
supports references.
const schema = {
a: Joi.any().invalid('a'),
b: Joi.any().invalid('b', 'B'),
c: Joi.any().invalid(['c', 'C'])
};
💥 Possible validation errors:any.invalid
Marks a key as required which will not allow undefined
as value. All keys are optional by default.
const schema = Joi.any().required();
💥 Possible validation errors:any.required
Marks a key as optional which will allow undefined
as values. Used to annotate the schema for readability as all keys are optional by default.
Note: this does not allow a null
value. To do that, use any.allow(value)
. Or both!
const schema = Joi.any().optional();
Marks a key as forbidden which will not allow any value except undefined
. Used to explicitly forbid keys.
const schema = {
a: Joi.any().forbidden()
};
💥 Possible validation errors:any.unknown
Marks a key to be removed from a resulting object or array after validation. Used to sanitize output.
const schema = Joi.object({
username: Joi.string(),
password: Joi.string().strip()
});
schema.validate({ username: 'test', password: 'hunter2' }, (err, value) => {
// value = { username: 'test' }
});
const schema = Joi.array().items(Joi.string(), Joi.any().strip());
schema.validate(['one', 'two', true, false, 1, 2], (err, value) => {
// value = ['one', 'two']
});
Annotates the key where:
desc
- the description string.
const schema = Joi.any().description('this key will match anything you give it');
Annotates the key where:
notes
- the notes string or array of strings.
const schema = Joi.any().notes(['this is special', 'this is important']);
Annotates the key where:
tags
- the tag string or array of strings.
const schema = Joi.any().tags(['api', 'user']);
Attaches metadata to the key where:
meta
- the meta object to attach.
const schema = Joi.any().meta({ index: true });
Adds examples to the schema where:
values
- each argument is either an example value, or an array of the shape[value, options]
:value
- single value example.options
- optional object argument to pass options to the validation:parent
- parent value in case you used normal references in your schema.context
- context of the validation in case you used context references in your schema.
If any of the examples fail to pass validation, the function will throw.
Calling this function again will override the previous examples.
// Valid examples
const schema = Joi.string().min(4).example('abcd');
const refSchema = Joi.number().min(Joi.ref('sibling')).example([42, { parent: { sibling: 10 } }]);
const contextSchema = Joi.number().min(Joi.ref('$threshold')).example([42, { context: { $threshold: 10 } }]);
// Invalid examples
const invalidSchema = Joi.string().min(4).example('abc');
const invalidRefSchema = Joi.number().min(Joi.ref('sibling')).example([42, { parent: { sibling: 50 } }]);
const invalidContextSchema = Joi.number().min(Joi.ref('$threshold')).example([42, { context: { $threshold: 50 } }]);
// Multiple examples
const after = Joi.date().min(Joi.ref('before'))
.example(
['2016-01-01', { parent: { before: '2015-01-01' } }],
['2016-01-01', { parent: { before: '2015-12-31' } }]
)
Annotates the key where:
name
- the unit name of the value.
const schema = Joi.number().unit('milliseconds');
Overrides the global validate()
options for the current key and any sub-key where:
options
- an object with the same optional keys asJoi.validate(value, schema, options, callback)
.
const schema = Joi.any().options({ convert: false });
Strict mode sets the options.convert
options to false
which prevent type casting for the current key and any child keys.
isStrict
- whether strict mode is enabled or not. Defaults to true.
const schema = Joi.any().strict();
Sets a default value if the original value is undefined where:
value
- the value.value
supports references.value
may also be a function which returns the default value. Ifvalue
is specified as a function that accepts a single parameter, that parameter will be a context object that can be used to derive the resulting value.- Use a function when setting a dynamic value, such as the current time. Ex:
default(Date.now, 'time of creation')
- Caution: this clones the object, which incurs some overhead so if you don't need access to the context define your method so that it does not accept any parameters.
- Use a function when setting a dynamic value, such as the current time. Ex:
- without any
value
,default
has no effect, except forobject
that will then create nested defaults (applying inner defaults of that object).
Note that if value
is an object, any changes to the object after default()
is called will change the reference
and any future assignment.
Additionally, when specifying a method you must either have a description
property on your method or the second parameter is required.
const generateUsername = (context) => {
return context.firstname.toLowerCase() + '-' + context.lastname.toLowerCase();
};
generateUsername.description = 'generated username';
const schema = {
username: Joi.string().default(generateUsername),
firstname: Joi.string(),
lastname: Joi.string(),
created: Joi.date().default(Date.now, 'time of creation'),
status: Joi.string().default('registered')
};
Joi.validate({
firstname: 'Jane',
lastname: 'Doe'
}, schema, (err, value) => {
// value.status === 'registered'
// value.username === 'jane-doe'
// value.created will be the time of validation
});
💥 Possible validation errors:any.default
Returns a new type that is the result of adding the rules of one type to another where:
schema
- a joi type to merge into the current schema. Can only be of the same type as the context type orany
. If applied to anany
type, the schema can be any other schema.
const a = Joi.string().valid('a');
const b = Joi.string().valid('b');
const ab = a.concat(b);
Converts the type into an alternatives
type where the conditions are merged into the type definition where:
condition
- the key name or reference, or a schema.options
- an object with:is
- the required condition joi type. Anything that is not a joi schema will be converted using Joi.compile. Forbidden whencondition
is a schema.then
- the alternative schema type if the condition is true. Required ifotherwise
is missing.otherwise
- the alternative schema type if the condition is false. Required ifthen
is missing.
Note: by default, the is
condition schema allows for undefined
values. Use .required()
to override.
For example, use is: Joi.number().required()
to guarantee that a joi reference exists and is a number.
const schema = {
a: Joi.any().valid('x').when('b', { is: Joi.exist(), then: Joi.valid('y'), otherwise: Joi.valid('z') }),
b: Joi.any()
};
Or with a schema:
const schema = Joi.object({
a: Joi.any().valid('x'),
b: Joi.any()
}).when(Joi.object({ b: Joi.exist() }).unknown(), {
then: Joi.object({
a: Joi.valid('y')
}),
otherwise: Joi.object({
a: Joi.valid('z')
})
});
Note that this style is much more useful when your whole schema depends on the value of one of its property, or if you find yourself repeating the check for many keys of an object. For example to validate this logic:
const schema = Joi.object({
capacity: Joi.string()
.valid(["A", "B", "C"])
.required(),
// required if capacity == "A"
foo: Joi.when("capacity", {
is: "A",
then: Joi.string()
.valid(["X", "Y", "Z"])
.required()
}),
// required if capacity === "A" and foo !== "Z"
bar: Joi.string()
}).when(
Joi.object({
capacity: Joi.only("A").required(),
foo: Joi.not("Z")
}).unknown(),
{
then: Joi.object({
bar: Joi.required()
})
}
);
Alternatively, if you want to specify a specific type such as string
, array
, etc, you can do so like this:
const schema = {
a: Joi.valid('a', 'b', 'other'),
other: Joi.string()
.when('a', { is: 'other', then: Joi.required() }),
};
If you need to validate a child key inside a nested object based on a sibling's value, you can do so like this:
const schema = Joi.object().keys({
a: Joi.boolean().required(),
b: Joi.object()
.keys({
c: Joi.string(),
d: Joi.number().required()
})
.required()
.when('a', {
is: true,
then: Joi.object({ c: Joi.required() }) // b.c is required only when a is true
})
});
If you want to validate one key based on the existence of another key, you can do so like the following (notice the use of required()
):
const schema = Joi.object().keys({
min: Joi.number(),
max: Joi.number().when('min', {
is: Joi.number().required(),
then: Joi.number().greater(Joi.ref('min')),
}),
});
Overrides the key name in error messages.
name
- the name of the key.
const schema = {
first_name: Joi.string().label('First Name')
};
Outputs the original untouched value instead of the casted value.
isRaw
- whether to enable raw mode or not. Defaults to true.
const timestampSchema = Joi.date().timestamp();
timestampSchema.validate('12376834097810'); // { error: null, value: Sat Mar 17 2362 04:28:17 GMT-0500 (CDT) }
const rawTimestampSchema = Joi.date().timestamp().raw();
rawTimestampSchema.validate('12376834097810'); // { error: null, value: '12376834097810' }
Considers anything that matches the schema to be empty (undefined
).
schema
- any object or joi schema to match. An undefined schema unsets that rule.
let schema = Joi.string().empty('');
schema.validate(''); // returns { error: null, value: undefined }
schema = schema.empty();
schema.validate(''); // returns { error: "value" is not allowed to be empty, value: '' }
Overrides the default joi error with a custom error if the rule fails where:
err
can be:- an instance of
Error
- the override error. - a
function(errors)
, taking an array of errors as argument, where it must either:- return a
string
- substitutes the error message with this text - return a single
object
or anArray
of it, where:type
- optional parameter providing the type of the error (eg.number.min
).message
- optional parameter iftemplate
is provided, containing the text of the error.template
- optional parameter ifmessage
is provided, containing a template string, using the same format as usual joi language errors.context
- optional parameter, to provide context to your error if you are using thetemplate
.
- return an
Error
- same as when you directly provide anError
, but you can customize the error message based on the errors.
- return a
- an instance of
options
:self
- Boolean value indicating whether the error handler should be used for all errors or only for errors occurring on this property (true
value). This concept only makes sense forarray
orobject
schemas as other values don't have children. Defaults tofalse
.
Note that if you provide an Error
, it will be returned as-is, unmodified and undecorated with any of the
normal joi error properties. If validation fails and another error is found before the error
override, that error will be returned and the override will be ignored (unless the abortEarly
option has been set to false
).
let schema = Joi.string().error(new Error('Was REALLY expecting a string'));
schema.validate(3); // returns error.message === 'Was REALLY expecting a string'
let schema = Joi.object({
foo: Joi.number().min(0).error(() => '"foo" requires a positive number')
});
schema.validate({ foo: -2 }); // returns error.message === 'child "foo" fails because ["foo" requires a positive number]'
let schema = Joi.object({
foo: Joi.number().min(0).error(() => '"foo" requires a positive number')
}).required().error(() => 'root object is required', { self: true });
schema.validate(); // returns error.message === 'root object is required'
schema.validate({ foo: -2 }); // returns error.message === 'child "foo" fails because ["foo" requires a positive number]'
let schema = Joi.object({
foo: Joi.number().min(0).error((errors) => {
return 'found errors with ' + errors.map((err) => `${err.type}(${err.context.limit}) with value ${err.context.value}`).join(' and ');
})
});
schema.validate({ foo: -2 }); // returns error.message === 'child "foo" fails because [found errors with number.min(0) with value -2]'
let schema = Joi.object({
foo: Joi.number().min(0).error((errors) => {
return {
template: 'contains {{errors}} errors, here is the list : {{codes}}',
context: {
errors: errors.length,
codes: errors.map((err) => err.type)
}
};
})
});
schema.validate({ foo: -2 }); // returns error.message === 'child "foo" fails because ["foo" contains 1 errors, here is the list : [number.min]]'
Note that if you want to intercept errors on nested structures such as objects and arrays, you will also get a nested structure to explore the children errors, going one level down through the err.context.reason
property.
If you want a full substitution of the error system, you can hook at the root and render that errors
array with whatever templating system you want, just be aware that you will have to crawl the nested errors for the information you want to actually show.
Behaves the same as describe(schema)
and returns an object that represents the internal configuration of the joi schema.
const schema = Joi.any().valid([ 'foo', 'bar' ]);
console.log(schema.describe());
Results in:
{ type: 'any',
flags: { allowOnly: true },
valids: [ 'foo', 'bar' ] }
Generates a schema object that matches an array data type. Note that undefined values inside arrays are not allowed by
default but can be by using sparse()
. If the validation convert
option is on (enabled by default), a string will be
converted to an array
if specified via JSON.parse()
. Also, if convert
array.single()
are both on, then when a
single value is specified it will be converted to an array
.
Supports the same methods of the any()
type.
const array = Joi.array().items(Joi.string().valid('a', 'b'));
array.validate(['a', 'b', 'a'], (err, value) => { });
💥 Possible validation errors:array.base
Allows this array to be sparse. enabled
can be used with a falsy value to go back to the default behavior.
let schema = Joi.array().sparse(); // undefined values are now allowed
schema = schema.sparse(false); // undefined values are now denied
💥 Possible validation errors:array.sparse
Allows single values to be checked against rules as if it were provided as an array.
enabled
can be used with a falsy value to go back to the default behavior.
Note: convert
option must be enabled.
const schema = Joi.array().items(Joi.number()).single();
schema.validate([4]); // returns `{ error: null, value: [ 4 ] }`
schema.validate(4); // returns `{ error: null, value: [ 4 ] }`
💥 Possible validation errors:array.excludesSingle
, array.includesSingle
Lists the types allowed for the array values where:
type
- a joi schema object to validate each array item against.type
can be an array of values, or multiple values can be passed as individual arguments.
If a given type is .required()
then there must be a matching item in the array.
If a type is .forbidden()
then it cannot appear in the array.
Required items can be added multiple times to signify that multiple items must be found.
Errors will contain the number of items that didn't match. Any unmatched item having a label will be mentioned explicitly.
const schema = Joi.array().items(Joi.string(), Joi.number()); // array may contain strings and numbers
const schema = Joi.array().items(Joi.string().required(), Joi.string().required()); // array must contain at least two strings
const schema = Joi.array().items(Joi.string().valid('not allowed').forbidden(), Joi.string()); // array may contain strings, but none of those strings can match 'not allowed'
const schema = Joi.array().items(Joi.string().label('My string').required(), Joi.number().required()); // If this fails it can result in `[ValidationError: "value" does not contain [My string] and 1 other required value(s)]`
💥 Possible validation errors:array.excludes
, [array.includesRequiredBoth
], [array.includesRequiredKnowns
], [array.includesRequiredUnknowns
], array.includes
Lists the types in sequence order for the array values where:
type
- a joi schema object to validate against each array item in sequence order.type
can be an array of values, or multiple values can be passed as individual arguments.
If a given type is .required()
then there must be a matching item with the same index position in the array.
Errors will contain the number of items that didn't match. Any unmatched item having a label will be mentioned explicitly.
const schema = Joi.array().ordered(Joi.string().required(), Joi.number().required()); // array must have first item as string and second item as number
const schema = Joi.array().ordered(Joi.string().required()).items(Joi.number().required()); // array must have first item as string and 1 or more subsequent items as number
const schema = Joi.array().ordered(Joi.string().required(), Joi.number()); // array must have first item as string and optionally second item as number
💥 Possible validation errors:array.excludesSingle
, array.includesSingle
, array.orderedLength
Specifies the minimum number of items in the array where:
limit
- the lowest number of array items allowed.
const schema = Joi.array().min(2);
It can also be a reference to another field.
const schema = Joi.object({
limit: Joi.number().integer().required(),
numbers: Joi.array().min(Joi.ref('limit')).required()
});
💥 Possible validation errors:array.min
, array.ref
Specifies the maximum number of items in the array where:
limit
- the highest number of array items allowed.
const schema = Joi.array().max(10);
It can also be a reference to another field.
const schema = Joi.object({
limit: Joi.number().integer().required(),
numbers: Joi.array().max(Joi.ref('limit')).required()
});
💥 Possible validation errors:array.max
, array.ref
Specifies the exact number of items in the array where:
limit
- the number of array items allowed.
const schema = Joi.array().length(5);
It can also be a reference to another field.
const schema = Joi.object({
limit: Joi.number().integer().required(),
numbers: Joi.array().length(Joi.ref('limit')).required()
});
💥 Possible validation errors:array.length
, array.ref
Requires the array values to be unique.
You can provide a custom comparator
that is either :
- a function that takes 2 parameters to compare. This function should return whether the 2 parameters are equal or not, you are also responsible for this function not to fail, any
Error
would bubble out of Joi. - a string in dot notation representing the path of the element to do uniqueness check on. Any missing path will be considered undefined, and can as well only exist once.
You can also provide an
options
object containing: ignoreUndefined
. When set totrue
, undefined values for the dot notation string comparator will not cause the array to fail on uniqueness.
Note: remember that if you provide a custom comparator function, different types can be passed as parameter depending on the rules you set on items.
Be aware that a deep equality is performed on elements of the array having a type of object
, a performance penalty is to be expected for this kind of operation.
const schema = Joi.array().unique();
const schema = Joi.array().unique((a, b) => a.property === b.property);
const schema = Joi.array().unique('customer.id');
let schema = Joi.array().unique('identifier');
schema.validate([{}, {}]);
// ValidationError: "value" position 1 contains a duplicate value
schema = Joi.array().unique('identifier', { ignoreUndefined: true });
schema.validate([{}, {}]);
// error: null
💥 Possible validation errors:array.unique
Verifies that a schema validates at least one of the values in the array, where:
schema
- the validation rules required to satisfy the check. If theschema
includes references, they are resolved against the array item being tested, not the value of theref
target.
const schema = Joi.array().items(
Joi.object({
a: Joi.string(),
b: Joi.number()
})
).has(Joi.object({ a: Joi.string().valid('a'), b: Joi.number() }))
💥 Possible validation errors:array.hasKnown
, array.hasUnknown
Generates a schema object that matches a boolean data type. Can also be called via bool()
. If the validation convert
option is on (enabled by default), a string (either "true" or "false") will be converted to a boolean
if specified.
Supports the same methods of the any()
type.
const boolean = Joi.boolean();
boolean.validate(true, (err, value) => { }); // Valid
boolean.validate(1, (err, value) => { }); // Invalid
💥 Possible validation errors:boolean.base
Allows for additional values to be considered valid booleans by converting them to true
during validation. Accepts a value or an array of values.
String comparisons are by default case insensitive, see boolean.insensitive()
to change this behavior.
const boolean = Joi.boolean().truthy('Y');
boolean.validate('Y', (err, value) => { }); // Valid
Allows for additional values to be considered valid booleans by converting them to false
during validation. Accepts a value or an array of values.
String comparisons are by default case insensitive, see boolean.insensitive()
to change this behavior.
const boolean = Joi.boolean().falsy('N');
boolean.validate('N', (err, value) => { }); // Valid
Allows the values provided to truthy
and falsy
as well as the "true"
and "false"
default conversion (when not in strict()
mode) to be matched in a case insensitive manner.
Parameters are:
enabled
- optional parameter defaulting totrue
which allows you to reset the behavior ofinsensitive
by providing a falsy value.
const schema = Joi.boolean().truthy('yes').falsy('no').insensitive(false);
Generates a schema object that matches a Buffer data type. If the validation convert
option is on (enabled by default), a string
will be converted to a Buffer if specified.
Supports the same methods of the any()
type.
const schema = Joi.binary();
💥 Possible validation errors:binary.base
Sets the string encoding format if a string input is converted to a buffer where:
encoding
- the encoding scheme.
const schema = Joi.binary().encoding('base64');
Specifies the minimum length of the buffer where:
limit
- the lowest size of the buffer.
const schema = Joi.binary().min(2);
💥 Possible validation errors:binary.min
Specifies the maximum length of the buffer where:
limit
- the highest size of the buffer.
const schema = Joi.binary().max(10);
💥 Possible validation errors:binary.max
Specifies the exact length of the buffer:
limit
- the size of buffer allowed.
const schema = Joi.binary().length(5);
💥 Possible validation errors:binary.length
Generates a schema object that matches a date type (as well as a JavaScript date string or number of milliseconds). If
the validation convert
option is on (enabled by default), a string or number will be converted to a Date if specified.
Supports the same methods of the any()
type.
const date = Joi.date();
date.validate('12-21-2012', (err, value) => { });
💥 Possible validation errors:date.base
, date.strict
Specifies the oldest date allowed where:
date
- the oldest date allowed.
const schema = Joi.date().min('1-1-1974');
Notes: 'now'
can be passed in lieu of date
so as to always compare relatively to the current date, allowing to explicitly ensure a date is either in the past or in the future.
const schema = Joi.date().min('now');
It can also be a reference to another field.
const schema = Joi.object({
from: Joi.date().required(),
to: Joi.date().min(Joi.ref('from')).required()
});
💥 Possible validation errors:date.min
, date.ref
Specifies the latest date allowed where:
date
- the latest date allowed.
const schema = Joi.date().max('12-31-2020');
Notes: 'now'
can be passed in lieu of date
so as to always compare relatively to the current date, allowing to explicitly ensure a date is either in the past or in the future.
const schema = Joi.date().max('now');
It can also be a reference to another field.
const schema = Joi.object({
from: Joi.date().max(Joi.ref('to')).required(),
to: Joi.date().required()
});
💥 Possible validation errors:date.max
, date.ref
Specifies that the value must be greater than date
.
const schema = Joi.date().greater('1-1-1974');
Notes: 'now'
can be passed in lieu of date
so as to always compare relatively to the current date, allowing to explicitly ensure a date is either in the past or in the future.
const schema = Joi.date().greater('now');
It can also be a reference to another field.
const schema = Joi.object({
from: Joi.date().required(),
to: Joi.date().greater(Joi.ref('from')).required()
});
💥 Possible validation errors:date.greater
, date.ref
Specifies that the value must be less than date
.
const schema = Joi.date().less('12-31-2020');
Notes: `'now'` can be passed in lieu of `date` so as to always compare relatively to the current date, allowing to explicitly ensure a date is either in the past or in the future.
```js
const schema = Joi.date().max('now');
It can also be a reference to another field.
const schema = Joi.object({
from: Joi.date().less(Joi.ref('to')).required(),
to: Joi.date().required()
});
💥 Possible validation errors:date.less
, date.ref
Requires the string value to be in valid ISO 8601 date format.
const schema = Joi.date().iso();
💥 Possible validation errors:date.isoDate
Requires the value to be a timestamp interval from Unix Time.
type
- the type of timestamp (allowed values areunix
orjavascript
[default])
const schema = Joi.date().timestamp(); // defaults to javascript timestamp
const schema = Joi.date().timestamp('javascript'); // also, for javascript timestamp (milliseconds)
const schema = Joi.date().timestamp('unix'); // for unix timestamp (seconds)
💥 Possible validation errors:date.timestamp.javascript
, date.timestamp.unix
Generates a schema object that matches a function type.
Supports the same methods of the object()
type. Note that validating a function keys will cause the function
to be cloned. While the function will retain its prototype and closure, it will lose its length
property value (will be
set to 0
).
const func = Joi.func();
func.validate(function () {}, (err, value) => { });
💥 Possible validation errors:function.base
Specifies the arity of the function where:
n
- the arity expected.
const schema = Joi.func().arity(2);
💥 Possible validation errors:function.arity
Specifies the minimal arity of the function where:
n
- the minimal arity expected.
const schema = Joi.func().minArity(1);
💥 Possible validation errors:function.minArity
Specifies the maximal arity of the function where:
n
- the maximum arity expected.
const schema = Joi.func().maxArity(3);
💥 Possible validation errors:function.maxArity
Requires the function to be a class.
const schema = Joi.func().class();
💥 Possible validation errors:function.class
Requires the function to be a Joi reference.
const schema = Joi.func().ref();
💥 Possible validation errors:function.ref
Generates a schema object that matches a number data type (as well as strings that can be converted to numbers).
By default, it only allows safe numbers, see number.unsafe()
.
If the validation convert
option is on (enabled by default), a string will be converted to a number
if specified. Also, if
convert
is on and number.precision()
is used, the value will be converted to the specified precision
as well.
Infinity
and -Infinity
are invalid by default, you can change that behavior by calling allow(Infinity, -Infinity)
.
Supports the same methods of the any()
type.
const number = Joi.number();
number.validate(5, (err, value) => { });
💥 Possible validation errors:number.base
By default, numbers must be within JavaScript's safety range (Number.MIN_SAFE_INTEGER
& Number.MAX_SAFE_INTEGER
), and when given a string, should be converted without loss of information. You can allow unsafe numbers at your own risks by calling number.unsafe()
.
Parameters are:
enabled
- optional parameter defaulting totrue
which allows you to reset the behavior of unsafe by providing a falsy value.
const safeNumber = Joi.number();
safeNumber.validate(90071992547409924);
// error -> "value" must be a safe number
const unsafeNumber = Joi.number().unsafe();
unsafeNumber.validate(90071992547409924);
// error -> null
// value -> 90071992547409920
💥 Possible validation errors:number.unsafe
Specifies the minimum value where:
limit
- the minimum value allowed.
const schema = Joi.number().min(2);
It can also be a reference to another field.
const schema = Joi.object({
min: Joi.number().required(),
max: Joi.number().min(Joi.ref('min')).required()
});
💥 Possible validation errors:number.min
, number.ref
Specifies the maximum value where:
limit
- the maximum value allowed.
const schema = Joi.number().max(10);
It can also be a reference to another field.
const schema = Joi.object({
min: Joi.number().max(Joi.ref('max')).required(),
max: Joi.number().required()
});
💥 Possible validation errors:number.max
, number.ref
Specifies that the value must be greater than limit
.
const schema = Joi.number().greater(5);
const schema = Joi.object({
min: Joi.number().required(),
max: Joi.number().greater(Joi.ref('min')).required()
});
💥 Possible validation errors:number.greater
, number.ref
Specifies that the value must be less than limit
.
const schema = Joi.number().less(10);
It can also be a reference to another field.
const schema = Joi.object({
min: Joi.number().less(Joi.ref('max')).required(),
max: Joi.number().required()
});
💥 Possible validation errors:number.less
, number.ref
Requires the number to be an integer (no floating point).
const schema = Joi.number().integer();
💥 Possible validation errors:number.base
Specifies the maximum number of decimal places where:
limit
- the maximum number of decimal places allowed.
const schema = Joi.number().precision(2);
💥 Possible validation errors:number.integer
Specifies that the value must be a multiple of base
:
const schema = Joi.number().multiple(3);
Notes: Joi.number.multiple(base)
uses the modulo operator (%) to determine if a number is multiple of another number.
Therefore, it has the normal limitations of Javascript modulo operator. The results with decimal/floats may be incorrect.
💥 Possible validation errors:number.multiple
, number.ref
Requires the number to be positive.
const schema = Joi.number().positive();
💥 Possible validation errors:number.positive
Requires the number to be negative.
const schema = Joi.number().negative();
💥 Possible validation errors:number.negative
Requires the number to be a TCP port, so between 0 and 65535.
const schema = Joi.number().port();
💥 Possible validation errors:number.port
Generates a schema object that matches an object data type (as well as JSON strings that parsed into objects). Defaults
to allowing any child key. If the validation convert
option is on (enabled by default), a string will be converted to
an object
if specified via JSON.parse()
.
Supports the same methods of the any()
type.
const object = Joi.object().keys({
a: Joi.number().min(1).max(10).integer(),
b: 'some string'
});
object.validate({ a: 5 }, (err, value) => { });
💥 Possible validation errors:object.base
Sets or extends the allowed object keys where:
schema
- optional object where each key is assigned a joi type object. Ifschema
is{}
no keys allowed. Ifschema
isnull
orundefined
, any key allowed. Ifschema
is an object with keys, the keys are added to any previously defined keys (but narrows the selection if all keys previously allowed). Defaults to 'undefined' which allows any child key.
const base = Joi.object().keys({
a: Joi.number(),
b: Joi.string()
});
// Validate keys a, b and c.
const extended = base.keys({
c: Joi.boolean()
});
Notes: We have three different ways to define a schema for performing a validation
- Using the plain JS object notation:
const schema = {
a: Joi.string(),
b: Joi.number()
};
- Using the
Joi.object([schema])
notation
const schema = Joi.object({
a: Joi.string(),
b: Joi.number()
});
- Using the
Joi.object().keys([schema])
notation
const schema = Joi.object().keys({
a: Joi.string(),
b: Joi.number()
});
💥 Possible validation errors:object.allowUnknown
While all these three objects defined above will result in the same validation object, there are some differences in using one or another:
When using the {}
notation, you are just defining a plain JS object, which isn't a schema object.
You can pass it to the validation method but you can't call validate()
method of the object because it's just a plain JS object.
Besides, passing the {}
object to the validate()
method each time, will perform an expensive schema compilation operation on every validation.
Using Joi.object([schema])
will return a schema object, so you can call the validate()
method directly, e.g:
const schema = Joi.object({
a: Joi.boolean()
});
schema.validate(true, (err, value) => {
console.log('err: ', err);
});
When you use Joi.object([schema])
, it gets compiled the first time, so you can pass it to the validate()
method multiple times and no overhead is added.
Another benefits of using Joi.object([schema])
instead of a plain JS object is that you can set any options on the object like allowing unknown keys, e.g:
const schema = Joi.object({
arg: Joi.string().valid('firstname', 'lastname', 'title', 'company', 'jobtitle'),
value: Joi.string(),
}).pattern(/firstname|lastname/, Joi.string().min(2));
This is basically the same as Joi.object([schema])
, but using Joi.object().keys([schema])
is more useful when you want to add more keys (e.g. call keys()
multiple times). If you are only adding one set of keys, you can skip the keys()
method and just use object()
directly.
Some people like to use keys()
to make the code more explicit (this is style only).
Appends the allowed object keys where:
schema
- optional object where each key is assigned a joi type object. Ifschema
isnull
,undefined
or{}
no changes will be applied. Uses object.keys([schema]) to append keys.
// Validate key a
const base = Joi.object().keys({
a: Joi.number()
});
// Validate keys a, b.
const extended = base.append({
b: Joi.string()
});
Specifies the minimum number of keys in the object where:
limit
- the lowest number of keys allowed.
const schema = Joi.object().min(2);
💥 Possible validation errors:object.min
Specifies the maximum number of keys in the object where:
limit
- the highest number of object keys allowed.
const schema = Joi.object().max(10);
💥 Possible validation errors:object.max
Specifies the exact number of keys in the object where:
limit
- the number of object keys allowed.
const schema = Joi.object().length(5);
💥 Possible validation errors:object.length
Specify validation rules for unknown keys matching a pattern where:
pattern
- a pattern that can be either a regular expression or a joi schema that will be tested against the unknown key names.schema
- the schema object matching keys must validate against.
const schema = Joi.object({
a: Joi.string()
}).pattern(/\w\d/, Joi.boolean());
// OR
const schema = Joi.object({
a: Joi.string()
}).pattern(Joi.string().min(2).max(5), Joi.boolean());
Defines an all-or-nothing relationship between keys where if one of the peers is present, all of them are required as well where:
peers
- the key names of which if one present, all are required.peers
can be a single string value, an array of string values, or each peer provided as an argument.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).and('a', 'b');
💥 Possible validation errors:object.and
Defines a relationship between keys where not all peers can be present at the same time where:
peers
- the key names of which if one present, the others may not all be present.peers
can be a single string value, an array of string values, or each peer provided as an argument.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).nand('a', 'b');
💥 Possible validation errors:object.nand
Defines a relationship between keys where one of the peers is required (and more than one is allowed) where:
peers
- the key names of which at least one must appear.peers
can be a single string value, an array of string values, or each peer provided as an argument.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).or('a', 'b');
💥 Possible validation errors:object.missing
Defines an exclusive relationship between a set of keys where one of them is required but not at the same time where:
peers
- the exclusive key names that must not appear together but where one of them is required.peers
can be a single string value, an array of string values, or each peer provided as an argument.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).xor('a', 'b');
💥 Possible validation errors:object.xor
, object.missing
Defines an exclusive relationship between a set of keys where only one is allowed but none are required where:
peers
- the exclusive key names that must not appear together but where none are required.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).oxor('a', 'b');
💥 Possible validation errors:object.oxor
Requires the presence of other keys whenever the specified key is present where:
key
- the reference key.peers
- the required peer key names that must appear together withkey
.peers
can be a single string value or an array of string values.
Note that unlike object.and()
, with()
creates a dependency only between the key
and each of the peers
, not
between the peers
themselves.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).with('a', 'b');
💥 Possible validation errors:object.with
Forbids the presence of other keys whenever the specified is present where:
key
- the reference key.peers
- the forbidden peer key names that must not appear together withkey
.peers
can be a single string value or an array of string values.
const schema = Joi.object().keys({
a: Joi.any(),
b: Joi.any()
}).without('a', ['b']);
💥 Possible validation errors:object.without
Renames a key to another name (deletes the renamed key) where:
from
- the original key name or a regular expression matching keys.to
- the new key name.options
- an optional object with the following optional keys:alias
- iftrue
, does not delete the old key name, keeping both the new and old keys in place. Defaults tofalse
.multiple
- iftrue
, allows renaming multiple keys to the same destination where the last rename wins. Defaults tofalse
.override
- iftrue
, allows renaming a key over an existing key. Defaults tofalse
.ignoreUndefined
- iftrue
, skip renaming of a key if it's undefined. Defaults tofalse
.
Keys are renamed before any other validation rules are applied.
const object = Joi.object().keys({
a: Joi.number()
}).rename('b', 'a');
object.validate({ b: 5 }, (err, value) => { });
It can also rename keys using a regular expression:
const regex = /^foobar$/i;
const schema = Joi.object().keys({
fooBar: Joi.string()
}).rename(regex, 'fooBar');
schema.validate({ FooBar: 'a'}, (err, value) => {});
💥 Possible validation errors:object.rename.multiple
, object.rename.override
, object.rename.regex.multiple
, object.rename.regex.override
Verifies an assertion where:
ref
- the key name or reference.schema
- the validation rules required to satisfy the assertion. If theschema
includes references, they are resolved against the object value, not the value of theref
target.message
- optional human-readable message used when the assertion fails. Defaults to 'failed to pass the assertion test'.
const schema = Joi.object().keys({
a: {
b: Joi.string(),
c: Joi.number()
},
d: {
e: Joi.any()
}
}).assert('d.e', Joi.ref('a.c'), 'equal to a.c');
💥 Possible validation errors:object.assert
Overrides the handling of unknown keys for the scope of the current object only (does not apply to children) where:
allow
- iffalse
, unknown keys are not allowed, otherwise unknown keys are ignored.
const schema = Joi.object({ a: Joi.any() }).unknown();
💥 Possible validation errors:object.allowUnknown
Requires the object to be an instance of a given constructor where:
constructor
- the constructor function that the object must be an instance of.name
- an alternate name to use in validation errors. This is useful when the constructor function does not have a name.
const schema = Joi.object().type(RegExp);
💥 Possible validation errors:object.type
Requires the object to be a Joi schema instance.
const schema = Joi.object().schema();
💥 Possible validation errors:object.schema
Sets the specified children to required.
children
- can be a single string value, an array of string values, or each child provided as an argument.
const schema = Joi.object().keys({ a: { b: Joi.number() }, c: { d: Joi.string() } });
const requiredSchema = schema.requiredKeys('', 'a.b', 'c', 'c.d');
Note that in this example ''
means the current object, a
is not required but b
is, as well as c
and d
.
Sets the specified children to optional.
children
- can be a single string value, an array of string values, or each child provided as an argument.
const schema = Joi.object().keys({ a: { b: Joi.number().required() }, c: { d: Joi.string().required() } });
const optionalSchema = schema.optionalKeys('a.b', 'c.d');
The behavior is exactly the same as requiredKeys
.
Sets the specified children to forbidden.
children
- can be a single string value, an array of string values, or each child provided as an argument.
const schema = Joi.object().keys({ a: { b: Joi.number().required() }, c: { d: Joi.string().required() } });
const optionalSchema = schema.forbiddenKeys('a.b', 'c.d');
The behavior is exactly the same as requiredKeys
.
Generates a schema object that matches a string data type. Note that empty strings are not allowed by default and must
be enabled with allow('')
. However, if you want to specify a default value in case of empty string you have to use a
different pattern: Joi.string().empty('').default('default value')
. This tells Joi that the empty string should be
considered as an empty value (instead of invalid) and which value to use as default.
If the validation convert
option is on (enabled by default), a string will be converted using the specified modifiers
for string.lowercase()
, string.uppercase()
, string.trim()
, and each replacement specified with string.replace()
.
Supports the same methods of the any()
type.
const schema = Joi.string().min(1).max(10);
schema.validate('12345', (err, value) => { });
💥 Possible validation errors:string.base
, any.empty
Allows the value to match any whitelist or blacklist item in a case insensitive comparison.
const schema = Joi.string().valid('a').insensitive();
Specifies the minimum number string characters where:
limit
- the minimum number of string characters required.encoding
- if specified, the string length is calculated in bytes using the provided encoding.
const schema = Joi.string().min(2);
It can also be a reference to another field.
const schema = Joi.object({
min: Joi.string().required(),
value: Joi.string().min(Joi.ref('min'), 'utf8').required()
});
💥 Possible validation errors:string.min
, string.ref
Specifies the maximum number of string characters where:
limit
- the maximum number of string characters allowed.encoding
- if specified, the string length is calculated in bytes using the provided encoding.
const schema = Joi.string().max(10);
It can also be a reference to another field.
const schema = Joi.object({
max: Joi.string().required(),
value: Joi.string().max(Joi.ref('max'), 'utf8').required()
});
💥 Possible validation errors:string.max
, string.ref
Specifies whether the string.max()
limit should be used as a truncation.
Parameters are:
enabled
- optional parameter defaulting totrue
which allows you to reset the behavior of truncate by providing a falsy value.
const schema = Joi.string().max(5).truncate();
Requires the number to be a credit card number (Using Luhn Algorithm).
const schema = Joi.string().creditCard();
💥 Possible validation errors:string.creditCard
Specifies the exact string length required where:
limit
- the required string length.encoding
- if specified, the string length is calculated in bytes using the provided encoding.
const schema = Joi.string().length(5);
It can also be a reference to another field.
const schema = Joi.object({
length: Joi.string().required(),
value: Joi.string().length(Joi.ref('length'), 'utf8').required()
});
💥 Possible validation errors:string.length
, string.ref
Defines a regular expression rule where:
pattern
- a regular expression object the string value must match against.name
- optional name for patterns (useful with multiple patterns).options
- an optional configuration object with the following supported properties:name
- optional pattern name.invert
- optional boolean flag. Defaults tofalse
behavior. If specified astrue
, the provided pattern will be disallowed instead of required.
const schema = Joi.string().regex(/^[abc]+$/);
const inlineNamedSchema = Joi.string().regex(/^[0-9]+$/, 'numbers');
inlineNamedSchema.validate('alpha'); // ValidationError: "value" with value "alpha" fails to match the numbers pattern
const namedSchema = Joi.string().regex(/^[0-9]+$/, { name: 'numbers'});
namedSchema.validate('alpha'); // ValidationError: "value" with value "alpha" fails to match the numbers pattern
const invertedSchema = Joi.string().regex(/^[a-z]+$/, { invert: true });
invertedSchema.validate('lowercase'); // ValidationError: "value" with value "lowercase" matches the inverted pattern: [a-z]
const invertedNamedSchema = Joi.string().regex(/^[a-z]+$/, { name: 'alpha', invert: true });
invertedNamedSchema.validate('lowercase'); // ValidationError: "value" with value "lowercase" matches the inverted alpha pattern
💥 Possible validation errors:string.regex.base
, string.regex.invert.base
, string.regex.invert.name
, string.regex.name
Replace characters matching the given pattern with the specified replacement string where:
pattern
- a regular expression object to match against, or a string of which all occurrences will be replaced.replacement
- the string that will replace the pattern.
const schema = Joi.string().replace(/b/gi, 'x');
schema.validate('abBc', (err, value) => {
// here value will be 'axxc'
});
When pattern
is a string all its occurrences will be replaced.
Requires the string value to only contain a-z, A-Z, and 0-9.
const schema = Joi.string().alphanum();
💥 Possible validation errors:string.alphanum
Requires the string value to only contain a-z, A-Z, 0-9, and underscore _.
const schema = Joi.string().token();
💥 Possible validation errors:string.token
Requires the string value to be a valid email address.
options
- optional settings:allowUnicode
- iftrue
, Unicode characters are permitted. Defaults totrue
.minDomainSegments
- Number of segments required for the domain. Be careful since some domains, such asio
, directly allow email.tlds
- options for TLD (top level domain) validation. By default, the TLD must be a valid name listed on the IANA registry. To disable validation, settlds
tofalse
. To customize how TLDs are validated, set one of these:allow
- one of:true
to use the IANA list of registered TLDs. This is the default value.false
to allow any TLD not listed in thedeny
list, if present.- a
Set
or array of the allowed TLDs. Cannot be used together withdeny
.
deny
- one of:- a
Set
or array of the forbidden TLDs. Cannot be used together with a customallow
list.
- a
const schema = Joi.string().email();
💥 Possible validation errors:string.email
Requires the string value to be a valid ip address.
options
- optional settings:version
- One or more IP address versions to validate against. Valid values:ipv4
,ipv6
,ipvfuture
cidr
- Used to determine if a CIDR is allowed or not. Valid values:optional
,required
,forbidden
// Accept only ipv4 and ipv6 addresses with a CIDR
const schema = Joi.string().ip({
version: [
'ipv4',
'ipv6'
],
cidr: 'required'
});
💥 Possible validation errors:string.ip
, string.ipVersion
Requires the string value to be a valid RFC 3986 URI.
options
- optional settings:scheme
- Specifies one or more acceptable Schemes, should only include the scheme name. Can be an Array or String (strings are automatically escaped for use in a Regular Expression).allowRelative
- Allow relative URIs. Defaults tofalse
.relativeOnly
- Restrict only relative URIs. Defaults tofalse
.allowQuerySquareBrackets
- Allows unencoded square brackets inside the query string. This is NOT RFC 3986 compliant but query strings likeabc[]=123&abc[]=456
are very common these days. Defaults tofalse
.
// Accept git or git http/https
const schema = Joi.string().uri({
scheme: [
'git',
/git\+https?/
]
});
💥 Possible validation errors:string.uri
, string.uriCustomScheme
, string.uriRelativeOnly
Requires the string value to be a valid GUID.
options
- optional settings:version
- Specifies one or more acceptable versions. Can be an Array or String with the following values:uuidv1
,uuidv2
,uuidv3
,uuidv4
, oruuidv5
. If noversion
is specified then it is assumed to be a genericguid
.
const schema = Joi.string().guid({
version: [
'uuidv4',
'uuidv5'
]
});
💥 Possible validation errors:string.guid
Requires the string value to be a valid hexadecimal string.
options
- optional settings:byteAligned
- Boolean specifying whether you want to check that the hexadecimal string is byte aligned. Ifconvert
istrue
, a0
will be added in front of the string in case it needs to be aligned. Defaults tofalse
.
const schema = Joi.string().hex();
💥 Possible validation errors:string.hex
, string.hexAlign
Requires the string value to be a valid base64 string; does not check the decoded value.
options
- optional settings:paddingRequired
- optional parameter defaulting totrue
which will require=
padding iftrue
or make padding optional iffalse
.
Padding characters are not required for decoding, as the number of missing bytes can be inferred from the number of digits. With that said, try to use padding if at all possible.
const schema = Joi.string().base64();
schema.validate('VE9PTUFOWVNFQ1JFVFM'); // ValidationError: "value" must be a valid base64 string
schema.validate('VE9PTUFOWVNFQ1JFVFM='); // No Error
const paddingRequiredSchema = Joi.string().base64({ paddingRequired: true });
paddingRequiredSchema.validate('VE9PTUFOWVNFQ1JFVFM'); // ValidationError: "value" must be a valid base64 string
paddingRequiredSchema.validate('VE9PTUFOWVNFQ1JFVFM='); // No Error
const paddingOptionalSchema = Joi.string().base64({ paddingRequired: false });
paddingOptionalSchema.validate('VE9PTUFOWVNFQ1JFVFM'); // No Error
paddingOptionalSchema.validate('VE9PTUFOWVNFQ1JFVFM='); // No Error
💥 Possible validation errors:string.base64
Requires the string value to be a valid data URI string.
options
- optional settings:paddingRequired
- optional parameter defaulting totrue
which will require=
padding iftrue
or make padding optional iffalse
.
const schema = Joi.string().dataUri();
schema.validate('VE9PTUFOWVNFQ1JFVFM='); // ValidationError: "value" must be a valid dataUri string
schema.validate('data:image/png;base64,VE9PTUFOWVNFQ1JFVFM='); // No Error
💥 Possible validation errors:string.dataUri
Requires the string value to be a valid hostname as per RFC1123.
const schema = Joi.string().hostname();
💥 Possible validation errors:string.hostname
Requires the string value to be in a unicode normalized
form. If the validation convert
option is on (enabled by default), the string will be normalized.
form
- The unicode normalization form to use. Valid values:NFC
[default],NFD
,NFKC
,NFKD
const schema = Joi.string().normalize(); // defaults to NFC
const schema = Joi.string().normalize('NFC'); // canonical composition
const schema = Joi.string().normalize('NFD'); // canonical decomposition
const schema = Joi.string().normalize('NFKC'); // compatibility composition
const schema = Joi.string().normalize('NFKD'); // compatibility decomposition
💥 Possible validation errors:string.normalize
Requires the string value to be all lowercase. If the validation convert
option is on (enabled by default), the string
will be forced to lowercase.
const schema = Joi.string().lowercase();
💥 Possible validation errors:string.lowercase
Requires the string value to be all uppercase. If the validation convert
option is on (enabled by default), the string
will be forced to uppercase.
const schema = Joi.string().uppercase();
💥 Possible validation errors:string.uppercase
Requires the string value to contain no whitespace before or after. If the validation convert
option is on (enabled by
default), the string will be trimmed.
Parameters are:
enabled
- optional parameter defaulting totrue
which allows you to reset the behavior of trim by providing a falsy value.
const schema = Joi.string().trim();
const schema = Joi.string().trim(false); // disable trim flag
💥 Possible validation errors:string.trim
Requires the string value to be in valid ISO 8601 date format.
If the validation convert
option is on (enabled by default), the string will be forced to simplified extended ISO format (ISO 8601). Be aware that this operation uses javascript Date object, which does not support the full ISO format, so a few formats might not pass when using convert
.
const schema = Joi.string().isoDate();
💥 Possible validation errors:string.isoDate
Generates a schema object that matches a Symbol
data type.
If the validation convert
option is on (enabled by default), the mappings declared in map()
will be tried for an eventual match.
Supports the same methods of the any()
type.
const schema = Joi.symbol().map({ 'foo': Symbol('foo'), 'bar': Symbol('bar') });
schema.validate('foo', (err, value) => { });
💥 Possible validation errors:symbol.base
Allows values to be transformed into Symbol
s, where:
map
- mapping declaration that can be:- an object, where keys are strings, and values are
Symbol
s - an array of arrays of length 2, where for each sub-array, the 1st element must be anything but an object, a function or a
Symbol
, and the 2nd element must be a Symbol - a
Map
, following the same principles as the array above
- an object, where keys are strings, and values are
const schema = Joi.symbol().map([
[1, Symbol('one')],
['two', Symbol('two')]
]);
💥 Possible validation errors:symbol.map
Generates a type that will match one of the provided alternative schemas via the try()
method. If no schemas are added, the type will not match any value except for undefined
.
Supports the same methods of the any()
type.
Alternatives can be expressed using the shorter []
notation.
const alt = Joi.alternatives().try(Joi.number(), Joi.string());
// Same as [Joi.number(), Joi.string()]
💥 Possible validation errors:alternatives.base
Adds an alternative schema type for attempting to match against the validated value where:
schema
- an array of alternative joi types. Also supports providing each type as a separate argument.
const alt = Joi.alternatives().try(Joi.number(), Joi.string());
alt.validate('a', (err, value) => { });
Adds a conditional alternative schema type, either based on another key (not the same as any.when()
) value, or a
schema peeking into the current value, where:
condition
- the key name or reference, or a schema.options
- an object with:is
- the required condition joi type. Forbidden whencondition
is a schema.then
- the alternative schema type to try if the condition is true. Required ifotherwise
is missing.otherwise
- the alternative schema type to try if the condition is false. Required ifthen
is missing.
const schema = {
a: Joi.alternatives().when('b', { is: 5, then: Joi.string(), otherwise: Joi.number() }),
b: Joi.any()
};
const schema = Joi.alternatives().when(Joi.object({ b: 5 }).unknown(), {
then: Joi.object({
a: Joi.string(),
b: Joi.any()
}),
otherwise: Joi.object({
a: Joi.number(),
b: Joi.any()
})
});
Note that when()
only adds additional alternatives to try and does not impact the overall type. Setting
a required()
rule on a single alternative will not apply to the overall key. For example,
this definition of a
:
const schema = {
a: Joi.alternatives().when('b', { is: true, then: Joi.required() }),
b: Joi.boolean()
};
Does not turn a
into a required key when b
is true
. Instead, it tells the validator to try and match the
value to anything that's not undefined
. However, since Joi.alternatives()
by itself allows undefined
, the rule
does not accomplish turning a
to a required value. This rule is the same as Joi.alternatives([Joi.required()])
when b
is true
which will allow any value including undefined
.
To accomplish the desired result above use:
const schema = {
a: Joi.when('b', { is: true, then: Joi.required() }),
b: Joi.boolean()
};
Generates a placeholder schema for a schema that you would provide where:
fn
- is a function returning the actual schema to use for validation.options
:once
- enables or disables the single evaluation behavior. Whenfalse
, the function will be called every time a validation happens, otherwise the schema will be cached for further re-use. Defaults totrue
.
Supports the same methods of the any()
type.
This is mostly useful for recursive schemas, like :
const Person = Joi.object({
firstName: Joi.string().required(),
lastName: Joi.string().required(),
children: Joi.array().items(Joi.lazy(() => Person).description('Person schema'))
});
💥 Possible validation errors:lazy.base
, lazy.schema
Joi throws classical javascript Error
s containing :
name
-'ValidationError'
.isJoi
-true
.details
- an array of errors :message
- string with a description of the error.path
- ordered array where each element is the accessor to the value where the error happened.type
- type of the error.context
- object providing context of the error containing at least:key
- key of the value that errored, equivalent to the last element ofdetails.path
.label
- label of the value that errored, or thekey
if any, or the defaultlanguage.root
.
annotate
- function that returns a string with an annotated version of the object pointing at the places where errors occurred. Takes an optional parameter that, if truthy, will strip the colors out of the output._object
- the original object to validate.
Description
No alternative matched the input.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
Only some values were allowed, the input didn't match any of them.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
valids: Array<any> // Contains the list of the valid values that were expected
}
Description
If your any.default()
generator function throws error, you will have it here.
Context
{
error: Error // Error generated during the default value function call
}
Description
When an empty string is found and denied by invalid values.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: '', // Empty string
invalids: Array<any> // Contains the list of the invalid values that should be rejected
}
Description
The value matched a value listed in the invalid values.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any, // Value being validated
invalids: Array<any> // Contains the list of the invalid values that should be rejected
}
Description
A required value wasn't present.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
A value was present while it wasn't expected.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
The value is not of Array type or could not be cast to an Array from a string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
The array contains a value that is part of the exclusion list.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number, // Index where the value was found in the array
value: any // Value that matched an exclude condition
}
Description
Same as array.excludes
but the value was a single value. Happens with array.single()
.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number, // Index where the value was found in the array
value: any // Value that matched an exclude condition
}
Description
Some values were expected to be present in the array and are missing. This error happens when we have a mix of labelled and unlabelled schemas.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
knownMisses: Array<string>, // Labels of all the missing values
unknownMisees: number // Count of missing values that didn't have a label
}
Description
Some values were expected to be present in the array and are missing. This error happens when we only have labelled schemas.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
knownMisses: Array<string> // Labels of all the missing values
}
Description
Some values were expected to be present in the array and are missing. This error happens when we only have unlabelled schemas.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
unknownMisees: number // Count of missing values that didn't have a label
}
Description
The value didn't match any of the allowed types for that array.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number, // Index where the value was found in the array
value: any // Value that failed all the schemas
}
Description
Same as array.includes
but the value was a single value. Happens with array.single()
.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number, // Index where the value was found in the array
value: any // Value that failed all the schemas
}
Description
The array is not of the expected length.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Length that was expected for this array
value: Array<any> // The array itself
}
Description
The array has more elements than the maximum allowed.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Maximum length that was expected for this array
value: Array<any> // The array itself
}
Description
The array has less elements than the minimum allowed.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Minimum length that was expected for this array
value: Array<any> // The array itself
}
Description
Given an array.ordered()
, that array has more elements than it should.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number, // Index where the value was found in the array
limit: number // Maximum length that was expected for this array
}
Description
A reference was used in one of array.min()
, array.max()
or array.length()
and the value pointed to by that reference in the input is not a valid number for those rules.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
ref: Reference, // Reference used
value: any // Value found using the reference
}
Description
An undefined
value was found in an array that shouldn't be sparse.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number // Index where an undefined value was found in the array
}
Description
A duplicate value was found in an array.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
pos: number, // Index where the duplicate value was found in the array
value: any, // Value that is duplicated
dupePos: number, // Index where the first appearance of the duplicate value was found in the array
dupeValue: any // Value with which the duplicate was met
}
Description
The schema on an array.has()
was not found in the array. This error happens when the schema is labelled.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
patternLabel: string // Label of assertion schema
}
Description
The schema on an array.has()
was not found in the array. This error happens when the schema is unlabelled.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
}
Description
The value is either not a Buffer or could not be cast to a Buffer from a string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
The buffer was not of the specified length.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Length that was expected for this buffer
value: Buffer // The buffer itself
}
Description
The buffer contains more bytes than expected.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Maximum length that was expected for this buffer
value: Buffer // The buffer itself
}
Description
The buffer contains less bytes than expected.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Minimum length that was expected for this buffer
value: Buffer // The buffer itself
}
Description
The value is either not a boolean or could not be cast to a boolean from one of the truthy or falsy values.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The value is either not a date or could not be cast to a date from a string or a number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The date is over the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: Date, // Maximum date
value: Date // Input value as Date
}
Description
The date does not match the ISO 8601 format.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The date is under the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: Date, // Minimum date
value: Date // Input value as Date
}
Description
The date is over or equal to the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: Date, // Maximum date
value: Date // Input value as Date
}
Description
The date is under or equal to the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: Date, // Minimum date
value: Date // Input value as Date
}
Description
A reference was used in one of date.min()
, date.max()
, date.less()
or date.greater()
and the value pointed to by that reference in the input is not a valid date.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
ref: Reference, // Reference used
value: any // Value found using the reference
}
Description
Occurs when the input is not a Date type and convert
is disabled.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Value
}
Description
Failed to be converted from a string or a number to a date as JavaScript timestamp.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
Failed to be converted from a string or a number to a date as Unix timestamp.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The number of arguments for the function doesn't match the required number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
n: number // Expected arity
}
Description
The input is not a function.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The input is not a JavaScript class.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The number of arguments for the function is over the required number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
n: number // Maximum expected arity
}
Description
The number of arguments for the function is under the required number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
n: number // Minimum expected arity
}
Description
The function is not a Joi.ref()
.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: function // Input value
}
Description
The lazy function is not set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
The lazy function didn't return a joi schema.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
schema: any // The value return by the generator function
}
Description
The value is not a number or could not be cast to a number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The number is lower or equal to the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Minimum value that was expected for this number
value: number // The number itself
}
Description
The number is not a valid integer.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: number // Value that failed, likely a floating number
}
Description
The number is higher or equal to the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Maximum value that was expected for this number
value: number // The number itself
}
Description
The number is higher than the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Maximum value that was expected for this number
value: number // The number itself
}
Description
The number is lower than the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Minimum value that was expected for this number
value: number // The number itself
}
Description
The number could not be divided by the multiple you provided.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
multiple: number, // The number of which the input is supposed to be a multiple of
value: number // The number itself
}
Description
The number was positive.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: number // The number itself
}
Description
The number didn't look like a port number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: number // The number itself
}
Description
The number was negative.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: number // The number itself
}
Description
The number didn't have the required precision.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // The precision that it should have had
value: number // The number itself
}
Description
A reference was used in one of number.min()
, number.max()
, number.less()
, number.greater()
, or number.multiple()
and the value pointed to by that reference in the input is not a valid number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
ref: Reference, // Reference used
value: any // Value found using the reference
}
Description
The number is not within the safe range of JavaScript numbers.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
An unexpected property was found in the object.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
child: string, // Property that is unexpected
value: any // Value of that property
}
Description
The AND condition between the properties you specified was not satisfied in that object.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
present: Array<string>, // List of properties that are set
presentWithLabels: Array<string>, // List of labels for the properties that are set
missing: Array<string>, // List of properties that are not set
missingWithLabels: Array<string> // List of labels for the properties that are not set
}
Description
The schema on an object.assert()
failed to validate.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
ref: string, // Dotted path to the property that was checked
message: string // Custom message or default one
}
Description
The value is not of object type or could not be cast to an object from a string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The number of keys for this object is not of the expected length.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Number of keys that was expected for this object
value: object // The object itself
}
Description
The number of keys for this object is over or equal to the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Maximum number of keys
value: object // Input value
}
Description
The number of keys for this object is under or equal to the limit that you set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Minimum number of keys
value: object // Input value
}
Description
The OR or XOR condition between the properties you specified was not satisfied in that object, none of it were set.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
peers: Array<string>, // List of properties were none of it was set
peersWithLabels: Array<string> // List of labels for the properties were none of it was set
}
Description
The NAND condition between the properties you specified was not satisfied in that object.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
main: string, // One of the properties that was present
mainWithLabel: string, // The label of the `main` property
peers: Array<string>, // List of the other properties that were present
peersWithLabels: Array<string> // List of the labels of the other properties that were present
}
Description
Another rename was already done to the same target property.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
from: string, // Origin property name of the rename
to: string // Target property of the rename
}
Description
The target property already exists and you disallowed overrides.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
from: string, // Origin property name of the rename
to: string // Target property of the rename
}
Description
The target property already exists and you disallowed overrides.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
from: Array<string>, // List of property names that matched the regex
to: string // Target property of the rename
}
Description
The target property already exists and you disallowed overrides.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
from: Array<string>, // List of property names that matched the regex
to: string // Target property of the rename
}
Description
The object was not a joi schema.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string // Label if defined, otherwise it's the key
}
Description
The object is not of the type you specified.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
type: string, // Type name the object should have been
value: object // Input value
}
Description
Property that should have been present at the same time as another one was missing.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
main: string, // Property that triggered the check
mainWithLabel: string, // Label of the property that triggered the check
peer: string, // Property that was missing
peerWithLabels: string // Label of the other property that was missing
}
Description
Property that should have been absent at the same time as another one was present.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
main: string, // Property that triggered the check
mainWithLabel: string, // Label of the property that triggered the check
peer: string, // Property that was present
peerWithLabels: string // Label of the other property that was present
}
Description
The XOR condition between the properties you specified was not satisfied in that object.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
peers: Array<string>, // List of properties where none of it or too many of it was set
peersWithLabels: Array<string> // List of labels for the properties where none of it or too many of it was set
}
Description
The optional XOR condition between the properties you specified was not satisfied in that object.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
peers: Array<string>, // List of properties where too many of it was set
peersWithLabels: Array<string> // List of labels for the properties where too many of it was set
}
Description
The string doesn't only contain alphanumeric characters.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string isn't a valid base64 string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The input is not a string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
}
Description
The string is not a valid credit card number.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not a valid data URI.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not a valid e-mail.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not a valid GUID.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string contains hexadecimal characters but they are not byte-aligned.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not a valid hexadecimal string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not a valid hostname.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not a valid IP address considering the provided constraints.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
cidr: string, // CIDR used for the validation
version: Array<string>, // List of IP version accepted
value: string // Input value
}
Description
The string is not a valid IP address.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
cidr: string, // CIDR used for the validation
value: string // Input value
}
Description
The string is not a valid ISO date string.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is not of the expected length.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Length that was expected for this string
encoding: undefined | string, // Encoding specified for the check if any
value: string // Input value
}
Description
The string isn't all lower-cased.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string is larger than expected.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Maximum length that was expected for this string
encoding: undefined | string, // Encoding specified for the check if any
value: string // Input value
}
Description
The string is smaller than expected.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
limit: number, // Minimum length that was expected for this string
encoding: undefined | string, // Encoding specified for the check if any
value: string // Input value
}
Description
The string isn't valid in regards of the normalization form expected.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
form: string, // Normalization form that is expected
value: string // Input value
}
Description
A reference was used in one of string.min()
, string.max()
or string.length()
and the value pointed to by that reference in the input is not a valid number for those rules.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
ref: Reference, // Reference used
value: any // Value found using the reference
}
Description
The string didn't match the regular expression.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
name: undefined, // Undefined since the regular expression has no name
pattern: string, // Regular expression
value: string // Input value
}
Description
The string didn't match the named regular expression.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
name: string, // Name of the regular expression
pattern: string, // Regular expression
value: string // Input value
}
Description
The string matched the regular expression while it shouldn't.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
name: undefined, // Undefined since the regular expression has no name
pattern: string, // Regular expression
value: string // Input value
}
Description
The string matched the named regular expression while it shouldn't.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
name: string, // Name of the regular expression
pattern: string, // Regular expression
value: string // Input value
}
Description
The string isn't a token.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string contains whitespaces around it.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string isn't all upper-cased.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string isn't a valid URI.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The string isn't a valid URI considering the custom schemes.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
scheme: string, // Scheme prefix that is expected in the URI
value: string // Input value
}
Description
The string is a valid relative URI.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: string // Input value
}
Description
The input is not a Symbol.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
...
}
Description
The input is not a Symbol or could not be converted to one.
Context
{
key: string, // Last element of the path accessing the value, `undefined` if at the root
label: string, // Label if defined, otherwise it's the key
value: any // Input value
...
}