我想在matplotlib图中注释某些长度。例如,点A和点B之间的距离。
为此,我想我可以使用annotate并找出如何提供箭头的开始和结束位置。或者,使用arrow标记点。
我试着用后者,但我不知道如何得到一个双向箭头:

from pylab import *

for i in [0, 1]:
    for j in [0, 1]:
        plot(i, j, 'rx')

axis([-1, 2, -1, 2])
arrow(0.1, 0, 0, 1, length_includes_head=True, head_width=.03) # Draws a 1-headed arrow
show()

如何创建双向箭头?更好的是,在matplotlib图形中是否有另一种(更简单的)标注尺寸的方法?

最佳答案

例如,可以使用arrowstyle属性更改箭头的样式

ax.annotate(..., arrowprops=dict(arrowstyle='<->'))

给出一个双头箭头。
一个完整的例子可以找到here大约三分之一的方式下的网页可能有不同的风格。
至于在地图上标注尺寸的“更好”方法,我想不出有什么好办法。
编辑:这里有一个完整的例子,如果有帮助的话,你可以使用它
import matplotlib.pyplot as plt
import numpy as np

def annotate_dim(ax,xyfrom,xyto,text=None):

    if text is None:
        text = str(np.sqrt( (xyfrom[0]-xyto[0])**2 + (xyfrom[1]-xyto[1])**2 ))

    ax.annotate("",xyfrom,xyto,arrowprops=dict(arrowstyle='<->'))
    ax.text((xyto[0]+xyfrom[0])/2,(xyto[1]+xyfrom[1])/2,text,fontsize=16)

x = np.linspace(0,2*np.pi,100)
plt.plot(x,np.sin(x))
annotate_dim(plt.gca(),[0,0],[np.pi,0],'$\pi$')

plt.show()

09-11 13:26