将一个文档添加到集合中,这是MongoDB中

时间:2018-03-01 16:27:58

标签: mongodb mongodb-query aggregation-framework

如何在MongoDB中添加一个累积值集合字段的文档?

我有一个MongoDB集合,其中包含以下格式的文档:

{
  "_id" : 3876435465554,
  "title" : "xxx",
  "category" : "xxx",
  ...
}

所以渴望的结果是:

{ "_id" : "All", "num" : 28 }  // <- This is the document that I want include in the output
{ "_id" : "xxx", "num" : 11 }
{ "_id" : "yyy", "num" : 8 }
{ "_id" : "zzz", "num" : 9 }

到目前为止,我已经尝试过这个:

db.collection.aggregate([
  { $project: { title:1, category:1} },
  { $group: {
      _id: { _id:"$category"},
      num: { $sum: 1 }
    } },
  { $project: { _id:"$_id._id", num:1} },
  { $sort: { _id:1} }
])

但是只产生的文件而没有&#34; All&#34;文档

{ "_id" : "xxx", "num" : 11 }
{ "_id" : "yyy", "num" : 8 }
{ "_id" : "zzz", "num" : 9 }

我不知道如何添加&#34; All&#34;所有&#34; num&#34;的总和的文件值。

注意:链接2次调用aggregate我能够在程序中获得所需的输出,但我们的想法是只用一个aggregate获得输出

2 个答案:

答案 0 :(得分:1)

您可以在3.4。

中使用以下聚合查询

更改包括添加额外的$group来计算总计数,同时将各个计数行推送到数组中,然后$concatArrays将总行文档添加到单个计数数组中。

$unwind返回扁平结构并按_id排序$ $replaceRoot以将所有文档提升到最高级别。

db.collection.aggregate([
  {"$project":{"title":1,"category":1}},
  {"$group":{"_id":{"_id":"$category"},"num":{"$sum":1}}},
  {"$group":{
    "_id":null,
    "total":{"$sum":"$num"},
    "rest":{"$push":{"num":"$num","_id":"$_id._id"}}
  }},
  {"$project":{"data":{"$concatArrays":[[{"_id":"all","num":"$total"}],"$rest"]}}},
  {"$unwind":"$data"},
  {"$sort":{"data._id":1}},
  {"$replaceRoot":{"newRoot":"$data"}}
])

答案 1 :(得分:1)

您可以使用$facets“链接”数据库端的管道,因此它将是来自客户端的单个请求:

db.collection.aggregate([
  { $match: { category: { $ne: 'all' } } },
  { $project: { title:1, category:1 } },
  { $facet: {
      total: [ 
        { $group: {
          _id: 'all', 
          num: { $sum: 1 }
         } },
      ],
      categories: [   
        { $group: {
          _id: "$category",
          num: { $sum: 1 }
         } },
      ]
  } },
  { $project: { all: { $concatArrays: [ "$total", "$categories" ] } } },
  { $unwind: "$all" },
  { $replaceRoot: { newRoot: "$all" } },  
  { $sort: { _id:1 } }
])