竞赛保研 大数据房价预测分析与可视

0 前言

🔥 优质竞赛项目系列,今天要分享的是

🚩 大数据房价预测分析与可视

🥇学长这里给一个题目综合评分(每项满分5分)

  • 难度系数:3分
  • 工作量:3分
  • 创新点:4分

该项目较为新颖,适合作为竞赛课题方向,学长非常推荐!

🧿 更多资料, 项目分享:

https://gitee.com/dancheng-senior/postgraduate

1 课题背景

Ames数据集包含来自Ames评估办公室的2930条记录。
该数据集具有23个定类变量,23个定序变量,14个离散变量和20个连续变量(以及2个额外的观察标识符) - 总共82个特征。
可以在包含的codebook.txt文件中找到每个变量的说明。
该信息用于计算2006年至2010年在爱荷华州艾姆斯出售的个别住宅物业的评估价值。实际销售价格中增加了一些噪音,因此价格与官方记录不符。

分别分为训练和测试集,分别为2000和930个观测值。 在测试集中保留实际销售价格。 此外,测试数据进一步分为公共和私有测试集。

本次练习需要围绕以下目的进行:

  • 理解问题 : 观察每个变量特征的意义以及对于问题的重要程度
  • 研究主要特征 : 也就是最终的目的变量----房价
  • 研究其他变量 : 研究其他多变量对“房价”的影响的他们之间的关系
  • 基础的数据清理 : 对一些缺失数据、异常点和分类数据进行处理
  • 拟合模型: 建立一个预测房屋价值的模型,并且准确预测房价

在这里插入图片描述

2 导入相关的数据

1.导入相关的python包

​    
​    import numpy as np
​    import pandas as pd
from pandas.api.types import CategoricalDtype%matplotlib inline
import matplotlib.pyplot as plt
import seaborn as snsfrom sklearn import linear_model as lm
from sklearn.model_selection import train_test_split
from sklearn.model_selection import KFold# Plot settingsplt.rcParams['figure.figsize'] = (12, 9)
plt.rcParams['font.size'] = 12

2. 导入训练数据集和测试数据集

​    
​    training_data = pd.read_csv("ames_train.csv")
​    test_data = pd.read_csv("ames_test.csv")
​    pd.set_option('display.max_columns', None)#显示所有行
​    pd.set_option('display.max_rows', None)#设置value的显示长度为100,默认为50
​    pd.set_option('max_colwidth',100)
​    training_data.head(7)

在这里插入图片描述

3 观察各项主要特征与房屋售价的关系

该数据集具有46个类别型变量,34个数值型变量,整理到excel表格中,用于筛选与房价息息相关的变量。从中筛选出以下几个与房价相关的变量:

类别型变量:

  • Utilities : 可用设施(电、天然气、水)

  • Heating (Nominal): 暖气类型

  • Central Air (Nominal): 是否有中央空调

  • Garage Type (Nominal): 车库位置

  • Neighborhood (Nominal): Ames市区内的物理位置(地图地段)

  • Overall Qual (Ordinal): 评估房屋的整体材料和光洁度

数值型变量:

  • Lot Area(Continuous):地皮面积(平方英尺)

  • Gr Liv Area (Continuous): 地面以上居住面积平方英尺

  • Total Bsmt SF (Continuous): 地下面积的总面积

  • TotRmsAbvGrd (Discrete): 地面上全部房间数目

分析最重要的变量"SalePrice"

    training_data['SalePrice'].describe()

在这里插入图片描述

从上面的描述性统计可以看出房价的平均值、标准差、最小值、25%分位数、50%分位数、75%分位数、最大值等,并且SalePrice没有无效或者其他非数值的数据。

    #绘制"SalePrice"的直方图sns.distplot(training_data['SalePrice'])#计算峰度和偏度print("Skewness: %f" % training_data['SalePrice'].skew())print("Kurtosis: %f" % training_data['SalePrice'].kurt())

在这里插入图片描述

从直方图中可以看出"SalePrice"成正态分布,峰度为4.838055,偏度为1.721408,比正态分布的高峰更加陡峭,偏度为右偏,长尾拖在右边。

2.类别型变量

(1)Utilities与SalePrice

Utilities (Ordinal): Type of utilities available

AllPub All public Utilities (E,G,W,& S)

NoSewr Electricity, Gas, and Water (Septic Tank)

NoSeWa Electricity and Gas Only

ELO Electricity only

​    
​    #类别型变量#1.Utilities 
​    var = 'Utilities'
​    data = pd.concat([training_data['SalePrice'], training_data[var]], axis=1)
​    fig = sns.boxplot(x=var, y="SalePrice", data=data)
​    fig.axis(ymin=0, ymax=800000)

在这里插入图片描述

从图中可以看出,配备全套设施(水、电、天然气)的房子价格普遍偏高

(2)Heating与SalePrice

Heating (Nominal): Type of heating

Floor Floor Furnace

GasA Gas forced warm air furnace

GasW Gas hot water or steam heat

Grav Gravity furnace

OthW Hot water or steam heat other than gas

Wall Wall furnace

​    
​    #2.Heating
​    var = 'Heating'
​    data = pd.concat([training_data['SalePrice'], training_data[var]], axis=1)
​    fig = sns.boxplot(x=var, y="SalePrice", data=data)
​    fig.axis(ymin=0, ymax=800000)

在这里插入图片描述

从图中可以看出拥有GasA、GasW的房子价格较高,并且有GasA的房子价格变动较大,房屋价格较高的房子一般都有GasA制暖装置。

(3)Central_Air与SalePrice

#3.Central_Air
​    var = 'Central_Air'
​    data = pd.concat([training_data['SalePrice'], training_data[var]], axis=1)
​    fig = sns.boxplot(x=var, y="SalePrice", data=data)
​    fig.axis(ymin=0, ymax=800000)

在这里插入图片描述

由中央空调的房子能给用户更好的体验,因此一般价格较高,房屋价格较高的房子一般都有中央空调。

(4)Gabage_type与SalePrice

Garage Type (Nominal): Garage location

2Types More than one type of garage

Attchd Attached to home

Basment Basement Garage

BuiltIn Built-In (Garage part of house - typically has room above garage)

CarPort Car Port

Detchd Detached from home

NA No Garage

    #4.Gabage_typevar = 'Garage_Type'data = pd.concat([training_data['SalePrice'], training_data[var]], axis=1)fig = sns.boxplot(x=var, y="SalePrice", data=data)fig.axis(ymin=0, ymax=800000)

在这里插入图片描述

车库越便捷,一般房屋价格越高,临近房屋以及房屋内置的车库这两种价格较高。

(5)Neighborhood与SalePrice

Neighborhood为房屋位于Ames市内的具体的地段,越临近繁华市区、旅游风景区、科技园区、学园区的房屋,房屋价格越贵

​    
​    #5.Neighborhood
​    fig, axs = plt.subplots(nrows=2)
​    sns.boxplot(x='Neighborhood',y='SalePrice',data=training_data.sort_values('Neighborhood'),ax=axs[0])sns.countplot(x='Neighborhood',data=training_data.sort_values('Neighborhood'),ax=axs[1])# Draw median priceaxs[0].axhline(y=training_data['SalePrice'].median(), color='red',linestyle='dotted')# Label the bars with countsfor patch in axs[1].patches:x = patch.get_bbox().get_points()[:, 0]y = patch.get_bbox().get_points()[1, 1]axs[1].annotate(f'{int(y)}', (x.mean(), y), ha='center', va='bottom')# Format x-axesaxs[1].set_xticklabels(axs[1].xaxis.get_majorticklabels(), rotation=90)axs[0].xaxis.set_visible(False)# Narrow the gap between the plotsplt.subplots_adjust(hspace=0.01)

在这里插入图片描述

从上图结果可以看出,我们训练数据集中Neighborhood这一列数据不均匀,NAmes有299条数据,而Blueste只有4条数据,Gilbert只有6条数据,GmHill只有2条数据,这样造成数据没那么准确。

(6)Overall Qual 与SalePrice

总体评价越高,应该房屋的价格越高

    #Overall Qual var = 'Overall_Qual'data = pd.concat([training_data['SalePrice'], training_data[var]], axis=1)fig = sns.boxplot(x=var, y="SalePrice", data=data)fig.axis(ymin=0, ymax=800000)

在这里插入图片描述

3.数值型变量

(1) Lot Area与SalePrice

    #数值型变量#1.Lot Areasns.jointplot(x='Lot_Area', y='SalePrice', data=training_data,stat_func=None,kind="reg",ratio=4,space=0,scatter_kws={'s': 3,'alpha': 0.25},line_kws={'color': 'black'})

在这里插入图片描述

看起来没有什么明显的趋势,散点图主要集中在前半部分,不够分散

(2)Gr_Liv_Area与SalePrice

Gr_Liv_Area代表建筑在土地上的房屋的面积

猜测两者应该成正相关,即房屋面积越大,房屋的价格越高

    sns.jointplot(x='Gr_Liv_Area', y='SalePrice', data=training_data,stat_func=None,kind="reg",ratio=4,space=0,scatter_kws={'s': 3,'alpha': 0.25},line_kws={'color': 'black'})

在这里插入图片描述

结果:两者的确呈现正相关的线性关系,发现Gr_ Liv _ Area中有处于5000以上的异常值

编写函数,将5000以上的Gr_ Liv _ Area异常值移除

​    
​    def remove_outliers(data, variable, lower=-np.inf, upper=np.inf):"""
​        Input:
​          data (data frame): the table to be filtered
​          variable (string): the column with numerical outliers
​          lower (numeric): observations with values lower than this will be removed
​          upper (numeric): observations with values higher than this will be removed
​        Output:a winsorized data frame with outliers removed"""data=data[(data[variable]>lower)&(data[variable]

再次绘图

在这里插入图片描述

两者的确呈现正相关的线性关系

(3)Total_Bsmt_SF与SalePrice

#3.Total Bsmt SF
​    sns.jointplot(
​        x='Total_Bsmt_SF', 
​        y='SalePrice', 
​        data=training_data,
​        stat_func=None,
​        kind="reg",
​        ratio=4,
​        space=0,
​        scatter_kws={'s': 3,'alpha': 0.25},
​        line_kws={'color': 'black'})

在这里插入图片描述

(4)TotRms_AbvGrd与SalePrice

   #4.TotRmsAbvGrdsns.jointplot(x='TotRms_AbvGrd', y='SalePrice', data=training_data,stat_func=None,kind="reg",ratio=4,space=0,scatter_kws={'s': 3,'alpha': 0.25},line_kws={'color': 'black'})

在这里插入图片描述

4. 绘制相关性矩阵

    #绘制相关性矩阵corrmat = training_data.corr()f, ax = plt.subplots(figsize=(40, 20))sns.heatmap(corrmat, vmax=0.8,square=True,cmap="PiYG",center=0.0)

在这里插入图片描述

其中数值型变量中,Overall_Qual(房屋的整体评价) 、Year_Built(房屋建造年份)、Year_Remod/Add(房屋整修年份)、Mas
Vnr Area(房屋表层砌体模型)、Total_ Bsmt _ SF(地下总面积)、1stFlr_SF(一楼总面积) Gr_ L
iv_Area(地上居住面积)、Garage_Cars (车库数量)、Garage_Area(车库面积)都与呈正相关

最后从Year_Built(房屋建造年份)、Year_Remod/Add(房屋整修年份)中选取Year_Built,从1stFlr_SF(一楼总面积)
Gr_ L iv_Area(地上居住面积)中选取Gr_ L iv_Area,从Garage_Cars
(车库数量)、Garage_Area(车库面积)中选取Garage_Cars (车库数量)。

6. 拟合模型

sklearn中的回归有多种方法,广义线性回归集中在linear_model库下,例如普通线性回归、Lasso、岭回归等;另外还有其他非线性回归方法,例如核svm、集成方法、贝叶斯回归、K近邻回归、决策树回归、随机森林回归方法等,通过测试各个算法的

(1)加载相应包

​    
​    #拟合数据from sklearn import preprocessing
​    from sklearn import linear_model, svm, gaussian_process
​    from sklearn.ensemble import RandomForestRegressor
​    from sklearn.cross_validation import train_test_split
​    import numpy as np

(2)查看各列缺失值

    #查看各列缺失值print(training_data.Overall_Qual.isnull().any())print(training_data.Gr_Liv_Area.isnull().any())print(training_data.Garage_Cars.isnull().any())print(training_data.Total_Bsmt_SF.isnull().any())print(training_data.Year_Built.isnull().any())print(training_data.Mas_Vnr_Area.isnull().any())

发现Total_Bsmt_SF和Mas_Vnr_Area两列有缺失值

​    
​       #用均值填补缺失值
​        training_data.Total_Bsmt_SF=training_data.Total_Bsmt_SF.fillna(training_data.Total_Bsmt_SF.mean())
​        training_data.Mas_Vnr_Area=training_data.Mas_Vnr_Area.fillna(training_data.Mas_Vnr_Area.mean())print(training_data.Total_Bsmt_SF.isnull().any())print(training_data.Mas_Vnr_Area.isnull().any())

(3)拟合模型

# 获取数据from sklearn import metrics
​        cols = ['Overall_Qual','Gr_Liv_Area', 'Garage_Cars','Total_Bsmt_SF', 'Year_Built','Mas_Vnr_Area']
​        x = training_data[cols].values
​        y = training_data['SalePrice'].values
​        X_train,X_test, y_train, y_test = train_test_split(x, y, test_size=0.33, random_state=42)
​        clf = RandomForestRegressor(n_estimators=400)clf.fit(X_train, y_train)y_pred = clf.predict(X_test)计算MSE:print(metrics.mean_squared_error(y_test,y_pred))

(4)绘制预测结果的散点图

​    
​    import numpy as np
​    x = np.random.rand(660)
​    plt.scatter(x,y_test, alpha=0.5)
​    plt.scatter(x,y_pred, alpha=0.5,color="G")

在这里插入图片描述

(5)加载测试集数据

    test_data=pd.read_csv("ames_test.csv")test_data.head(5)

在这里插入图片描述

查看缺失值

    #查看各列缺失值print(test_data.Overall_Qual.isnull().any())print(test_data.Gr_Liv_Area.isnull().any())print(test_data.Garage_Cars.isnull().any())print(test_data.Total_Bsmt_SF.isnull().any())print(test_data.Year_Built.isnull().any())print(test_data.Mas_Vnr_Area.isnull().any())

    #用均值填补缺失值test_data.Garage_Cars=training_data.Garage_Cars.fillna(training_data.Garage_Cars.mean())print(test_data.Garage_Cars.isnull().any())

(6)预测测试集的房价

#预测
​        cols = ['Overall_Qual','Gr_Liv_Area', 'Garage_Cars','Total_Bsmt_SF', 'Year_Built','Mas_Vnr_Area']
​        x_test_value= test_data[cols].values
​        test_pre=clf.predict(x_test_value)#写入文件
​        prediction = pd.DataFrame(test_pre, columns=['SalePrice'])
​        result = pd.concat([test_data['Id'], prediction], axis=1)
​        result.to_csv('./Predictions.csv', index=False)
​    test_data.Garage_Cars=training_data.Garage_Cars.fillna(training_data.Garage_Cars.mean())print(test_data.Garage_Cars.isnull().any())

(6)预测测试集的房价

​    
​    #预测
​    cols = ['Overall_Qual','Gr_Liv_Area', 'Garage_Cars','Total_Bsmt_SF', 'Year_Built','Mas_Vnr_Area']
​    x_test_value= test_data[cols].values
​    test_pre=clf.predict(x_test_value)#写入文件
​    prediction = pd.DataFrame(test_pre, columns=['SalePrice'])
​    result = pd.concat([test_data['Id'], prediction], axis=1)
​    result.to_csv('./Predictions.csv', index=False)

4 最后

该项目较为新颖,适合作为竞赛课题方向,学长非常推荐!

🧿 更多资料, 项目分享:

[https://gitee.com/dancheng-senior/postgraduate](

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/415308.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

方案解决:5G基站节能及数字化管理

截至2023年10月,我国5G基站总数达321.5万个,占全国通信基站总数的28.1%。然而,随着5G基站数量的快速增长,基站的能耗问题也逐渐日益凸显,基站的用电给运营商带来了巨大的电费开支压力,降低5G基站的能耗成为…

Python高级编程之IO模型与协程

更多Python学习内容:ipengtao.com 在Python高级编程中,IO模型和协程是两个重要的概念,它们在处理输入输出以及异步编程方面发挥着关键作用。本文将介绍Python中的不同IO模型以及协程的概念、原理和用法,并提供丰富的示例代码来帮助…

视频号如何提取链接,新手怎么获取视频号链接!

视频号如何提取视频号链接,新手怎么获取视频号链接? 微信视频号是腾讯在2020年1月22日开启内侧的,视频号的视频链接在微信版本8.032中进行提及,也是微信在这个版本中增加的功能之一。 视频号链接怎么来的? 视频号链接…

Linux下进程子进程的退出情况

进程的退出分为了两大类,一类是正常的退出,另一类是非正常的退出。 正常退出时有五种情况,分别是 ①main函数调用return ②进程调用exit(),标准c库 ③进程调用_exit()或者_Exit(),属于系统调用 ④进程最后一个线程返回 ⑤最…

科普栏目|智能酒精壁炉 vs. 传统取暖:优势对比一目了然

随着科技的飞速发展,家居取暖方式也在逐渐朝着智能化、高效能源利用的方向迈进。在众多壁炉类型中,智能酒精壁炉以其独特的优势正成为现代家庭取暖的选择,下面将详细探讨智能酒精壁炉相较其他类型壁炉的卓越之处。 1.智能酒精壁炉采用酒精作为…

开发设计和迭代管理效率提升:PDManer元数建模

一、引言 在复杂多变的软件开发全生命周期中,数据库设计与建模扮演着举足轻重的角色。这一环节不仅关乎数据存储效率和应用性能优化,而且对于系统架构稳健性及业务逻辑清晰化具有深远影响。因此,选择一款功能强大且高效的数据库建模工具至关…

办公电脑监控软件推荐哪个 | 办公电脑监控软件价格

随着信息技术的不断发展,办公电脑监控软件已成为企业管理员工工作和保障信息安全的重要工具。 然而,市场上的办公电脑监控软件种类繁多,功能和价格也各不相同,让企业用户在选择时感到困惑。 一、办公电脑监控软件价格 办公电脑监…

FPC柔性化机器视觉缺陷检测

FPC(柔性电路板)在电子产品中扮演着至关重要的角色,其质量和可靠性直接影响到产品的性能和安全性。在FPC线路板加工过程中,由于制造工艺的复杂性,很容易产生各种缺陷,如焊锡不良、偏位、漏铜、短路等,因为有太多的环节…

2024年1月编程排行榜出炉!Python遥遥领先!

2024年1月TIOBE编程语言排行榜出炉啦!Python依然位于榜首,占比为13.97%。尽管本月有所下跌(2.39%),但它仍然是排名第一的编程语言。 2023年人工智能、AI崛起的趋势,Python的热度也一直遥遥领先。不止TIOBE编…

Android Launcher3各启动场景源码分析

文章目录 一、概述二、开机启动Launcher2.1、开机启动Launcher流程图2.2、开机启动流程源码分析 三、短压Home键启动Launcher3.1、短压Home键启动Launcher流程图3.2、短压Home键启动Launcher源码分析 四、Launcher异常崩溃后的自启动4.1、Launcher异常崩溃后的自启动流程图4.2、…

电力市场知识及市场出清电价(market clearing price)程序分享!

​Main-导览 一、电力市场概述 2000以前,国内并不存在电力市场,而是叫计划电力经济。发电侧为卖方,核算发电成本和利润上报国家,审核通过后就是上网电价。用户侧为买方,被动执行国家制定的分时电价。计划电力经济的优…

X-Bogus加密参数分析与jsvmp算法(仅供学习)

文章目录 1. 抓包分析2. X-Bogus参数分析 【作者主页】:吴秋霖 【作者介绍】:Python领域优质创作者、阿里云博客专家、华为云享专家。长期致力于Python与爬虫领域研究与开发工作! 【作者推荐】:对JS逆向感兴趣的朋友可以关注《爬虫…