首页 > 解决方案 > 如何阅读此 ROC 曲线并设置自定义阈值?

问题描述

使用此代码:

from sklearn import metrics
import numpy as np
import matplotlib.pyplot as plt

y_true = [1,0,0]
y_predict = [.6,.1,.1]

fpr, tpr, thresholds = metrics.roc_curve(y_true, y_predict , pos_label=1)

print(fpr)
print(tpr)
print(thresholds)

# Print ROC curve
plt.plot(fpr,tpr)
plt.show()


y_true = [1,0,0]
y_predict = [.6,.1,.6]

fpr, tpr, thresholds = metrics.roc_curve(y_true, y_predict , pos_label=1)

print(fpr)
print(tpr)
print(thresholds)

# Print ROC curve
plt.plot(fpr,tpr)
plt.show()

绘制了以下 roc 曲线:

在此处输入图像描述

scikit learn 设置阈值,但我想设置自定义阈值。

例如,对于值:

y_true = [1,0,0]
y_predict = [.6,.1,.6]

返回以下阈值:

[1.6 0.6 0.1]

为什么 ROC 曲线中不存在 1.6 值?在这种情况下,阈值 1.6 是否多余,因为概率范围为 0-1?可以设置自定义阈值:.3、.5、.7 以检查分类器在这种情况下的表现如何?

更新 :

https://sachinkalsi.github.io/blog/category/ml/2018/08/20/top-8-performance-metrics-one-should-know.html#receiver-operating-characteristic-curve-roc我用相同的 x 和预测值:

from sklearn import metrics
import numpy as np
import matplotlib.pyplot as plt

y_true = [1,1,1,0]
y_predict = [.94,.87,.83,.80]

fpr, tpr, thresholds = metrics.roc_curve(y_true, y_predict , pos_label=1)

print('false positive rate:', fpr)
print('true positive rate:', tpr)
print('thresholds:', thresholds)

# Print ROC curve
plt.plot(fpr,tpr)
plt.show()

这产生了这个情节:

在此处输入图像描述

情节与博客中的参考情节不同,阈值也不同:

在此处输入图像描述

此外,使用实现的 scikit 返回的阈值metrics.roc_curve是:thresholds: [0.94 0.83 0.8 ]。scikit 是否应该返回与使用相同点相似的 roc 曲线?我应该自己实现 roc 曲线而不是依赖 scikit 实现,因为结果不同?

标签: pythonmachine-learningdata-scienceroc

解决方案


ROC 曲线中不会出现阈值。scikit-learn 文档说:

thresholds[0] 表示没有实例被预测并且任意设置为 max(y_score) + 1

如果y_predictcontains 0.3, 0.5, 0.7,则函数将尝试这些阈值 metrics.roc_curve

通常在计算ROC曲线时遵循这些步骤

1.y_predict降序排列。

2. 对于 中的每个概率分数(假设为 τ_i)y_predict,如果y_predict>= τ_i,则将该数据点视为正数。

PS:如果我们有 N 个数据点,那么我们将有 N 个阈值(如果 和 的组合y_truey_predict唯一的)

3. 对于每个y_predicted(τ_i) 值,计算 TPR 和 FPR。

N4. 通过获取(数据点数量)TPR、FPR 对来绘制 ROC

您可以参考此博客以获取详细信息


推荐阅读