Mongoose:使用_id以外的字段填充路径

2022-03-04 00:00:00 mongodb node.js schema javascript mongoose

默认情况下,mongoose/mongo将使用_id字段填充路径,并且似乎无法将_id更改为其他值。

这里是我的两个一对多关系连接的模型:

const playlistSchema = new mongoose.Schema({
  externalId: String,
  title: String,
  videos: [{
    type: mongoose.Schema.Types.ObjectId,
    ref: 'Video',
  }],
});

const videoSchema = new mongoose.Schema({
  externalId: String,
  title: String,
});
通常,在查询播放列表时,您只需使用.populate('videos')填充videos,但在我的示例中,我希望使用externalId字段而不是默认的_id。这可能吗?


解决方案

据我所知,目前Mongoose实现这一点的方式是使用virtuals。在填充虚拟时,您可以将localFieldforeignField 指定为您想要的任何值,因此您不再绑定到默认的_idforeignField。有关此here的更多详细信息。

对于问题中描述的方案,您需要向playerlistSchema添加一个虚拟的,如下所示:

playlistSchema.virtual('videoList', {
  ref: 'Video', // The model to use
  localField: 'videos', // The field in playerListSchema
  foreignField: 'externalId', // The field on videoSchema. This can be whatever you want.
});

现在,每当您查询播放器列表时,都可以填充videoList虚拟对象以获取引用的视频文档。

PlaylistModel
  .findOne({
    // ... whatever your find query needs to be
  })
  .populate('videoList')
  .exec(function (error, playList) {
    /* if a playList document is returned */
    playList.videoList; // The would be the populated array of videos
  })

相关文章