赞
踩
sklearn 中的xgboost 的 XGBClassifer 参数一样。
1. gbtree 使用树模型作为基分类器(default)
2. gbliner 使用线性模型作为基分类器
1. 0 安静模式,不输出中间过程(default)
2. 1 输出中间过程
- -1 使用全部cpu进行并行运算(default)
- 1 使用1个cpu运算
正样本的权重,默认取1。在二分类任务中,当正负样本比例失衡时,设置正样本的权重,模型效果更好(如正样本:负样本=1:10,则scale_pos_weight=10)。
总迭代次数,也就是拟合几次残差(即决策树个数)。
在验证集上连续n次迭代,分类没有提高后,提前终止训练,防止过拟合(一般取10)。
树的最大深度,默认为6,典型值3-10。值越大,越容易过拟合;值越小,越容易欠拟合。
表示子树观测权重之和的最小值,如果树的生长时的某一步所生成的叶子结点,其观测权重之和小于min_child_weight,那么可以放弃该步生长,在线性回归模式中,这仅仅与每个结点所需的最小观测数相对应。该值越大,算法越保守。
默认取1,值越大,越容易欠拟合;值越小,越容易过拟合。值较大时,可避免模型学习到局部的特殊样本。
训练每棵树时,使用的数据占全部训练集的比例,默认取1,一般取0.8,可防止过拟合。
训练每棵树时,使用的feature占全部特征的比例,默认取1,一般取0.8,可防止过拟合。
学习率,控制每次迭代更新权重时的步长,默认取0.3,一般0.01-0.2,值越小,训练越慢。
目标函数
- 回归任务
reg:linear (default)
reg:logistic- 二分类
binary:logistic 概率
binary:logitraw 类别- 多分类
multi:softmax num_calss=n 返回类别
multi:softprob num_calss=n 返回概率- rank:pairwise
- 回归任务
rmse 均方根误差(default)
mae 平方绝对误差- 分类任务
auc roc曲线下面积
error 错误率(二分类,default)
merror 错误率(多分类)
logloss 负对数似然函数(二分类)
mlogloss 负对数似然函数(多分类)
惩罚项系数,一般取0.1-0.2,指定结点分裂所需的最小损失函数下降值。
L1 正则化系数,默认取1 。
L2 正则化系数,默认取1 。
- 载入数据:load_digits()
- 数据分割:train_test_split()
- 建立模型:XGBClassifier()
- 模型训练:fit()
- 模型预测:predict()
- 性能度量:accuracy_score()
- 特征重要度:plot_importance()
# -*- coding: utf-8 -*-
import numpy as np
import xgboost as xgb
from xgboost import plot_importance
from sklearn.model_selection import train_test_split
from sklearn import metrics
from sklearn import preprocessing
# from matplotlib import pyplot as plt
# 1.load data
// data = np.loadtxt('out.txt', delimiter=',')
data = pd.read_csv('out.txt', sep='\t')
data.drop(["uid","random","7d_retention","life_cycle"], axis=1, inplace=True)
data.fillna(0, inplace=True)
data.round(decimals=2)
data_num, feature_num = data.shape
print("data_num: ", data_num)
print("feature_num: ", feature_num)
# 2.shuffle data
rng = np.random.RandomState(830041)
index = list(range(data_num))
rng.shuffle(index)
data = data[index]
# 3.split data
X, Y = data[:, 0:feature_num-1], data[:, feature_num-1]
X_train, X_test, y_train, y_test = train_test_split(X, Y, test_size=0.3, random_state=0)
xg_train = xgb.DMatrix(X_train, label=y_train)
xg_test = xgb.DMatrix(X_test, label=y_test)
params = {
'booster': 'gbtree',
'objective': 'binary:logistic',
'eval_metric': 'auc',
'max_depth': 10,
'lambda': 10,
'subsample': 0.85,
'colsample_bytree': 0.85,
'min_child_weight': 2,
# 'eta': 0.025,
'eta': 0.1,
'seed': 0,
'nthread': 8,
'silent': 1
}
watchlist = [(xg_train, 'train'), (xg_test, 'test')]
num_round = 50
bst = xgb.train(params, xg_train, num_round, watchlist)
# xgb = xgb.XGBClassifier(n_estimators=20, max_depth=4,
# learning_rate=0.1, subsample=0.7, colsample_bytree=0.7)
# xgb.fit(train_X, train_y, early_stopping_rounds=10, eval_metric="auc",
# eval_set=[(test_X, test_y)])
bst.save_model('test.model')
pred = bst.predict(xg_test)
print('predicting, classification error=%f'
% (sum(int(pred[i]) != y_test[i] for i in range(len(y_test))) / float(len(y_test))))
# print('错误类为%f' %((pred!=y_test).sum()/float(y_test.shape[0])))
y_pred = (pred >= 0.5) * 1
print('AUC: %.4f' % metrics.roc_auc_score(y_test, pred))
print('ACC: %.4f' % metrics.accuracy_score(y_test, y_pred))
print('Recall: %.4f' % metrics.recall_score(y_test, y_pred))
print('F1-score: %.4f' % metrics.f1_score(y_test, y_pred))
print('Precesion: %.4f' % metrics.precision_score(y_test, y_pred))
print(metrics.confusion_matrix(y_test, y_pred))
# plot_importance(bst)
# plt.show()
# 打印特征重要度
importance = bst.get_score(importance_type='gain')
sorted_importance = sorted(importance.items(), key=lambda x: x[1], reverse=True)
print('feature importances[gain]: ', sorted_importance)
# 或
# temp = pd.DataFrame()
# temp['feature_importances'] = xgb_model.feature_importances_
# temp = temp.sort_values('feature_importances', ascending=False)
# temp.set_index('feature_names').plot.bar(figsize=(16,8),rot=0)
sample_rate = 0.6
pos = 100 # 正样本数
count = 200 # 总样本数
dtest = xgb.DMatrix('test_data.txt')
bst = xgb.Booster(model_file="test.model")
test_preds = bst.predict(dtest)
preds = 0.0
predList = []
for pred in test_preds:
pred = pred*sample_rate/(1-pred*(1-sample_rate))
preds += pred
predList.append(pred)
oe = pos/preds
auc = roc_auc_score(labelList, predList)
with open("out.txt",'w') as f:
f.write("count=%d,\tauc=%f,\toe=%f\n"%(count,auc,oe))
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。