展平使用d3.js嵌套创建的对象层次结构

时间:2013-01-11 00:58:52

标签: javascript d3.js

我正在尝试以这样的方式可视化团队协作数据:

Chart that displays the share of the different collaboration artifact types for each team and week

图表中的不同颜色是不同的协作工件类型。

来自源的数据如下所示:

var json = [
    {
        "teamLabel": "Team 1",
        "created_date": "2013-01-09",
        "typeLabel": "Email"
        "count": "5"
    },
    {
        "teamLabel": "Team 1",
        "created_date": "2013-01-10",
        "typeLabel": "Email"
        "count": "7"
    },
    /* and of course, a lot more data of this kind */
]

请注意,数据是针对单日提供的。因此,对于上面的可视化,我需要根据一年中的一周来汇总数据。需要保留团队名称和工件类型,并将其用作分组属性。这是代码:

// "2013-01-09"
var dateFormat = d3.time.format.utc("%Y-%m-%d");

// "2013-02" for the 2nd week of the year
var yearWeek = d3.time.format.utc("%Y-%W");

var data = d3.nest().key(function(d) {
        return d.teamLabel;
    }).key(function(d) {
        var created_date = dateFormat.parse(d.created_date);
        return yearWeek(created_date);
    })
    .key(function(d) {
        return d.typeLabel;
    }).rollup(function(leaves) {
        return d3.sum(leaves, function(d) {
                return parseInt(d.count);    // parse the integer
            });
        }
    )
    .map(json);

这导致基于嵌套键的Object层次结构。我不知道如何从这里创建上面的图表,所以我正在寻找一种方法将data转换为以下结构:

[
    // This list contains an element for each donut
    {
        "teamLabel": "Team 1",
        "createdWeek": "2013-02",
        "values": [
            // This list contains one element for each type we found
            {
                "typeLabel": "Email",
                "count": 12
            },
            {
            ...
            }
        ]
    },
    {
    ...
    }
]

这样,我可以分别使用createdWeekteamLabel来定位x轴和y轴,values下的信息可以传递给d3.layout.pie()

有没有一种干净的方法来进行数据转换?如果您需要任何澄清或进一步的详细信息,请告诉我。

1 个答案:

答案 0 :(得分:3)

你就是这样做的:

var flat = data.entries().map(function(d){
    return d.value.entries().map(function(e){
        return {
            "teamLabel": d.key,
            "createdWeek": e.key,
            "values": e.value.entries().map(function(f){
                return {"typeLabel": f.key, "count": f.value}
            })
        }
    })
}).reduce(function(d1,d2){ return d1.concat(d2) },[]);

请注意,我使用的是d3.map而不是标准的javascript对象,以便使用map.entries()帮助函数。我想你正在尝试判断的是你正在使用的事实:

.map(json); // whereas I used .map(json, d3.map)

而不是

.entries(json);

jsFiddle链接在这里:

http://jsfiddle.net/RFontana/KhX2n/