data:image/s3,"s3://crabby-images/641b8/641b8c5ee03b9f1532edbb517797cddf941e8ff6" alt="在这里插入图片描述"
1.统计学习是关于计算机基于数据构建概率统计模型并运用模型对数据进行分析与预测的一门学科。统计学习包括监督学习、非监督学习、半监督学习和强化学习。
2.统计学习方法三要素——模型、策略、算法,对理解统计学习方法起到提纲挈领的作用。
3.本书主要讨论监督学习,监督学习可以概括如下:从给定有限的训练数据出发, 假设数据是独立同分布的,而且假设模型属于某个假设空间,应用某一评价准则,从假设空间中选取一个最优的模型,使它对已给训练数据及未知测试数据在给定评价标准意义下有最准确的预测。
4.统计学习中,进行模型选择或者说提高学习的泛化能力是一个重要问题。如果只考虑减少训练误差,就可能产生过拟合现象。模型选择的方法有正则化与交叉验证。学习方法泛化能力的分析是统计学习理论研究的重要课题。
5.分类问题、标注问题和回归问题都是监督学习的重要问题。本书中介绍的统计学习方法包括感知机、 𝑘 近邻法、朴素贝叶斯法、决策树、逻辑斯谛回归与最大熵模型、支持向量机、提升方法、EM算法、隐马尔可夫模型和条件随机场。这些方法是主要的分类、标注以及回归方法。它们又可以归类为生成方法与判别方法。
使用最小二乘法拟和曲线
data:image/s3,"s3://crabby-images/75461/754614829bd10b5f5341d46f882d2d16fa695eb5" alt="在这里插入图片描述"
import numpy as np
import scipy as sp
from scipy.optimize import leastsq
import matplotlib.pyplot as plt
def real_func(x):
return np.sin(2*np.pi*x)
def fit_func(p, x):
f = np.poly1d(p)
return f(x)
def residuals_func(p, x, y):
ret = fit_func(p, x) - y
return ret
x = np.linspace(0, 1, 10)
x_points = np.linspace(0, 1, 1000)
y_ = real_func(x)
y = [np.random.normal(0, 0.1) + y1 for y1 in y_]
def fitting(M=0):
"""
M 为 多项式的次数
"""
p_init = np.random.rand(M + 1)
p_lsq = leastsq(residuals_func, p_init, args=(x, y))
print('Fitting Parameters:', p_lsq[0])
plt.plot(x_points, real_func(x_points), label='real')
plt.plot(x_points, fit_func(p_lsq[0], x_points), label='fitted curve')
plt.plot(x, y, 'bo', label='noise')
plt.legend()
return p_lsq
M=0
p_lsq_0 = fitting(M=0)
data:image/s3,"s3://crabby-images/59180/591802b8d2c729d2c067296a07629e372f1a3024" alt="在这里插入图片描述"
M=1
p_lsq_0 = fitting(M=1)
data:image/s3,"s3://crabby-images/6789b/6789b3315cb1ea3a7165822515a972636b4be6ec" alt="在这里插入图片描述"
M=3
p_lsq_0 = fitting(M=3)
data:image/s3,"s3://crabby-images/cd6f3/cd6f346040af608dd6ce51104302017d9d651713" alt="在这里插入图片描述"
M=9
p_lsq_0 = fitting(M=9)
data:image/s3,"s3://crabby-images/6669a/6669af51f5ce8d45eb14879cf7bb774a47910434" alt="在这里插入图片描述"
结果显示过拟合, 引入正则化项(regularizer),降低过拟合
data:image/s3,"s3://crabby-images/7eb7c/7eb7c3707d98600e4fade14e4f9a4d13380092d3" alt="在这里插入图片描述"
regularization = 0.0001
def residuals_func_regularization(p, x, y):
ret = fit_func(p, x) - y
ret = np.append(ret,
np.sqrt(0.5 * regularization * np.square(p)))
return ret
p_init = np.random.rand(9 + 1)
p_lsq_regularization = leastsq(
residuals_func_regularization, p_init, args=(x, y))
plt.plot(x_points, real_func(x_points), label='real')
plt.plot(x_points, fit_func(p_lsq_9[0], x_points), label='fitted curve')
plt.plot(
x_points,
fit_func(p_lsq_regularization[0], x_points),
label='regularization')
plt.plot(x, y, 'bo', label='noise')
plt.legend()
data:image/s3,"s3://crabby-images/0fa09/0fa0906aace2b129fd6c72808bf752bf7bfd28eb" alt="在这里插入图片描述"
|