MongoDB
 sql >> Database >  >> NoSQL >> MongoDB

Come convalidare le chiavi e i valori degli oggetti in Mongoose Schema?

Opzione 1 (con "dizionari"): Puoi usare l'Object costruttore come SchemaType per utilizzare un oggetto invece di una matrice di oggetti. Ecco un esempio che si applica alla tua situazione utilizzando SchemaType#validate :

offersInCategory: {
  type: Object,
  validate: object => { //our custom validator, object is the provided object
    let allowedKeys = ['Furniture', 'Household', 'Electronicts', 'Other'];
    let correctKeys = Object.keys(object).every(key => allowedKeys.includes(key)); //make sure all keys are inside `allowedKeys`

    let min = 5;
    let max = 10;
    let correctValues = Object.values(object).every(value => value > min && value < max); //make sure all values are in correct range

    return correctKeys && correctValues; //return true if keys and values pass validation
  }
}

Ciò non applica i controlli delle chiavi duplicate perché un oggetto non può avere chiavi duplicate , la chiave successiva presente sovrascrive semplicemente la chiave precedente:

> let foo = { bar: 4, bar: 5}
< Object { bar: 5 }

Come puoi vedere, la bar: 4 la chiave assegnata in precedenza viene sovrascritta dalla chiave successiva.

Opzione 2 (con array): Puoi utilizzare SchemaType#validate per implementare la tua convalida personalizzata su un determinato percorso del documento. Ecco un esempio di ciò che desideri:

offersInCategory: [{
  validate: {
    validator: array => { //our custom validator, array is the provided array to be validated
      let filtered = array.filter((obj, index, self) => self.findIndex(el => el.category === obj.category) === index); //this removes any duplicates based on object key
      return array.length === filtered.length; //returns true if the lengths are the same; if the lengths aren't the same that means there was a duplicate key and validation fails
    },
    message: 'Detected duplicate keys in {VALUE}!'
  }
  category: {
    type: String, 
    enum: ['Furniture', 'Household', 'Electronicts', 'Other'] //category must be in this enum
  },
  val: {
    type: Number, 
    min: 0, //minimum allowed number is 0
    max: 10 //maximum allowed number is 10
  }
}]

E se lo provi, eliminerà gli oggetti nell'array con chiavi duplicate (mantenendo quella precedente) e verificherà se l'array contiene solo oggetti con category univoca chiavi.