我有这个问题:
produits = yield motor.Op(db.users.aggregate, [{"$unwind":"$pup"},{"$match":{"pup.spec.np":nomp}}, {"$group":{"_id":"$pup.spec.id","pup":{"$push":"$pup"}}}])
结果给了我这个:
print produits
{u'ok': 1.0, u'result': [{u'_id': None, u'pup': [{u'avt': {u'fto': ..all the results}}]}]}
所以我能做到:
prod = produits["result"]
[{u'_id': None, u'pup': [{u'avt': {u'fto': ..all the results}}]}]
但是如何隐藏"_id"
以便我只能
[{u'pup': [{u'avt': {u'fto': ..all the results}}]}]
在普通查询中,我只是在这里添加{"_id":0}
这样的东西,它不起作用。
答案 0 :(得分:34)
来自mongodb docs
你可以$项目结果以排除_id
- 这是你的意思吗?
http://docs.mongodb.org/manual/reference/aggregation/#pipeline
注意默认情况下始终包含_id字段。您可以按如下方式明确排除_id:
db.article.aggregate(
{ $project : {
_id : 0 ,
title : 1 ,
author : 1
}}
);
从您的示例来看,管道中的第一个操作是排除_id并包含其他属性。
答案 1 :(得分:2)
我对电机不熟悉,但您应该能够直接从结果字典中删除该属性。
>>> produits = {u'ok': 1.0, u'result': [{u'_id': None, u'pup': [{u'avt': {u'fto': 'whatever'}}]}]}
>>> prod = produits['result']
>>> del prod[0]['_id']
>>> print prod
[{u'pup': [{u'avt': {u'fto': 'whatever'}}]}]
答案 2 :(得分:0)
从Mongo 4.2
开始,$unset
聚合运算符在仅用于删除字段时可用作$project
的替代语法:
// { _id: "1sd", pup: [{ avt: { fto: "whatever"} }] }
// { _id: "d3r", pup: [{ avt: { fto: "whatever else"} }] }
db.collection.aggregate({ $unset: ["_id"] })
// { pup: [{ avt: { fto: "whatever" } } ] }
// { pup: [{ avt: { fto: "whatever else" } } ] }
答案 3 :(得分:-1)
这不是一个很好的做法,但你可以使用这个工厂生成一个包含除_id之外的所有对象
/**
* Factory that returns a $project object that excludes the _id property https://docs.mongodb.com/v3.0/reference/operator/aggregation/project/
* @params {String} variable list of properties to be included
* @return {Object} $project object including all the properties but _id
*/
function includeFactory(/* properties */){
var included = { "_id": 0 };
Array.prototype.slice.call(arguments).forEach(function(include){
included[include] = true
})
return { "$project": included }
}
然后像这样使用它:
cities.aggregate(
{ "$group": { "_id": null, "max": { "$max": "$age" }, "min": { "$min": "$age" }, "average": { "$avg": "$age" }, "total": { "$sum": "$count" } } },
includeFactory('max','min','average','total')
)