如何通过 mongodb 中的多个字段进行聚合

How to aggregate by multiple fields in mongodb

我想按 2 个字段进行聚合,并希望以嵌套方式完成组化。我如何实现它?目前我按照以下方式进行分组

var query = [
  { '$group': {
    '_id': {
      'employee': '$employee',
      'sector': '$sector'
    },
    'bookCount': { '$sum': 1 }
  }},
  { '$sort': { 'count': -1 } }
];

Order.aggregate(query, function(err, results){
  res.json(results)
});

我希望结果的形式为

{abc:{sector1:4, sector3:5}, xyz: {sector1:10, sector2:23}}

其中 abc、xyz 是员工,sector1、sector2 是部门。

如何聚合以获得嵌套结果?

我的原文件是

[
  {
    "sector": "sector1",
    "employee": "xyz"
  },
  {
    "sector": "sector1",
    "employee": "abc"
  },
  {
    "sector": "sector1",
    "employee": "abc"
  },
  {
    "sector": "sector2",
    "employee": "abc"
  }
]

我希望结果的形式为

{abc:{sector1:2,sector2:2}, xyz: {sector1:1}}

您不能在聚合框架中将 "data" 用作 "key names",也不能创建具有嵌套属性的嵌套对象。你也不应该想要,因为这是一个 "anti-pattern"。数据就是数据,应该保持这种状态。另外,还有更好的方法来做到这一点:

Order.aggregate([
    { "$group": {
        "_id": {
           "employee": "$employee",
           "sector": "$sector"
        },
        "count": { "$sum": 1 }
    }},
    { "$group": {
       "_id": "$_id.employee",
       "sectors": { 
           "$push": {
               "sector": "$_id.sector",
               "count": "$count"
           }
       }
    }}
],function(err,docs) {

});

其中returns这样的结构:

[
    {
            "_id" : "xyz",
            "sectors" : [
                    {
                            "sector" : "sector1",
                            "count" : 1
                    }
            ]
    },
    {
            "_id" : "abc",
            "sectors" : [
                    {
                            "sector" : "sector2",
                            "count" : 1
                    },
                    {
                            "sector" : "sector1",
                            "count" : 2
                    }
            ]
    }
]

所以你有一个 "employee" 值的主分组键,其他结果是 "pushed" 到一个数组。

这是一个更好的结构,在键的命名方面结果一致。