I use fastest-validator for validation. I want password field to contain at least one character and one number. I need a message for validating at least one character and a message for validating one number. here is my code:
const Validator = require("fastest-validator");
const v = new Validator();
const registerSchema = {
email: { type: "email"},
pass: { type: "string",pattern:'/.*[0-9].*/', min: 8, max: 20 },
};
//also I need a pattern to check at least one char is used and its message specific for it.
exports.validateRegister = v.compile(registerSchema);
CodePudding user response:
It can be done with a custom validator, see Custom validation for built-in rules:
const Validator = require("fastest-validator");
const v = new Validator({
useNewCustomCheckerFunction: true, // using new version
messages: {
// Register our new error message text
atLeastOneLetter: "The pass value must contain at least one letter from a-z and A-Z ranges!",
atLeastOneDigit: "The pass value must contain at least one digit from 0 to 9!"
}
});
const schema = {
email: {type:"email"},
pass: {
type: "string",
custom: (v, errors) => {
if (!/[0-9]/.test(v)) errors.push({ type: "atLeastOneDigit" });
if (!/[a-zA-Z]/.test(v)) errors.push({ type: "atLeastOneLetter" });
return v;
},
min:8,
max:20,
messages: {
stringPattern: "pass value must contain a digit",
stringMin: "Your pass value is too short",
stringMax: "Your pass value is too large",
}
}
}
const check = v.compile(schema);
console.log( check( {email:"[email protected]", pass: "JohnABCD"} ));
console.log( check( {email:"[email protected]", pass: "123456789"} ));
console.log( check( {email:"[email protected]", pass: "12A"} ));
console.log( check( {email:"[email protected]", pass: "12A12A12A12A12A12A12A12A12A12A"} ));
Output of node fv.js
(this is how I named the file with the above code):
# node fv.js
[ { message:
'The pass value must contain at least one digit from 0 to 9!',
field: 'pass',
type: 'atLeastOneDigit' } ]
[ { message:
'The pass value must contain at least one letter from a-z and A-Z ranges!',
field: 'pass',
type: 'atLeastOneLetter' } ]
[ { type: 'stringMin',
message: 'Your pass value is too short',
field: 'pass',
expected: 8,
actual: 3 } ]
[ { type: 'stringMax',
message: 'Your pass value is too large',
field: 'pass',
expected: 20,
actual: 30 } ]