代码之家  ›  专栏  ›  技术社区  ›  Ian Newson

MongoDB:按属性名称聚合

  •  0
  • Ian Newson  · 技术社区  · 6 年前

    {
        "_id" : ObjectId("5b9fe6010c969210d442a377"),
        "statuses" : {
            "SEARCHING" : 3
        },
        "regions" : {
            "eu-central-1" : 1,
    "us-west-2": 2
        }
    }
    

    我想将其分组并转换为如下结果集:

    eu-central-1|us-west-2
    1|2
    

    这一步/查询是否可行?

    1 回复  |  直到 6 年前
        1
  •  0
  •   dnickless    6 年前

    这可能就是你想要的:

    db.collection.aggregate({
        $project: {
            "regions": { $objectToArray: "$regions" } // convert sub-document into an array of key-value-pairs in order to get hold of the field names
        }
    }, {
        $unwind: "$regions" // flatten the "regions" array
    }, {
        $group: {
            "_id": "$regions.k",
            "count": { $sum: "$regions.v" } //
        }
    })
    

    或者,如果您真的想获得管道分隔的输出,您可以这样做:

    db.collection.aggregate({
        $project: {
            "result": {
                $reduce: {
                    "input": { $objectToArray: "$regions" },
                    "initialValue": { k: "", v: "" }, // start with empty strings for both key and value
                    "in": {
                        k: { $concat: [ "$$value.k", "|", "$$this.k" ] }, // concatenate existing value with "|" followed by currently looked at value for both key and value
                        v: { $concat: [ "$$value.v", "|", { $substr: [ "$$this.v", 0, 1000 ] } ] } // substr is needed to convert an integer field into a string
                        //v: { $concat: [ "$$value.v", "|", { $toString: "$$this.v" } ] } // this works from MongoDB v4.0 onwards and looks a bit cleaner
                    }
                }
            }
        }
    }, {
        $project: { // remove the leading "|"
            "result.k": { $substr: [ "$result.k", 1, -1 ] },
            "result.v": { $substr: [ "$result.v", 1, -1 ] }
        }
    })