matplotlib 按升序排序计数图

q43xntqr  于 2023-11-22  发布在  其他
关注(0)|答案(1)|浏览(92)

我如何对这个图进行排序,从最大到最小显示?我试图使用sort_values,但不起作用

plt.figure(figsize=(15,8))
sns.countplot(x='arrival_date_month',data=df.sort_values('arrival_date_month',ascending=False))
plt.xticks(rotation=45)

字符串


的数据

8zzbczxx

8zzbczxx1#

字符串类型的列的默认顺序是在字符串框架中出现的顺序。
您可以通过使用order=关键字或将列设置为Categorical来设置固定顺序。
要从低到高排序,可以使用pandas df.groupby('...').size().sort_values().index作为order=参数。使用...[::-1]可以颠倒顺序。
下面是一些示例代码:

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

np.random.seed(2021)
sns.set()
month_names = ['January', 'February', 'March', 'April', 'May', 'June',
               'July', 'August', 'September', 'October', 'November', 'December']
df = pd.DataFrame({'arrival_date_month': np.random.choice(month_names, 1000)})

fig, axs = plt.subplots(ncols=3, figsize=(16, 3))

sns.countplot(x='arrival_date_month', data=df, ax=axs[0])
axs[0].set_title('default order (order of occurrence)')

sns.countplot(x='arrival_date_month', data=df, order=month_names, ax=axs[1])
axs[1].set_title('setting an explicit order')

large_to_small = df.groupby('arrival_date_month').size().sort_values().index[::-1]
sns.countplot(x='arrival_date_month', data=df, order=large_to_small, ax=axs[2])
axs[2].set_title('order from largest to smallest')

for ax in axs:
    ax.tick_params(axis='x', rotation=45)
plt.tight_layout()
plt.show()

字符串


的数据

相关问题