Proxy discrimination auditing for UK insurance pricing models.
UK insurers face a genuine compliance obligation to demonstrate their pricing models do not discriminate against customers with protected characteristics. The FCA Consumer Duty (PRIN 2A, live July 2023) requires firms to monitor whether their products provide fair value for different groups of customers, and the FCA's multi-firm review (2024) found most insurers were doing this inadequately. The Equality Act 2010 Section 19 independently prohibits indirect discrimination through rating factors that act as proxies for protected characteristics.
The practical problem is well-documented. Citizens Advice (2022) found a £280/year ethnicity penalty in UK motor insurance in postcodes where more than 50% of residents are people of colour, estimated at £213m per year. The mechanism is straightforward: insurers use postcode as a rating factor; postcode correlates with ethnicity; the postcode effect on price therefore contains an ethnicity component that cannot be justified on pure risk grounds.
Every Python fairness library was built for binary classification or generic regression. None handles the multiplicative frequency/severity structure, exposure-weighted metrics, or the log-link world that pricing actuaries actually work in. This library fills that gap for the UK market.
- Identifies which rating factors act as proxies for protected characteristics (mutual information, CatBoost proxy R-squared, partial correlations, SHAP proxy scores)
- Computes exposure-weighted fairness metrics appropriate for insurance: calibration by group, demographic parity ratio in log-space, disparate impact ratio, Gini by group, Theil index
- Runs counterfactual fairness tests by flipping protected characteristics and measuring premium impact
- Produces structured Markdown audit reports with explicit FCA regulatory mapping, suitable for pricing committee packs and FCA file reviews
uv add insurance-fairnessDependencies: polars, catboost, scikit-learn, scipy, numpy, jinja2, pyarrow
import polars as pl
from insurance_fairness import FairnessAudit
# Your policy-level dataset
df = pl.read_parquet("motor_portfolio.parquet")
# Fitted CatBoost model
from catboost import CatBoostRegressor
model = CatBoostRegressor()
model.load_model("frequency_model.cbm")
audit = FairnessAudit(
model=model,
data=df,
protected_cols=["gender"], # or ethnicity proxy from ONS LSOA data
prediction_col="predicted_premium",
outcome_col="claim_amount",
exposure_col="exposure",
factor_cols=[
"postcode_district", "vehicle_age", "ncd_years",
"driver_age_band", "vehicle_group",
],
model_name="Motor Model Q4 2024",
run_proxy_detection=True,
)
report = audit.run()
report.summary() # print to console
report.to_markdown("audit_q4_2024.md") # write FCA-ready report============================================================
Fairness Audit: Motor Model Q4 2024
Date: 2024-12-01
Policies: 250,000 | Exposure: 187,432.1
Overall status: AMBER
============================================================
Protected characteristic: gender
----------------------------------------
Demographic parity log-ratio: +0.0821 (ratio: 1.0855) [AMBER]
Max calibration disparity: 0.0623 [GREEN]
Disparate impact ratio: 0.9210 [AMBER]
Flagged proxy factors (2): postcode_district, vehicle_group
Factors with proxy concerns (across all protected characteristics):
- postcode_district
- vehicle_group
The main entry point. FairnessAudit.run() returns a FairnessReport with:
report.summary()- plain-text console outputreport.to_markdown(path)- Markdown report with regulatory mapping and sign-off sectionreport.to_dict()- JSON-serialisable dict for downstream processingreport.flagged_factors- list of factors with proxy concernsreport.overall_rag- 'green', 'amber', or 'red'report.results["gender"]- per-characteristicProtectedCharacteristicReport
All metrics are exposure-weighted and work on Polars DataFrames.
from insurance_fairness import (
calibration_by_group,
demographic_parity_ratio,
disparate_impact_ratio,
equalised_odds,
gini_by_group,
theil_index,
)
# Calibration by group (sufficiency) - most defensible under Equality Act
cal = calibration_by_group(
df,
protected_col="ethnicity_group",
prediction_col="model_freq",
outcome_col="n_claims",
exposure_col="exposure",
n_deciles=10,
)
print(f"Max A/E disparity: {cal.max_disparity:.4f} [{cal.rag}]")
# Demographic parity ratio (log-space, multiplicative model)
dp = demographic_parity_ratio(df, "gender", "predicted_premium", "exposure")
print(f"Log-ratio: {dp.log_ratio:+.4f} (ratio: {dp.ratio:.4f})")
# Theil index decomposition
theil = theil_index(df, "ethnicity_group", "predicted_premium", "exposure")
print(f"Between-group share: {theil.theil_between / theil.theil_total:.1%}")from insurance_fairness import mutual_information_scores, proxy_r2_scores, shap_proxy_scores
from insurance_fairness.proxy_detection import detect_proxies
# Combined proxy detection report
result = detect_proxies(
df,
protected_col="ethnicity_proxy",
factor_cols=["postcode_district", "vehicle_age", "ncd_years", "driver_age_band"],
run_proxy_r2=True,
run_mutual_info=True,
run_partial_corr=True,
)
print(result.flagged_factors) # ['postcode_district']
print(result.to_polars()) # Polars DataFrame, sorted by proxy R-squaredfrom insurance_fairness import counterfactual_fairness
cf = counterfactual_fairness(
model=model,
df=df,
protected_col="gender",
feature_cols=["gender", "postcode_district", "vehicle_age", "ncd_years"],
exposure_col="exposure",
flip_values={"M": "F", "F": "M"},
method="direct_flip",
)
cf.summary()
# "Counterfactual premium impact: +8.2%"
# (gender=M policyholders would pay 8.2% less if recorded as gender=F)For models that do not use the protected characteristic directly, use
method="lrtw_marginalisation": predictions are averaged over the marginal
distribution of the protected characteristic, approximating the
Lindholm-Richman-Tsanakas-Wüthrich discrimination-free price.
from insurance_fairness.report import generate_markdown_report
md = generate_markdown_report(report)
# Returns a Markdown string with:
# - Executive summary with RAG statuses
# - Per-characteristic metric tables and calibration grids
# - Proxy detection results
# - Regulatory compliance framework mapping
# - Methodology section with academic references
# - Sign-off table for senior actuary attestationThe library implements three distinct criteria. They are not equivalent and cannot all be satisfied simultaneously when base rates differ across groups (Chouldechova, 2017).
Calibration by group (sufficiency) - the primary criterion for UK compliance. If the model is equally well-calibrated (A/E = 1.0) for all protected-characteristic groups at each pricing level, any premium differences reflect genuine risk differences. This is defensible under the Equality Act proportionality test and maps directly to the FCA's requirement to demonstrate fair value by group.
Demographic parity - equal average prices across groups. Not required by the Equality Act (which allows risk-based differences), but flagged because large disparities warrant investigation. Reported in log-space, which is the natural metric for multiplicative pricing models.
Counterfactual fairness - premiums do not change when the protected characteristic is flipped. The strictest criterion. Appropriate for characteristics that are direct model inputs and that the regulator prohibits as rating factors (e.g. sex in motor insurance post-Test-Achats).
The library detects proxies using three complementary methods:
Proxy R-squared: A CatBoost model predicts the protected characteristic from each rating factor in isolation. High R-squared means the factor carries substantial information about the protected characteristic. Threshold: R-squared > 0.05 (amber), > 0.10 (red).
Mutual information: Model-free measure of statistical dependence. Captures non-linear relationships that R-squared may miss. Useful as a complement to R-squared for categorical factors.
SHAP proxy scores: For each factor, the Spearman correlation between its SHAP contribution to the price prediction and the protected characteristic. This links proxy correlation to actual price impact - a factor with high proxy R-squared but low SHAP correlation is correlated with the protected characteristic but not contributing to discriminatory prices.
These thresholds are not prescribed by the FCA. Treat them as triggers for investigation rather than bright-line compliance tests.
The protected characteristic column can be:
- Binary (0/1 or string): common for gender, disability indicator
- Multi-category string: e.g. driver age band as a protected characteristic
- Continuous proxy: ONS Census 2021 LSOA ethnicity proportion joined to postcode
For ethnicity, the recommended approach for UK insurers:
- Download ONS Postcode Directory (ONSPD) from the ONS Geography Portal
- Download 2021 Census Table TS021 (Ethnic group by LSOA) from NOMIS
- Join postcode -> LSOA -> ethnicity proportion
- Use the "% non-white British" at LSOA level as a continuous ethnicity proxy
The library does not bundle this data (it is large and updated quarterly). The join logic is straightforward and can be done in Polars before passing to FairnessAudit.
FCA Consumer Duty (PRIN 2A.4): Firms must monitor and demonstrate fair value across groups of customers defined by protected characteristics. The FairnessReport output and its calibration by group metrics directly satisfy this monitoring requirement.
Equality Act 2010, Section 19 (Indirect Discrimination): A rating factor that puts persons sharing a protected characteristic at a particular disadvantage constitutes indirect discrimination unless justified as a proportionate means of achieving a legitimate aim. The proxy detection module identifies which factors are at risk of constituting indirect discrimination.
FCA Evaluation Paper EP25/2 (2025): Compliance requires written records demonstrating pricing does not systematically discriminate. The Markdown audit report is designed for inclusion in the pricing committee file and FCA supervisory review.
The FCA has not prescribed a specific methodology. The academic framework underlying this library (Lindholm, Richman, Tsanakas, Wüthrich, 2022-2026) has strong credentials - published in ASTIN Bulletin and the European Journal of Operational Research, and awarded by the American Academy of Actuaries. Using a published, peer-reviewed methodology is more defensible than a bespoke approach.
- Lindholm, Richman, Tsanakas, Wüthrich (2022). Discrimination-Free Insurance Pricing. ASTIN Bulletin 52(1), 55-89.
- Lindholm, Richman, Tsanakas, Wüthrich (2023). A Multi-Task Network Approach for Calculating Discrimination-Free Insurance Prices. European Actuarial Journal.
- Lindholm, Richman, Tsanakas, Wüthrich (2024). What is Fair? Proxy Discrimination vs. Demographic Disparities in Insurance Pricing. Scandinavian Actuarial Journal 2024(9).
- Lindholm, Richman, Tsanakas, Wüthrich (2026). Sensitivity-Based Measures of Discrimination in Insurance Pricing. European Journal of Operational Research.
- Citizens Advice (2022). Discriminatory Pricing: Exploring the Ethnicity Penalty in the Insurance Market.
- FCA Consumer Duty Finalised Guidance FG22/5 (2023).
- FCA Multi-Firm Review: Outcomes Monitoring under the Consumer Duty (2024).
- FCA Thematic Review TR24/2: General Insurance and Pure Protection Product Governance (2024).
- FCA Evaluation Paper EP25/2: Our General Insurance Pricing Practices Remedies (2025).
Local test execution will crash a Raspberry Pi or similar low-memory device. Run tests on Databricks:
# In a Databricks notebook:
# %pip install insurance-fairness pytest
# (In Databricks notebooks use %pip; outside Databricks: uv add insurance-fairness)
# !pytest /path/to/insurance_fairness/tests/ -vOr via the Databricks Jobs API. See the notebooks/fairness_audit_demo.py for a full workflow demo that runs on Databricks serverless compute.
Model building
| Library | Description |
|---|---|
| shap-relativities | Extract rating relativities from GBMs using SHAP |
| insurance-interactions | Automated GLM interaction detection via CANN and NID scores |
| insurance-cv | Walk-forward cross-validation respecting IBNR structure |
Uncertainty quantification
| Library | Description |
|---|---|
| insurance-conformal | Distribution-free prediction intervals for Tweedie models |
| bayesian-pricing | Hierarchical Bayesian models for thin-data segments |
| credibility | Bühlmann-Straub credibility weighting |
Deployment and optimisation
| Library | Description |
|---|---|
| rate-optimiser | Constrained rate change optimisation with FCA PS21/5 compliance |
| insurance-demand | Conversion, retention, and price elasticity modelling |
Governance
| Library | Description |
|---|---|
| insurance-causal | Double Machine Learning for causal pricing inference |
| insurance-monitoring | Model monitoring: PSI, A/E ratios, Gini drift test |
Spatial
| Library | Description |
|---|---|
| insurance-spatial | BYM2 spatial territory ratemaking for UK personal lines |
MIT