用Python根据‘新生数据.xls’,分别绘制: 男生身高分布直方图和拟合曲线; 女生身高分布直方图和拟合曲线;
时间: 2023-05-19 20:06:38 浏览: 173
详解用Python为直方图绘制拟合曲线的两种方法
好的,我可以为您完成这个任务。以下是Python代码:
```python
import pandas as pd
import matplotlib.pyplot as plt
from scipy.stats import norm
from scipy.optimize import curve_fit
# 读取数据
data = pd.read_excel('新生数据.xls')
# 分别获取男生和女生的身高数据
male_height = data[data['性别'] == '男']['身高']
female_height = data[data['性别'] == '女']['身高']
# 绘制男生身高分布直方图和拟合曲线
plt.hist(male_height, bins=20, density=True, alpha=0.5, color='blue')
mu, std = norm.fit(male_height)
x = np.linspace(male_height.min(), male_height.max(), 100)
p = norm.pdf(x, mu, std)
plt.plot(x, p, 'k', linewidth=2)
plt.title('Male Height Distribution')
plt.xlabel('Height (cm)')
plt.ylabel('Probability Density')
plt.show()
# 绘制女生身高分布直方图和拟合曲线
plt.hist(female_height, bins=20, density=True, alpha=0.5, color='pink')
mu, std = norm.fit(female_height)
x = np.linspace(female_height.min(), female_height.max(), 100)
p = norm.pdf(x, mu, std)
plt.plot(x, p, 'k', linewidth=2)
plt.title('Female Height Distribution')
plt.xlabel('Height (cm)')
plt.ylabel('Probability Density')
plt.show()
```
这段代码会生成两个图表,分别是男生身高分布直方图和拟合曲线,以及女生身高分布直方图和拟合曲线。其中,直方图显示了身高数据的分布情况,拟合曲线则是使用正态分布函数对数据进行拟合得到的。
阅读全文