我有下一个情况。
在parameters
集合中,我的文档中包含键groups
,其中值为ids
来自其他集合的文档。这就像引用另一个集合的FOREIGN键。
在另一个集合中,我们有与'_ids'对应的文档,这些文档存储在主parameters
集合中。
以下是parameters
集合中的一个示例文档:
{
"_id" : ObjectId("538726134ba2222c0c0248b6"),
"name" : "Potta",
"groups" : [
"54c91b2c4ba222182e636943"
]
}
我需要按组排序,但正如您在主要集合组中看到的那样,值是ID,但我想按组名排序。
以下是groups
集合中的一个示例集合。
{
"_id" : ObjectId("54c91b2c4ba222182e636943"),
"name" : "Group 01",
}
这可以在Mongo DB中实现吗?
由于
答案 0 :(得分:5)
鉴于数据是
> db.parameters.find({})
{ "_id" : ObjectId("56cac0cd0b5a1ffab1bd6c12"), "name" : "potta", "groups" : [ "
123", "234" ] }
> db.groups.find({})
{ "_id" : "123", "name" : "Group01" }
{ "_id" : "234", "name" : "Group02" }
在mongodb 3.2
下,您可以通过$lookup
执行此操作,以在同一数据库中对未经修改的集合执行左外连接,然后对sort
组名称执行如下操作。
> db.parameters.aggregate([
{$unwind: '$groups'},
{$lookup: {
from: 'groups',
localField: 'groups',
foreignField: '_id',
as: 'gr'}},
{$sort: {'gr.name': 1}}])
对于3.2
下,请尝试按以下步骤进行操作
> var pa = db.parameters.find({});
> pa.forEach(function(doc) {
var ret = db.groups
.find({_id: {$in: doc.groups}})
.sort({name: 1});
ret.forEach(printjson)
});
或者您可以通过以下mapReduce
执行此操作
// emit group id from parameters collection
> var map_param = function() {
var that = this;
this.groups.forEach(function(g){emit(that._id, g);})};
// emit group id and name from group collection
> var map_group = function() {emit(this._id, this.name);}
// combine those results from map functions above
> var r = function(k, v) {
var result = {id: '', name: ''};
v.forEach(function(val){
if (val.id !== null){ result.id = val;}
if (val.name !== null) {result.name = val;}
});
return result;};
> db.parameters.mapReduce(map_param, r, {out: {reduce: 'joined'}})
> db.groups.mapReduce(map_group, r, {out: {reduce: 'joined'}, sort: {name: 1}})
最终,排序后的结果位于joined
集合中。