我尝试使用joi验证对象中的未知键和值。
我引用了此链接([1]:Joi object validation: How to validate values with unknown key names?),但是我尝试了一下,但在我的情况下不起作用。任何您提供任何解决方案的地方。
产品系列
{ "product_name": "electricals",
"product_category": "5d452fb9cc012a8e7c368e30",
"product_images": [ "http://www.Vr.com", "http://www.qU.com" ],
"product_overview": "i29bbA55a1",
"product_description": "oXm8uFbIc3",
"product_specification": { "brand": "#$%EYE" } }
JOI验证
static validateNewProduct(Product) {
const joiNewProductSchema = {
product_name: Joi.string()
.min(productSchema.product_name.min)
.max(productSchema.product_name.max)
.regex(regexConstants.name.pattern)
.required(),
product_category: Joi.objectId().required(),
product_images: Joi.array()
.items(Joi.string().uri())
.required(),
product_description: Joi.string()
.min(productSchema.product_description.min)
.max(productSchema.product_description.max)
.regex(regexConstants.description.pattern)
.required(),
product_overview: Joi.string()
.min(productSchema.product_overview.min)
.max(productSchema.product_overview.max)
.regex(regexConstants.overview.pattern)
.required(),
product_specification: Joi.object().pattern(
regexConstants.description.pattern,
Joi.string()
.min(productSchema.product_specification.min)
.max(productSchema.product_specification.max)
.required()
)
.required(),
product_warranty_text: Joi.string()
.min(productSchema.product_warranty_text.min)
.max(productSchema.product_warranty_text.max)
.regex(regexConstants.description.pattern),
product_promotion: Joi.array().items(Joi.objectId())
};
return Joi.validate(Product, joiNewProductSchema);
}
Product_Specification是对象未知键和值。在我的情况下,对象值不应以特殊字符开头。但是我给它指定了产品规范中的虚拟产品数据无效,但我运行了将其成功插入db的代码。它没有抛出验证错误。
答案 0 :(得分:1)
这部分在这里:
product_specification: Joi.object().pattern(
regexConstants.description.pattern,
Joi.string()
.min(productSchema.product_specification.min)
.max(productSchema.product_specification.max)
.required()
)
表示键应与regexConstants.description.pattern
模式匹配,并且这些键的值应为Joi.string()
,并具有给定的最小和最大长度限制。换句话说,您只能将值限制为一定长度的字符串,而不是说什么字符有效。
我的猜测是,实际上想使用regexConstants.description.pattern
作为值的模式,而不关心验证键吗?在这种情况下,您应该改为执行以下操作:
product_specification: Joi.object().pattern(
/^/, // any key is ok
Joi.string()
.min(productSchema.product_specification.min)
.max(productSchema.product_specification.max)
.regex(regexConstants.description.pattern)
.required()
)
更新:
也要使用相同的模式来验证密钥:
product_specification: Joi.object().pattern(
regexConstants.description.pattern,
Joi.string()
.min(productSchema.product_specification.min)
.max(productSchema.product_specification.max)
.regex(regexConstants.description.pattern)
.required()
)