Ответ 1
edit (19 января 2019) Я обновил код, чтобы сделать его более устойчивым: теперь он работает для ориентированных и ненаправленных графов без каких-либо изменений, больше не требует от пользователя указывать корень, и он проверяет, что граф является деревом, прежде чем он запустится (без теста у него была бы бесконечная рекурсия - см. ответ user2479115 для способа обработки не-деревьев).
edit (27 августа 2018 г.) Если вы хотите создать график, в котором узлы отображаются в виде колец вокруг корневого узла, код справа внизу показывает простую модификацию для этого
edit (17 сентября 2017 г.) Я считаю, что проблема с pygraphviz, которую имел OP, должна быть исправлена к настоящему времени. Так что pygraphviz, вероятно, будет лучшим решением, чем то, что я получил ниже.
Вот простая рекурсивная программа для определения позиций. Рекурсия происходит в _hierarchy_pos
, который называется по hierarchy_pos
. Основная hierarcy_pos
состоит в том, чтобы сделать небольшое тестирование, чтобы удостовериться, что граф является соответствующим перед входом в рекурсию:
import networkx as nx
import random
def hierarchy_pos(G, root=None, width=1., vert_gap = 0.2, vert_loc = 0, xcenter = 0.5):
'''
From Joel answer at https://stackoverflow.com/a/29597209/2966723
If the graph is a tree this will return the positions to plot this in a
hierarchical layout.
G: the graph (must be a tree)
root: the root node of current branch
- if the tree is directed and this is not given, the root will be found and used
- if the tree is directed and this is given, then the positions will be just for the descendants of this node.
- if the tree is undirected and not given, then a random choice will be used.
width: horizontal space allocated for this branch - avoids overlap with other branches
vert_gap: gap between levels of hierarchy
vert_loc: vertical location of root
xcenter: horizontal location of root
'''
if not nx.is_tree(G):
raise TypeError('cannot use hierarchy_pos on a graph that is not a tree')
if root is None:
if isinstance(G, nx.DiGraph):
root = next(iter(nx.topological_sort(G))) #allows back compatibility with nx version 1.11
else:
root = random.choice(list(G.nodes))
def _hierarchy_pos(G, root, width=1., vert_gap = 0.2, vert_loc = 0, xcenter = 0.5, pos = None, parent = None):
'''
see hierarchy_pos docstring for most arguments
pos: a dict saying where all nodes go if they have been assigned
parent: parent of this branch. - only affects it if non-directed
'''
if pos is None:
pos = {root:(xcenter,vert_loc)}
else:
pos[root] = (xcenter, vert_loc)
children = list(G.neighbors(root))
if not isinstance(G, nx.DiGraph) and parent is not None:
children.remove(parent)
if len(children)!=0:
dx = width/len(children)
nextx = xcenter - width/2 - dx/2
for child in children:
nextx += dx
pos = _hierarchy_pos(G,child, width = dx, vert_gap = vert_gap,
vert_loc = vert_loc-vert_gap, xcenter=nextx,
pos=pos, parent = root)
return pos
return _hierarchy_pos(G, root, width, vert_gap, vert_loc, xcenter)
и пример использования:
import matplotlib.pyplot as plt
import networkx as nx
G=nx.Graph()
G.add_edges_from([(1,2), (1,3), (1,4), (2,5), (2,6), (2,7), (3,8), (3,9), (4,10),
(5,11), (5,12), (6,13)])
pos = hierarchy_pos(G,1)
nx.draw(G, pos=pos, with_labels=True)
plt.savefig('hierarchy.png')
В идеале это должно масштабировать горизонтальное разделение в зависимости от того, насколько широкими будут объекты под ним. Я не пытаюсь сделать это сейчас.
Радиальное расширение
Допустим, вы хотите, чтобы сюжет выглядел так:
Вот код для этого:
pos = hierarchy_pos(G, 0, width = 2*math.pi, xcenter=0)
new_pos = {u:(r*math.cos(theta),r*math.sin(theta)) for u, (theta, r) in pos.items()}
nx.draw(G, pos=new_pos, node_size = 50)
nx.draw_networkx_nodes(G, pos=new_pos, nodelist = [0], node_color = 'blue', node_size = 200)
редактировать - спасибо Deepak Saini за замечание ошибки, которая раньше появлялась в ориентированных графах