如何使用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是正确的方法,但在应用数组之前需要先$unwindlist数组进行$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:中包括所需的元素即可:

db.test.aggregate([

{ $match: {_id: ObjectId("512e28984815cbfcb21646a7")}},

{ $project: {

list: {$filter: {

input: '$list',

as: 'item',

cond: {$gt: ['$$item.a', 3]}

}}

}}

])

以上是 如何使用MongoDB过滤子文档中的数组 的全部内容, 来源链接: utcz.com/qa/408995.html

回到顶部