我在子文档中有这样的数组
{ "_id" : ObjectId("512e28984815cbfcb21646a7"), "list" : [ { "a" : 1 }, { "a" : 2 }, { "a" : 3 }, { "a" : 4 }, { "a" : 5 } ] }
我可以过滤> 3的子文档吗
我的预期结果如下
{ "_id" : ObjectId("512e28984815cbfcb21646a7"), "list" : [ { "a" : 4 }, { "a" : 5 } ] }
我尝试使用,$elemMatch但返回数组中的第一个匹配元素
我的查询:
db.test.find( { _id" : ObjectId("512e28984815cbfcb21646a7") }, { list: { $elemMatch: { a: { $gt:3 } } } } )
结果返回数组中的一个元素
{ "_id" : ObjectId("512e28984815cbfcb21646a7"), "list" : [ { "a" : 4 } ] }
我尝试使用聚合与$match但不起作用
db.test.aggregate({$match:{_id:ObjectId("512e28984815cbfcb21646a7"), 'list.a':{$gte:5} }})
返回数组中的所有元素
我可以过滤数组中的元素以获得预期结果吗?
使用aggregate是正确的方法,但在应用数组之前需要先$unwind对list数组进行$match过滤,以便可以过滤单个元素,然后用于$group将其放回原处:
aggregate
$unwind
list
$match
$group
db.test.aggregate([ { $match: {_id: ObjectId("512e28984815cbfcb21646a7")}}, { $unwind: '$list'}, { $match: {'list.a': {$gt: 3}}}, { $group: {_id: '$_id', list: {$push: '$list.a'}}} ])
输出:
{ "result": [ { "_id": ObjectId("512e28984815cbfcb21646a7"), "list": [ 4, 5 ] } ], "ok": 1 }
MongoDB 3.2更新
从3.2发行版开始,您可以使用新的$filter聚合运算符来提高效率,只需list在$project:中包括所需的元素即可:
$filter
db.test.aggregate([ { $match: {_id: ObjectId("512e28984815cbfcb21646a7")}}, { $project: { list: {$filter: { input: '$list', as: 'item', cond: {$gt: ['$$item.a', 3]} }} }} ])