pandas 根据58同城房源销售数据,统计不同房屋类型(housetype)的数量。
时间: 2024-10-10 22:05:00 浏览: 44
在Pandas中,你可以使用`value_counts`函数来统计58同城房源销售数据中各房屋类型的数量。假设你的数据集`df`有一个名为`housetype`的列,包含了房屋类型信息,你可以这样做:
```python
# 假设housetype列的名称为'HousingType'
house_type_counts = df['HousingType'].value_counts()
# 这会返回一个Series,其中索引是房屋类型,值是对应类型房屋的数量
print(house_type_counts)
# 若要查看最常见和最少见的房屋类型
most_common_housetype = house_type_counts.idxmax()
least_common_housetype = house_type_counts.idxmin()
print(f"最常见的房屋类型是: {most_common_housetype}")
print(f"最少见的房屋类型是: {least_common_housetype}")
# 或者如果你想获取包含数量超过某个阈值的所有类型
threshold = 10 # 例如,只看数量大于10的类型
popular_housetypes = house_type_counts[house_type_counts > threshold]
print("数量超过{}的房屋类型:".format(threshold), popular_housetypes)
```
这将为你提供不同房屋类型的数量及其分布情况。
阅读全文