Реализация Mongoose для ссылочно-ссылочных отношений в MongoDB - PullRequest
1 голос
/ 17 июня 2019

Мне нужно сделать запрос агрегации, используя ссылку на документ (не со встроенными документами).Я могу сделать этот запрос, используя оболочку mongo, но борясь с его эквивалентной реализацией, используя mongoose.

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

    //Parent Document
    db.artists.insert(
        {
            _id : 4,
            artistname : "Rush"
        }
    )

    //Child Documents
    db.musicians.insert(
        {
            _id : 9,
            name : "Geddy Lee",
            instrument : [ "Bass", "Vocals", "Keyboards" ],
            artist_id : 4
        }
    )
    db.musicians.insert(
        {
            _id : 10,
            name : "Alex Lifeson",
            instrument : [ "Guitar", "Backing Vocals" ],
            artist_id : 4
        }
    )
    db.musicians.insert(
        {
            _id : 11,
            name : "Neil Peart",
            instrument : "Drums",
            artist_id : 4
        }
    )

    //Query
    db.artists.aggregate([
        {
          $lookup:
            {
              from: "musicians",
              localField: "_id",
              foreignField: "artist_id",
              as: "band_members"
            }
       },
       { $match : { artistname : "Rush" } }
    ]).pretty()

    //Result
    {
        "_id" : 4,
        "artistname" : "Rush",
        "band_members" : [
            {
                "_id" : 9,
                "name" : "Geddy Lee",
                "instrument" : [
                    "Bass",
                    "Vocals",
                    "Keyboards"
                ],
                "artist_id" : 4
            },
            {
                "_id" : 10,
                "name" : "Alex Lifeson",
                "instrument" : [
                    "Guitar",
                    "Backing Vocals"
                ],
                "artist_id" : 4
            },
            {
                "_id" : 11,
                "name" : "Neil Peart",
                "instrument" : "Drums",
                "artist_id" : 4
            }
        ]
    }

//I've tried using populate, as well as aggregate. Here are both the implementations:

//Using populate
ArtistSchema.virtual('members', {
   ref: 'MusicianCollection',
   localField: '_id',
   foreignField: 'artist_id',
   justOne: false,
   options: {limit: 5}
})

this.ArtistModel.findById(id).populate('members').exec((err, data) => {
      if (err) console.log(err)
      else artist = data
    })

//in this i get a features array, but its empty


//Using aggregate
let artist = await this.ArtistModel.aggregate([
     { $match: { _id: id} },
     { $lookup: {
       from: 'Musicians',
       localField: '_id',
       foreignField: 'artist_id',
       as: 'members'
     } }
   ]);

//in this the request times out

1 Ответ

1 голос
/ 19 июня 2019

Реализация была очень ясной.Моя не работала из-за проблем с внедрением зависимостей.Хотя вот решение для справки:

Чтобы избежать использования массива ссылочных идентификаторов при ссылках на документы в коллекциях, виртуальное заполнение - это путь.

ArtistSchema.virtual('members', {
   ref: 'MusicianCollection',
   localField: '_id',
   foreignField: 'artist_id',
   justOne: false,
   options: {limit: 5}
})

band = await this.ArtistModel.findById(id).populate('members').exec()
...