Mongodb嵌套文档where子句返回许多子文档

时间:2016-11-18 15:17:52

标签: php mongodb nested-documents

我有一个类似于此的mongodb文档:

{
"id": 1,
"title": "This is the title",
"body" : "This is the body",
"comments": [
    {
        "email_address": "mirko.benedetti@somemail.com",
        "name": "Mirko",
        "surname": "Benedetti",
        "language": "it",
        "text": "This is a message",
        "published": "Y",
        "on": "2014-03-22 15:04:04"
    },
    {
        "email_address": "marc.surname@somemail.com",
        "name": "Marc",
        "surname": "Surname",
        "language": "it",
        "text": "Another Message",
        "published": "N",
        "on": "2014-03-23 15:04:05"
    }
  ]
}

我有这样的查询:

$this->db->collection->find(array('id' => $id, 'language' => $lang, 'comments.published' => 'Y'),
                        array('comments.name' => 1, 'comments.surname' => 1, 'comments.text' => 1, 'comments.on' => 1, '_id' => 0));

我的问题是运行该查询,mongodb返回我不想要的两条注释,我只想要带有“已发布”的消息:“Y”。

我试图运行'comments.published'=> '某事'并且没有选择任何评论,这是正确的,但如果至少有一条评论有 标志“已发布”设为“Y”,两条评论都显示出来。

欢迎任何帮助。

2 个答案:

答案 0 :(得分:1)

查看$elemMatch documentation

/home/vagrant

答案 1 :(得分:1)

使用elemMatch运算符时需要小心。首先它有两个变种。 $elemMatch(projection)& $elemMatch(query)

elemMatch(投影)变体似乎有效,因为您只有匹配注释数组中一个值的过滤条件。

以下查询可以正常使用。

find({'_id' : ObjectId("582f2abf9b549b5a765ab380"), comments: { $elemMatch: { language: "it", published : "Y" }}})

现在考虑一下,如果在注释数组中有多个匹配值(两个值为' Y'已发布状态),则上述查询将不起作用,并且只返回第一个匹配值。

在这种情况下,您需要使用$filter,它将根据传递的过滤器crtieria过滤注释数组。

aggregate([{
    $match: {
        '_id': ObjectId("582f2abf9b549b5a765ab380")
    }
}, {
    "$project": {
        "comments": {
            "$filter": {
                "input": "$comments",
                "as": "result",
                "cond": {
                    $and: [{
                        $eq: ["$$result.language", "it"]
                    }, {
                        $eq: ["$$result.published", "Y"]
                    }]
                }
            }
        }
    }
}, {
    $project: {
        "comments": {
            name: 1,
            surname: 1,
            text: 1,
            on: 1
        }
    }
}])