JavaScript
x
4
1
df_train = pd.read_csv('../input/titanic/train.csv')
2
df_train.groupby('Age')['Survived'].mean().plot.bar(rot=0, title='Age',edgecolor="k")
3
plt.show()
4
I want to resize the x-axis range, but I don’t know how to do that. The range I want to resize is [under 20, under 40, under 60, under 80]. X represent age and Y represent survived rate
Advertisement
Answer
Put your data into age groups before plotting:
JavaScript
1
3
1
age_group = pd.cut(df_train['Age'], bins=range(0,100,20), right=False).rename(None)
2
df_train.groupby(age_group)['Survived'].mean().plot.bar(rot=0, title='Age',edgecolor="k")
3
If you want more polished labels:
JavaScript
1
6
1
bins = np.arange(0, 100, 20, dtype='int')
2
labels = [f'Under {i}' for i in bins[1:]]
3
age_group = pd.cut(df_train['Age'], bins=bins, labels=labels, right=False).rename(None)
4
5
df_train.groupby(age_group)['Survived'].mean().plot.bar(rot=0, title='Age',edgecolor="k")
6