我正在尝试验证将插入到新文档中的一些数据,但不是在许多其他事情需要发生之前。因此,我将向静态方法添加一个函数,该函数有望根据模型模式验证数组中的对象。
到目前为止的代码如下:
module.exports = Mongoose => {
const Schema = Mongoose.Schema
const peopleSchema = new Schema({
name: {
type: Schema.Types.String,
required: true,
minlength: 3,
maxlength: 25
},
age: Schema.Types.Number
})
/**
* Validate the settings of an array of people
*
* @param {array} people Array of people (objects)
* @return {boolean}
*/
peopleSchema.statics.validatePeople = function( people ) {
return _.every(people, p => {
/**
* How can I validate the object `p` against the peopleSchema
*/
})
}
return Mongoose.model( 'People', peopleSchema )
}
所以这peopleSchema.statics.validatePeople
就是我试图进行验证的地方。我已经阅读了猫鼬验证文档,但它没有说明如何在不保存数据的情况下验证模型。
这可能吗?
更新
这里的一个答案向我指出了正确的验证方法,这似乎有效,但现在它抛出了一个Unhandled rejection ValidationError
.
这是用于验证数据的静态方法(不插入)
peopleSchema.statics.testValidate = function( person ) {
return new Promise( ( res, rej ) => {
const personObj = new this( person )
// FYI - Wrapping the personObj.validate() in a try/catch does NOT suppress the error
personObj.validate( err => {
if ( err ) return rej( err )
res( 'SUCCESS' )
} )
})
}
然后我测试一下:
People.testValidate( { /* Data */ } )
.then(data => {
console.log('OK!', data)
})
.catch( err => {
console.error('FAILED:',err)
})
.finally(() => Mongoose.connection.close())
使用不遵循架构规则的数据对其进行测试会引发错误,如您所见,我试图捕捉它,但它似乎不起作用。
PS我用 Bluebird 来兑现我的承诺