如何在MongoDB中搜索子数组

时间:2014-09-23 08:57:37

标签: mongodb mongodb-query aggregation-framework

我有这个MongoDB集合:

{ "_id" : ObjectId("123"), "from_name" : "name", "from_email" : "email@mxxxx.com", "to" : [  {  "name" : "domains",  "email" : "domains@xxx.com" } ], "cc" : [ ], "subject" : "mysubject" }

我的目标是通过"来搜索这个系列。用一些电子邮件。

1 个答案:

答案 0 :(得分:2)

如果您只想要一个字段,那么MongoDB有"dot notation"来访问嵌套元素:

db.collection.find({ "to.email": "domains@example.com" })

这将返回匹配的文件:

对于 more 将一个字段作为条件,请使用 $elemMatch 运算符

db.collection.find(
    { "to": { 
        "$elemMatch": { 
            "email": "domains@example.com",
            "name": "domains",
        }
    }}
)

你可以“投射”一个单个匹配来返回该元素:

db.collection.find({ "to.email": "domains@example.com" },{ "to.$": 1 })

但如果您希望更多 一个元素匹配,那么您可以使用聚合框架:

db.collection.aggregate([
    // Matches the "documents" that contain this
    { "$match": { "to.email": "domains@example.com" } },

    // De-normalizes the array
    { "$unwind": "$to" },

    // Matches only those elements that match
    { "$match": { "to.email": "domains@example.com" } },

    // Maybe even group back to a singular document
    { "$group": {
        "_id": "$_id",
        "from_name": { "$first": "$name" },
        "to": { "$push": "$to" },
        "subject": { "$first": "$subject" }            
    }}

])

如果需要,可以匹配和/或“过滤”数组内容的所有有趣方法。