如何使用 MongoDB 过滤子文档中的数组[重复]

问题描述 投票:0回答:3

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

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

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

mongodb filter mongodb-query aggregation-framework
3个回答
218
投票

使用

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
元素:

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

$和: 获取0-5之间的数据:

cond: { 
    $and: [
        { $gt: [ "$$item.a", 0 ] },
        { $lt: [ "$$item.a", 5 ] }
]}

45
投票

如果需要多个匹配的子文档,上述解决方案效果最佳。 如果需要单个匹配子文档作为输出,$elemMatch也非常有用

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

结果:

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

27
投票

使用$过滤器聚合

根据指定的值选择要返回的数组子集 健康)状况。返回一个数组,其中仅包含与 健康)状况。返回的元素按原始顺序排列。

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
        }}
    }}
]);
© www.soinside.com 2019 - 2024. All rights reserved.