我有一些这样的文件:
{
"user": '1'
},
{ "user": '1'
},
{
"user": '2'
},
{
"user": '3'
}
我希望能够获得一组所有不同的用户及其各自的计数,按降序排序。所以我的输出将是这样的:
{
'1': 2,
'2': 1,
'3': 1
}
我认为这可以通过Mongo aggregate()来完成,但是我很难找到正确的流程。
答案 0 :(得分:48)
您可以通过 aggregation
获取结果(不是您所需的格式)db.collection.aggregate(
{$group : { _id : '$user', count : {$sum : 1}}}
).result
示例文档的输出是:
"0" : {
"_id" : "2",
"count" : 1
},
"1" : {
"_id" : "3",
"count" : 1
},
"2" : {
"_id" : "1",
"count" : 2
}
答案 1 :(得分:4)
对于任何在2019年1月阅读此内容的人,当前接受的答案目前在Robo3T中不起作用(返回pipeline.length - 1
错误)。
您必须:
a)将查询包装在一组方括号[]
b)从末尾删除.result
https://github.com/Studio3T/robomongo/issues/1519#issuecomment-441348191
这是@disposer接受的答案的更新,适用于Robo3T。
db.getCollection('collectionName').aggregate(
[ {$group : { _id : '$user', count : {$sum : 1}}} ]
)
答案 2 :(得分:2)
在MongoDb 3.6和更高版本中,您可以利用 $arrayToObject
运算符和 $replaceRoot
管道的使用来获得所需的结果。您将需要运行以下聚合管道:
db.collection.aggregate([
{ "$group": {
"_id": "$user",
"count": { "$sum": 1 }
} },
{ "$sort": { "_id": 1 } },
{ "$group": {
"_id": null,
"counts": {
"$push": {
"k": "$_id",
"v": "$count"
}
}
} },
{ "$replaceRoot": {
"newRoot": { "$arrayToObject": "$counts" }
} }
])
产生
{
"1" : 2,
"2" : 1,
"3" : 1
}
答案 3 :(得分:1)
您可以使用以下聚合查询,它还会根据需要以降序对结果进行排序。
db.collection.aggregate([
{ $group: { _id: "$user", count: { $sum: 1 } } },
{ $sort: { count: -1 } }
])