如何用MongoDB过滤子文档中的数组

我有像这样的子文档中的数组

{ "_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} }}) 

它返回数组中的所有元素

 { "_id" : ObjectId("512e28984815cbfcb21646a7"), "list" : [ { "a" : 1 }, { "a" : 2 }, { "a" : 3 }, { "a" : 4 }, { "a" : 5 } ] } 

我可以过滤数组中的元素来获得预期结果吗?

使用aggregate是正确的方法,但是您需要在应用$match之前$unwind list数组,以便可以过滤各个元素,然后使用$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聚合运算符,通过仅包含$project期间所需的list元素来更高效地执行此操作:

 db.test.aggregate([ { $match: {_id: ObjectId("512e28984815cbfcb21646a7")}}, { $project: { list: {$filter: { input: '$list', as: 'item', cond: {$gt: ['$$item.a', 3]} }} }} ]) 

如果需要多个匹配的子文档,以上解决scheme效果最好。 如果需要单个匹配的子文档作为输出, $ elemMatch也会非常有用

 db.test.find({list: {$elemMatch: {a: 1}}}, {'list.$': 1}) 

结果:

 { "_id": ObjectId("..."), "list": [{a: 1}] } 

使用$filter聚合

根据指定的条件select数组的一个子集。 仅返回与条件匹配的元素的数组。 返回的元素是原始的顺序。

 db.test.aggregate([ {$match: {"list.a": {$gt:3}}}, // <-- match only the document which have a matching element {$project: { list: {$filter: { input: "$list", as: "list", cond: {$gt: ["$$list.a", 3]} //<-- filter sub-array based on condition }} }} ]);