我正在处理属于两种类型{'human', 'machine'}
的小型示例节点集,我想在networkx
图中的每个节点之外以字典形式标记节点属性,例如节点c中显示的那些,e,j如下图所示。 (我使用MS Word在图表上添加字典类型属性。):
使用以下代码生成基本图:
import networkx as nx
G = nx.Graph()
G.add_nodes_from(['a', 'b', 'c', 'd', 'e', 'f', 'g'], type = 'machine')
G.add_nodes_from(['h', 'i', 'j'], type = 'human')
G.add_edges_from([('a', 'c'), ('a', 'b'), ('a', 'd'), ('a', 'f'), ('b', 'd'), ('b', 'e'), ('b', 'g'), ('c', 'f'), ('c', 'd'), ('d', 'f'), ('d', 'e'), ('d', 'g'), ('e', 'g'), ('f', 'g'), ('f', 'h'), ('g', 'h'), ('h', 'i'), ('i', 'j')])
def plot_graph(G, weight_name=None):
import matplotlib.pyplot as plt
plt.figure()
pos = nx.spring_layout(G)
edges = G.edges()
weights = None
if weight_name:
weights = [int(G[u][v][weight_name]) for u,v in edges]
labels = nx.get_edge_attributes(G,weight_name)
nx.draw_networkx_edge_labels(G,pos,edge_labels=labels)
nx.draw_networkx(G, pos, edges=edges, width=weights);
else:
nx.draw_networkx(G, pos, edges=edges);
plot_graph(G, weight_name=None)
plt.savefig('example.png')
plt.show()
但这是问题,
nx.get_node_attributes()
和nx.draw_networkx_labels()
函数不会在标签上包含字典键(在此示例中为' type')(这仅适用于nx.get_edge_attributes()和nx .draw_networkx_edge_labels()),如果要使用nx.get_node_attributes()
和nx.draw_networkx_labels()
,原始节点名称将被属性值替换。
我想知道是否有替代方法在每个节点外以字典格式标记属性,同时将节点名称保留在节点内?我该如何修改当前的代码?
答案 0 :(得分:4)
nx.draw_networkx_labels()
不包括键的问题可以通过创建一个新的dict来解决,该dict将表示整个dicts的字符串作为值。
node_attrs = nx.get_node_attributes(G, 'type')
custom_node_attrs = {}
for node, attr in node_attrs.items():
custom_node_attrs[node] = "{'type': '" + attr + "'}"
关于绘制节点名称和属性,您可以使用nx.draw()
来正常绘制节点名称,然后使用nx.draw_networkx_labels()
绘制属性 - 在这里您可以手动将属性位置移动到节点之上或之下。在下面的块中,pos
保存节点位置,pos_attrs
保存位于适当节点上方的属性位置。
pos_nodes = nx.spring_layout(G)
pos_attrs = {}
for node, coords in pos_nodes.items():
pos_attrs[node] = (coords[0], coords[1] + 0.08)
完整示例:
import networkx as nx
import matplotlib.pyplot as plt
G = nx.Graph()
G.add_nodes_from(['a', 'b', 'c', 'd', 'e', 'f', 'g'], type = 'machine')
G.add_nodes_from(['h', 'i', 'j'], type = 'human')
G.add_edges_from([('a', 'c'), ('a', 'b'), ('a', 'd'), ('a', 'f'), ('b', 'd'), ('b', 'e'), ('b', 'g'), ('c', 'f'), ('c', 'd'), ('d', 'f'), ('d', 'e'), ('d', 'g'), ('e', 'g'), ('f', 'g'), ('f', 'h'), ('g', 'h'), ('h', 'i'), ('i', 'j')])
plt.figure()
pos_nodes = nx.spring_layout(G)
nx.draw(G, pos_nodes, with_labels=True)
pos_attrs = {}
for node, coords in pos_nodes.items():
pos_attrs[node] = (coords[0], coords[1] + 0.08)
node_attrs = nx.get_node_attributes(G, 'type')
custom_node_attrs = {}
for node, attr in node_attrs.items():
custom_node_attrs[node] = "{'type': '" + attr + "'}"
nx.draw_networkx_labels(G, pos_attrs, labels=custom_node_attrs)
plt.show()
输出:
最后一个提示:如果您有许多边缘并且您的节点属性难以阅读,您可以尝试将边缘颜色设置为较浅的灰色阴影。