我有一个像这样的csv (分隔符是;
)
Day;col_1;col_2;col_3;month
20180101;652;0;25803;1
20180102;737;6;25677;1
20180103;653;10;27955;1
20180104;914;10;27722;1
[a lot of rows]
20181228;924;35;30191;12
20181229;721;18;28601;12
20181230;902;17;28098;12
20181231;778;30;28909;12
我想在不同的轴上绘制列col_1
,col_2
和col_3
的值。在每个轴上,我想每个月有一个不同的盒子
我知道这是在matplotlib
中仅使用一个列的方法,但我只想使用pandas
an seaborn来实现:
import seaborn as sns
sns.boxplot(data=df, x='month', y='col1')
在this post中检查后,我发现这可能非常接近我想要的:
df.assign(index=df.groupby('month').cumcount()).pivot('index','month','col1').plot(kind='box')
有没有更有效的方法?
如何在同一个图中为每个colX
添加几个轴(意思是子图)?
发布于 2019-11-05 21:34:48
考虑matplotlib subplots
,对于每个列,迭代地将轴传递到每个数字y列的seaborn的ax
的boxplot
中。
fig, ax = plt.subplots(nrows=1, ncols=3, figsize=(12,4))
for i, col in enumerate(["col_1", "col_2", "col_3"]):
sns.boxplot(data=df, x='month', y=col, ax=ax[i])
ax[i].set_title(col.title())
plt.tight_layout()
plt.show()
plt.clf()
plt.close()
用随机数据进行演示
np.random.seed(1142019)
df = pd.DataFrame({'Day': pd.date_range('2018-01-01', '2018-12-31'),
'col_1': np.random.randint(1, 10, 365),
'col_2': np.random.randint(10, 100, 365),
'col_3': np.random.randint(2500, 29999, 365)
})
df['month'] = df['Day'].dt.month
上面的代码生成了这个图
https://stackoverflow.com/questions/58718028
复制