我认为这很简单,但是我觉得将自定义验证器与现有验证器链接会导致req对象发生奇怪的事情,这似乎是不确定的:
req.checkBody('Game18awayScore', 'must be between 0 and 30').isInt({min:0, max:30}).custom((value,{ req }) => {
console.log(something);
if (Math.abs(value - req.body.Game18homeScore) < 2){
if (value < 30 && req.body.Game18homeScore < 30){
throw new Error("winning score isn't 2 greater than losing score");
}
}
});
req.checkBody('homeMan1', 'Please choose a player.').notEmpty().custom((value,{req}) => {
if (value != 0){
if (value == req.body.homeMan2 || value == req.body.homeMan3 || value == req.body.awayMan1 || value == req.body.awayMan2 || value == req.body.awayMan3){
throw new Error("can't use the same player more than once")
}
}
});
但是我一直在得到:
TypeError: Cannot destructure property
要求of 'undefined' or 'null'.
第一个习惯是检查两个值之间是否存在至少两个差异,除非其中一个值是30。
第二个习惯是检查其他5个选项中未使用一个值。
我应该添加,此代码块在验证函数中:
function validateScorecard (req,res,next){ [all my validations for the form including the ones above] }
,然后包含在路由中:
app.post('/scorecard-beta',validateScorecard, fixture_controller.full_fixture_post);
有什么想法吗?
答案 0 :(得分:1)
在使用旧版API(例如.custom()
)时,使用req.checkBody(...).custom()
来指定这样的内联验证器是行不通的。
多年来,旧版API以完全不同的方式支持自定义验证器:
您可以在express-validator中间件中将它们指定为选项,并且在使用req.checkBody(...)
时可以使用它们。
然后,它们可以接收除字段值以外的其他参数。
示例:
app.use(expressValidator({
customValidators: {
isMagicNumber(value, additionalNumbers) {
return value === 42 || additionalNumbers.includes(value);
}
}
}));
app.post('/captcha', (req, res, next) => {
// world's safest captcha implementation
req.checkBody('answer').isMagicNumber();
req.checkBody('answer').isMagicNumber([req.user.age]);
});
.custom()
调用之所以可以工作是因为该方法在那里,但是在旧版API内部,express-validator不知道您如何定义它。
您的解决方案?
.custom()
产生冲突。