我的数据看起来像这样:
{
"_id" : "9aa072e4-b706-47e6-9607-1a39e904a05a",
"customerId" : "2164289-4",
"channelStatuses" : {
"FOO" : {
"status" : "done"
},
"BAR" : {
"status" : "error"
}
},
"channel" : "BAR",
}
我的聚合/组如下所示:
{
"_id" : {
"customerId" : "$customerId",
"channel" : "$channel",
"status" : "$channelStatuses[$channel].status"
},
"count" : {
"$sum" : 1
}
}
所以基本上使用示例数据,该组应该给我一个分组的组:
{"customerId": "2164289-4", "channel": "BAR", "status": "error"}
但是我不能在聚合/组中使用 [] 索引。我应该怎么做?
使用 .aggregate()
无法通过当前结构获得所需的结果。您"可以"更改结构以使用数组而不是命名键,并且操作实际上非常简单。
因此,使用以下文档:
{
"_id" : "9aa072e4-b706-47e6-9607-1a39e904a05a",
"customerId" : "2164289-4",
"channelStatuses" : [
{
"channel": "FOO",
"status" : "done"
},
{
"channel": "BAR",
"status" : "error"
}
],
"channel" : "BAR",
}
然后,您可以在现代版本中使用 $filter
、$map
和 $arrayElemAt
执行以下操作:
{ "$group": {
"_id": {
"customerId" : "$customerId",
"channel" : "$channel",
"status": {
"$arrayElemAt": [
{ "$map": {
"input": { "$filter": {
"input": "$chanelStatuses",
"as": "el",
"cond": { "$eq": [ "$$el.channel", "$channel" ] }
}},
"as": "el",
"in": "$$el.status"
}},
0
]
}
},
"count": { "$sum": 1 }
}}
旧版本的MongoDB将需要$unwind
来访问匹配的数组元素。
在MongoDB 2.6中,您仍然可以在展开之前"预过滤"数组:
[
{ "$project": {
"customerId": 1,
"channel": 1,
"status": {
"$setDifference": [
{ "$map": {
"input": "$channelStatuses",
"as": "el",
"in": {
"$cond": [
{ "$eq": [ "$$el.channel", "$channel" ] },
"$$el.status",
false
]
}
}},
[false]
]
}
}},
{ "$unwind": "$status" },
{ "$group": {
"_id": {
"customerId": "$customerId",
"channel": "$channel",
"status": "$status"
},
"count": { "$sum": 1 }
}}
]
在此之前的任何内容,您都在$unwind
之后"过滤":
[
{ "$unwind": "$channelStatuses" },
{ "$project": {
"customerId": 1,
"channel": 1,
"status": "$channelStatuses.status",
"same": { "$eq": [ "$channelStatuses.status", "$channel" ] }
}},
{ "$match": { "same": true } },
{ "$group": {
"_id": "$_id",
"customerId": { "$first": "$customerId" },
"channel": { "$first": "$channel" },
"status": { "$first": "$status" }
}},
{ "$group": {
"_id": {
"customerId": "$customerId",
"channel": "$channel",
"status": "$status"
},
"count": { "$sum": 1 }
}}
]
在比MongoDB 2.6更低的版本中,您还需要$project
两个字段之间的相等性测试结果,然后在单独的阶段中$match
结果。您可能还会注意到"两个"$group
阶段,因为第一个阶段通过$first
累加器删除过滤器后"channel"
值的任何可能重复项。以下$group
与上一个列表中完全相同。
但是,如果您无法更改结构并且需要键的"灵活"匹配,而您无法提供每个名称,那么您必须使用 mapReduce:
db.collection.mapReduce(
function() {
emit({
"customerId": this.customerId,
"channel": this.channel,
"status": this.channelStatuses[this.channel].status
},1);
},
function(key,values) {
return Array.sum(values);
},
{ "out": { "inline": 1 } }
)
当然,你可以在哪里使用这种符号