注意
转到末尾 下载完整的示例代码。或者通过 JupyterLite 或 Binder 在浏览器中运行此示例
Theil-Sen 回归#
在合成数据集上计算 Theil-Sen 回归。
有关回归器的更多信息,请参见 Theil-Sen 估计器:基于广义中值的估计器。
与 OLS(普通最小二乘法)估计器相比,Theil-Sen 估计器对异常值具有鲁棒性。在简单线性回归的情况下,它的崩溃点约为 29.3%,这意味着它可以容忍二维情况下高达 29.3% 的任意损坏数据(异常值)。
模型的估计是通过计算所有可能的 p 个子样本点组合的子群体的斜率和截距来完成的。如果拟合截距,则 p 必须大于或等于 n_features + 1。然后,最终斜率和截距定义为这些斜率和截距的空间中值。
在某些情况下,Theil-Sen 的性能优于 RANSAC(这也是一种鲁棒方法)。这在下例中得到说明,其中关于 x 轴的异常值会扰乱 RANSAC。调整 RANSAC 的 residual_threshold
参数可以解决此问题,但通常需要关于数据和异常值性质的先验知识。由于 Theil-Sen 的计算复杂度,建议仅将其用于样本数和特征数较小的问题。对于较大的问题,max_subpopulation
参数将所有可能的 p 个子样本点组合的幅度限制为随机选择的子集,因此也限制了运行时间。因此,Theil-Sen 可应用于较大的问题,但缺点是会失去一些数学特性,因为它是在随机子集上工作的。
# Authors: The scikit-learn developers
# SPDX-License-Identifier: BSD-3-Clause
import time
import matplotlib.pyplot as plt
import numpy as np
from sklearn.linear_model import LinearRegression, RANSACRegressor, TheilSenRegressor
estimators = [
("OLS", LinearRegression()),
("Theil-Sen", TheilSenRegressor(random_state=42)),
("RANSAC", RANSACRegressor(random_state=42)),
]
colors = {"OLS": "turquoise", "Theil-Sen": "gold", "RANSAC": "lightgreen"}
lw = 2
仅在 y 方向上的异常值#
np.random.seed(0)
n_samples = 200
# Linear model y = 3*x + N(2, 0.1**2)
x = np.random.randn(n_samples)
w = 3.0
c = 2.0
noise = 0.1 * np.random.randn(n_samples)
y = w * x + c + noise
# 10% outliers
y[-20:] += -20 * x[-20:]
X = x[:, np.newaxis]
plt.scatter(x, y, color="indigo", marker="x", s=40)
line_x = np.array([-3, 3])
for name, estimator in estimators:
t0 = time.time()
estimator.fit(X, y)
elapsed_time = time.time() - t0
y_pred = estimator.predict(line_x.reshape(2, 1))
plt.plot(
line_x,
y_pred,
color=colors[name],
linewidth=lw,
label="%s (fit time: %.2fs)" % (name, elapsed_time),
)
plt.axis("tight")
plt.legend(loc="upper left")
_ = plt.title("Corrupt y")
在 X 方向上的异常值#
np.random.seed(0)
# Linear model y = 3*x + N(2, 0.1**2)
x = np.random.randn(n_samples)
noise = 0.1 * np.random.randn(n_samples)
y = 3 * x + 2 + noise
# 10% outliers
x[-20:] = 9.9
y[-20:] += 22
X = x[:, np.newaxis]
plt.figure()
plt.scatter(x, y, color="indigo", marker="x", s=40)
line_x = np.array([-3, 10])
for name, estimator in estimators:
t0 = time.time()
estimator.fit(X, y)
elapsed_time = time.time() - t0
y_pred = estimator.predict(line_x.reshape(2, 1))
plt.plot(
line_x,
y_pred,
color=colors[name],
linewidth=lw,
label="%s (fit time: %.2fs)" % (name, elapsed_time),
)
plt.axis("tight")
plt.legend(loc="upper left")
plt.title("Corrupt x")
plt.show()
脚本总运行时间:(0 分钟 0.592 秒)
相关示例
使用 RANSAC 进行稳健线性模型估计
稳健线性估计器拟合
比较不同缩放器对具有异常值的数据的影响
逻辑函数