24

我来自 sql 背景,所以在我加入表的 sql 中编写查询非常简单,但我想我在 mongoose/mongodb 中缺少它

基本上我知道 Subscriber_ID (映射到用户集合中的文档)

我想拉出项目组,以及用户所属的所有项目,所以如果我要在 pseduo sql 中写这个,那就是

Select 
  ProjectGroup.title, 
  Project.Title 
FROM 
  ProjectGroup, 
  Project, 
  User 
WHERE 
  User.id = req.body.subscriber_id 
  AND Project.subscriber_id = User.id 
  AND  ProjectGroup.project_id = Project.id

必须有一种方法可以在 mongoose/mongodb 中进行类似的连接,因为类型映射到模式对吗?

我的架构......

项目组架构

var ProjectGroupSchema = new Schema({
    title             : String
  , projects          : [ { type: Schema.Types.ObjectId, ref: 'Project' } ]
});

项目架构

var ProjectSchema = new Schema({
    title         : {type : String, default : '', required : true}
  , subscribers   : [{ type: Schema.Types.ObjectId, ref: 'User' }]
});

用户模式

var UserSchema = new Schema({
    first_name    : {type: String, required: true}
  , last_name     : {type: String, required: true}
});

谢谢!

4

2 回答 2

57

你只有一步之遥!

项目组架构:

var ProjectGroupSchema = new Schema({
    title             : String
});

项目架构:

var ProjectSchema = new Schema({
    title         : {type : String, default : '', required : true},
    group         : {type: Schema.Types.ObjectId, ref: 'ProjectGroup' },
    _users    : [{type: Schema.Types.ObjectId, ref: 'User' }]
});

用户架构:

var UserSchema = new Schema({
    first_name    : {type: String, required: true},
    last_name     : {type: String, required: true},
    subscribing   : [{type: Schema.Types.ObjectId, ref: 'Project' }]
});

然后您可以执行以下操作:

user.findById(req.userId)
     .populate('subscribing')
     .exec(function(err, user){
          console.log(user.subscribing);
     })

或者:

project.find({
        subscriber : req.userId
      })
     .populate('subscriber')
     .populate('group')
     .exec(function(err, projects){
          console.log(projects);
     })
于 2013-01-16T21:05:05.500 回答
4

Mongodb 中没有连接。这个问题我认为是一个很好的参考:

MongoDB和“加入”

总而言之,对于将通过关系数据库中的连接解决的问题,mongodb 必须采用不同的策略。我会说你最终主要做以下两件事之一:

  • 嵌入:您将信息嵌入到单个文档中,该文档将在关系数据库中分布在不同的表中。
  • 加入信息客户端:当你需要使用来自多个地方的信息时,你会多次查询,然后在你的客户端中将这些碎片拼凑在一起。
于 2013-01-16T19:57:35.350 回答