注意
跳转到末尾以下载完整的示例代码。
带有误差带的曲线#
此示例说明如何围绕参数化曲线绘制误差带。
可以使用 plot
直接绘制参数化曲线 x(t), y(t)。
误差带可用于指示曲线的不确定性。在此示例中,我们假设误差可以表示为标量 *err*,该标量描述每个点处垂直于曲线的不确定性。
我们使用 PathPatch
可视化此误差,以彩色带的形式围绕路径显示。该路径由两个路径段 *(xp,yp)* 和 *(xn,yn)* 创建,这两个路径段相对于曲线 *(x,y)* 垂直偏移 +/- *err*。
注意:此方法使用 PathPatch
适用于 2D 中的任意曲线。如果您只是有一个标准的 y 对 x 图,则可以使用更简单的 fill_between
方法(另请参阅填充两条线之间的区域)。
def draw_error_band(ax, x, y, err, **kwargs):
# Calculate normals via centered finite differences (except the first point
# which uses a forward difference and the last point which uses a backward
# difference).
dx = np.concatenate([[x[1] - x[0]], x[2:] - x[:-2], [x[-1] - x[-2]]])
dy = np.concatenate([[y[1] - y[0]], y[2:] - y[:-2], [y[-1] - y[-2]]])
l = np.hypot(dx, dy)
nx = dy / l
ny = -dx / l
# end points of errors
xp = x + nx * err
yp = y + ny * err
xn = x - nx * err
yn = y - ny * err
vertices = np.block([[xp, xn[::-1]],
[yp, yn[::-1]]]).T
codes = np.full(len(vertices), Path.LINETO)
codes[0] = codes[len(xp)] = Path.MOVETO
path = Path(vertices, codes)
ax.add_patch(PathPatch(path, **kwargs))
_, axs = plt.subplots(1, 2, layout='constrained', sharex=True, sharey=True)
errs = [
(axs[0], "constant error", 0.05),
(axs[1], "variable error", 0.05 * np.sin(2 * t) ** 2 + 0.04),
]
for i, (ax, title, err) in enumerate(errs):
ax.set(title=title, aspect=1, xticks=[], yticks=[])
ax.plot(x, y, "k")
draw_error_band(ax, x, y, err=err,
facecolor=f"C{i}", edgecolor="none", alpha=.3)
plt.show()
脚本的总运行时间: (0 分钟 1.774 秒)