Cross-Validation And Anomaly Detection With The ACD
Algorithm#
Welcome to our tutorial on the Anomaly and Community Detection (ACD) method. This is a probabilistic generative model and efficient algorithm to model anomalous edges in networks. It assigns latent variables as community memberships to nodes and anomaly to the edges [SDB22].
In this tutorial, we will demonstrate how to use the ACD method. We will start by loading the data, performing cross-validation using the model_selection
submodule, and then analyzing the results to determine the best number of communities (K).
Setting the Logger#
Let’s first set the logging level to DEBUG
so we can see the relevant messages.
# Set logging level to DEBUG
import logging
# Make it be set to DEBUG
logging.basicConfig(level=logging.DEBUG)
logging.getLogger("matplotlib").setLevel(logging.WARNING)
Loading and Visualizing the Data#
In this section, we will load the synthetic data required for our analyses. We will start by
importing the necessary libraries and defining the file path for the adjacency matrix, and then,
we will use the build_adjacency_from_file
method to read it.
# Step 1: Load the Data
from probinet.input.loader import build_adjacency_from_file
from importlib.resources import files
# Import necessary libraries
import pandas as pd
# Define the adjacency file
adj_file = "network_with_anomalies.csv"
# Load the network data
with files("probinet.data.input").joinpath(adj_file).open("rb") as network:
graph_data = build_adjacency_from_file(network.name, header=0)
DEBUG:root:Read adjacency file from /home/runner/.local/lib/python3.12/site-packages/probinet/data/input/network_with_anomalies.csv. The shape of the data is (2698, 3).
DEBUG:root:Creating the networks ...
/home/runner/.local/lib/python3.12/site-packages/probinet/input/loader.py:364: FutureWarning: Series.__getitem__ treating keys as positions is deprecated. In a future version, integer keys will always be treated as labels (consistent with DataFrame behavior). To access a value by position, use `ser.iloc[pos]`
if row[layer + 2] > 0:
DEBUG:root:Removing self loops
Number of nodes = 300
Number of layers = 1
Number of edges and average degree in each layer:
E[0] = 2698 / <k> = 17.99
Sparsity [0] = 0.030
Reciprocity (networkX) = 0.000
Reciprocity (considering the weights of the edges) = 0.201
As we have seen in previous tutorials, the build_adjacency_from_file
outputs a list of MultiDiGraph NetworkX
objects, a graph adjacency tensor B
, a transposed graph adjacency tensor B_T
, and
an array with values of entries A[j, i]
given non-zero entry (i, j)
. These outputs are
essential for analyzing the network structure and performing further computations.
Now that we have loaded the data, we can proceed to visualize the network structure.
import matplotlib.pyplot as plt
import networkx as nx
# Extract the graph list
A = graph_data.graph_list
# Set the seed for the layout
pos = nx.spring_layout(A[0], seed=42)
# Draw the graph using the spring layout
plt.figure(figsize=(5, 5))
nx.draw(
A[0],
pos=pos,
node_size=50,
node_color="black",
alpha=0.6,
edge_color="gray",
with_labels=False,
)
plt.show()
data:image/s3,"s3://crabby-images/24bd3/24bd3c8e780dac2355f0f4a2e0c849ada660c846" alt="../_images/e85a10d4b9745884a91cdfad8c8aeeee35a435ce6fd77cefca5480f92b073c85.png"
Performing the Cross-Validation#
As we can see from the plot, there’s no clear clustering. However, we can use the
AnomalyCommunityDetection
algorithm to infer the communities, and also to get some
information about the anomalies. To do this, we need to specify a set of parameters related to the number of communities, their interrelations, and other structural aspects. Selecting the appropriate hyperparameters can be challenging, so we will utilize the model_selection
module, which is designed for model selection and cross-validation to optimize the algorithm’s performance.
The model_selection
module not only provides a comprehensive set of tools for model selection and cross-validation but also enables us to build specific modules for each model that carry out the cross-validation process. This module includes several submodules, each tailored for specific tasks:
parameter_search
: Functions for searching optimal model parameters.cross_validation
: Functions for general cross-validation.masking
: Functions for masking data during cross-validation.main
: Entry point for the cross-validation process. Although each algorithm has its own cross-validation submodule, themain
submodule provides a unified interface for running cross-validation for all algorithms.
Additionally, the module provides specialized cross-validation submodules for different algorithms:
mtcov_cross_validation
: Cross-validation specific to the MTCOV algorithm.dyncrep_cross_validation
: Cross-validation specific to the DynCRep algorithm.acd_cross_validation
: Cross-validation specific to the ACD algorithm.crep_cross_validation
: Cross-validation specific to the CRep algorithm.jointcrep_cross_validation
: Cross-validation specific to the JointCRep algorithm.
By leveraging these tools, we can systematically assess and fine-tune our model to achieve the best possible results.
Let’s look now at how to use it. As mentioned, we will use the main
submodule to perform
cross-validation for the ACD method. To do that, we need to define the model parameters
(model_parameters
) and cross-validation parameters (cv_params
). The model_parameters
include the lists of hyperparameters of the ACD method we would like to test. The cv_params
include the parameters for the cross-validation process, such as the number of folds, the input
folder, and the output results. Optionally, we can also specify another dictionary
(numerical_parameters
) with the
numerical parameters to run the inference algorithm, like the number of iterations or the
convergence threshold. We will set the number of iterations to 1000 using this input dictionary.
# Step 2: Perform Cross-Validation
fold_number = 3
# Define the cross-validation parameters
model_parameters = {
"K": [2, 3],
"flag_anomaly": True,
"rseed": 10,
"initialization": 0,
"out_inference": False,
"out_folder": "outputs/" + str(fold_number) + "-fold_cv/",
"end_file": "_ACD",
"assortative": True,
"undirected": False,
"files": "../data/input/theta.npz",
}
cv_params = {
"in_folder": "../../../probinet/data/input/",
"adj": adj_file,
"ego": "source",
"alter": "target",
"NFold": fold_number,
"out_results": True,
"out_mask": False,
"sep": " ",
}
numerical_parameters = {
"max_iter": 1000,
"num_realizations": 1,
}
As we can see, the model_parameters
dictionary contains the hyperparameters we want to test. In
this case, we will only focus on the number of communities K
. To avoid making the tutorial too long, we will only test two values for K
, but in practice, we should test a broader range of values.
We are now ready to run the cross-validation process. We will use the cross_validation
function from the main
submodule, passing the method name (ACD
), the model parameters, and the cross-validation parameters as arguments. The function will then perform the cross-validation and store the results in a CSV file.
from pathlib import Path
# Define the output file name
adj_file_stem = Path(adj_file).stem
cv_results_file = Path(f"outputs/{fold_number}-fold_cv/{adj_file_stem}_cv.csv")
# Delete the file if it already exists
if cv_results_file.exists():
cv_results_file.unlink()
# Run the cross-validation
from probinet.model_selection.main import cross_validation
results = cross_validation("ACD", model_parameters, cv_params, numerical_parameters)
INFO:root:Starting cross-validation for algorithm: ACD
DEBUG:root:Converting parameter flag_anomaly to list. The value used is True
DEBUG:root:Converting parameter rseed to list. The value used is 10
DEBUG:root:Converting parameter initialization to list. The value used is 0
DEBUG:root:Converting parameter out_inference to list. The value used is False
DEBUG:root:Converting parameter out_folder to list. The value used is outputs/3-fold_cv/
DEBUG:root:Converting parameter end_file to list. The value used is _ACD
DEBUG:root:Converting parameter assortative to list. The value used is True
DEBUG:root:Converting parameter undirected to list. The value used is False
DEBUG:root:Converting parameter files to list. The value used is ../data/input/theta.npz
INFO:root:Parameter grid created with 2 combinations
INFO:root:Running cross-validation for parameters: {'K': 2, 'flag_anomaly': True, 'rseed': 10, 'initialization': 0, 'out_inference': False, 'out_folder': 'outputs/3-fold_cv/', 'end_file': '_ACD', 'assortative': True, 'undirected': False, 'files': '../data/input/theta.npz'}
INFO:root:Results will be saved in: outputs/3-fold_cv/network_with_anomalies_cv.csv
DEBUG:root:Read adjacency file from ../../../probinet/data/input/network_with_anomalies.csv. The shape of the data is (2698, 3).
DEBUG:root:Creating the networks ...
/home/runner/.local/lib/python3.12/site-packages/probinet/input/loader.py:364: FutureWarning: Series.__getitem__ treating keys as positions is deprecated. In a future version, integer keys will always be treated as labels (consistent with DataFrame behavior). To access a value by position, use `ser.iloc[pos]`
if row[layer + 2] > 0:
DEBUG:root:Removing self loops
INFO:root:Starting the cross-validation procedure.
INFO:root:
FOLD 0
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 32318217809460493494586234015929749787
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
Number of nodes = 300
Number of layers = 1
Number of edges and average degree in each layer:
E[0] = 2698 / <k> = 17.99
Sparsity [0] = 0.030
Reciprocity (networkX) = 0.000
Reciprocity (considering the weights of the edges) = 0.201
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.61 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.20 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 4.79 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.39 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 8.00 seconds
DEBUG:root:num. realizations = 0 - ELBO = -11841.116803444222 - ELBOmax = -11841.116803444222 - iterations = 591 - time = 9.46 seconds - convergence = True
DEBUG:root:Best realization = 0 - maxL = -11841.116803444222 - best iterations = 591
INFO:root:Algorithm successfully converged after 591 iterations with a maximum log-likelihood of -11841.1168.
DEBUG:root:Parameters won't be saved! If you want to save them, set out_inference=True.
INFO:root:Time elapsed: 9.51 seconds.
INFO:root:
Time elapsed: 9.51 seconds.
INFO:root:
FOLD 1
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 32318217809460493494586234015929749787
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.60 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.17 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 4.75 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.33 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 7.90 seconds
DEBUG:root:num. realization = 0 - iterations = 600 - time = 9.47 seconds
DEBUG:root:num. realizations = 0 - ELBO = -11760.788355930157 - ELBOmax = -11760.788355930157 - iterations = 651 - time = 10.27 seconds - convergence = True
DEBUG:root:Best realization = 0 - maxL = -11760.788355930157 - best iterations = 651
INFO:root:Algorithm successfully converged after 651 iterations with a maximum log-likelihood of -11760.7884.
DEBUG:root:Parameters won't be saved! If you want to save them, set out_inference=True.
INFO:root:Time elapsed: 10.31 seconds.
INFO:root:
Time elapsed: 19.82 seconds.
INFO:root:
FOLD 2
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 32318217809460493494586234015929749787
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.57 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.14 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 4.72 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.31 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 7.87 seconds
DEBUG:root:num. realization = 0 - iterations = 600 - time = 9.44 seconds
DEBUG:root:num. realizations = 0 - ELBO = -11784.127497491212 - ELBOmax = -11784.127497491212 - iterations = 651 - time = 10.24 seconds - convergence = True
DEBUG:root:Best realization = 0 - maxL = -11784.127497491212 - best iterations = 651
INFO:root:Algorithm successfully converged after 651 iterations with a maximum log-likelihood of -11784.1275.
DEBUG:root:Parameters won't be saved! If you want to save them, set out_inference=True.
INFO:root:Time elapsed: 10.29 seconds.
INFO:root:
Time elapsed: 30.11 seconds.
INFO:root:Completed cross-validation for parameters: {'K': 2, 'flag_anomaly': True, 'rseed': 10, 'initialization': 0, 'out_inference': False, 'out_folder': 'outputs/3-fold_cv/', 'end_file': '_ACD_2K2', 'assortative': True, 'undirected': False, 'files': '../data/input/theta.npz', 'rng': Generator(PCG64) at 0x7F7CC3929620}
INFO:root:Running cross-validation for parameters: {'K': 3, 'flag_anomaly': True, 'rseed': 10, 'initialization': 0, 'out_inference': False, 'out_folder': 'outputs/3-fold_cv/', 'end_file': '_ACD', 'assortative': True, 'undirected': False, 'files': '../data/input/theta.npz'}
INFO:root:Results will be saved in: outputs/3-fold_cv/network_with_anomalies_cv.csv
DEBUG:root:Read adjacency file from ../../../probinet/data/input/network_with_anomalies.csv. The shape of the data is (2698, 3).
DEBUG:root:Creating the networks ...
/home/runner/.local/lib/python3.12/site-packages/probinet/input/loader.py:364: FutureWarning: Series.__getitem__ treating keys as positions is deprecated. In a future version, integer keys will always be treated as labels (consistent with DataFrame behavior). To access a value by position, use `ser.iloc[pos]`
if row[layer + 2] > 0:
DEBUG:root:Removing self loops
INFO:root:Starting the cross-validation procedure.
INFO:root:
FOLD 0
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 32318217809460493494586234015929749787
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
Number of nodes = 300
Number of layers = 1
Number of edges and average degree in each layer:
E[0] = 2698 / <k> = 17.99
Sparsity [0] = 0.030
Reciprocity (networkX) = 0.000
Reciprocity (considering the weights of the edges) = 0.201
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.64 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.27 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 4.91 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.56 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 8.19 seconds
DEBUG:root:num. realizations = 0 - ELBO = -13036.660213146151 - ELBOmax = -13036.660213146151 - iterations = 591 - time = 9.69 seconds - convergence = True
DEBUG:root:Best realization = 0 - maxL = -13036.660213146151 - best iterations = 591
INFO:root:Algorithm successfully converged after 591 iterations with a maximum log-likelihood of -13036.6602.
DEBUG:root:Parameters won't be saved! If you want to save them, set out_inference=True.
INFO:root:Time elapsed: 9.74 seconds.
INFO:root:
Time elapsed: 9.74 seconds.
INFO:root:
FOLD 1
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 32318217809460493494586234015929749787
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.64 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.28 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 4.91 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.55 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 8.18 seconds
DEBUG:root:num. realization = 0 - iterations = 600 - time = 9.81 seconds
DEBUG:root:num. realizations = 0 - ELBO = -12956.236304706752 - ELBOmax = -12956.236304706752 - iterations = 651 - time = 10.65 seconds - convergence = True
DEBUG:root:Best realization = 0 - maxL = -12956.236304706752 - best iterations = 651
INFO:root:Algorithm successfully converged after 651 iterations with a maximum log-likelihood of -12956.2363.
DEBUG:root:Parameters won't be saved! If you want to save them, set out_inference=True.
INFO:root:Time elapsed: 10.69 seconds.
INFO:root:
Time elapsed: 20.43 seconds.
INFO:root:
FOLD 2
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 32318217809460493494586234015929749787
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.64 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.27 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 4.91 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.55 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 8.19 seconds
DEBUG:root:num. realization = 0 - iterations = 600 - time = 9.82 seconds
DEBUG:root:num. realizations = 0 - ELBO = -12978.7902472274 - ELBOmax = -12978.7902472274 - iterations = 641 - time = 10.49 seconds - convergence = True
DEBUG:root:Best realization = 0 - maxL = -12978.7902472274 - best iterations = 641
INFO:root:Algorithm successfully converged after 641 iterations with a maximum log-likelihood of -12978.7902.
DEBUG:root:Parameters won't be saved! If you want to save them, set out_inference=True.
INFO:root:Time elapsed: 10.54 seconds.
INFO:root:
Time elapsed: 30.97 seconds.
INFO:root:Completed cross-validation for parameters: {'K': 3, 'flag_anomaly': True, 'rseed': 10, 'initialization': 0, 'out_inference': False, 'out_folder': 'outputs/3-fold_cv/', 'end_file': '_ACD_2K3', 'assortative': True, 'undirected': False, 'files': '../data/input/theta.npz', 'rng': Generator(PCG64) at 0x7F7CC3929A80}
INFO:root:Completed cross-validation for algorithm: ACD
INFO:root:Results saved in: outputs/3-fold_cv/network_with_anomalies_cv.csv
Loading the Cross-Validation Results#
Now we are ready to load the cross-validation results into a DataFrame and analyze them to determine the best number of communities (K). We will load the results from the CSV file generated during the cross-validation process and display the first few rows to get an overview of the data.
# Step 3: Load the Cross-Validation Results
# Load the cross-validation results into a DataFrame
adj_file_stem = adj_file.split(".")[0]
cv_results_file = "outputs/" + str(fold_number) + f"-fold_cv/{adj_file_stem}_cv.csv"
cv_results = pd.read_csv(cv_results_file)
# Display the cross-validation results
cv_results
K | fold | rseed | flag_anomaly | mu | pi | ELBO | final_it | aucA_train | aucA_test | |
---|---|---|---|---|---|---|---|---|---|---|
0 | 2 | 0 | 10 | True | 0.238468 | 0.024484 | -11841.116803 | 591 | 0.768013 | 0.689058 |
1 | 2 | 1 | 10 | True | 0.226413 | 0.025539 | -11760.788356 | 651 | 0.776424 | 0.712933 |
2 | 2 | 2 | 10 | True | 0.218528 | 0.025757 | -11784.127497 | 651 | 0.768061 | 0.705857 |
3 | 3 | 0 | 10 | True | 0.239438 | 0.024268 | -13036.660213 | 591 | 0.765840 | 0.685274 |
4 | 3 | 1 | 10 | True | 0.227395 | 0.025297 | -12956.236305 | 651 | 0.774123 | 0.709113 |
5 | 3 | 2 | 10 | True | 0.219687 | 0.025455 | -12978.790247 | 641 | 0.765180 | 0.700939 |
As we can see, the resulting dataframe shows information about the used data folds, the
number of communities, the random seed, the anomaly flag, the parameters mu
and pi
, the
ELBO score, and the number of iterations needed to reach convergence of the ELBO function.
Moreover, we can also see the scores for each combination of parameters both on the folds used
for training, and the folds used for testing. Since we are interested in determining the best K
value (best in terms of AUC scores over the folds), we will group the results by K
and calculate
the mean score for each group.
# Remove the specified columns
cv_results_filtered = cv_results.drop(
columns=["fold", "rseed", "flag_anomaly", "final_it", "mu", "ELBO", "pi"]
)
# Group by 'K' and calculate the mean for each group
cv_results_mean = cv_results_filtered.groupby("K").mean().reset_index()
cv_results_mean
K | aucA_train | aucA_test | |
---|---|---|---|
0 | 2 | 0.770833 | 0.702616 |
1 | 3 | 0.768381 | 0.698442 |
Now it is evident that K
equal to 3 is the best choice, as it has the highest mean score (both
in training and testing). We will use it to run the algorithm with the whole dataset, and
then analyze the results.
# Get the best K
best_K = cv_results_mean.loc[cv_results_mean["aucA_test"].idxmax()]["K"]
# Turn K into an integer
best_K = int(best_K)
best_K
2
Run the algorithm with the best K#
First, we instantiate the model with the previously used numerical parameters, and then we run
it with the best K
value.
from probinet.models.acd import AnomalyDetection
model = AnomalyDetection()
inferred_parameters = model.fit(
graph_data,
K=best_K,
flag_anomaly=model_parameters["flag_anomaly"][0],
rseed=model_parameters["rseed"][0],
initialization=model_parameters["initialization"][0],
out_inference=model_parameters["out_inference"][0],
assortative=model_parameters["assortative"][0],
undirected=model_parameters["undirected"][0],
)
DEBUG:root:Initialization parameter: 0
DEBUG:root:Eta0 parameter: None
DEBUG:root:Preprocessing the data for fitting the models.
DEBUG:root:Data looks like: [[[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
...
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]
[0. 0. 0. ... 0. 0. 0.]]]
DEBUG:root:Random number generator state: 64479067930373452121769680112344015571
DEBUG:root:u, v and w are initialized randomly.
DEBUG:root:Updating realization 0 ...
DEBUG:root:num. realization = 0 - iterations = 100 - time = 1.67 seconds
DEBUG:root:num. realization = 0 - iterations = 200 - time = 3.33 seconds
DEBUG:root:num. realization = 0 - iterations = 300 - time = 5.04 seconds
DEBUG:root:num. realization = 0 - iterations = 400 - time = 6.71 seconds
DEBUG:root:num. realization = 0 - iterations = 500 - time = 8.38 seconds
DEBUG:root:num. realizations = 0 - ELBO = -17676.77958691701 - ELBOmax = -17676.77958691701 - iterations = 500 - time = 8.38 seconds - convergence = False
DEBUG:root:Best realization = 0 - maxL = -17676.77958691701 - best iterations = 500
INFO:root:Algorithm did not converge.
WARNING:root:Solution failed to converge in 500 EM steps!
WARNING:root:Parameters won't be saved for this realization! If you have provided a number of realizations equal to one, please increase it.
u, v, w, mu, pi, _ = inferred_parameters
# Print the shape of each parameter
print("u shape: ", u.shape)
print("v shape: ", v.shape)
print("w shape: ", w.shape)
print("mu: ", mu)
print("pi: ", pi)
u shape: (300, 2)
v shape: (300, 2)
w shape: (1, 2)
mu: 0.10815235790918144
pi: 0.2763945804566322
Community Detection#
Now that we have run the algorithm with the best K
value, we can analyze the results. We will
first plot the adjacency matrix to confirm that our choice of K
was correct.
# Create a graph from the first adjacency matrix in the list A
graph = A[0]
# Get the adjacency matrix
adjacency_matrix = nx.adjacency_matrix(graph)
# Plot the adjacency matrix
plt.imshow(adjacency_matrix.toarray(), cmap="Greys", interpolation="none")
# Add a color bar to the plot for reference
plt.colorbar()
plt.show()
data:image/s3,"s3://crabby-images/99cb9/99cb947f33056b33193d1f30ac2defdb8b4f74a6" alt="../_images/9e8c26baa5351455ddd7ed47b141c0e37cffbf85d9453bab09f1c2b04195cb57.png"
It is now more evident that the input data has indeed three communities, which matches the results given by the cross validation.
We can now use the inferred parameters to plot the graph together with the communities.
import numpy as np
# Get the community with the highest probability for each node
umax = np.argmax(u, 1)
# Draw the graph using the spring layout
plt.figure(figsize=(5, 5))
nx.draw(
A[0],
pos=pos,
node_size=50,
node_color=umax,
alpha=0.6,
edge_color="gray",
with_labels=False,
cmap=plt.cm.Set1,
)
plt.show()
data:image/s3,"s3://crabby-images/48c39/48c399dc9e662ef51e988e754bfaf90b6013addc" alt="../_images/1853c6b3b10eba7e2cd43862ea0404c20a0c866d018d5ff721dad6aa9491e797.png"
Anomaly Detection#
As we have seen, the ACD
method also provides information about the anomalies. We can use the
inferred parameters pi
and mu
to build a matrix Q
that represents the probability of each
edge being an anomaly. We can then set a threshold to determine which edges are anomalous. We can
decide which threshold to use based on the distribution of values in Q
.
from probinet.evaluation.expectation_computation import (
compute_mean_lambda0,
calculate_Q_dense,
)
# Calculate the matrix Q
M0 = compute_mean_lambda0(u, v, w)
Q = calculate_Q_dense(graph_data.adjacency_tensor, M0, pi, mu)
# Plot the distribution of values in Q
fig = plt.figure(figsize=(7, 3))
plt.hist(Q[0].flatten(), bins=100)
plt.title("Q distribution")
Text(0.5, 1.0, 'Q distribution')
data:image/s3,"s3://crabby-images/d5510/d55109dcaed06175f71b8d31b396cd61a42ca2c3" alt="../_images/699981914b49fd09a52c50f566310035ce340f964715eb6400fe66732f4ba957.png"
The distribution of values in Q is skewed, with most values close to 0.6. We can concentrate on the most anomalous values by selecting the top 10%.
import numpy as np
# Calculate the threshold for the top 10% most anomalous edges
threshold = np.percentile(Q[0].flatten(), 90)
# Create a copy of Q and set the top 10% most anomalous edges to 1, and the rest to 0
Z_pred = np.copy(Q[0])
Z_pred[Q[0] >= threshold] = 1
Z_pred[Q[0] < threshold] = 0
plt.figure(figsize=(5, 5))
cmap = "PuBuGn"
plt.imshow(Z_pred, cmap=cmap, interpolation="none")
plt.colorbar(fraction=0.046)
plt.title("Z_pred")
Text(0.5, 1.0, 'Z_pred')
data:image/s3,"s3://crabby-images/d978a/d978a286c2dc31796f44182d1e968146b46906bd" alt="../_images/0d55b7a29fc58c6416a6e2f495a74d15825b2353641cb3e23d0c85d1a722a2e2.png"
Summary#
In this notebook, we explored the Anomaly and Community Detection (ACD) model. We began by loading and visualizing the data after importing the necessary libraries. Next, we performed cross-validation by defining both model and cross-validation parameters, using the cross_validation
function from the model_selection
module. The results were then loaded to identify the optimal number of communities (K) based on the AUC scores.
With the best (K) value determined, we proceeded by running the ACD algorithm. For community detection, we validated the choice of (K) by plotting the adjacency matrix and visualizing the graph with the detected communities. For anomaly detection, we computed the matrix (Q), which represented the probability of each edge being an anomaly.