🏭 Foundational infrastructure for Foundry components.
Project description
🏭 Foundry Python Core
Foundational infrastructure for Foundry components.
Prerequisites
Install mise (task runner and dev tool manager):
brew install mise
Or follow the installation guide for other methods. Then activate mise in your shell profile.
Usage
Quickstart
FoundryContext is the single source of truth for all project-specific values. One call at
application startup makes everything available library-wide — logging, Sentry, database settings,
and more all derive from it automatically.
Initialise and boot
# main.py
from aignostics_foundry_core.foundry import FoundryContext, set_context
from aignostics_foundry_core.boot import boot
set_context(FoundryContext.from_package("myproject"))
boot()
FoundryContext.from_package("myproject") reads package metadata and environment variables to
populate every field:
name,version,version_full— fromimportlib.metadataenvironment— resolved from env vars in priority order (see Configuration reference below)env_prefix("MYPROJECT_") — used by every settings class; all env vars for this project share this prefixis_container,is_cli,is_test,is_library— detected automatically
boot() initialises logging (loguru), amends the SSL trust chain (truststore + certifi), and
optionally starts Sentry — all in one call.
Env file search order
Settings are loaded from the environment and from env files. Highest priority first:
.env.{environment}.env{MYPROJECT_ENV_FILE}(optional extra file; when the variable is set)~/.myproject/.env.{environment}~/.myproject/.env
Access the context from any module
from aignostics_foundry_core.foundry import get_context
ctx = get_context()
print(f"Running {ctx.name} v{ctx.version_full} in {ctx.environment}")
# → Running myproject v1.2.3+main-abc1234---run.12345---build.42 in staging
get_context() raises RuntimeError with a clear message if set_context() was never called.
Testing pattern
Never call set_context() in tests. Pass a FoundryContext directly to functions via their
optional context parameter:
from aignostics_foundry_core.foundry import FoundryContext
from aignostics_foundry_core.log import logging_initialize
ctx = FoundryContext(name="myproject", version="0.0.0", version_full="0.0.0", environment="test")
logging_initialize(context=ctx)
All public library functions (logging_initialize, sentry_initialize, boot, load_modules,
etc.) accept an optional context keyword argument and fall back to get_context() when it is
None.
Configuration reference
All settings classes read from environment variables prefixed with {PREFIX} where
{PREFIX} = MYPROJECT_ for a package named myproject.
Context & deployment environment
Read directly by FoundryContext.from_package() — no settings class.
| Variable | Default | Description |
|---|---|---|
{PREFIX}ENVIRONMENT |
"local" |
Deployment environment name. Highest priority. |
ENV |
— | Fallback environment (lower priority than {PREFIX}ENVIRONMENT). |
VERCEL_ENV |
— | Vercel deployment environment (lower priority). |
RAILWAY_ENVIRONMENT |
— | Railway deployment environment (lower priority). |
{PREFIX}RUNNING_IN_CONTAINER |
unset | Set to any non-empty value to mark is_container = True. |
{PREFIX}ENV_FILE |
unset | Path to an additional env file, inserted between the home-dir files and the local .env. |
Build metadata
Read by FoundryContext.from_package() to build version_full and version_with_vcs_ref. All
optional; most useful in CI.
| Variable | Default | Description |
|---|---|---|
VCS_REF |
read from .git/HEAD |
Branch name or commit SHA. Falls back to reading .git/HEAD when project path is found. |
COMMIT_SHA |
"unknown" |
Full commit SHA; first 7 chars used. |
BUILD_DATE |
"unknown" |
Build date string. |
CI_RUN_ID |
"unknown" |
CI system run ID. |
CI_RUN_NUMBER |
"unknown" |
CI system build number. |
BUILDER |
"uv" |
Build tool name. |
When any of these variables is set, version_full gains a +… suffix, e.g.
1.2.3+main-abc1234---run.12345---build.42.
Logging ({PREFIX}LOG_)
Settings class: LogSettings
| Variable | Default | Description |
|---|---|---|
{PREFIX}LOG_LEVEL |
INFO |
Log level: CRITICAL, ERROR, WARNING, SUCCESS, INFO, DEBUG, or TRACE. |
{PREFIX}LOG_STDERR_ENABLED |
true |
Enable logging to stderr. |
{PREFIX}LOG_FILE_ENABLED |
false |
Enable logging to a file. |
{PREFIX}LOG_FILE_NAME |
platform log dir | Path to the log file (validated on startup when FILE_ENABLED is true). |
{PREFIX}LOG_REDIRECT_LOGGING |
true |
Redirect stdlib logging to loguru via InterceptHandler. |
Sentry ({PREFIX}SENTRY_)
Settings class: SentrySettings. Sentry is only initialised when ENABLED=true and DSN is
set.
| Variable | Default | Description |
|---|---|---|
{PREFIX}SENTRY_ENABLED |
false |
Enable Sentry error and performance monitoring. |
{PREFIX}SENTRY_DSN |
unset | Sentry DSN (must be an HTTPS URL with a valid ingest.*.sentry.io domain). |
{PREFIX}SENTRY_DEBUG |
false |
Enable Sentry SDK debug mode. |
{PREFIX}SENTRY_SEND_DEFAULT_PII |
false |
Include personally-identifiable information in events. |
{PREFIX}SENTRY_MAX_BREADCRUMBS |
50 |
Maximum breadcrumbs stored per event. |
{PREFIX}SENTRY_SAMPLE_RATE |
1.0 |
Error event sample rate (0.0–1.0). |
{PREFIX}SENTRY_TRACES_SAMPLE_RATE |
0.1 |
Transaction/trace sample rate. |
{PREFIX}SENTRY_PROFILES_SAMPLE_RATE |
0.1 |
Profiler sample rate. |
{PREFIX}SENTRY_PROFILE_SESSION_SAMPLE_RATE |
0.1 |
Profile session sample rate. |
{PREFIX}SENTRY_PROFILE_LIFECYCLE |
"trace" |
Profile lifecycle mode: "trace" or "manual". |
{PREFIX}SENTRY_ENABLE_LOGS |
true |
Forward log records to Sentry. |
Database ({PREFIX}DB_)
Settings class: DatabaseSettings. Database configuration is only activated when {PREFIX}DB_URL
is present (in the environment or in an env file).
| Variable | Required | Default | Description |
|---|---|---|---|
{PREFIX}DB_URL |
to activate | — | Full async database connection URL (e.g. postgresql+asyncpg://user:pass@host/db). Always access via DatabaseSettings.get_url(). |
{PREFIX}DB_POOL_SIZE |
no | 10 |
SQLAlchemy connection pool size. |
{PREFIX}DB_POOL_MAX_OVERFLOW |
no | 10 |
Max connections above pool size. |
{PREFIX}DB_POOL_TIMEOUT |
no | 30.0 |
Seconds to wait for a pool connection. |
{PREFIX}DB_NAME |
no | unset | Override the database name in the URL path at runtime. |
Once a context is configured via set_context(), all database functions work with no arguments —
the URL and pool settings are read from the context:
from aignostics_foundry_core.database import init_engine, cli_run_with_db, with_engine
# Zero-arg engine init — reads MYPROJECT_DB_URL, _DB_POOL_SIZE, etc. from env
init_engine()
# CLI helper — initialises engine, runs coroutine, disposes engine
cli_run_with_db(my_async_func)
# Background job decorator — engine initialised before each invocation
@with_engine
async def my_job(): ...
# Override for a secondary database
@with_engine(db_url="postgresql+asyncpg://user:pass@host/secondary")
async def my_other_job(): ...
In tests, construct DatabaseSettings directly instead of setting env vars:
from aignostics_foundry_core.database import DatabaseSettings
from tests.conftest import make_context
ctx = make_context(database=DatabaseSettings(_env_prefix="TEST_DB_", url="sqlite+aiosqlite:///test.db"))
Authentication ({PREFIX}AUTH_)
Settings class: AuthSettings. Both fields are required — no defaults. Only needed when using
aignostics_foundry_core.api.auth dependencies.
| Variable | Required | Description |
|---|---|---|
{PREFIX}AUTH_INTERNAL_ORG_ID |
yes | Auth0 organization ID identifying the internal org (used by require_internal). |
{PREFIX}AUTH_AUTH0_ROLE_CLAIM |
yes | JWT claim name containing the user's role (e.g. https://myapp.example.com/roles). |
Console
Read directly from the environment — no settings class.
| Variable | Default | Description |
|---|---|---|
{PREFIX}CONSOLE_WIDTH |
auto-detect | Override Rich console width (integer, characters). Defaults to terminal width or 80 in non-TTY environments. |
Further Reading
- Foundry Project Guide - Complete toolchain, testing, CI/CD, and project setup guide
- Security policy - Documentation of security checks, tools, and principles
- Release notes - Complete log of improvements and changes
- Attributions - Open source projects this project builds upon
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 aignostics_foundry_core-0.12.1.tar.gz.
File metadata
- Download URL: aignostics_foundry_core-0.12.1.tar.gz
- Upload date:
- Size: 61.5 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: uv/0.10.2 {"installer":{"name":"uv","version":"0.10.2","subcommand":["publish"]},"python":null,"implementation":{"name":null,"version":null},"distro":{"name":"Ubuntu","version":"24.04","id":"noble","libc":null},"system":{"name":null,"release":null},"cpu":null,"openssl_version":null,"setuptools_version":null,"rustc_version":null,"ci":true}
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
df30b002d5e2914efb1bb4b7716b8d2cdb1d8f0895b53cde38dac7ef5a66c19f
|
|
| MD5 |
14d2dca0c56e1861533287f549f5d2ba
|
|
| BLAKE2b-256 |
206b2b62f2feee170e29176731f43a9173a3b3f0227c05104bb1d6c051ec0bf1
|
File details
Details for the file aignostics_foundry_core-0.12.1-py3-none-any.whl.
File metadata
- Download URL: aignostics_foundry_core-0.12.1-py3-none-any.whl
- Upload date:
- Size: 73.0 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: uv/0.10.2 {"installer":{"name":"uv","version":"0.10.2","subcommand":["publish"]},"python":null,"implementation":{"name":null,"version":null},"distro":{"name":"Ubuntu","version":"24.04","id":"noble","libc":null},"system":{"name":null,"release":null},"cpu":null,"openssl_version":null,"setuptools_version":null,"rustc_version":null,"ci":true}
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
7bd879b01d0225240d1dacf82a2c4d93d2a8fa3ab2571a9d852171547ae278c0
|
|
| MD5 |
7895fa1c30fa3e7268f6b22b85f41e96
|
|
| BLAKE2b-256 |
747c30ff054e69326d834ab951053b771519c5ff0869f9d3dd222cd32c891978
|