欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

mongoose中利用populate处理嵌套的方法

程序员文章站 2022-06-11 22:29:47
前言 nodejs在使用mongdb数据库中经常会使用到嵌套,比如一个多级分类等。这里我使用学校-->学院-->学生来展示使用populate处理嵌套。 定...

前言

nodejs在使用mongdb数据库中经常会使用到嵌套,比如一个多级分类等。这里我使用学校-->学院-->学生来展示使用populate处理嵌套。

定义modal

在模式中,我们需要使用schema.objectid来表示要指向数据在mongodb数据库中的_id。

学校

在学校的schema中,colleges属性是要包含的学院的_id属性数组。

var schoolschema = new schema({
 name: string,
 colleges: [{
 type: schema.objectid,
 ref: 'college'
 }],
 createtime: {
 type: date,
 default: date.now()
 }
});
var school = mongoose.model('school', schoolschema);

学院

var collegeschema = new schema({
 name: string,
 students: [{
 type: schema.objectid,
 ref: 'student'
 }],
 createtime: {
 type: date,
 default: date.now()
 }
});
var college = mongoose.model('college', collegeschema);

学生

var studentschema = new schema({
 name: string,
 sex: string,
 age: number,
 createtime: {
 type: date,
 default: date.now()
 }
});
var student = mongoose.model('student', studentschema);

查找

直接查找

查找学校并找到指向的学院

school
 .find()
 .populate('colleges', ['_id','name'])
 .exec((err, schools) => {
 if (err) {
 console.log(err)
 }
 console.log(schools)
 })

populate的第一个参数是学校表中需要指向学院表的属性,即colleges;第二个参数为要在学院中查找的属性。如果不填写第二个参数,则默认全都查出。

这样查找出的结果中,学院的学生属性是该学院包含的学生的_id属性。如果需要都查找出来需要使用嵌套populate。

嵌套

school
 .find()
 .populate({
 path: 'colleges',
 select: ['_id', 'name'],
 // model: 'college',
 populate: {
 path: 'students',
 select: ['_id', 'name']
 // model: 'student'
 }
 })
 .sort({
 createtime: -1
 }).exec(function(err, schools) {
 if (err) {
 console.log(err)
 }
 });

总结

以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对的支持。