我想使用matplotlib绘制元组列表的散点图,其元素为x和y坐标。它们的连通性由另一个列表确定,该列表说明了哪个点连接到哪个点。我到目前为止所拥有的是:
import itertools
import matplotlib.pyplot as plt
coords = [(0.0, 0.0), (1.0, 1.0), (1.0, 0.0), (2.0, 1.0), (2.0, 0.0), (3.0, 1.0)]
connectivity = coords[0] <--> coords[1], coords[2]
coords[1] <--> coords[0], coords[2], coords[3]
coords[2] <--> coords[0], coords[1], coords[4]
coords[3] <--> coords[1], coords[3], coords[5]
coords[4] <--> coords[2], coords[3], coords[5]
coords[5] <--> coords[3], coords[4]
x, y = zip(*coords)
plt.plot(x, y, '-o')
plt.show()
我知道连接部分不是实际的python脚本。我将其包括在内以向所有人展示应该如何连接这些点。当运行此脚本时(没有连接位),我得到下图:
但是,我希望该图显示为:
我有什么想法可以做到这一点吗?
最佳答案
只需分别绘制每个段。这还可以提供更大的灵活性,因为您可以为每个连接独立更改颜色,添加方向箭头等。
在这里,我使用了Python词典来保存您的连接信息。
import matplotlib.pyplot as plt
coords = [(0.0, 0.0), (1.0, 1.0), (1.0, 0.0), (2.0, 1.0), (2.0, 0.0), (3.0, 1.0)]
connectivity = {0: (1,2), #coords[0] <--> coords[1], coords[2]
1: (0, 2, 3), #coords[1] <--> coords[0], coords[2], coords[3]
2: (0, 1, 4), #coords[2] <--> coords[0], coords[1], coords[4]
3: (1, 3, 5), #coords[3] <--> coords[1], coords[3], coords[5]
4: (2, 3, 5), #coords[4] <--> coords[2], coords[3], coords[5]
5: (3, 4) #coords[5] <--> coords[3], coords[4]
}
x, y = zip(*coords)
plt.plot(x, y, 'o') # plot the points alone
for k, v in connectivity.iteritems():
for i in v: # plot each connections
x, y = zip(coords[k], coords[i])
plt.plot(x, y, 'r')
plt.show()
根据您显示连接性的方式,这里有重复的行,例如
(0,1)
和(1,0)
。我以为您最终会朝这个方向发展,所以我把它们留了下来。