决策树回归python代码
时间: 2023-11-27 07:47:31 浏览: 136
以下是使用Python实现决策树回归的示例代码:
```python
from sklearn.tree import DecisionTreeRegressor
import numpy as np
# 创建一个随机数据集
rng = np.random.RandomState(1)
X = np.sort(5 * rng.rand(80, 1), axis=0)
y = np.sin(X).ravel()
y[::5] += 3 * (0.5 - rng.rand(16))
# 训练模型
regr_1 = DecisionTreeRegressor(max_depth=2)
regr_2 = DecisionTreeRegressor(max_depth=5)
regr_1.fit(X, y)
regr_2.fit(X, y)
# 预测
X_test = np.arange(0.0, 5.0, 0.01)[:, np.newaxis]
y_1 = regr_1.predict(X_test)
y_2 = regr_2.predict(X_test)
# 可视化结果
import matplotlib.pyplot as plt
plt.figure()
plt.scatter(X, y, s=20, edgecolor="black", c="darkorange", label="data")
plt.plot(X_test, y_1, color="cornflowerblue", label="max_depth=2", linewidth=2)
plt.plot(X_test, y_2, color="yellowgreen", label="max_depth=5", linewidth=2)
plt.xlabel("data")
plt.ylabel("target")
plt.title("Decision Tree Regression")
plt.legend()
plt.show()
```
该示例使用sklearn库中的DecisionTreeRegressor类实现决策树回归。首先,创建一个随机数据集,然后使用fit()方法训练两个不同深度的决策树模型。最后,使用predict()方法预测新数据,并使用matplotlib库可视化结果。
阅读全文