%pip install -q validmind
Document a California Housing Price Prediction regression model
Use the California Housing Price Prediction sample dataset from Sklearn to train a simple regression model and document that model with the ValidMind Library.
As part of the notebook, you will learn how to train a sample model while exploring how the documentation process works:
- Initializing the ValidMind Library
- Loading a sample dataset provided by the library to train a simple regression model
- Running a ValidMind test suite to quickly generate documention about the data and model
About ValidMind
ValidMind’s platform enables organizations to identify, document, and manage model risks for all types of models, including AI/ML models, LLMs, and statistical models. As a model developer, you use the ValidMind Library to automate documentation and validation tests, and then use the ValidMind AI Risk Platform UI to collaborate on model documentation. Together, these products simplify model risk management, facilitate compliance with regulations and institutional standards, and enhance collaboration between yourself and model validators.
If this is your first time trying out ValidMind, you can make use of the following resources alongside this notebook:
- Get started — The basics, including key concepts, and how our products work
- Get started with the ValidMind Library — The path for developers, more code samples, and our developer reference
Before you begin
Signing up is FREE — Register with ValidMind
If you encounter errors due to missing modules in your Python environment, install the modules with pip install
, and then re-run the notebook. For more help, refer to Installing Python Modules.
Install the client library
The client library provides Python support for the ValidMind Library. To install it:
Initialize the client library
ValidMind generates a unique code snippet for each registered model to connect with your developer environment. You initialize the client library with this code snippet, which ensures that your documentation and tests are uploaded to the correct model when you run the notebook.
Get your code snippet:
In a browser, log in to ValidMind.
In the left sidebar, navigate to Model Inventory and click + Register new model.
Enter the model details, making sure to select Binary classification as the template and Marketing/Sales - Attrition/Churn Management as the use case, and click Continue. (Need more help?)
Go to Getting Started and click Copy snippet to clipboard.
Next, replace this placeholder with your own code snippet:
# Replace with your code snippet
import validmind as vm
import validmind as vm
vm.init(= "...",
api_host = "...",
api_key = "...",
api_secret = "..."
project )
Initialize the Python environment
Next, let’s import the necessary libraries and set up your Python environment for data analysis:
from sklearn.preprocessing import StandardScaler
from sklearn.ensemble import RandomForestRegressor, GradientBoostingRegressor
%matplotlib inline
Preview the documentation template
A template predefines sections for your model documentation and provides a general outline to follow, making the documentation process much easier.
You will upload documentation and test results into this template later on. For now, take a look at the structure that the template provides with the vm.preview_template()
function from the ValidMind library and note the empty sections:
vm.preview_template()
Load the sample dataset
To be able to use a sample dataset, you need to import the dataset and load it into a pandas DataFrame, a two-dimensional tabular data structure that makes use of rows and columns:
Load the sample dataset
The sample dataset used here is provided by the ValidMind library. To be able to use it, you need to import the dataset and load it into a pandas DataFrame, a two-dimensional tabular data structure that makes use of rows and columns:
# Import the sample dataset from the library
from validmind.datasets.regression import california_housing as demo_dataset
print(f"Loaded demo dataset with: \n\n\t• Target column: '{demo_dataset.target_column}")
= demo_dataset.load_data()
raw_df raw_df.head()
Document the model
As part of documenting the model with the ValidMind Library, you need to preprocess the raw dataset, initialize some training and test datasets, initialize a model object you can use for testing, and then run the full suite of tests.
Prepocess the raw dataset
Preprocessing performs a number of operations to get ready for the subsequent steps:
- Preprocess the data: Splits the DataFrame (
df
) into multiple datasets (train_df
,validation_df
, andtest_df
) usingdemo_dataset.preprocess
to simplify preprocessing. - Separate features and targets: Drops the target column to create feature sets (
x_train
,x_val
) and target sets (y_train
,y_val
). - Initialize RandomForestRegressor regressor: Creates an
RandomForestRegressor
object with random state set to 0. - Set evaluation metrics: Specifies metrics for model evaluation as “errors” and “r2”.
- Fit the model: Trains the model on
x_train
andy_train
using the validation set(x_val, y_val)
. Verbose output is disabled.
= demo_dataset.preprocess(raw_df)
train_df, validation_df, test_df
= train_df.drop(demo_dataset.target_column, axis=1)
x_train = train_df[demo_dataset.target_column]
y_train = validation_df.drop(demo_dataset.target_column, axis=1)
x_val = validation_df[demo_dataset.target_column] y_val
Here we create two regression models so that the performance of the model can be compared through ValidMind test suite.
= False
scale if scale:
= StandardScaler()
scaler = scaler.fit_transform(x_train)
x_train = scaler.fit_transform(x_val)
x_val
= RandomForestRegressor(random_state=0)
model
model.fit(x_train, y_train)= model.score(x_train, y_train)
s1 = model.score(x_val, y_val)
s2 print("R² of Support Vector Regressor on training set: {:.3f}".format(s1))
print("R² of Support Vector Regressor on test set: {:.3f}".format(s2))
= GradientBoostingRegressor(random_state=0, max_depth=4)
model_1
model_1.fit(x_train, y_train)= model_1.score(x_train, y_train)
model1_s1 = model_1.score(x_val, y_val)
model1_s2 print(
"R² of Support Gradient Boosting Regressor on training set: {:.3f}".format(
model1_s1
)
)print("R² of Support Gradient Boosting Regressor on test set: {:.3f}".format(model1_s2))
Initialize the ValidMind datasets
Before you can run tests, you must first initialize a ValidMind dataset object using the init_dataset
function from the ValidMind (vm
) module.
This function takes a number of arguments:
dataset
— the raw dataset that you want to provide as input to testsinput_id
- a unique identifier that allows tracking what inputs are used when running each individual testtarget_column
— a required argument if tests require access to true values. This is the name of the target column in the dataset
With all datasets ready, you can now initialize the raw, training and test datasets (raw_df
, train_df
and test_df
) created earlier into their own dataset objects using vm.init_dataset()
:
= vm.init_dataset(
vm_raw_dataset =raw_df,
dataset="raw_dataset",
input_id=demo_dataset.target_column,
target_column
)
= vm.init_dataset(
vm_train_ds =train_df, input_id="train_dataset", target_column=demo_dataset.target_column
dataset
)
= vm.init_dataset(
vm_test_ds =test_df, input_id="test_dataset", target_column=demo_dataset.target_column
dataset )
Initialize a model object
Additionally, you need to initialize a ValidMind model objects (vm_model
and vm_model_1
) that can be passed to other functions for analysis and tests on the data. You simply intialize this model object with vm.init_model()
:
= vm.init_model(
vm_model
model,="random_forest_regressor",
input_id
)= vm.init_model(
vm_model_1
model_1,="gradient_boosting_regressor",
input_id )
Assign predictions to the datasets
We can now use the assign_predictions() method from the Dataset object to link existing predictions to any model. If no prediction values are passed, the method will compute predictions automatically:
vm_train_ds.assign_predictions(=vm_model,
model
)
vm_train_ds.assign_predictions(=vm_model_1,
model
)
vm_test_ds.assign_predictions(=vm_model,
model
)
vm_test_ds.assign_predictions(=vm_model_1,
model )
Run the full suite of tests
This is where it all comes together: you are now ready to run the documentation tests for the model as defined by the documentation template you looked at earlier.
The vm.run_documentation_tests
function finds and runs every tests specified in the test suites and then uploads all the documentation and test artifacts that get generated to the ValidMind AI Risk Platform.
The function takes two arguments:
dataset
: The data to be tested, specified asvm_dataset
.model
: The candidate model to be used for testing, specified asvm_model
. -models
: The list of models that can be compare with candidate model.
The variable full_suite
then holds the result of these tests.
= vm.run_documentation_tests(
full_suite ={
inputs"dataset": vm_train_ds,
"datasets": (vm_train_ds, vm_test_ds),
"model": vm_model,
"models":[vm_model_1]
} )
Next steps
You can look at the results of this test suite right in the notebook where you ran the code, as you would expect. But there is a better way: view the test results as part of your model documentation right in the ValidMind Platform UI:
In the ValidMind Platform UI, go to the Documentation page for the model you registered earlier. (Need more help?
Expand the following sections and take a look around:
- 2. Data Preparation
- 3. Model Development
What you can see now is a much more easily consumable version of the documentation, including the results of the tests you just performed, along with other parts of your model documentation that still need to be completed. There is a wealth of information that gets uploaded when you run the full test suite, so take a closer look around, especially at test results that might need attention (hint: some of the tests in 2.1 Data description look like they need some attention).
If you want to learn more about where you are in the model documentation process, take a look at Get started with the ValidMind Library.
Upgrade ValidMind
Retrieve the information for the currently installed version of ValidMind:
%pip show validmind
If the version returned is lower than the version indicated in our production open-source code, restart your notebook and run:
%pip install --upgrade validmind
You may need to restart your kernel after running the upgrade package for changes to be applied.