matplotlib y轴标签在右侧


81

是否有一种简单的方法可以将y轴标签放在图的右侧?我知道可以使用来对刻度标签进行此操作ax.yaxis.tick_right(),但是我想知道是否也可以对轴标签进行此操作。

我想到的一个想法是使用

ax.yaxis.tick_right()
ax2 = ax.twinx()
ax2.set_ylabel('foo')

但是,在保留y轴的范围的同时,将所有标签(刻度和轴标签)放在右侧并没有达到预期的效果。简而言之,我想要一种将所有y轴标签从左向右移动的方法。

Answers:


135

看来您可以使用以下方法做到这一点:

ax.yaxis.set_label_position("right")
ax.yaxis.tick_right()

请参阅此处的示例。


1
如果您尝试将标签放置在绘图区域内/上方,请参见:stackoverflow.com/a/47874059/4933053
qrtLs

它仅适用于图例,不适用于轴图。您有解决这个问题的想法吗?
Agape Gal'lo

在Matplotlib中是否有一个命令可以同时执行这两个命令,还是只是不必要的冗长?
ifly6

@ ifly6不知道是否有一个内置的,我这样做:rhs = lambda ax: (ax.yaxis.set_label_position("right"), ax.yaxis.tick_right())
Aaron

16

如果您想遵循给出的示例matplotlib并创建一个在轴的两侧都带有标签但无需使用该subplots()功能的图形,这是我的解决方案:

from matplotlib import pyplot as plt
import numpy as np

ax1 = plt.plot()
t = np.arange(0.01, 10.0, 0.01)
s1 = np.exp(t)
plt.plot(t,s1,'b-')
plt.xlabel('t (s)')
plt.ylabel('exp',color='b')

ax2 = ax1.twinx()
s2 = np.sin(2*np.pi*t)
ax2.plot(t, s2, 'r.')
plt.ylabel('sin', color='r')
plt.show()


1
这对我不起作用: File "prueba.py", line 11, in <module> ax2 = ax1.twinx() AttributeError: 'list' object has no attribute 'twinx'
哈维尔·加西亚

4
试试plt.gca()。twinx()
Arne Babenhauserheide

尝试ax1 = plt.subplot()
shoegazerstella

2

(很抱歉再次提出问题)

我知道这是一个肮脏的把戏,但是如果您不想深入研究轴处理并停留在plt命令中,则可以使用labelpad标量参数将标签放置在图形的右侧。经过一番尝试和错误后可以工作,并且确切的标量值(?)可能与图形尺寸的尺寸有关。

例:

# move ticks
plt.tick_params(axis='y', which='both', labelleft=False, labelright=True)

# move label
plt.ylabel('Your label here', labelpad=-725, fontsize=18)

1

先前的答案已过期。这是上面示例的最新代码:

import numpy as np
import matplotlib.pyplot as plt

t = np.arange(0.01, 10.0, 0.01)
data1 = np.exp(t)
data2 = np.sin(2 * np.pi * t)

fig, ax1 = plt.subplots()

color = 'tab:red'
ax1.set_xlabel('time (s)')
ax1.set_ylabel('exp', color=color)
ax1.plot(t, data1, color=color)
ax1.tick_params(axis='y', labelcolor=color)

ax2 = ax1.twinx()  # instantiate a second axes that shares the same x-axis

color = 'tab:blue'
ax2.set_ylabel('sin', color=color)  # we already handled the x-label with ax1
ax2.plot(t, data2, color=color)
ax2.tick_params(axis='y', labelcolor=color)

fig.tight_layout()  # otherwise the right y-label is slightly clipped
plt.show()

这里

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.