我正在尝试使用matplotlib将两个数据集绘制到一个图中。这两个图之一在x轴上未对齐1。
这个MWE几乎总结了这个问题。我必须调整什么才能将箱线图进一步移到左侧?

import matplotlib.pyplot as plt
import pandas as pd
import numpy as np

titles = ["nlnd", "nlmd", "nlhd", "mlnd", "mlmd", "mlhd", "hlnd", "hlmd", "hlhd"]
plotData = pd.DataFrame(np.random.rand(25, 9), columns=titles)
failureRates = pd.DataFrame(np.random.rand(9, 1), index=titles)
color = {'boxes': 'DarkGreen', 'whiskers': 'DarkOrange', 'medians': 'DarkBlue',
         'caps': 'Gray'}
fig = plt.figure()
ax1 = fig.add_subplot(111)
ax2 = ax1.twinx()
plotData.plot.box(ax=ax1, color=color, sym='+')
failureRates.plot(ax=ax2, color='b', legend=False)
ax1.set_ylabel('Seconds')
ax2.set_ylabel('Failure Rate in %')
plt.xlim(-0.7, 8.7)
ax1.set_xticks(range(len(titles)))
ax1.set_xticklabels(titles)
fig.tight_layout()
fig.show()


实际结果。请注意,它只有8个方框图,而不是9个,并且它们从索引1开始。

python - Matplotlib:双Y轴图上的图未对齐-LMLPHP

最佳答案

问题是box()plot()的工作方式不匹配-box()从x位置1开始,而plot()取决于数据帧的索引(默认从0开始)。由于您指定了plt.xlim(-0.7, 8.7),因此第9个正被截断,因此只有8个图。有几种简单的方法可以解决此问题,如@Sheldore's answer所示,您可以显式设置箱形图的位置。您可以执行此操作的另一种方法是在构建数据帧时将failureRates数据帧的索引更改为从1开始,即

failureRates = pd.DataFrame(np.random.rand(9, 1), index=range(1, len(titles)+1))


请注意,您不必为问题MCVE指定xticksxlim,但是可能需要输入完整的代码。

python - Matplotlib:双Y轴图上的图未对齐-LMLPHP

10-04 11:13