由于特定原因,我需要在matplotlib图例中显示一条垂直线。我试图让matplotlib理解我想要与lines.Line2D(x,y)垂直的线,但这显然不起作用。
import matplotlib.pyplot as plt
from matplotlib import lines
fig, ax = plt.subplots()
ax.plot([0,0],[0,3])
lgd = []
lgd.append(lines.Line2D([0,0],[0,1], color = 'blue', label = 'Vertical line'))
plt.legend(handles = lgd)
我需要线条显示为垂直,而不是图例。有人可以帮忙吗?
答案 0 :(得分:5)
制作line2D对象时,可以使用垂直线标记。可以找到有效标记的列表here。
import matplotlib.pyplot as plt
from matplotlib import lines
fig, ax = plt.subplots()
ax.plot([0,0],[0,3])
vertical_line = lines.Line2D([], [], color='#1f77b4', marker='|', linestyle='None',
markersize=10, markeredgewidth=1.5, label='Vertical line')
plt.legend(handles = [vertical_line])
plt.show()
答案 1 :(得分:2)
如果要使图例中的每一行都垂直标记而不是水平标记,则可以通过handler_map
更新图例手柄。
import numpy as np
import matplotlib.pyplot as plt
from matplotlib.legend_handler import HandlerLine2D
plt.plot([1,3,2], label='something')
plt.plot([.5,.5], [1,3], label='something else')
def update_prop(handle, orig):
handle.update_from(orig)
x,y = handle.get_data()
handle.set_data([np.mean(x)]*2, [0, 2*y[0]])
plt.legend(handler_map={plt.Line2D:HandlerLine2D(update_func=update_prop)})
plt.show()
如果目标是在图例中获得缩略图线的缩略版,则原则上可以对Using a miniature version of the plotted data as the legend handle使用此答案。不过,需要略微修改以解决宽度框可能为0的问题,我现在也将其编辑为原始答案。在这里,它看起来像:
import numpy as np
import matplotlib.pyplot as plt
from matplotlib.legend_handler import HandlerLine2D
import matplotlib.path as mpath
from matplotlib.transforms import BboxTransformFrom, BboxTransformTo, Bbox
class HandlerMiniatureLine(HandlerLine2D):
def create_artists(self, legend, orig_handle,
xdescent, ydescent, width, height, fontsize,
trans):
legline, _ = HandlerLine2D.create_artists(self,legend, orig_handle,
xdescent, ydescent, width, height, fontsize, trans)
legline.set_data(*orig_handle.get_data())
ext = mpath.get_paths_extents([orig_handle.get_path()])
if ext.width == 0:
ext.x0 -= 0.1
ext.x1 += 0.1
bbox0 = BboxTransformFrom(ext)
bbox1 = BboxTransformTo(Bbox.from_bounds(xdescent, ydescent, width, height))
legline.set_transform(bbox0 + bbox1 + trans)
return legline,
plt.plot([1,3,2], label='something')
plt.plot([.5,.5], [1,3], label='something else')
plt.legend(handler_map={plt.Line2D:HandlerMiniatureLine()})
plt.show()