一.用Excel中数据分析功能做线性回归
1.取20组数据
data:image/s3,"s3://crabby-images/214a3/214a37d033e1e2311329f911e245d5a38c6d59b9" alt="在这里插入图片描述"
得出线性回归方程为y=0.0788x+58.151,相关系数R2为0.570459。
2.取200组数据
data:image/s3,"s3://crabby-images/409e2/409e25554a86c19d7ec695061236720c6783781a" alt="在这里插入图片描述"
得出线性回归方程为y=0.0903x+56.457,相关系数R2为0.556772。
3.取2000组数据
data:image/s3,"s3://crabby-images/3a15a/3a15ac466f64ff8f64c81e1b4038e91478b6ea3e" alt="在这里插入图片描述"
得出线性回归方程为y=0.084x+57.334,相关系数R2为0.498298。
二.用jupyter编程(不借助第三方库),用最小二乘法做线性回归
python最小二乘法源代码
import numpy as np
import matplotlib.pyplot as plt
%matplotlib inline
points = np.genfromtxt("D:/wh.csv",delimiter=",")
x=points[0:20,1];
y=points[0:20,0];
pccs = np.corrcoef(x, y)
c,d=pccs
e,f=c
x_mean = np.mean(x)
y_mean = np.mean(y)
xsize = x.size
zi = (x * y).sum() - xsize * x_mean *y_mean
mu = (x ** 2).sum() - xsize * x_mean ** 2
a = zi / mu
b = y_mean - a * x_mean
a = np.around(a,decimals=2)
b = np.around(b,decimals=2)
print(f'回归线方程:y = {a}x + {b}')
print(f'相关系数为{f}')
y1 = a*x + b
plt.scatter(x,y)
plt.plot(x,y1,c='r')
1.取20组数据
data:image/s3,"s3://crabby-images/2d1cf/2d1cf1dff28305c177a061aed867f886a7970f08" alt="在这里插入图片描述"
得出线性回归方程为y=0.08x+58.15,相关系数R2为0.5704。
2.取200组数据
data:image/s3,"s3://crabby-images/5e6ec/5e6ec06f5f7c087c9ae25341f368b3ae9d04eb72" alt="在这里插入图片描述"
得出线性回归方程为y=0.09x+56.46,相关系数R2为0.5567。
3.取2000组数据
data:image/s3,"s3://crabby-images/48e86/48e862c4df3d9b307af40efdffb2ae9837d0be07" alt="在这里插入图片描述"
得出线性回归方程为y=0.08x+57.33,相关系数R2为0.4982。
三.用jupyter编程,借助skleran做线性回归
python借助skleran源代码
from sklearn import linear_model
import matplotlib.pyplot as plt
import numpy as np
%matplotlib inline
data = np.loadtxt(open("D:wh.csv","rb"),delimiter=",",skiprows=0)
data1=data[0:20]
x=[example[1] for example in data1]
y=[example[0] for example in data1]
pccs = np.corrcoef(x, y)
c,d=pccs
e,f=c
X = np.asarray(x).reshape(-1, 1)
Y = np.asarray(y).reshape(-1, 1)
model = linear_model.LinearRegression()
model.fit(X,Y)
b=model.intercept_[0]
a=model.coef_[0]
a1=a[0]
print(f'回归线方程:y = {a1}x + {b}')
print(f'相关系数为{f}')
y1 = a1*X + b
plt.scatter(X,Y)
plt.plot(x,y1,c='r')
1.取20组数据
data:image/s3,"s3://crabby-images/7712f/7712f255069be91318b87d5f0a93c27e45d4d26b" alt="在这里插入图片描述"
得出线性回归方程为y = 0.0788x + 58.1512,相关系数R2为0.5704。
2.取200组数据
data:image/s3,"s3://crabby-images/748aa/748aa4673a651f839f0832c51f8699b24c3c80ce" alt="在这里插入图片描述"
得出线性回归方程为y = 0.0903x + 56.4574,相关系数R2为0.5567。
3.取2000组数据
data:image/s3,"s3://crabby-images/cbdf7/cbdf797ddafb20196e545a04080d015c5883ff53" alt="在这里插入图片描述"
得出线性回归方程为y = 0.0840x + 57.3344,相关系数R2为0.4982。
四.总结
三种求线性回归方程的方法求出的值基本一致,但利用编程计算时,当数据的个数改变时,只需要改变代码中某个值就能快速得出线性回归方程,这比仅使用Excel更快速方便,特别是调用第三方库时,更加方便。
|