我有一个父子连接数据库。数据看起来如下所示,但可以以您想要的任何方式呈现(字典,列表,JSON等)。
links=(("Tom","Dick"),("Dick","Harry"),("Tom","Larry"),("Bob","Leroy"),("Bob","Earl"))
我需要的输出是一个分层JSON树,它将用d3渲染。数据中有离散的子树,我将附加到根节点。所以我需要递归地遍历链接,并构建树结构。我能得到的最远的是遍历所有人并追加他们的孩子,但我无法想出更高阶的链接(例如如何将带孩子的人附加到其他人的孩子身上)。这与另一个问题here类似,但我无法事先知道根节点,因此我无法实现已接受的解决方案。
我将从我的示例数据中获取以下树结构。
{
"name":"Root",
"children":[
{
"name":"Tom",
"children":[
{
"name":"Dick",
"children":[
{"name":"Harry"}
]
},
{
"name":"Larry"}
]
},
{
"name":"Bob",
"children":[
{
"name":"Leroy"
},
{
"name":"Earl"
}
]
}
]
}
这个结构在我的d3布局中呈现如下。
答案 0 :(得分:7)
要识别根音符,您可以解压缩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)
我使用了一个集来获取根节点,但如果顺序很重要,你可以使用一个列表和remove the duplicates。
答案 1 :(得分: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)
答案 2 :(得分:0)
如果您想将数据格式化为HTML / JS本身的层次结构,请查看:
Generate (multilevel) flare.json data format from flat json
如果您拥有大量数据,Web转换将更快,因为它使用reduce功能,而Python缺少函数式编程。
BTW:我也在研究相同的主题,即在d3.js中生成可折叠的树结构。如果您想继续工作,我的电子邮件是:erprateek.vit@gmail.com。