考虑一个基本的邻接表;由 Node 类表示的节点列表,具有属性id
、parent_id
和name
。顶级节点的 parent_id = 无。
将列表转换为无序 html 菜单树的 Pythonic 方式是什么,例如:
- 节点名称
-
节点名称
- 子节点名称
- 子节点名称
考虑一个基本的邻接表;由 Node 类表示的节点列表,具有属性id
、parent_id
和name
。顶级节点的 parent_id = 无。
将列表转换为无序 html 菜单树的 Pythonic 方式是什么,例如:
假设你有这样的东西:
data = [
{ 'id': 1, 'parent_id': 2, 'name': "Node1" },
{ 'id': 2, 'parent_id': 5, 'name': "Node2" },
{ 'id': 3, 'parent_id': 0, 'name': "Node3" },
{ 'id': 4, 'parent_id': 5, 'name': "Node4" },
{ 'id': 5, 'parent_id': 0, 'name': "Node5" },
{ 'id': 6, 'parent_id': 3, 'name': "Node6" },
{ 'id': 7, 'parent_id': 3, 'name': "Node7" },
{ 'id': 8, 'parent_id': 0, 'name': "Node8" },
{ 'id': 9, 'parent_id': 1, 'name': "Node9" }
]
该函数遍历列表并创建树,收集每个节点的子节点就是sub
列表:
def list_to_tree(data):
out = {
0: { 'id': 0, 'parent_id': 0, 'name': "Root node", 'sub': [] }
}
for p in data:
out.setdefault(p['parent_id'], { 'sub': [] })
out.setdefault(p['id'], { 'sub': [] })
out[p['id']].update(p)
out[p['parent_id']]['sub'].append(out[p['id']])
return out[0]
例子:
tree = list_to_tree(data)
import pprint
pprint.pprint(tree)
如果父 id 是 None(不是 0),修改函数如下:
def list_to_tree(data):
out = {
'root': { 'id': 0, 'parent_id': 0, 'name': "Root node", 'sub': [] }
}
for p in data:
pid = p['parent_id'] or 'root'
out.setdefault(pid, { 'sub': [] })
out.setdefault(p['id'], { 'sub': [] })
out[p['id']].update(p)
out[pid]['sub'].append(out[p['id']])
return out['root']
# or return out['root']['sub'] to return the list of root nodes
这就是我最终实现它的方式-@thg435 的方式很优雅,但会构建一个要打印的字典列表。这将打印一个实际的 HTML UL 菜单树:
nodes = [
{ 'id':1, 'parent_id':None, 'name':'a' },
{ 'id':2, 'parent_id':None, 'name':'b' },
{ 'id':3, 'parent_id':2, 'name':'c' },
{ 'id':4, 'parent_id':2, 'name':'d' },
{ 'id':5, 'parent_id':4, 'name':'e' },
{ 'id':6, 'parent_id':None, 'name':'f' }
]
output = ''
def build_node(node):
global output
output += '<li><a>'+node['name']+'</a>'
build_nodes(node['id']
output += '</li>'
def build_nodes(node_parent_id):
global output
subnodes = [node for node in nodes if node['parent_id'] == node_parent_id]
if len(subnodes) > 0 :
output += '<ul>'
[build_node(subnode) for subnode in subnodes]
output += '</ul>'
build_nodes(None) # Pass in None as a parent id to start with top level nodes
print output
你可以在这里看到它:http: //ideone.com/34RT4
我的使用递归(酷)和全局输出字符串(不酷)
肯定有人可以改进这一点,但它现在对我有用..