Skip to content Skip to sidebar Skip to footer

How Do You Validate That A Property Of A Nested Document Is Present When That Nested Document Exists?

user.schema.js var Schema = require('mongoose').Schema; var uniqueValidator = require('mongoose-unique-validator'); var _ = require('lodash'); var userSchema = new Schema({ loca

Solution 1:

Adam, why don't you try a pre-validate hook that conditionally passes an error to the next function. I think this'll give you the flexibility you're looking for. Let me know if it doesn't work.

For example

schema.pre('validate', function(next) {
  if(/*your error case */){ next('validation error text') }
  else { next() }
})

This will cause mongoose to send a ValidationError back to whoever tried to save the document.

Solution 2:

Looks like you are trying to create a custom validation. Not sure if you implemented everything you need for it. It looks like this:

// make sure every value is equal to "something"functionvalidator (val) {
  return val == 'something';
}
new Schema({ name: { type: String, validate: validator }});

// with a custom error messagevar custom = [validator, 'Uh oh, {PATH} does not equal "something".']
new Schema({ name: { type: String, validate: custom }});

// adding many validators at a timevar many = [
    { validator: validator, msg: 'uh oh' }
  , { validator: anotherValidator, msg: 'failed' }
]
new Schema({ name: { type: String, validate: many }});

// or utilizing SchemaType methods directly:var schema = new Schema({ name: 'string' });
schema.path('name').validate(validator, 'validation of `{PATH}` failed with 
value `{VALUE}`');

here is the link: mongoose custom validation

Post a Comment for "How Do You Validate That A Property Of A Nested Document Is Present When That Nested Document Exists?"