当我创建一个条形图并使用双 x 覆盖条形图时,与条形相比,这些框向右移动了一个。
之前已发现此问题(Python pandas plotting shift x-axis if twinx two y-axes),但该解决方案似乎不再有效。(我正在使用 Matplotlib 3.1.0)
li_str = ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine', 'ten']
df = pd.DataFrame([[i]+j[k] for i,j in {li_str[i]:np.random.randn(j,2).tolist() for i,j in \
enumerate(np.random.randint(5, 15, len(li_str)))}.items() for k in range(len(j))]
, columns=['A', 'B', 'C'])
fig, ax = plt.subplots(figsize=(16,6))
ax2 = ax.twinx()
df_gb = df.groupby('A').count()
p1 = df.boxplot(ax=ax, column='B', by='A', sym='')
p2 = df_gb['B'].plot(ax=ax2, kind='bar', figsize=(16,6)
, colormap='Set2', alpha=0.3, secondary_y=True)
plt.ylim([0, 20])
输出显示与条相比向右移动了一个框。上一篇文章的受访者正确地指出,柱的刻度位置是从零开始的,而盒子的刻度位置是从一开始的,这导致了这种转变。但是,plt.bar()
响应者用来修复它的方法现在会引发错误,因为 x 参数已成为强制性的。如果提供了 x 参数,它仍然会抛出错误,因为不再有参数“left”。
df.boxplot(column='B', by='A')
plt.twinx()
plt.bar(left=plt.xticks()[0], height=df.groupby('A').count()['B'],
align='center', alpha=0.3)
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-186-e257461650c1> in <module>
26 plt.twinx()
27 plt.bar(left=plt.xticks()[0], height=df.groupby('A').count()['B'],
---> 28 align='center', alpha=0.3)
TypeError: bar() missing 1 required positional argument: 'x'
此外,我更喜欢使用面向对象的方法参考轴进行修复,因为我想将图表放入交互式 ipywidget 中。
这是理想的图表:
非常感谢。