我有一个包含两个文档的测试集合:
> db.test.find().pretty()
{ "_id" : ObjectId("510114b46c1a3a0f6e5dd7aa"), "a" : 1, "b" : 2 }
{ "_id" : ObjectId("510114c86c1a3a0f6e5dd7ab"), "a" : 3, "b" : 1 }
使用聚合框架,我想只获取a大于b的文档。 $ gt只获取参数中的值而不是字段...
> db.test.aggregate([{"$match":{"$a":{"$gt":"$b"}}}])
{ "result" : [ ], "ok" : 1 } /* don't work*/
你有什么想法吗?
提前致谢
祝你好运
答案 0 :(得分:37)
嗯,我没有经过多少测试,我会说你可以使用$cmp
:
http://docs.mongodb.org/manual/reference/aggregation/cmp/#_S_cmp
db.test.aggregate([
{$project: {
// All your other fields here
cmp_value: {$cmp: ['$a', '$b']}
}},
{$match: {cmp_value: {$gt: 0}}}
])
可能有更好的方法,但我没有在我附近安装MongoDB进行测试。
答案 1 :(得分:0)
$expr
运算符。在版本3.6中引入的$expr
可以构建查询表达式,以比较同一文档中的字段。
比较单个文档中的两个字段(示例直接来自MongoDB Docs)
考虑每月预算收支,其中包含以下文件:
{ "_id" : 1, "category" : "food", "budget": 400, "spent": 450 }
{ "_id" : 2, "category" : "drinks", "budget": 100, "spent": 150 }
{ "_id" : 3, "category" : "clothes", "budget": 100, "spent": 50 }
{ "_id" : 4, "category" : "misc", "budget": 500, "spent": 300 }
{ "_id" : 5, "category" : "travel", "budget": 200, "spent": 650 }
以下操作使用$expr
查找支出超过预算的文档:
db.monthlyBudget.find( { $expr: { $gt: [ "$spent" , "$budget" ] } } )
该操作返回以下结果:
{ "_id" : 1, "category" : "food", "budget" : 400, "spent" : 450 }
{ "_id" : 2, "category" : "drinks", "budget" : 100, "spent" : 150 }
{ "_id" : 5, "category" : "travel", "budget" : 200, "spent" : 650 }