onion_config is a python package that allows for easy configuration management. It allows for loading and validating configuration data from environment variables and config files in JSON and YAML formats.
Project description
onion_config
onion_config
is a python package that allows for easy configuration management. It allows for loading and validating configuration data from environment variables and config files in JSON and YAML formats.
Pydantic
based custom config package for python projects.
Features
- Main config based on Pydantic schema - https://pypi.org/project/pydantic
- Load environment variables - https://pypi.org/project/python-dotenv
- Load configs from YAML and JSON files
- Update the default config with additional configurations (
extra_configs
directory) - Pre-load hook function to modify config data before loading and validation
- Validate config values with Pydantic validators
- Config as dictionary or Pydantic model (with type hints)
- Pre-defined base config schema for common config (
BaseConfig
) - Base for custom config loader (
ConfigLoader
)
Installation
1. Prerequisites
- Python (>= v3.7)
- PyPi (>= v21)
2. Install onion-config package
Choose one of the following methods to install the package [A ~ F]:
A. [RECOMMENDED] Install from PyPi
# Install or upgrade package:
pip install -U onion-config
B. Install latest version from GitHub
# Install package by git:
pip install git+https://github.com/bybatkhuu/mod.python-config.git
C. Install from pre-built release files
- Download
.whl
or.tar.gz
file from releases - https://github.com/bybatkhuu/mod.python-config/releases - Install with pip:
# Install from .whl file:
pip install ./onion_config-[VERSION]-py3-none-any.whl
# Or install from .tar.gz file:
pip install ./onion_config-[VERSION].tar.gz
D. Install from source code by building package
# Clone repository by git:
git clone https://github.com/bybatkhuu/mod.python-config.git onion_config
cd ./onion_config
# Install python build tool:
pip install -U pip build
# Build python package:
python -m build
_VERSION=$(./scripts/get-version.sh)
# Install from .whl file:
pip install ./dist/onion_config-${_VERSION}-py3-none-any.whl
# Or install from .tar.gz file:
pip install ./dist/onion_config-${_VERSION}.tar.gz
E. Install with pip editable development mode (from source code)
# Clone repository by git:
git clone https://github.com/bybatkhuu/mod.python-config.git onion_config
cd ./onion_config
# Install with editable development mode:
pip install -e .
F. Manually add to PYTHONPATH (not recommended)
# Clone repository by git:
git clone https://github.com/bybatkhuu/mod.python-config.git onion_config
cd ./onion_config
# Install python dependencies:
pip install -r ./requirements.txt
# Add current path to PYTHONPATH:
export PYTHONPATH="${PWD}:${PYTHONPATH}"
Usage/Examples
To use onion_config
, import the ConfigLoader
class from the package:
from onion_config import ConfigLoader, BaseConfig
You can create an instance of ConfigLoader
with auto_load
flag. This will automatically load configuration data from environment variables and config files located in the default directory ('./configs'
). The configuration data can then be accessed via the config
property of the ConfigLoader
instance:
config: BaseConfig = ConfigLoader(auto_load=True).config
Simple
env: test
app:
name: "My App"
version: "0.0.1"
nested:
key: "value"
app:
name: "New App"
nested:
some: "value"
description: "Description of my app."
another_val:
extra: 1
import sys
import pprint
import logging
from onion_config import ConfigLoader, BaseConfig
logging.basicConfig(stream=sys.stdout, level=logging.INFO)
logger = logging.getLogger(__name__)
try:
config: BaseConfig = ConfigLoader().load()
except Exception:
logger.exception("Failed to load config:")
exit(2)
if __name__ == "__main__":
logger.info(f" App name: {config.app['name']}")
logger.info(f" Config:\n{pprint.pformat(config.model_dump())}\n")
Run the examples/simple
:
cd ./examples/simple
python ./main.py
Output:
INFO:__main__: App name: New App
INFO:__main__: Config:
{'another_val': {'extra': 1},
'app': {'description': 'Description of my app.',
'name': 'New App',
'nested': {'key': 'value', 'some': 'value'},
'version': '0.0.1'},
'env': 'test'}
Advanced
{
"logger":
{
"level": "info",
"output": "file"
}
}
env: production
app:
name: "My App"
port: 9000
bind_host: "0.0.0.0"
version: "0.0.1"
ignore_val: "Ignore me"
logger:
output: "stdout"
.env
:
ENV=development
DEBUG=true
APP_NAME="New App"
APP_SECRET="my_secret"
import sys
import logging
logging.basicConfig(stream=sys.stdout, level=logging.INFO)
logger = logging.getLogger(__name__)
from enum import Enum
from typing import Union
from pydantic import Field, SecretStr
from pydantic_settings import SettingsConfigDict
from onion_config import BaseConfig
# Environments as Enum:
class EnvEnum(str, Enum):
LOCAL = "local"
DEVELOPMENT = "development"
TEST = "test"
STAGING = "staging"
PRODUCTION = "production"
# App config schema:
class AppConfig(BaseConfig):
name: str = Field("App", min_length=2, max_length=32)
bind_host: str = Field("localhost", min_length=2, max_length=128)
port: int = Field(8000, ge=80, lt=65536)
secret: SecretStr = Field(..., min_length=8, max_length=64)
version: str = Field(..., min_length=5, max_length=16)
description: Union[str, None] = Field(None, min_length=4, max_length=64)
model_config = SettingsConfigDict(extra="ignore", env_prefix="APP_")
# Main config schema:
class ConfigSchema(BaseConfig):
env: EnvEnum = Field(EnvEnum.LOCAL)
debug: bool = Field(False)
app: AppConfig = Field(...)
from onion_config import ConfigLoader
from logger import logger
from schema import ConfigSchema
# Pre-load function to modify config data before loading and validation:
def _pre_load_hook(config_data: dict) -> dict:
config_data["app"]["port"] = "80"
config_data["extra_val"] = "Something extra!"
return config_data
config = None
try:
_config_loader = ConfigLoader(
config_schema=ConfigSchema, pre_load_hook=_pre_load_hook
)
# Main config object:
config: ConfigSchema = _config_loader.load()
except Exception:
logger.exception("Failed to load config:")
exit(2)
import pprint
from config import config
from logger import logger
if __name__ == "__main__":
logger.info(f" ENV: {config.env}")
logger.info(f" DEBUG: {config.debug}")
logger.info(f" Extra: {config.extra_val}")
logger.info(f" Logger: {config.logger}")
logger.info(f" App: {config.app}")
logger.info(f" Secret: '{config.app.secret.get_secret_value()}'\n")
logger.info(f" Config:\n{pprint.pformat(config.model_dump())}\n")
try:
# This will raise ValidationError
config.app.port = 8443
except Exception as e:
logger.error(f" {e}\n")
Run the examples/advanced
:
cd ./examples/advanced
python ./app.py
Output:
INFO:logger: ENV: development
INFO:logger: DEBUG: True
INFO:logger: Extra: Something extra!
INFO:logger: Logger: {'level': 'info', 'output': 'stdout'}
INFO:logger: App: name='New App' bind_host='0.0.0.0' port=80 secret=SecretStr('**********') version='0.0.1' description=None
INFO:logger: Secret: 'my_secret'
INFO:logger: Config:
{'app': {'bind_host': '0.0.0.0',
'description': None,
'name': 'New App',
'port': 80,
'secret': SecretStr('**********'),
'version': '0.0.1'},
'debug': True,
'env': <EnvEnum.DEVELOPMENT: 'development'>,
'extra_val': 'Something extra!',
'logger': {'level': 'info', 'output': 'stdout'}}
ERROR:logger: 1 validation error for AppConfig
port
Instance is frozen [type=frozen_instance, input_value=8443, input_type=int]
Running Tests
To run tests, run the following command:
# Install python test dependencies:
pip install -r ./requirements.test.txt
# Run tests:
python -m pytest -sv
FAQ
What is the order of loading config?
Load order:
- Load environment variables from
.env
file. - Check required environment variables are exist or not.
- Load config files from
configs_dir
intoconfig_data
. - Load extra config files from
extra_configs_dir
intoconfig_data
. - Execute
pre_load_hook
method to modifyconfig_data
. - Init
config_schema
withconfig_data
into finalconfig
.
Environment Variables
You can use the following environment variables inside .env.example
file:
ONION_CONFIG_EXTRA_DIR="./extra_configs_dir"
Documentation
References
- https://docs.pydantic.dev
- https://github.com/pydantic/pydantic
- https://docs.pydantic.dev/latest/usage/pydantic_settings
- https://github.com/pydantic/pydantic-settings
- https://saurabh-kumar.com/python-dotenv
- https://github.com/theskumar/python-dotenv
- https://packaging.python.org/tutorials/packaging-projects
Project details
Release history Release notifications | RSS feed
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
File details
Details for the file onion_config-3.0.2.tar.gz
.
File metadata
- Download URL: onion_config-3.0.2.tar.gz
- Upload date:
- Size: 15.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.9.18
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 4f7ec5f2da131ba324f1632bb0ebcf39ebb9190747b72e0d013a6bc07cf50328 |
|
MD5 | 84a21879dfb22d52c65d5aae1a5ce107 |
|
BLAKE2b-256 | 41b264ae9b8a083d4ec47352fe979405385c0773d67bea47cec8e8023b96895b |
File details
Details for the file onion_config-3.0.2-py3-none-any.whl
.
File metadata
- Download URL: onion_config-3.0.2-py3-none-any.whl
- Upload date:
- Size: 10.6 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.9.18
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 78c760b20691be1232bc1e9f9f3eb1e3e22b8a92f8f341cfb92c7b0aeabd2484 |
|
MD5 | 1bf7ccbc3b3144480c5445c58d563e19 |
|
BLAKE2b-256 | 362e4d840a7eef3a6adfc338b2333ebc84d38908f6669762c135c6be0319ba6f |