api config library
Project description
apiconfig
Flexible, extensible configuration and authentication for Python API clients.
Table of Contents
- Module Description
- Navigation
- Contents
- Usage Examples
- Key Components
- Architecture
- Testing
- Dependencies
- Status
- Further Documentation
- See Also
- License
Module Description
apiconfig is a standalone Python library for managing API client configuration and authentication. It provides a robust, extensible foundation for building API clients, handling configuration (base URLs, timeouts, retries, headers) and supporting multiple authentication strategies (API key, Basic, Bearer, custom).
apiconfig is designed for:
- Developers building reusable, testable API clients.
- Projects needing flexible configuration sources (env, file, memory).
- Secure, pluggable authentication for HTTP APIs.
Navigation
Contents
apiconfig/
├── auth/ # Authentication strategies (basic, bearer, API key, custom)
├── config/ # API client configuration and providers
├── exceptions/ # Structured exception hierarchy
├── testing/ # Test utilities and helpers
├── utils/ # Logging, redaction, and utilities
└── types.py # Shared type definitions
Usage Examples
Quickstart
pip install apiconfig
from apiconfig import ClientConfig, ApiKeyAuth
auth = ApiKeyAuth(api_key="my-secret-key", header_name="X-API-Key")
config = ClientConfig(
hostname="api.example.com",
version="v1",
auth_strategy=auth,
timeout=10.0,
retries=3,
)
print(config.base_url) # https://api.example.com/v1
Installation
Install from PyPI:
pip install apiconfig
Or with Poetry:
poetry add apiconfig
Key Features
- Unified API Client Configuration: Manage base URLs, versions, headers, timeouts, retries, and more with a single, validated config object.
- Authentication Strategies: Built-in support for API Key, Basic, Bearer, and custom authentication via the Strategy Pattern.
- Config Providers: Load configuration from environment variables, files, or in-memory sources.
- Extensible: Easily add new authentication methods or config providers.
- Robust Error Handling: Clear, structured exception hierarchy for all config and auth errors.
- Type Safety: Strong type hints and type-checked public API.
- Logging Integration: Standard logging hooks for debugging and auditability.
- High Test Coverage: Around 94% coverage with unit and integration tests.
Basic Configuration
from apiconfig import ClientConfig
config = ClientConfig(
hostname="api.example.com",
version="v1",
headers={"X-My-Header": "value"},
timeout=10.0,
retries=3,
)
print(config.base_url) # https://api.example.com/v1
Authentication Strategies
API Key in Header
from apiconfig import ClientConfig, ApiKeyAuth
auth = ApiKeyAuth(api_key="my-secret-key", header_name="X-API-Key")
config = ClientConfig(
hostname="api.example.com",
version="v1",
auth_strategy=auth,
)
API Key in Query Parameter
from apiconfig import ApiKeyAuth
auth = ApiKeyAuth(api_key="my-secret-key", param_name="api_key")
Basic and Bearer Auth
from apiconfig import BasicAuth, BearerAuth
basic = BasicAuth(username="user", password="pass")
bearer = BearerAuth(access_token="my-jwt-token")
Custom Authentication
from apiconfig import CustomAuth
custom = CustomAuth(auth_callable=lambda: {"Authorization": "Custom xyz"})
Using Configuration Providers
Environment Variables
from apiconfig import EnvProvider
env = EnvProvider(prefix="MYAPI_")
config_dict = env.load()
# Example: MYAPI_HOSTNAME=api.example.com, MYAPI_TIMEOUT=5
File and Memory Providers
from apiconfig import FileProvider, MemoryProvider
file_provider = FileProvider(file_path="config.json")
file_config = file_provider.load()
# MemoryProvider accepts configuration via the ``config_data`` parameter and
# exposes ``get_config`` instead of ``load``
memory_provider = MemoryProvider(config_data={"hostname": "api.example.com"})
memory_config = memory_provider.get_config()
Merging Configurations
from apiconfig import ClientConfig
base = ClientConfig(hostname="api.example.com", timeout=10)
override = ClientConfig(timeout=5, retries=2)
merged = base.merge(override)
Practical Example: Real API Client Setup
Below is a real-world example based on the integration tests. This pattern demonstrates how to use apiconfig to load configuration and secrets from environment variables, set up authentication, and make a request with an HTTP client (e.g., httpx):
import os
import httpx
from apiconfig import EnvProvider, ClientConfig, BearerAuth
# Load config and secrets from environment variables
env = EnvProvider()
config_dict = env.load()
# Get token and base URL from environment or use defaults
access_token = config_dict.get("FIKEN_ACCESS_TOKEN") or os.environ.get("FIKEN_ACCESS_TOKEN")
base_url = config_dict.get("FIKEN_BASE_URL") or os.environ.get("FIKEN_BASE_URL") or "https://api.fiken.no/api/v2"
# Set up authentication strategy if token is available
auth_strategy = BearerAuth(access_token) if access_token else None
# Create the API client configuration
client_config = ClientConfig(
hostname=base_url,
auth_strategy=auth_strategy,
)
# Prepare request headers using the auth strategy
headers = {}
if client_config.auth_strategy is not None:
headers.update(client_config.auth_strategy.prepare_request_headers())
# Make a real HTTP request using httpx
with httpx.Client(timeout=10.0) as client:
response = client.get(f"{client_config.base_url}/companies", headers=headers)
print(response.status_code, response.json())
This approach can be adapted for any API and authentication method supported by apiconfig. See the integration tests for more real-world examples.
Logging
apiconfig uses standard Python logging. To enable debug output:
import logging
logging.basicConfig(level=logging.DEBUG)
logging.getLogger("apiconfig").setLevel(logging.INFO)
Error Handling
All errors are structured and documented. Common exceptions include:
APIConfigErrorConfigurationErrorAuthenticationErrorInvalidConfigErrorMissingConfigErrorAuthStrategyError
Key Components
| Alias | Description |
|---|---|
JsonObject |
Dictionary representing a JSON object |
HeadersType |
Mapping of HTTP header names to values |
QueryParamType |
Mapping for URL query parameters |
DataType |
HTTP request body data |
ResponseBodyType |
API response body |
Architecture
Class Hierarchy
classDiagram
ClientConfig --> AuthStrategy : uses
ConfigManager --> ClientConfig : manages
AuthStrategy <|-- ApiKeyAuth
AuthStrategy <|-- BasicAuth
AuthStrategy <|-- BearerAuth
Authentication Flow
sequenceDiagram
participant Client
participant AuthStrategy
participant HTTPClient
Client->>AuthStrategy: prepare_request_headers()
AuthStrategy-->>Client: headers
Client->>HTTPClient: request with headers
alt token expired
HTTPClient-->>Client: 401
Client->>AuthStrategy: refresh()
AuthStrategy-->>Client: new token
Client->>HTTPClient: retry request
end
Testing
Testing and Coverage
apiconfig is fully tested with pytest and coverage.py. To run tests and check coverage:
pytest --cov=apiconfig --cov-report=html
Static Type Checking
apiconfig uses Pyright for optional static type checking. Before running Pyright, ensure development dependencies are installed and the virtual environment is active:
poetry install --with dev
poetry shell
pyright
This guarantees libraries like httpx, pytest, and their stubs are available.
Test Structure
Unit tests are organized by feature under tests/unit. The exception hierarchy is covered in tests/unit/exceptions.
Test Dependencies
Tests rely only on pytest and the apiconfig package; no external services are required.
Running tests
Use pytest to execute the full test suite:
poetry run pytest
Test Structure
tests/unit– unit teststests/integration– integration tests against real APIs
Test Dependencies
- Install dev dependencies with
poetry install --with dev - Environment variables for integration tests are loaded automatically
CI/CD
Continuous integration and deployment are managed with GitHub Actions. All pushes and pull requests are tested, and releases are published to PyPI after passing tests.
Dependencies
External
- pytest – test runner
- pytest_httpserver – HTTP server for integration tests
Internal
- Modules like
apiconfig.config,apiconfig.auth, andapiconfig.utils
Optional
- coverage.py for measuring test coverage
- Pyright for optional static type checking
Optional Dependencies
None
Install development dependencies with:
poetry install --with dev
Status
Stability: Stable - the project is actively used in production environments. API Version: Follows Semantic Versioning starting at version 0.x. Deprecations: None
Maintenance Notes
The library is currently stable and actively maintained. Issues and pull requests are triaged on a best-effort basis. Minor feature requests and fixes are welcome.
Changelog
See CHANGELOG.md for a complete history of changes.
Future Considerations
Planned improvements include enhanced documentation, additional auth strategies, expanded test coverage, and formatter enhancements for more consistent styling.
Further Documentation
- Documentation (latest)
- CONTRIBUTING.md — Contribution guidelines
- Bug Tracker
- PyPI Project Page
See Also
- Internal Documentation Guide
- apiconfig.auth – authentication strategies using these types
- apiconfig.utils – utilities built on the shared aliases
- helpers_for_tests – helper clients for tests
License
LGPL-3.0-or-later. See LICENSE for details.
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
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 apiconfig-0.3.3.tar.gz.
File metadata
- Download URL: apiconfig-0.3.3.tar.gz
- Upload date:
- Size: 100.6 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.12.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
802d5b368b526dcfb650a15eb1b2841a4c861df59e6c0b80e6ba9dabfa0d0c13
|
|
| MD5 |
7fe87c6062cbde38df001ef792b5212f
|
|
| BLAKE2b-256 |
0ff072608d7c95c57d8daed722c622e51c9f926f59816ed9a03fc6dd9b52bf83
|
Provenance
The following attestation bundles were made for apiconfig-0.3.3.tar.gz:
Publisher:
publish.yaml on Leikaab/apiconfig
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
apiconfig-0.3.3.tar.gz -
Subject digest:
802d5b368b526dcfb650a15eb1b2841a4c861df59e6c0b80e6ba9dabfa0d0c13 - Sigstore transparency entry: 264568588
- Sigstore integration time:
-
Permalink:
Leikaab/apiconfig@923af70600459af22661eae4c98436c64a4e4ba1 -
Branch / Tag:
refs/heads/main - Owner: https://github.com/Leikaab
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yaml@923af70600459af22661eae4c98436c64a4e4ba1 -
Trigger Event:
push
-
Statement type:
File details
Details for the file apiconfig-0.3.3-py3-none-any.whl.
File metadata
- Download URL: apiconfig-0.3.3-py3-none-any.whl
- Upload date:
- Size: 137.2 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.12.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
2b8abff1c52a6f575f5435970c7595de9be7cd3b1724f7935cdcc6d72a66d158
|
|
| MD5 |
ece4c9a8a00cd73e7c8b0c3d6e447a14
|
|
| BLAKE2b-256 |
3bdd44bc3ccd87fdf5f4a090001fcd2f4e49e99abbe42e558e214c4cfe43c08c
|
Provenance
The following attestation bundles were made for apiconfig-0.3.3-py3-none-any.whl:
Publisher:
publish.yaml on Leikaab/apiconfig
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
apiconfig-0.3.3-py3-none-any.whl -
Subject digest:
2b8abff1c52a6f575f5435970c7595de9be7cd3b1724f7935cdcc6d72a66d158 - Sigstore transparency entry: 264568590
- Sigstore integration time:
-
Permalink:
Leikaab/apiconfig@923af70600459af22661eae4c98436c64a4e4ba1 -
Branch / Tag:
refs/heads/main - Owner: https://github.com/Leikaab
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yaml@923af70600459af22661eae4c98436c64a4e4ba1 -
Trigger Event:
push
-
Statement type: