9

我有一个父子连接数据库。数据如下所示,但可以以任何您想要的方式呈现(字典、列表列表、JSON 等)。

links=(("Tom","Dick"),("Dick","Harry"),("Tom","Larry"),("Bob","Leroy"),("Bob","Earl"))

我需要的输出是一个分层的 JSON 树,它将用 d3 呈现。数据中有离散的子树,我将它们附加到根节点。所以我需要递归地遍历链接,并建立树结构。我能得到的最远的方法是遍历所有人并附加他们的孩子,但我不知道做更高阶的链接(例如如何将一个有孩子的人附加到其他人的孩子)。这与此处的另一个问题类似,但我无法提前知道根节点,因此无法实施接受的解决方案。

我将从我的示例数据中获取以下树结构。

{
"name":"Root",
"children":[
    {
     "name":"Tom",
     "children":[
         {
         "name":"Dick",
         "children":[
             {"name":"Harry"}
         ]
         },
         {
          "name":"Larry"}
     ]
    },
    {
    "name":"Bob",
    "children":[
        {
        "name":"Leroy"
        },
        {
        "name":"Earl"
        }
    ]
    }
]
}

这种结构在我的 d3 布局中呈现如下。 渲染图像

4

3 回答 3

8

要识别根节点,您可以解压缩links并查找不是子节点的父节点:

parents, children = zip(*links)
root_nodes = {x for x in parents if x not in children}

然后你可以应用递归方法:

import json

links = [("Tom","Dick"),("Dick","Harry"),("Tom","Larry"),("Bob","Leroy"),("Bob","Earl")]
parents, children = zip(*links)
root_nodes = {x for x in parents if x not in children}
for node in root_nodes:
    links.append(('Root', node))

def get_nodes(node):
    d = {}
    d['name'] = node
    children = get_children(node)
    if children:
        d['children'] = [get_nodes(child) for child in children]
    return d

def get_children(node):
    return [x[1] for x in links if x[0] == node]

tree = get_nodes('Root')
print json.dumps(tree, indent=4)

我使用 set 来获取根节点,但如果 order 很重要,您可以使用 list 并删除重复项

于 2013-08-02T21:09:31.093 回答
3

尝试以下代码:

import json

links = (("Tom","Dick"),("Dick","Harry"),("Tom","Larry"),("Tom","Hurbert"),("Tom","Neil"),("Bob","Leroy"),("Bob","Earl"),("Tom","Reginald"))

name_to_node = {}
root = {'name': 'Root', 'children': []}
for parent, child in links:
    parent_node = name_to_node.get(parent)
    if not parent_node:
        name_to_node[parent] = parent_node = {'name': parent}
        root['children'].append(parent_node)
    name_to_node[child] = child_node = {'name': child}
    parent_node.setdefault('children', []).append(child_node)

print json.dumps(root, indent=4)
于 2013-08-02T20:08:37.887 回答
0

如果您想在 HTML/JS 本身中将数据格式化为层次结构,请查看:

从平面 json 生成(多级)flare.json 数据格式

如果您有大量数据,Web 转换会更快,因为它使用 reduce 功能,而 Python 缺乏函数式编程。

顺便说一句:我也在研究同一主题,即在 d3.js 中生成可折叠的树结构。如果你想一起工作,我的电子邮件是:erprateek.vit@gmail.com。

于 2013-08-02T20:19:18.363 回答