Skip to main content

A set of tools that facilitates the analysis of binary classification problems

Project description

binclass-tools: Binary Classification Tools for Python At Your Fingertips

PyPI - Python Version GitHub license GitHub release (latest by date) Downloads

A set of Python wrappers and interactive plots that facilitate the analysis of binary classification problems.


The binclass-tools package makes the following available to you:

  • Powerful interactive charts that simplify the analysis of a binary classifier's performance, including any amounts and costs associated with individual observations.

  • A set of functions that return the values of metrics useful for measuring the performance of a binary classifier, for each threshold value if dependent on it.

  • A set of functions to find the optimal threshold value calculated on both the most popular metrics associated with the binary classifier under analysis, and any costs associated with each of the 4 categories in the confusion matrix.

  • A set of generic wrappers that help the analyst in daily operations dealing with binary classifications.

On Towards Data Science you will find the following article describing the theory behind all the functions of the package and the path that led me to create a package for analyzing binary classifications that also included calculating optimal threshold values for specific metrics:

Finding the Best Classification Threshold for Imbalanced Classifications with the Interactive Confusion Matrix and Line Charts

Quick Start

Requirements and Installation

The project is based on:

  • Python 3.6+
  • A set of the most popular packages used for working with data
  • Plotly for interactive plots

If you do not have Python, install it first. Then, in your favorite conda or virtual environment, simply do:

pip install binclass-tools

or, if you want to install the development version directly from github:

pip install git+https://github.com/lucazav/binclass-tools

Example Usage

Let's import both the usual libraries needed to work with the data and the binclass-tools one:

import numpy as np
import pandas as pd
import bctools as bc

In addition, since we will train a classifier on randomly generated data via RandomForest, let's also import some useful functions for the purpose:

from sklearn.ensemble import RandomForestClassifier
from sklearn.datasets import make_classification
from sklearn.model_selection import train_test_split

Let's then train our model that we will use as a classifier to analyse thanks to the functions of binclass-tools:

# Generate a binary imbalanced classification problem, with 80% zeros and 20% ones.
X, y = make_classification(n_samples=1000, n_features=20,
                           n_informative=14, n_redundant=0,
                           random_state=12, shuffle=False, weights = [0.8, 0.2])

# Train - test split
X_train, X_test, y_train, y_test = train_test_split(X, y, test_size = 0.2, stratify = y, random_state=0)

# Train a RF classifier
cls = RandomForestClassifier(max_depth=6, oob_score=True)
cls.fit(X_train, y_train)

Having trained the model, let's calculate the estimated probabilities of the predictions obtained from the training and testing datasets:

# Get prediction probabilities for the train set
train_predicted_proba = cls.predict_proba(X_train)[:,1]

# Get prediction probabilities for the test set
test_predicted_proba = cls.predict_proba(X_test)[:,1] 

Let's generate some known graphs with the functions in the binclass-tools package to check the overall behavior of the model on the test set.

We can start by visualizing the Receiver Operating Characteristic (ROC) Curve, using the following function, which also returns the value of the area under the curve:

area_under_ROC = bc.curve_ROC_plot(true_y= y_test, 
                                   predicted_proba = test_predicted_proba)

Which generates the plot:

ROC Curve for the Test Set

and returns the AUC value:

>>> area_under_ROC
0.9748427672955975

Next, you can visualize the Precision-Recall (PR) Curve plot with the iso-Fbeta curves. First, let's recall the definition of the F-beta score: it is the weighted harmonic mean of precision and recall, reaching its optimal value at 1 and its worst value at 0. The beta parameter determines the weight of recall in the combined score. beta < 1 lends more weight to precision, while beta > 1 favors recall. An iso-Fbeta curve thus contains, by definition, all points in the precision-recall space whose F-beta scores are equal. The function curve_PR_plot allows us to display ISO curves associated with F-beta score values of 0.2, 0.4, 0.6 and 0.8. The function takes as input the beta parameter (set to 1 as default value):

area_under_PR = bc.curve_PR_plot(true_y= y_test, 
                                 predicted_proba = test_predicted_proba, 
                                 beta = 1)

Here the output:

Precision-Recall Plot with isoF1 Curves for the Test Set

This function also returns, as in the ROC curve case, the value of the area under the curve:

>>> area_under_PR 
0.9295134692043583

For a more in-depth analysis of the model's predicted probabilities, we can visualize through violin plots the distribution of the probabilities grouped by the relative true class and, for each threshold, see whether the predicted probability for each data point generates a correct prediction or not. The following binclass-tools function performs the tasks just mentioned, taking as input the size of the step separating one threshold value from the other (always considering the extremes 0 and 1 inclusive):

threshold_step = 0.05

bc.predicted_proba_violin_plot(true_y = y_test, 
                               predicted_proba = test_predicted_proba, 
                               threshold_step = threshold_step)

Here the interactive plot generated:

Interactive Probabilities Violin Plot for the Test Set

Afterwards, we can conduct a more detailed threshold-related analysis of the model's performance. Let's set up a set of variables to pass as parameters in the subsequent binclass-tools functions we will use. Considering that we are going to do first an analysis of how the model performs on the training dataset in order to get also the optimal threshold values, these are the variables we will calculate:

  • The size of the step separating one threshold value from the other (always considering the extremes 0 and 1 inclusive).

  • The list of individual amounts associated with each of the observables in the test dataset (since the dataset is generated by random values, the absolute value of column 13 is considered as the amount column).

  • Which metrics to calculate the optimal threshold for (in our case all of them).

  • Which currency symbol to use.

  • The dictionary of costs associated with each of the 4 categories of the confusion matrix. It is possible to associate a single numerical value to be considered as the average cost for each observation in that category, or a list of values to be associated with each observation. Clearly, the length of the lists in the dictionary must all be the same length, equal to the number of observations in the dataset under analysis (in our case the test dataset).

Specifically, you have this:

# set params for the train dataset
threshold_step = 0.05
amounts = np.abs(X_train[:, 13])
optimize_threshold = 'all'
currency = '$'

# The function get_cost_dict can be used to define the dictionary of costs.
# It takes as input, for each class, a float or a list of floats. 
# Lists must have coherent lenghts 

train_cost_dict = bc.get_cost_dict(TN = 0, FP = 10, FN = np.abs(X_train[:, 12]), TP = 0)

At this point we can visualize the Interactive Confusion Matrix on the training dataset, including the optimal threshold for all the available metrics:

var_metrics_df, invar_metrics_df, opt_thresh_df = bc.confusion_matrix_plot(
    true_y = y_train, 
    predicted_proba = train_predicted_proba, 
    threshold_step = threshold_step, 
    amounts = amounts, 
    cost_dict = train_cost_dict, 
    optimize_threshold = optimize_threshold, 
    #N_subsets = 70, subsets_size = 0.2, # default
    #with_replacement = False,           # default
    currency = currency,
    random_state = 123,
    title = 'Interactive Confusion Matrix for the Training Set');

Here the output:

Interactive Confusion Matrix for the Training Set

As you can see, the interactive confusion matrix plot also returns metric dataframes that can be used in your code if needed. One is the threshold dependent metrics dataframe:

threshold accuracy balanced_accuracy cohens_kappa f1_score matthews_corr_coef precision recall
0 0 0.2025 0.5 0 0.3368 0 0.2025 1
1 0.05 0.3988 0.623 0.1168 0.4025 0.249 0.2519 1
2 0.1 0.7475 0.8417 0.4664 0.616 0.5515 0.4451 1
3 0.15 0.8988 0.9365 0.7358 0.8 0.7629 0.6667 1
4 0.2 0.9462 0.964 0.8479 0.8822 0.857 0.7931 0.9938
5 0.25 0.9812 0.9813 0.9431 0.955 0.9437 0.9298 0.9815
6 0.3 0.9875 0.983 0.9615 0.9693 0.9615 0.9634 0.9753
7 0.35 0.99 0.9822 0.9689 0.9752 0.9689 0.9812 0.9691
8 0.4 0.9825 0.9591 0.9443 0.9551 0.9454 0.9933 0.9198
9 0.45 0.9712 0.9313 0.9065 0.9241 0.9098 0.9929 0.8642
10 0.5 0.9612 0.9043 0.8708 0.8942 0.8782 1 0.8086
11 0.55 0.9388 0.8488 0.7862 0.8218 0.8048 1 0.6975
12 0.6 0.91 0.7778 0.666 0.7143 0.7066 1 0.5556
13 0.65 0.8838 0.713 0.542 0.5974 0.6097 1 0.4259
14 0.7 0.8675 0.6728 0.4573 0.5138 0.5445 1 0.3457
15 0.75 0.8438 0.6142 0.3207 0.3719 0.437 1 0.2284
16 0.8 0.8238 0.5648 0.192 0.2295 0.3258 1 0.1296
17 0.85 0.805 0.5185 0.0578 0.0714 0.1725 1 0.037
18 0.9 0.8012 0.5093 0.0292 0.0364 0.1218 1 0.0185
19 0.95 0.7975 0.5 0 0 0 1 0
20 1 0.7975 0.5 0 0 0 1 0

The second is the threshold invariant metrics dataframe:

invariant_metric value
0 roc_auc 0.9992
1 pr_auc 0.9972
2 brier_score 0.0427

The third and last one is a dataframe containing the optimal threshold values for each implemented metric:

optimized_metric optimal_threshold
0 kappa 0.3
1 mcc 0.3
2 roc 0.25
3 f1_score 0.3
4 f2_score 0.25
5 f05_score 0.35
6 cost 0.35

We borrowed the code for calculating optimal threshold values directly from the GHOST repository, introducing more metrics and optimizing the calculations using parallelism.

Once the threshold values of interest have been identified through the training data, the Interactive Confusion Matrix can be plotted for the testing dataset. Here we also avoid calculating the optimal thresholds, since it does not make sense to do so on a testing dataset:

# You can also analyze the test dataset.
# In this case there is no need to optimize the threshold value for any measure.
threshold_step = 0.05
amounts = np.abs(X_test[:, 13])
optimize_threshold = None
currency = '$'

test_cost_dict = bc.get_cost_dict(TN = 0, FP = 10, FN = np.abs(X_test[:, 12]), TP = 0)

var_metrics_df, invar_metrics_df, __ = bc.confusion_matrix_plot(
    true_y = y_test, 
    predicted_proba = test_predicted_proba, 
    threshold_step = threshold_step, 
    amounts = amounts, 
    cost_dict = test_cost_dict, 
    optimize_threshold = optimize_threshold, 
    #N_subsets = 70, subsets_size = 0.2, # default
    #with_replacement = False,           # default
    currency = currency,
    random_state = 123);

Evidently, the Interactive Confusion Matrix plot will not present the table of optimal threshold values for the various metrics:

Interactive Confusion Matrix for the Test Set

As you can see from the code, this time the dataframes returned are only the first two.

Should you need to have only the above dataframes available without generating the interactive confusion matrix plot, there are functions available specifically for this. You can get the threshold invariant metrics dataframe as following:

invar_metrics_df = bc.utilities.get_invariant_metrics_df(true_y = y_test, 
                                      predicted_proba = test_predicted_proba)

You can also get the threshold dependent metrics dataframe and the confusion matrix values for a specific threshold as following:

conf_matrix, metrics_fixed_thresh_df = bc.utilities.get_confusion_matrix_and_metrics_df(
    true_y = y_test, 
    predicted_proba = test_predicted_proba,
    threshold = 0.3 # default = 0.5
)

Keep in mind that the confusion matrix values are returned in an array, not in a dataframe.

Finally, the dataframe of the optimized thresholds can be also obtained directly with the following code:

threshold_values = np.arange(0.05, 1, 0.05)

opt_thresh_df = bc.thresholds.get_optimized_thresholds_df(
    optimize_threshold = ['Kappa', 'Fscore', 'Cost'], 
    threshold_values = threshold_values, 
    true_y = y_train, 
    predicted_proba = train_predicted_proba,
    cost_dict = train_cost_dict, 
    
    # GHOST parameters (these values are also the default ones)
    N_subsets = 70,
    subsets_size = 0.2,
    with_replacement = False,
    
    random_state = 120)

The N_subset, subset_size, and with_replacement parameters are specific to the GHOST algorithm used to find the optimal threshold values. For more details, you can refer directly to the paper introducing the GHOST method.

If, on the other hand, you are interested in specifically optimizing a non-cost-based threshold (specifically, one of these: 'ROC', 'MCC', 'Kappa', 'F1'), you can use the following function:

opt_roc_threshold_value = bc.thresholds.get_optimal_threshold(
    y_train, 
    train_predicted_proba, 
    threshold_values,
    ThOpt_metrics = 'ROC', # default = 'Kappa'

    # GHOST parameters (these values are also the default ones) 
    N_subsets = 70,
    subsets_size = 0.2,
    with_replacement = False,

    random_seed = 120)

Keep in mind that if you choose 'Fscore' as the metric to optimize, you will be returned 3 optimal threshold values for metrics F1, F2 and F0.5 respectively.

Specifically for cost optimization (minimization), you can use the following function:

opt_cost_threshold_value = bc.thresholds.get_cost_optimal_threshold(
    y_train, 
    train_predicted_proba, 
    threshold_values,
    
    cost_dict = train_cost_dict,

    # GHOST parameters (these values are also the default ones) 
    N_subsets = 70,
    subsets_size = 0.2,
    with_replacement = False,

    random_seed = 120)

You could also be also interested in visualizing the trend of possible amounts or costs associated with each category of the confusion matrix as the threshold value changes. For this purpose there is the following function that generates an Interactive Confusion Line Chart:

amount_cost_df, total_amount = bc.confusion_linechart_plot(
    true_y = y_test, 
    predicted_proba = test_predicted_proba, 
    threshold_step =  threshold_step, 
    amounts = amounts, 
    cost_dict = test_cost_dict, 
    currency = currency);

Here the output:

Interactive Confusion Line Chart

You can see that there are also black "diamonds" indicating the first threshold value in which there is a swap of the amount and cost curves. The curve swapping points can also be more than one.

This function, in addition to generating the plot, also returns two output values: the total amount given by the sum of all categories and the dataframe of the amounts and costs for each category as the threshold changes:

print(f'total amount: {currency}{total_amount}')

amount_cost_df 

In addition to the result of the total amount ($374.24), here the amounts & costs dataframe:

threshold amount_TN amount_FP amount_FN amount_TP cost_TN cost_FP cost_FN cost_TP total_cost
0 0 0 301.374 0 72.8675 0 1590 0 0 1590
1 0.05 48.9919 252.382 0 72.8675 0 1300 0 0 1300
2 0.1 139.883 161.491 0 72.8675 0 830 0 0 830
3 0.15 201.993 99.3817 0 72.8675 0 460 0 0 460
4 0.2 251.804 49.5706 0 72.8675 0 260 0 0 260
5 0.25 267.401 33.9731 5.73307 67.1344 0 160 3.47131 0 163.471
6 0.3 287.28 14.0945 7.87073 64.9967 0 70 10.5798 0 80.5798
7 0.35 295.033 6.34141 12.96 59.9075 0 20 15.8962 0 35.8962
8 0.4 301.374 0 15.0905 57.777 0 0 18.9167 0 18.9167
9 0.45 301.374 0 17.1228 55.7447 0 0 19.9586 0 19.9586
10 0.5 301.374 0 34.1608 38.7067 0 0 41.8435 0 41.8435
11 0.55 301.374 0 41.0564 31.811 0 0 49.1584 0 49.1584
12 0.6 301.374 0 47.5616 25.3058 0 0 54.6559 0 54.6559
13 0.65 301.374 0 58.7947 14.0727 0 0 64.8295 0 64.8295
14 0.7 301.374 0 58.7947 14.0727 0 0 64.8295 0 64.8295
15 0.75 301.374 0 66.5553 6.31212 0 0 69.3375 0 69.3375
16 0.8 301.374 0 71.3319 1.53555 0 0 75.9399 0 75.9399
17 0.85 301.374 0 71.3319 1.53555 0 0 75.9399 0 75.9399
18 0.9 301.374 0 72.8675 0 0 0 75.9666 0 75.9666
19 0.95 301.374 0 72.8675 0 0 0 75.9666 0 75.9666
20 1 301.374 0 72.8675 0 0 0 75.9666 0 75.9666

Just as we have already seen with the other plots, the amount and cost dataframe can be obtained directly through a specific function. In particular, you can also choose not to report amounts, for example, if you only want to analyze costs:

# this function requires a list of thresholds, instead of the step, for example:
threshold_values = np.arange(0, 1, 0.05)

# example without amounts
costs_df = bc.utilities.get_amount_cost_df(
    true_y = y_test, 
    predicted_proba = test_predicted_proba,
    threshold_values = threshold_values, 
    #amounts = amounts,  
    cost_dict = test_cost_dict)

It may be sometimes necessary to compare the performance of what is considered a gain (e.g., amount of TP because it escaped fraud) with what is considered a loss (amount of FN of fraud escaped from the model + fixed cost per FP representing the checking to be done on transactions that are classified as fraudulent but are not). This can be done through the Interactive Amount-Cost Line Chart:

amount_classes = ['TP', 'FP'] 
cost_classes = 'all'

total_cost_amount_df = bc.total_amount_cost_plot(
    true_y = y_test, 
    predicted_proba = test_predicted_proba, 
    threshold_step = threshold_step,
    amounts = amounts, 
    cost_dict = test_cost_dict,
    amount_classes = amount_classes,
    cost_classes = cost_classes,
    currency = currency);

Here the resulting plot:

Interactive Amount-Cost Line Chart

As in the other cases, this function returns a dataframe with the amount and cost values, both for each category in the confusion matrix and for selected aggregates of them, associated with each threshold:

threshold amount_TP amount_FP amount_sum cost_TN cost_FP cost_FN cost_TP cost_sum
0 0 72.8675 301.374 374.242 0 1590 0 0 1590
1 0.05 72.8675 266.572 339.44 0 1380 0 0 1380
2 0.1 72.8675 152.006 224.874 0 770 0 0 770
3 0.15 72.8675 88.4092 161.277 0 430 0 0 430
4 0.2 72.5494 61.6009 134.15 0 290 0.221014 0 290.221
5 0.25 66.5301 31.6006 98.1307 0 160 4.472 0 164.472
6 0.3 65.3813 20.9625 86.3437 0 100 9.90665 0 109.907
7 0.35 60.9562 12.0418 72.998 0 30 18.0882 0 48.0882
8 0.4 57.8163 4.85876 62.6751 0 10 18.0989 0 28.0989
9 0.45 46.3113 0 46.3113 0 0 34.7334 0 34.7334
10 0.5 37.5392 0 37.5392 0 0 42.6685 0 42.6685
11 0.55 31.2279 0 31.2279 0 0 49.2799 0 49.2799
12 0.6 28.4496 0 28.4496 0 0 51.4823 0 51.4823
13 0.65 19.7851 0 19.7851 0 0 58.1733 0 58.1733
14 0.7 8.36888 0 8.36888 0 0 68.444 0 68.444
15 0.75 1.53555 0 1.53555 0 0 75.9399 0 75.9399
16 0.8 1.53555 0 1.53555 0 0 75.9399 0 75.9399
17 0.85 0 0 0 0 0 75.9666 0 75.9666
18 0.9 0 0 0 0 0 75.9666 0 75.9666
19 0.95 0 0 0 0 0 75.9666 0 75.9666
20 1 0 0 0 0 0 75.9666 0 75.9666

You can also directly access the previous data with the already used get_amount_cost_df() function, excluding for example amounts to focus on costs:

# this function requires a list of thresholds, instead of the step, for example:
threshold_values = np.arange(0, 1, 0.05)

# example without amounts
costs_df = bc.utilities.get_amount_cost_df(
    true_y = y_test, 
    predicted_proba = test_predicted_proba,
    threshold_values = threshold_values, 
    #amounts = amounts,  
    cost_dict = test_cost_dict)

Finally, there is also a function in this first release that simplifies the extraction of observations belonging to a specific category of the confusion matrix from a scored dataframe. If you want to extract, for example, all observations belonging to the TP category, this is the code you need:

# for example, if we want the True Positive data points with a 0.7 threshold:
confusion_category = 'TP'

bc.get_confusion_category_observations_df(
    confusion_category = confusion_category, 
    X_data = X_test, 
    true_y = y_test, 
    predicted_proba = test_predicted_proba, 
    threshold = 0.7 # default = 0.5
)

You can find the complete code in the sample notebook provided with the repository.

Content

Notebook:

  • example-notebook/Example_classification_model.ipynb Example of how to use the binclass-tools library.

Dependencies:

If you are interested in using binclass-tools in your own code/notebooks, you'll just need these packages:

  • numpy
  • pandas
  • scikit-learn (>=0.22.1)
  • matplotlib
  • plolty
  • nbformat (>= 4.2.0)

Authors

Luca Zavarella, Greta Villa

Collaborators

Julio Cesar Cuaran Cuaran

License

This package is licensed under the BSD-3-Clause license.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

binclass-tools-0.2.4.tar.gz (34.4 kB view hashes)

Uploaded Source

Built Distribution

binclass_tools-0.2.4-py3-none-any.whl (26.3 kB view hashes)

Uploaded Python 3

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page