从 3.4 版本开始,我们可以使用允许在阶段$switch
进行逻辑条件处理的运算符。$group
当然,我们仍然需要使用$sum
累加器来返回总和。
db.Sentiments.aggregate(
[
{ "$group": {
"_id": "$Company",
"SumPosSenti": {
"$sum": {
"$switch": {
"branches": [
{
"case": { "$gt": [ "$Sentiment", 0 ] },
"then": "$Sentiment"
}
],
"default": 0
}
}
},
"SumNegSenti": {
"$sum": {
"$switch": {
"branches": [
{
"case": { "$lt": [ "$Sentiment", 0 ] },
"then": "$Sentiment"
}
],
"default": 0
}
}
}
}}
]
)
如果您尚未迁移mongod
到 3.4 或更高版本,请注意此答案$project
中的阶段是多余的,因为运算符返回一个数值,这意味着您可以将文档应用于表达式。$cond
$group
$sum
$cond
这将提高您的应用程序的性能,尤其是对于大型集合。
db.Sentiments.aggregate(
[
{ '$group': {
'_id': '$Company',
'PosSentiment': {
'$sum': {
'$cond': [
{ '$gt': ['$Sentiment', 0]},
'$Sentiment',
0
]
}
},
'NegSentiment': {
'$sum': {
'$cond': [
{ '$lt': ['$Sentiment', 0]},
'$Sentiment',
0
]
}
}
}}
]
)
考虑一个包含以下文档的集合 Sentiments:
{ "Company": "a", "Sentiment" : 2 }
{ "Company": "a", "Sentiment" : 3 }
{ "Company": "a", "Sentiment" : -1 }
{ "Company": "a", "Sentiment" : -5 }
聚合查询产生:
{ "_id" : "a", "SumPosSenti" : 5, "SumNegSenti" : -6 }