4

我需要用椭圆作为标记制作一个图(带有误差线)。经过一番搜索,我想出了Ellipsein matplotlib.patches。然后我可以用plt.errorbar. 但问题是,即使我先给出了错误栏命令,无论我在程序中给出什么顺序,错误栏总是在前景中绘制,而椭圆则在背景中绘制。

有谁知道用误差线创建一个椭圆作为标记(每个点都有不同的偏心率)的更好方法?或者至少指导我如何将误差线放在后台?

这是我到目前为止的一个最小示例:

import matplotlib.pyplot as plt
from matplotlib.backends.backend_pdf import PdfPages
from matplotlib.patches import Ellipse

PlotFileName="test.pdf"
pdf = PdfPages(PlotFileName)
fig=plt.figure(1)
ax1=fig.add_subplot(111)
plt.xlim([1,4])
plt.ylim([2,8])
ax1.errorbar([2.5], [5], yerr=[1], fmt="o", color="black", ms=0.1)
ax1.add_artist(Ellipse((2.5, 5), 1, 1, facecolor="green", edgecolor="black"))
pdf.savefig(fig)
pdf.close()
plt.close()

这是它的外观: 椭圆前面的误差线

我希望误差条出现在椭圆的背景中。

提前致谢...

4

2 回答 2

2

为您的两个绘图命令使用zorder说明符。来自文档:“为艺术家设置 zorder。首先绘制 zorder 值较低的艺术家。”

import matplotlib.pyplot as plt
from matplotlib.patches import Ellipse

fig=plt.figure(1)
ax1=fig.add_subplot(111)
plt.xlim([0,5])
plt.ylim([0,10])
ax1.errorbar([2.5], [5], yerr=[1], fmt="o", color="black", ms=0.1, zorder=1)
ax1.add_artist(Ellipse((2.5, 5), 1, 1, facecolor="green", edgecolor="black",zorder=2))

plt.show()

exit(0)
于 2012-07-04T06:41:45.243 回答
0

使用路径在我看来,使用Path是一种更直接的方法:Path实例被完全视为 normal marker,因此只需使用相同的接口。请查看下面的示例,还可以参考有关此主题的matplotlib 文档。

import numpy as np

import matplotlib.pyplot as plt 
import matplotlib.path as mpath

# Create mock data.
theta = np.linspace(0, 2.*np.pi, 30) 
signa = np.sin(theta)

u_theta = np.random.normal(0., scale=0.15, size=signa.size)
u_signa = np.random.normal(0., scale=0.15, size=signa.size)

theta += u_theta
signa += u_signa

# Define the ellipse marker.
circle = mpath.Path.unit_circle()
verts = np.copy(circle.vertices)
verts[:, 0] *= 1.618
ellipt_marker = mpath.Path(verts, circle.codes)

# Done, basically.[![Plotting example][1]][1]
plt.errorbar(theta, signa, xerr=u_theta, yerr=u_signa,
             marker=ellipt_marker, linestyle='', capsize=5,
             ms=20, mfc='w', c='r', mec='g')

plt.xlabel('Autology', fontsize=35)
plt.ylabel('Eterology', fontsize=35)
plt.show()
于 2019-06-14T12:10:15.490 回答