Как сохранить индекс массива mongo от изменения во время обновления? - PullRequest
0 голосов
/ 07 февраля 2019

Я пытаюсь обновить массив в моем объекте.Однако каждый раз, когда я отправляю почтовый вызов, индекс в массиве изменяется.

Я пытался использовать $ set и обновлять массив вручную ... но индекс в массиве продолжает меняться.

Вот модель:

const MappedImageSchema = new Schema({
    imageUrl: {type: String, required: true},
    name: {type: String, required: true},
    areas:[
        {
            name: {type: String},
            shape: {type: String},
            coords:[{type: Number}],
        }
    ]
});
module.exports = MappedImage = mongoose.model('mappedImages', MappedImageSchema)

Вот код, который выполняет обновление:

// @route   POST api/maps/:id/areas
// @desc    add an area to a map (by map id)
// @access  Private
router.post('/:id/areas/:id_area', passport.authenticate('jwt', { session: false }),
    (req, res) => {

        MappedImage.findById(req.params.id)
        .then(map => {

            // get all of the areas from the map...
            var allAreas = map.areas;

            // now get the index of the area we are going to update
            const areaIndex = map.areas.map(item => item._id.toString()).indexOf(req.params.id_area);

            // update the information
            var coords = req.body.coords.split(',');
            const updatedArea = {
                name: req.body.name,
                shape: req.body.shape,

                coords: coords,
            };

            // set the updated information in the correct map area
            allAreas[areaIndex] = updatedArea;

            var query = {_id: req.params.id}; // this is the MAP id
            var update = {$set: {areas:allAreas}};  // update the areas 
            var options = {new: true};

            MappedImage.findOneAndUpdate(query, update, options)
            .then(map => res.json(map))
            .catch(err => res.status(404).json({ mapnotfound: err }));

        })
        .catch(err => res.status(404).json({ mapnotfound: 'Map not found while updating area' }));
    }
  );

Вот данные ДО вызова

{
    "_id": "5c5c69dda40e872258b4531d",
    "imageUrl": "url test",
    "name": "name test",
    "areas": [
        {
        "coords": [1,2,3,4,5,6],
        "_id": "5c5c8db2f904932dd8d4c560",  <---- _id changes every time !
        "name": "area name",
        "shape": "poly"
        }
    ],
    "__v": 3
}

Вот вызов Почтальона, который я делаю:

enter image description here

Результатом вызова является изменение имени ... но и индекс ...при следующем вызове произойдет сбой с "областью с этим индексом не найдено."обновляться при запуске этого кода:

router.post('/:id', passport.authenticate('jwt', { session: false }),
(req, res) => {

    var query = {_id: req.params.id};
    var update = {imageUrl: req.body.imageUrl, name: req.body.name};
    var options = {new: true};

    MappedImage.findOneAndUpdate(query, update, options)
    .then(map => res.json(map))
    .catch(err => res.status(404).json({ mapnotfound: err }));
});

Обновление 1

Я пытался использовать индекс областей и обновлять только эту область ... но _id меняется стакже этот код:

        ... same code all the way down to here
        allAreas[areaIndex] = updatedArea;

        // but instead of calling 'findOneAndUpdate'... call map save
        map.save().then(map => res.json(map));

Обновление 2

Я не могу заставить этот код работать, так как Area._id и Area. $ не определены?

var query = {_id: req.params.id, areas._id: id_area}; // this is the MAP id
var update = {$set: {areas.$: updatedArea}};  // update the area

Обновление 3

Итак, добавление _id в updatedArea устраняет эту проблему ... но это "неправильно": (за ответ eol)

        const updatedArea = {
            _id: req.params.id_area,
            name: req.body.name,
            shape: req.body.shape,

            coords: coords,
        };

Обновление 4

eol - спасибо за проверку на стороне mongoDB ... Если это решит проблему с идентификатором БД ... Мне просто нужнознаю, почему мой запрос терпит неудачу.Я попробовал это, и все, что я вижу в выводе терминала, это «создание запроса» ... Я никогда не вижу «запрос» и его определение ... так что что-то не так, и я не знаю, как это выяснить.Вот что у меня сейчас:

 console.log('creating query');
 var query = {"_id": req.params.id, "areas._id": id_area};
 console.log('query');
 console.log(query);

Обновление 5 Понял, почему запрос не выводится, id_area не определена ... но req.params.id_area есть!

 console.log('creating query');
 var query = {"_id": req.params.id, "areas._id": req.params.id_area};
 console.log('query');

Обновление 6

Код в ... но он все еще не работает.Изображение стоит 1000 слов ... так что здесь два:

На этом изображении идентификатор области все еще меняется:

enter image description here

Вот код, который у меня сейчас есть:

    console.log('Update area');
    console.log('changing area ' + req.params.id_area);
    //console.log(req.body);

    const { errors, isValid } = mapValidators.validateAreaInput(req.body);

    // Check Validation
    if(!isValid){
        return res.status(400).json(errors);
    }

    MappedImage.findById(req.params.id)
    .then(map => {

        // Check to see if area exists
        if (
            map.areas.filter(
            area => area._id.toString() === req.params.id_area
            ).length === 0
        ) {
            return res.status(404).json({ areanotfound: 'Area does not exist' });
        }

        console.log('area exists');

        // get all of the areas from the map...
        var allAreas = map.areas;

        console.log('all areas');
        console.log(allAreas);

        // now get the index of the area we are going to update
        const areaIndex = map.areas.map(item => item._id.toString()).indexOf(req.params.id_area);

        console.log('area index');
        console.log(areaIndex);

        // update the information
        var coords = req.body.coords.split(',');
        const updatedArea = {
            name: req.body.name,
            shape: req.body.shape,
            preFillColor: req.body.preFillColor,
            fillColor: req.body.fillColor,

            coords: coords,
        };

        console.log('updated area');
        console.log(updatedArea);


        // set the updated information in the maps areas
        allAreas[areaIndex] = updatedArea;

        console.log('creating query');
        var query = {"_id": req.params.id, "areas._id": req.params.id_area};
        console.log('query');
        console.log(query);


        var update = {$set: {"areas.$": updatedArea}};
        console.log('update');
        console.log(update);

        var options = {new: true};

        MappedImage.findOneAndUpdate(query, update, options)
        .then(map => res.json(map))
        .catch(err => res.status(404).json({ mapnotfound: err }));

    })
    .catch(err => res.status(404).json({ mapnotfound: 'Map not found while updating area' }));

Вот вывод терминала:

enter image description here

1 Ответ

0 голосов
/ 08 февраля 2019

Вы можете попробовать установить свойство _id в объекте updatedArea со значением области, которую вы хотите обновить.Это предотвратит создание нового идентификатора при использовании оператора $set.Примерно так:

// now get the index of the area we are going to update
const areaIndex = map.areas.map(item => item._id.toString()).indexOf(req.params.id_area);

// update the information
var coords = req.body.coords.split(',');
const updatedArea = {
        _id: id_area,
        name: req.body.name,
        shape: req.body.shape,
        coords: coords,
};
...

Обратите внимание, что с помощью вышеуказанного решения вы всегда устанавливаете новый массив, поэтому новые идентификаторы генерируются.

Вы также можете попробовать обновить конкретный элементв массиве с использованием оператора $ :

var query = {"_id": req.params.id, "areas._id": id_area}; // this is the MAP id
var update = {$set: {"areas.$": updatedArea}};  // update the area

Пример скриншотов ниже (выполнение команд в mongodb-shell), где я пытаюсь обновить тольковторой элемент массива (т.е. с _id 5c5c8db2f904932dd8d4c561)

Before executing command

After executing command

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