$lookup用于对同一数据库中的未分片集合进行左外部联接,以从“联接”集合中过滤文档,以在Mongo中进行处理。
{
$lookup:
{
from: <collection to join>,
localField: <field from the input documents>,
foreignField: <field from the documents of the "from" collection>,
as: <output array field>
}
}
foreignField
是from
集合的嵌套文档的字段吗?
例如,有以下两个集合。
history
集合
[{
id:'001',
history:'today worked',
child_id:'ch001'
},{
id:'002',
history:'working',
child_id:'ch004'
},{
id:'003',
history:'now working'
child_id:'ch009'
}],
childsgroup
集合
[{
groupid:'g001', name:'group1'
childs:[{
id:'ch001',
info:{name:'a'}
},{
id:'ch002',
info:{name:'a'}
}]
},{
groupid:'g002', name:'group1'
childs:[{
id:'ch004',
info:{name:'a'}
},{
id:'ch009',
info:{name:'a'}
}]
}]
那么,这个aggregation
代码可以这样执行吗?
db.history.aggregate([
{
$lookup:
{
from: "childsgroup",
localField: "child_id",
foreignField: "childs.$.id",
as: "childinfo"
}
}
])
所以我想得到这样的结果。
[{
id:'001',
history:'today worked',
child_id:'ch001',
childinfo:{
id:'001',
history:'today worked',
child_id:'ch001'
}
}, .... ]
这不可能吗?
答案 0 :(得分:2)
没有$ lookup的位置运算符,但是您可以在MongoDB 3.6中使用自定义pipeline
来定义自定义联接conditions:
db.history.aggregate([
{
$lookup: {
from: "childsgroup",
let: { child_id: "$child_id" },
pipeline: [
{ $match: { $expr: { $in: [ "$$child_id", "$childs.id" ] } } },
{ $unwind: "$childs" },
{ $match: { $expr: { $eq: [ "$childs.id", "$$child_id" ] } } },
{ $replaceRoot: { newRoot: "$childs" } }
],
as: "childInfo"
}
}
])
首先添加$match
来提高性能:我们只想从childsgroup
中找到包含匹配的child_id
的那些文档,然后我们可以在$unwind
之后匹配子文档。 / p>