3

我正在尝试创建一个带有链接的 x 轴 st 顶部和底部刻度/标签的图是单位(焦耳和 kJoules)的测量值。我已经看到了 sharex 等的示例,但我的需求如下:

  1. 如何使轴链接到第二个刻度线/标签从第一个轴生成的位置
  2. 当改变一个轴的限制时,另一个应该自动更新

最简单的事情(一点也不优雅)是创建两个 x 变量:

x1 = np.arange(0,10000,1000)
x2 = x1/1000.
y = np.random.randint(0,10,10)

fig, ax = plt.subplots()
ax.plot(x1, y, 'ro')

ax2 = ax.twiny()
ax2.plot(x2,y,visible=False)
plt.show()


这会产生以下结果:

好的

但是当我尝试在其中一个上设置 x 轴限制时,事情就中断了。例如,ax2.set_xlim(2,5)仅更改顶部的轴。

不,那不是我想要的

既然我已经知道 x1 和 x2 是相关的,我应该如何设置情节,以便当我改变一个时,另一个会自动处理。

非常感谢

4

1 回答 1

3

您似乎想使用具有指定比例的寄生虫轴。matlpotlib 站点上有一个这样的例子,稍作修改的版本如下。

import matplotlib.transforms as mtransforms
import matplotlib.pyplot as plt
from mpl_toolkits.axes_grid1.parasite_axes import SubplotHost
import numpy as np

# Set seed for random numbers generator to make data recreateable
np.random.seed(1235) 

# Define data to be plotted
x1 = np.arange(0,10000,1000)
x2 = x1/1000.
y1 = np.random.randint(0,10,10)
y2 = y1/5.

# Create figure instance
fig = plt.figure()

# Make AxesHostAxesSubplot instance
ax = SubplotHost(fig, 1, 1, 1)

# Scale for top (parasite) x-axis: makes top x-axis 1/1000 of bottom x-axis
x_scale = 1000.
y_scale = 1.

# Set scales of parasite axes to x_scale and y_scale (relative to ax)
aux_trans = mtransforms.Affine2D().scale(x_scale, y_scale)

# Create parasite axes instance
ax_parasite = ax.twin(aux_trans) 
ax_parasite.set_viewlim_mode('transform')

fig.add_subplot(ax)

# Plot the data
ax.plot(x1, y1)
ax_parasite.plot(x2, y2)

# Configure axis labels and ticklabels
ax.set_xlabel('Original x-axis')
ax_parasite.set_xlabel('Parasite x-axis (scaled)')
ax.set_ylabel('y-axis')
ax_parasite.axis['right'].major_ticklabels.set_visible(False)

plt.show()

这给出了下面的输出

在此处输入图像描述

如果您更改ax实例的限制,实例的限制ax_parasite会自动更新:

# Set limits of original axis (parasite axis are scaled automatically)
ax.set_ylim(0,12)
ax.set_xlim(500,4000)

在此处输入图像描述

于 2013-06-07T21:18:01.540 回答