Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Nodejs - Joi Check if string is in a given list

Tags:

node.js

joi

I'm using Joi package for server side Validation.
I want to check if a given string is in a given list or if it is not in a given list.(define black list or white list for values)
sth like an "in" or "notIn" function.how can I do that?

var schema = Joi.object().keys({     firstname: Joi.string().in(['a','b']),     lastname : Joi.string().notIn(['c','d']), }); 
like image 750
Salar Avatar asked Dec 31 '16 12:12

Salar


2 Answers

You are looking for the valid and invalid functions.
v16: https://hapi.dev/module/joi/api/?v=16.1.8#anyvalidvalues---aliases-equal
v17: https://hapi.dev/module/joi/api/?v=17.1.1#anyvalidvalues---aliases-equal

As of Joi v16 valid and invalid no longer accepts arrays, they take a variable number of arguments.

Your code becomes

var schema = Joi.object().keys({     firstname: Joi.string().valid(...['a','b']),     lastname: Joi.string().invalid(...['c','d']), }); 

Can also just pass in as .valid('a', 'b') if not getting the values from an array (-:

like image 65
thomasin Avatar answered Sep 22 '22 00:09

thomasin


How about:

var schema = Joi.object().keys({     firstname: Joi.string().valid(['a','b']),     lastname : Joi.string().invalid(['c','d']), }); 

There are also aliases: .allow and .only

and .disallow and .not

like image 23
Robert Moskal Avatar answered Sep 24 '22 00:09

Robert Moskal