我在MongoDB中有一系列文档(检查事件),如下所示:
{
"_id" : ObjectId("5397a78ab87523acb46f56"),
"inspector_id" : ObjectId("5397997a02b8751dc5a5e8b1"),
"status" : 'defect',
"utc_timestamp" : ISODate("2014-06-11T00:49:14.109Z")
}
{
"_id" : ObjectId("5397a78ab87523acb46f57"),
"inspector_id" : ObjectId("5397997a02b8751dc5a5e8b2"),
"status" : 'ok',
"utc_timestamp" : ISODate("2014-06-11T00:49:14.109Z")
}
我需要得到一个这样的结果集:
[
{
"date" : "2014-06-11",
"defect_rate" : '.92'
},
{
"date" : "2014-06-11",
"defect_rate" : '.84'
},
]
换句话说,我需要得到每天的平均缺陷率。这有可能吗?
最佳答案
聚合框架就是您想要的:
db.collection.aggregate([
{ "$group": {
"_id": {
"year": { "$year": "$utc_timestamp" },
"month": { "$month": "$utc_timestamp" },
"day": { "$dayOfMonth": "$utc_timestamp" },
},
"defects": {
"$sum": { "$cond": [
{ "$eq": [ "$status", "defect" ] },
1,
0
]}
},
"totalCount": { "$sum": 1 }
}},
{ "$project": {
"defect_rate": {
"$cond": [
{ "$eq": [ "$defects", 0 ] },
0,
{ "$divide": [ "$defects", "$totalCount" ] }
]
}
}}
])
因此,首先使用date aggregation operators对当天进行分组,并获取给定日期的项目总数。这里使用的
$cond
操作符确定“状态”实际上是否是缺陷,结果是一个条件$sum
中只计算“缺陷”值。一旦每天对这些进行分组,您只需对结果进行
$divide
检查,并用$cond
再次检查,以确保您没有被零除。关于mongodb - MongoDB中的条件分组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/24153476/