1

我正在使用 mongodb FAQ中的以下模式:

{
  attrib : [
        { k: "color", v: "red" },
        { k: "shape", v: "rectangle" },
        { k: "color", v: "blue" },
        { k: "avail", v: true }
       ]
}

如何按“颜色”对集合进行分组和计数?如果可能的话,我更喜欢使用聚合框架而不是 map reduce。

我的结果应该是这样的:

[
    {
        v: "blue",
        count: 5
    },
    {
        v: "red",
        count: 2
    },
    {
        v: "black",
        count: 52
    }
]
4

1 回答 1

3

这是相当简单的,我们需要做一个放松,匹配,然后分组:

db.so.aggregate( [
    { $unwind : '$attrib' },
    { $match: { 'attrib.k' : 'color' } },
    { $group: { _id: '$attrib.v', count: { '$sum': 1 } } }
] );

Unwind 将“attrib”数组分解为每个数组元素一个文档:

{
    "result" : [
        {
            "_id" : ObjectId("51eeb9f2812db9ff4412f132"),
            "attrib" : {
                "k" : "color",
                "v" : "red"
            }
        },
        {
            "_id" : ObjectId("51eeb9f2812db9ff4412f132"),
            "attrib" : {
                "k" : "shape",
                "v" : "rectangle"
            }
        },
        {
            "_id" : ObjectId("51eeb9f2812db9ff4412f132"),
            "attrib" : {
                "k" : "color",
                "v" : "blue"
            }
        },
        {
            "_id" : ObjectId("51eeb9f2812db9ff4412f132"),
            "attrib" : {
                "k" : "avail",
                "v" : true
            }
        }
    ],
    "ok" : 1
}

匹配然后删除所有非颜色项目:

{
    "result" : [
        {
            "_id" : ObjectId("51eeb9f2812db9ff4412f132"),
            "attrib" : {
                "k" : "color",
                "v" : "red"
            }
        },
        {
            "_id" : ObjectId("51eeb9f2812db9ff4412f132"),
            "attrib" : {
                "k" : "color",
                "v" : "blue"
            }
        }
    ],
    "ok" : 1
}

小组终于让它回来了:

{
    "result" : [
        {
            "_id" : "blue",
            "count" : 1
        },
        {
            "_id" : "red",
            "count" : 1
        }
    ],
    "ok" : 1
}

(以上所有输出仅来自您的单个示例文档)

于 2013-07-23T17:19:41.870 回答