MongoDB 计算与查询匹配的文档的真值和假值总数

MongoDB Count total number of true and false values for documents matching a query

使用以下数据,我将如何使用 MongoDB 对聚合查询的支持来计算 pollId "hr4946-113" 的记录集合的赞成票和反对票的总数。

{ "_id" : ObjectId("54abcdbeba070410146d6073"), "userId" : "1234", "pollId" : "hr4946-113", "vote" : true, "__v" : 0 }
{ "_id" : ObjectId("54afe32fec4444481b985711"), "userId" : "12345", "pollId" : "hr2840-113", "vote" : true, "__v" : 0 }
{ "_id" : ObjectId("54b66de68dde7a0c19be987b"), "userId" : "123456", "pollId" : "hr4946-113", "vote" : false }

这是预期的结果。

{
   "yesCount": 1,
   "noCount":1
}

aggregation framework就是你的答案:

db.collection.aggregate([
    { "$match": { "pollId": "hr4946-113" } },
    { "$group": {
        "_id": "$vote",
        "count": { "$sum": 1 }
    }}
])

基本上 $group operator gathers all the data by "key", and "grouping operators" like $sum 对值进行处理。在这种情况下,只需在边界上添加 1 来表示计数。

给你:

{ "_id": true, "count": 1 }, 

您可能会很傻,并使用 $cond 运算符有条件地评估字段值,将其扩展为单个文档响应:

db.collection.aggregate([
    { "$match": { "pollId": "hr4946-113" } },
    { "$group": {
        "_id": "$vote",
        "count": { "$sum": 1 }
    }},
    { "$group": {
        "_id": null,
        "yesCount": {
            "$sum": {
                "$cond": [ "_id", 1, 0 ]
            }
        },
        "noCount": {
            "$sum": {
                "$cond": [ "_id", 0, 1 ]
            }
        }
    }},
    { "$project": { "_id": 0 } }
])

结果:

{ "yesCount": 1, "noCount": 0 }