A step-wise, color correction pipeline for digital images combining flat-field correction, gamma correction, white-balance, and color-correction
Project description
ColorCorrectionPipeline
A comprehensive, step-by-step color correction pipeline for digital images. This package integrates flat-field correction (FFC), gamma correction (GC), white balance (WB), and color correction (CC) into a unified, user-friendly workflow. After training on a reference image with a color checker chart (and optionally a white-field image for FFC), the learned corrections can be applied to any new image captured under the same conditions—no color chart required for subsequent images.
This package builds upon a previous package ML_ColorCorrection_tool.
Features
• Flat-Field Correction (FFC)
Automatically detect or manually crop "white" background image. Fits an n-degree 2D surface to describe the light distribution in the FOV, extrapolates to full image.
• Saturation Check / Extrapolation
Identify and fix saturated patches on the chart before proceeding, ensuring accurate downstream corrections.
• Gamma Correction (GC)
Fits an optimum polynomial (up to configurable degree) mapping between measured neutral patch intensities and reference values, and applies it to the entire image.
• White Balance (WB)
Diagonal white-balance correction using the neutral patches of the color checker. Gets diagonal matrix and applies it to the entire image.
• Color Correction (CC)
Two methods:
- Conventional ("conv"): configurable polynomial expansion with the Finlayson 2015 method, produces a 3xn matrix that can be applied to the entire image.
- Custom ("ours"): uses ML with linear regression, pls regression, or neural networks, produces a model that can be applied to the entire image.
• Predict on New Images
Once models are saved, apply FFC → GC → WB → CC in sequence to any new photograph, no chart needed.
Package Structure
The ColorCorrectionPipeline package includes the following key components:
ColorCorrectionPipeline/
├── __init__.py # Package exports
├── __version__.py # Version information
├── pipeline.py # Main ColorCorrection class
├── models.py # Model definitions and persistence
├── config.py # Configuration management
├── constants.py # Package constants
├── core/ # Core algorithms
│ ├── __init__.py
│ ├── color_spaces.py # Color space conversions
│ ├── correction.py # Correction algorithms
│ ├── metrics.py # Quality metrics (ΔE)
│ ├── transforms.py # Image transformations
│ └── utils.py # Utility functions
├── flat_field/ # Flat-Field Correction module
│ ├── __init__.py
│ ├── correction.py # FFC implementation
│ └── models/ # Pre-trained models (included in package)
│ ├── __init__.py
│ └── plane_det_model_YOLO_512_n.pt # YOLO model for automatic white plane detection
└── io/ # I/O utilities
├── __init__.py
├── readers.py # Image readers
└── writers.py # Image writers
Note: The YOLO model (plane_det_model_YOLO_512_n.pt) is automatically included when you install the package, so you don't need to download or specify the model path separately.
Installation
Quick Start (Recommended)
Install directly from PyPI:
pip install ColorCorrectionPipeline
Development Installation
For the latest features or development:
# Clone the repository
git clone https://github.com/collinswakholi/ColorCorrectionPackage.git
cd ColorCorrectionPackage
# Install in editable mode with development dependencies
pip install -e ".[dev]"
Requirements
• Python: 3.8 or higher
• Operating System: Windows, macOS, Linux
• Memory: Minimum 4GB RAM (8GB recommended for large images)
• GPU: Optional (CUDA-compatible GPU for accelerated processing)
Dependencies
The package automatically installs the following dependencies:
Core Dependencies:
• numpy - Numerical computing
• scipy - Scientific computing
• scikit-learn - Machine learning algorithms
• opencv-python, opencv-contrib-python - Computer vision
• torch - Deep learning framework
• ultralytics - YOLO object detection
Image Processing:
• scikit-image - Image processing algorithms
• colour-science - Color science computations
• colour-checker-detection - Color checker detection
Visualization & Analysis:
• matplotlib, plotly, seaborn - Plotting and visualization
• pandas - Data manipulation
• statsmodels - Statistical modeling
Development & Testing:
• pytest - Testing framework
Verify Installation
Verify your installation:
import ColorCorrectionPipeline
from ColorCorrectionPipeline import ColorCorrection
Usage
Below is a simple example of how to use the package:
import os
import cv2
import numpy as np
import pandas as pd
from ColorCorrectionPipeline import ColorCorrection, Config
from ColorCorrectionPipeline.core.utils import to_float64
# ─────────────────────────────────────────────────────────────────────────────
# 1. File paths
# ─────────────────────────────────────────────────────────────────────────────
IMG_PATH = "Data/Images/Sample_1.JPG" # Image containing color checker
WHITE_PATH = "Data/Images/white.JPG" # Optional White background image for FFC
TEST_IMAGE_PATH = "Data/Images/Image_1.JPG" # Optional New image for prediction
# Output directory (only used if config.save=True)
SAVE_PATH = os.path.join(os.getcwd(), "results")
# ─────────────────────────────────────────────────────────────────────────────
# 2. Load images and convert to RGB float64 in [0,1]
# ─────────────────────────────────────────────────────────────────────────────
img_bgr = cv2.imread(IMG_PATH)
img_rgb = to_float64(img_bgr[:, :, ::-1]) # convert to RGB (64bit floats, 0-1, RGB)
white_bgr = cv2.imread(WHITE_PATH)
test_bgr = cv2.imread(TEST_IMAGE_PATH)
test_rgb = to_float64(test_bgr[:, :, ::-1]) # convert to RGB (64bit floats, 0-1, RGB)
img_name = os.path.splitext(os.path.basename(IMG_PATH))[0]
# ─────────────────────────────────────────────────────────────────────────────
# 3. Configure per‐stage parameters
# ─────────────────────────────────────────────────────────────────────────────
ffc_kwargs = {
"manual_crop": False, # Optional, for manual white plane ROI selection
"show": False, # Whether to show intermediate plots
"bins": 50, # Number of bins used for sampling the intensity profile of the white plane
"smooth_window": 5, # Window size for smoothing the intensity profile
"get_deltaE": True, # Whether to calculate and return deltaE (CIEDE2000)
"fit_method": "pls", # can be linear, nn, pls, or svm, default is linear
"interactions": True, # Whether to include interactions in the polynomial expansion
"max_iter": 1000, # Maximum number of iterations
"tol": 1e-8, # Tolerance for stopping criterion
"verbose": False, # Whether to print verbose output
"random_seed": 0, # Random seed
}
# Gamma Correction (GC) kwargs:
gc_kwargs = {
"max_degree": 5, # Maximum polynomial degree for fitting gamma profile
"show": False, # Whether to show intermediate plots
"get_deltaE": True, # Whether to calculate and return deltaE (CIEDE2000)
}
# White Balance (WB) kwargs:
wb_kwargs = {
"show": False, # Whether to show intermediate plots
"get_deltaE": True, # Whether to calculate and return deltaE (CIEDE2000)
}
# Color Correction (CC) kwargs:
cc_kwargs = {
'cc_method': 'ours', # method to use for color correction
'method': 'Finlayson 2015', # if cc_method is 'conv', this is the method
'mtd': 'nn', # if cc_method is 'ours', this is the method, linear, nn, pls
'degree': 2, # degree of polynomial to fit
'max_iterations': 10000, # max iterations for fitting
'random_state': 0, # random seed
'tol': 1e-8, # tolerance for fitting
'verbose': False, # whether to print verbose output
'param_search': False, # whether to use parameter search
'show': False, # whether to show plots
'get_deltaE': True, # whether to compute deltaE
'n_samples': 50, # number of samples to use for parameter search
# only if mtd == 'pls' otherwise disable
# 'ncomp': 1, # number of components to use
# only if mtd == 'nn' otherwise disable
'nlayers': 100, # number of layers to use
'hidden_layers': [64, 32, 16], # hidden layers for neural network
'learning_rate': 0.001, # learning rate for neural network
'batch_size': 16, # batch size for neural network
'patience': 10, # patience for early stopping
'dropout_rate': 0.2, # dropout rate for neural network
'optim_type': 'adam', # optimizer type for neural network
'use_batch_norm': True, # whether to use batch normalization
}
# ─────────────────────────────────────────────────────────────────────────────
# 4. Build Config and run the Training Pipeline
# ─────────────────────────────────────────────────────────────────────────────
config = Config(
do_ffc=True, # Change to False if you don't want to run FFC
do_gc=True, # Change to False if you don't want to run GC
do_wb=True, # Change to False if you don't want to run WB
do_cc=True, # Change to False if you don't want to run CC
save=False, # Change to True if you want to save models + CSVs
save_path=SAVE_PATH, # Directory for saving outputs (models & CSV)
check_saturation=True, # Change to False if you don't want to check if color chart patches are saturated
REF_ILLUMINANT=None, # Defaults to D65; supply np.ndarray if needed
FFC_kwargs=ffc_kwargs,
GC_kwargs=gc_kwargs,
WB_kwargs=wb_kwargs,
CC_kwargs=cc_kwargs,
)
cc = ColorCorrection() # Initialize ColorCorrection class
metrics, corrected_imgs, errors = cc.run(
Image=img_rgb,
White_Image=white_bgr, # Optional, you don't have to pass anything
name_=img_name,
config=config,
)
# Convert metrics (dict) → pandas.DataFrame for display
metrics_df = pd.DataFrame.from_dict(metrics)
print("Per-patch and summary metrics for each stage:\n", metrics_df.head())
# ─────────────────────────────────────────────────────────────────────────────
# 5. Predict on a New Image (no color-checker required)
# ─────────────────────────────────────────────────────────────────────────────
test_results = cc.predict_image(test_rgb, show=True)
Assuming you have;
- A photograph with a color checker chart:
Data/Images/Sample_1.JPG, - An optional matching white-field image (for FFC):
Data/Images/white.JPG, - The YOLO model for detecting the white plane is now automatically included in the package:
ColorCorrectionPipeline/flat_field/models/plane_det_model_YOLO_512_n.pt - Another optional image (no chart required) to test the learned corrections:
Data/Images/Image_1.JPG
Sample Results
The ColorCorrectionPipeline delivers significant improvements in color accuracy and consistency. Below are sample results demonstrating the effectiveness of the complete correction pipeline:
Before Color Correction
Raw images straight from the camera showing color cast, vignetting, and inconsistent color reproduction:
After Color Correction
Same images after applying the complete FFC → GC → WB → CC pipeline, showing improved color accuracy, uniform illumination, and consistent color reproduction:
Key Improvements:
• ✅ Eliminated vignetting and illumination non-uniformities (FFC)
• ✅ Corrected gamma response for accurate neutral tones (GC)
• ✅ Achieved neutral white balance under the reference illuminant (WB)
• ✅ Accurate color reproduction matching reference standards (CC)
• ✅ Consistent results across multiple images captured under the same conditions
Typical results after full pipeline correction achieve ΔE < 2.0 for most images, with many achieving ΔE < 1.2.
Contributing
We welcome contributions! Please see our contributing guidelines below:
- Fork and Clone
git clone https://github.com/your-username/ColorCorrectionPackage.git
cd ColorCorrectionPackage
- Create Development Environment
python -m venv venv
source venv/bin/activate # On Windows: venv\Scripts\activate
pip install -e ".[dev]"
- Run Tests
pytest tests/
- Code Style
black .
- Submit a Pull Request
License
This project is licensed under the MIT License - see the LICENSE file for details.
Citation
If you use this package in your research, please cite:
@software{colorcorrectionpipeline,
author = {Wakholi, Collins and Rippner, Devin A.},
title = {ColorCorrectionPipeline: A stepwise color‐correction pipeline},
url = {https://github.com/collinswakholi/ColorCorrectionPackage},
version = {1.3.0},
year = {2025}
}
Acknowledgements
We would like to gratefully acknowledge:
• Devin A. Rippner for invaluable technical guidance
• ORISE for fellowship support
• USDA-ARS for funding and research opportunities
Made with ❤️ by Collins Wakholi
For bug reports and feature requests, please open an issue on GitHub.
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
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file colorcorrectionpipeline-1.3.3.tar.gz.
File metadata
- Download URL: colorcorrectionpipeline-1.3.3.tar.gz
- Upload date:
- Size: 24.3 MB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
f269b878b5ae9bd6a538632bfa7b9eabfbc630caeaf89110dcd3d03ae82acb4e
|
|
| MD5 |
80a0497a9b2268bbb5ece89ae004cc0a
|
|
| BLAKE2b-256 |
48701d95d41f59c7ae1456883a4718bf7b024a0ffd067ecda4c44441de3a9eba
|
File details
Details for the file colorcorrectionpipeline-1.3.3-py3-none-any.whl.
File metadata
- Download URL: colorcorrectionpipeline-1.3.3-py3-none-any.whl
- Upload date:
- Size: 20.8 MB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
fae3d7364dbc56f693a226a71de88dc3f83163b3c7505a64a906833e90108f52
|
|
| MD5 |
a3d86f836f90d9feea395dcaa026fd4a
|
|
| BLAKE2b-256 |
b1aae76e9b3159b0aa4a0852224c8870d1d0f98e855745dc887eac39d4be5aae
|