Как обновить список полей в MongoDB с помощью Мангуста и Nodehs?

#node.js #arrays #mongodb #express #mongoose-schema

Вопрос:

Здравствуйте, уважаемая команда Stackoverflow.

Я пытаюсь исправить пользователя, который может обрабатывать несколько «устройств». Я использую NodeJS с Express и Мангустом (MongoDB). Моя модель пользователя выглядит следующим образом:

 const userSchema = new Schema({
     name: {type: String, required: true},
     lastname: {type: String, required: true},
     email: {type: String, required: true, trim: true, lowercase: true, unique: 
            true},
     password: {type: String, required: true, minlength: 5},
     userTyp: {type: String, required: true, 
     enum: {values: ['Administrator', 'Doctor','Patient','Optiker'], message: 
           '{VALUE} is not supported' }},
     image: {type: String},
     devices: [ {device: {type: Schema.Types.ObjectId, ref: "Device"}} ]
    });
 

и я хочу, чтобы у меня было что-то подобное каждый раз, когда я делаю патч:

 {
"user": {
    "_id": "6138cd30ffc5239bba72e6c0",
    "name": "Fernando",
    "lastname": "Gonzalez",
    "email": "f.gonzalez@unitransferklinik.de",
    "password": "Hol087 /*",
    "userTyp": "Administrator",
    "image": "sdsadsadsa/asdfasdas",
    "devices": [
        {
            "device": "6138c7587ab4b5fc4d369230"
        },
        {
            "device": "6138c7587ab4b5fc4d365210"
        }
    ],
    }
}
 

Как я могу реализовать свою функцию:

 const updateUser = async (req, res, next) => {
const { name, lastname, email, password, userTyp, device } = req.body;
    const userID = req.params.userID;
    let updatedUser;
    try {
        updatedUser = await User.findById(userID);
    }catch(err){
        console.log(err);
        return next(new HttpError('Something happend.', 500));
    }

    updatedUser.name = name;
    updatedUser.devices = [device, ...updatedUser.devices];
    try{
             updatedUser.save();
        }catch (err) {
            return next(new HttpError('It could not uodate device.', 500));
        }
    });

    res.status(200).json({user: updatedUser.toObject( {getters: true} )});
};
 

Проще говоря, я хочу обновлять список каждый раз, когда я делаю исправление с новым устройством, и позже я могу получить весь список устройств для каждого пользователя.

Большое спасибо! с уважением, Элиот

Ответ №1:

Вы можете использовать функцию findOneAndUpdate библиотеки мангуста

 const dynamicModel = libMongoose.model(collection_name, userSchema);
var filter = { userID: req.params.userID };
var update = { name: name, devices : [...device, ...updatedUser.devices]};
//callback approach
dynamicModel.findOneAndUpdate(filter, update, (err, resp) => {
    if(err) {
        console.log("Error while updating record "   JSON.stringify(err));
    }
    if(!resp) {
        console.log("Couldn't find record");
    } else {
        console.log("Updated data to DB");
    }
});
 

Вы также можете обратиться сюда для асинхронного ожидания, надеюсь, это поможет!