7

有没有办法只返回 mongodb 投影中的属性值?例如,我有一个文档,该文档具有一个值为数组的属性。我希望查询的返回对象只是数组,而不是property: [ .. ]. 例子:

文档:

db.test.insert({ name: "Andrew",
   attributes: [ { title: "Happy"},
                 { title: "Sad" }
               ]
});

询问:

db.test.find({name: "Andrew"},{attributes:1, "_id":0});

返回:

{ "attributes" : [ { "title" : "Happy" }, { "title" : "Sad" } ] }

我希望它返回数组:

[ { title: "Happy"},
  { title: "Sad" }
]

有没有办法做到这一点?谢谢

4

1 回答 1

6

JSON 不允许顶层是数组,因此普通查询不允许这样做。但是,您可以使用聚合框架执行此操作:

> db.test.remove();
> db.test.insert({ name: "Andrew", attributes: [ { title: "Happy"}, { title: "Sad" } ] });
> foo = db.test.aggregate( { $match: { name: "Andrew" } }, { $unwind: "$attributes" }, { $project: { _id: 0, title: "$attributes.title" } } );
{
    "result" : [
        {
            "title" : "Happy"
        },
        {
            "title" : "Sad"
        }
    ],
    "ok" : 1
}
> foo.result
[ { "title" : "Happy" }, { "title" : "Sad" } ]

但是,这不会创建 find 所做的游标对象。

于 2013-02-05T20:22:40.383 回答