如何在matplotlib中的子图之间共享次要y轴

问题描述:

如果您有多个包含辅助y轴的子图(使用 twinx 创建),如何在子图之间共享这些辅助y轴?我希望它们以自动方式平均缩放(因此,以后不要手动设置y限制). 对于主要的y轴,可以通过在子图的调用中使用关键字 sharey 来实现.

If you have multiple subplots containing a secondary y-axis (created using twinx), how can you share these secondary y-axis between the subplots? I want them to scale equally in an automatic way (so not setting the y-limits afterwards by hand). For the primary y-axis, this is possible by using the keyword sharey in the call of subplot.

下面的示例显示了我的尝试,但未能共享两个子图的次要y轴.我正在使用Matplotlib/Pylab:

Below example shows my attempt, but it fails to share the secondary y-axis of both subplots. I'm using Matplotlib/Pylab:

ax = []

#create upper subplot
ax.append(subplot(211))
plot(rand(1) * rand(10),'r')

#create plot on secondary y-axis of upper subplot
ax.append(ax[0].twinx())
plot(10*rand(1) * rand(10),'b')

#create lower subplot and share y-axis with primary y-axis of upper subplot
ax.append(subplot(212, sharey = ax[0]))
plot(3*rand(1) * rand(10),'g')

#create plot on secondary y-axis of lower subplot
ax.append(ax[2].twinx())
#set twinxed axes as the current axes again,
#but now attempt to share the secondary y-axis
axes(ax[3], sharey = ax[1])
plot(10*rand(1) * rand(10),'y')

这使我得到类似的东西

我使用 axes()函数设置共享y轴的原因是 twinx 不接受 sharey 关键字

The reason I used the axes() function to set the shared y-axis is that twinx doesn't accept the sharey keyword.

我正在Win7 x64上使用Python 3.2. Matplotlib版本是1.2.0rc2.

I'am using Python 3.2 on Win7 x64. Matplotlib version is 1.2.0rc2.

您可以像这样使用Axes.get_shared_y_axes():

from numpy.random import rand
import matplotlib
matplotlib.use('gtkagg')
import matplotlib.pyplot as plt

# create all axes we need
ax0 = plt.subplot(211)
ax1 = ax0.twinx()
ax2 = plt.subplot(212)
ax3 = ax2.twinx()

# share the secondary axes
ax1.get_shared_y_axes().join(ax1, ax3)

ax0.plot(rand(1) * rand(10),'r')
ax1.plot(10*rand(1) * rand(10),'b')
ax2.plot(3*rand(1) * rand(10),'g')
ax3.plot(10*rand(1) * rand(10),'y')
plt.show()

在这里,我们只是将辅助轴连接在一起.

Here we're just joining the secondary axes together.

希望有帮助.