Как добавить схему динамически в MongoDB / Mongoose - PullRequest
0 голосов
/ 17 октября 2018

Я хочу создать базу данных, которая определяется пользователем, каждый пользователь может иметь свой собственный вид базы данных.Поэтому я использовал strict: false Но теперь проблема в том, что я не могу заставить пользователя определить type каждой схемы под моделью

Пример

const mongoose = require('mongoose');

const testSchema = new mongoose.Schema({
    label: {
        required: 'please enter label',
        trim: true,
        type: String
    },
    url: {
        type: String,
        trim: true,
    },
    settings: {}  //User defined 
    }, {
        timestamps: true, strict: false
    });


module.exports = mongoose.model('test', testSchema);

В приведенном выше примере я хочунастройка, определяемая пользователем, например,

{
    "label": "About Us",
    "url": "www.google.com",
    "settings": { 
        "name": {
            "type": "String",   //Problem is Here, i can't send datatype directly
            "required": true
            },
        "age": {
            "type": "Number",
            "required": true,
            "enum": [10, 12]
        }
    }
}

Итак, скажите, пожалуйста, помогите мне, как я могу заставить пользователя определить тип схемы?

Ответы [ 2 ]

0 голосов
/ 17 октября 2018

определите ваше поле настроек как Schema.Types.Mixed , чтобы вы могли устанавливать любые поля внутри него, например Number , String , Array , Date , Boolean ..etc

const mongoose = require('mongoose');

const testSchema = new mongoose.Schema({
    label: {
        required: 'please enter label',
        trim: true,
        type: String
    },
    url: {
        type: String,
        trim: true,
    },
    settings: {
      type:Schema.Types.Mixed ,
      default: {}
    } 
    }, {
        timestamps: true, strict: false
    });


module.exports = mongoose.model('test', testSchema);

Покасохранение документа:

app.post('/save',function(req,res){
    var setting = {};
    setting.age= req.body.age;
    setting.name= req.body.name;

   var test = new Test({
       test.label: req.body.label;
       test.url :req.body.url;
       test.setting: setting
    });
  test.save(function(err){
     if(err) {return res.json(err);}
     else{ res.json({status:'success',message:'saved.'});}
   });

});
0 голосов
/ 17 октября 2018

strict: true не означает, что вы можете передать что-либо в поле settings.

Это означает, что формат вашей схемы является динамическим - в документе могут быть неожиданные имена полей, которые не определены в схеме.

Ответ на Ваш вопрос:

Похоже, что вы хотите поддокумент, давайте создадим другую схему и прикрепим ее как тип:

const mongoose = require('mongoose');
const Schema = mongoose.Schema;
const types = Schema.Types;

const testSettingsSchema = new Schema({
  name: {
    type: types.String,
    required: true
  },
  age: {
    type: types.Number,
    required: true
    enum: [10, 12]
  }
},
{
  _id : false,
  timestamps: false, 
  strict: false
});

const testSchema = new Schema({
  label: {
    required: 'please enter label',
    trim: true,
    type: types.String
  },
  url: {
    type: types.String,
    trim: true,
  },
  settings: {
    type: testSettingsSchema,
    required: true
  }
}, 
{
  timestamps: true, 
  strict: true
});


module.exports = mongoose.model('test', testSchema);

Но чтобы получить больше гибкости и избежать создания большого test документа (поскольку пользователь может выдвинуть непредсказуемый большой объект), создайте другую схему: testSettings, которая указывает на коллекцию test_settings, и заполните поле settings длябыть ссылкой:

const mongoose = require('mongoose');
const Schema = mongoose.Schema;
const types = Schema.Types;

const testSettingsSchema = new Schema({
  name: {
    type: types.Mixed
  },
  age: {
    type: types.Mixed
  }
},
{
  collection: 'test_settings',
  timestamps: false, 
  strict: false // tells to mongoose that schema may "grow"
});
mongoose.model('testSettings', testSettingsSchema);

const testSchema = new Schema({
  label: {
    required: 'please enter label',
    trim: true,
    type: types.String
  },
  url: {
    type: types.String,
    trim: true,
  },
  settings: {
    type: types.ObjectId,
    ref: 'testSettings'
    default: null
  }
}, 
{
  collection: 'tests',
  timestamps: true, 
  strict: true
});


module.exports = mongoose.model('test', testSchema);

создать его как:

const Test = mongoose.model('test');
const TestSettings = mongoose.model('testSettings');

app.post('/tests', async (req, res) => {
  try {
    const testSettings = await TestSettings.create(req.body.settings);

    const test = new Test(req.body);
    test.settings = testSettings._id;
    await test.save();

    res.status(201).send({_id: test._id});
  }
  catch(error) {
    res.status(500).send({message: error.message});
  }
});

и по запросу получить его как:

const Test = mongoose.model('test');

app.get('/tests/:id', async (req, res) => {
  try {
    const test = await Test.findById(req.params.id)
                           .populate('settings')
                           .lean();
    res.status(200).send(test);
  }
  catch(error) {
    res.status(500).send({message: error.message});
  }
});
...