我有一个带有attrs的元素列表:parent,level,is_leaf_node,is_root_node,is_child_node。
我想将此列表转换为层次结构dict。 输出字典的示例:
{
'Technology':
{
'Gadgets':{},
'Gaming':{},
'Programming':
{
'Python':{},
'PHP':{},
'Ruby':{},
'C++':{}
},
'Enterprise':{},
'Mac':{},
'Mobile':{},
'Seo':{},
'Ui':{},
'Virtual Worlds':{},
'Windows':{},
},
'News':{
'Blogging':{},
'Economics':{},
'Journalism':{},
'Politics':{},
'News':{}
},}
我不知道算法。怎么做?
答案 0 :(得分:12)
这是一个不太复杂的递归版本,如chmod 700所描述的。完全未经测试的当然:
def build_tree(nodes):
# create empty tree to fill
tree = {}
# fill in tree starting with roots (those with no parent)
build_tree_recursive(tree, None, nodes)
return tree
def build_tree_recursive(tree, parent, nodes):
# find children
children = [n for n in nodes if n.parent == parent]
# build a subtree for each child
for child in children:
# start new subtree
tree[child.name] = {}
# call recursively to build a subtree for current node
build_tree_recursive(tree[child.name], child, nodes)
答案 1 :(得分:2)
没有父母的一切都是你的顶级,所以先做出这些决定。然后在你的数组中进行第二次传递,找到与顶级父级相关的所有内容,等等......它可以写成循环或递归函数。除了“父母”之外,你真的不需要任何提供的信息。
答案 2 :(得分:2)
听起来你基本上想要做的是topological sorting的变体。最常见的算法是源删除算法。伪代码看起来像这样:
import copy
def TopSort(elems): #elems is an unsorted list of elements.
unsorted = set(elems)
output_dict = {}
for item in elems:
if item.is_root():
output_dict[item.name] = {}
unsorted.remove(item)
FindChildren(unsorted, item.name, output_dict[item.name])
return output_dict
def FindChildren(unsorted, name, curr_dict):
for item in unsorted:
if item.parent == name:
curr_dict[item.name] = {}
#NOTE: the next line won't work in Python. You
#can't modify a set while iterating over it.
unsorted.remove(item)
FindChildren(unsorted, item.name, curr_dict[item.name])
这显然在几个地方被打破(至少作为实际的Python代码)。但是,希望可以让您了解算法的工作原理。请注意,如果您拥有的项目中存在一个循环(例如,项目a将项目b作为父项,而项目b将项目a作为父项),则这将非常失败。但是那可能无法以你想要做的格式表示。
答案 3 :(得分:0)
像这样简单的东西可能会起作用:
def build_tree(category_data):
top_level_map = {}
cat_map = {}
for cat_name, parent, depth in cat_data:
cat_map.setdefault(parent, {})
cat_map.setdefault(cat_name, {})
cat_map[parent][cat_name] = cat_map[cat_name]
if depth == 0:
top_level_map[cat_name] = cat_map[cat_name]
return top_level_map
答案 4 :(得分:0)
一种很好的递归方式:
def build_tree(elems):
elem_with_children = {}
def _build_children_sub_tree(parent):
cur_dict = {
'id': parent,
# put whatever attributes here
}
if parent in elem_with_children.keys():
cur_dict["children"] = [_build_children_sub_tree(cid) for cid in elem_with_children[parent]]
return cur_dict
for item in elems:
cid = item['id']
pid = item['parent']
elem_with_children.setdefault(pid, []).append(cid)
res = _build_children_sub_tree(-1) # -1 is your root
return res