Provider-agnostic single-query LLM client with PostgreSQL recording and catalog storage.
Project description
dr-llm
Provider-agnostic LLM primitives: call any model, browse catalogs, run batch experiments with typed sample pools.
Domain-neutral by design — shared across repos like nl_latents and unitbench.
Two Flows
Flow 1 — Standalone (no database): Call providers, sync model catalogs, browse available models. File-based catalog cache, zero infrastructure.
Flow 2 — Pool (Postgres-backed): Schema-driven sample pools with no-replacement acquisition, pending sample lifecycle, and per-project isolated databases via Docker.
Install
uv add dr-llm
Quick Start
1. Query a provider
uv run dr-llm query \
--provider openai \
--model gpt-4.1 \
--message "Hello, what's 2+2?"
No database needed.
2. List providers
uv run dr-llm providers # human-readable table
uv run dr-llm providers --json # machine-readable
3. Sync and browse model catalogs
uv run dr-llm models sync --provider openai
uv run dr-llm models list --provider openai
uv run dr-llm models show --provider openai --model gpt-4.1
Catalog data is cached locally at ~/.dr_llm/catalog_cache/. No database required.
Human-readable and JSON model listings also include the repo's curated blacklist,
and OpenRouter listings are filtered through the local reasoning-policy allowlist.
Available Providers
| Provider | Type | Requirements |
|---|---|---|
openai |
OpenAI API | OPENAI_API_KEY |
openrouter |
OpenRouter API | OPENROUTER_API_KEY |
minimax |
MiniMax Anthropic-compatible API | MINIMAX_API_KEY |
anthropic |
Anthropic API | ANTHROPIC_API_KEY |
google |
Google Gemini API | GOOGLE_API_KEY |
glm |
GLM (ZAI) API | ZAI_API_KEY |
codex |
Codex CLI (headless) | codex executable |
claude-code |
Claude Code CLI (headless) | claude executable |
kimi-code |
Kimi Code API (Anthropic-compatible) | KIMI_API_KEY |
Headless providers shell out to CLI tools. minimax and kimi-code are direct Anthropic-compatible /messages API providers.
Some providers use static model lists for models sync (no /models endpoint). The CLI notes when a list may be out of date and links to docs.
Python API
Calling a provider
from dr_llm.llm import build_default_registry
from dr_llm.llm.request import LlmRequest
from dr_llm.llm.messages import Message
registry = build_default_registry()
adapter = registry.get("openai")
response = adapter.generate(
LlmRequest(
provider="openai",
model="gpt-4.1",
messages=[Message(role="user", content="hello")],
)
)
print(response.text)
Filling a pool with LLM calls (requires Docker)
The recommended way to populate a pool: declare each variant axis (LLM
configs, prompts, datasets, …), pass them to seed_llm_grid, and let
parallel workers make the actual provider calls. seed_llm_grid walks
the cross product, builds per-cell payloads in the shape
make_llm_process_fn consumes, deduplicates and upserts per-axis
metadata, and bulk-inserts the pending rows in one round-trip. Docker
is used to auto-manage a Postgres project.
from dr_llm import DbConfig, PoolSchema, PoolStore
from dr_llm.llm import build_default_registry
from dr_llm.llm.config import LlmConfig
from dr_llm.llm.messages import Message
from dr_llm.pool.db.runtime import DbRuntime
from dr_llm.pool.llm_pool_adapter import make_llm_process_fn, seed_llm_grid
from dr_llm.pool.pending.backend import PoolPendingBackend, PoolPendingBackendConfig
from dr_llm.pool.pending.grid import Axis, AxisMember, GridCell
from dr_llm.pool.pending.progress import drain, format_pool_progress_line
from dr_llm.project.project_service import create_project
from dr_llm.workers import WorkerConfig, start_workers
# 1. Create a Docker-managed Postgres project
project = create_project("my_eval")
# 2. Build a schema whose key columns match the axis names
schema = PoolSchema.from_axis_names("my_eval", ["llm_config", "prompt"])
runtime = DbRuntime(DbConfig(dsn=project.dsn))
store = PoolStore(schema, runtime)
store.ensure_schema()
# 3. Declare each axis as a list of AxisMembers
llm_config_axis = Axis[LlmConfig](
name="llm_config",
members=[
AxisMember(
id="gpt-4.1-mini",
value=LlmConfig(provider="openai", model="gpt-4.1-mini", max_tokens=64),
),
AxisMember(
id="gemini-flash",
value=LlmConfig(provider="google", model="gemini-2.5-flash", max_tokens=64),
),
],
)
prompt_axis = Axis[list[Message]](
name="prompt",
members=[
AxisMember(
id="haiku",
value=[Message(role="user", content="Write a haiku about programming.")],
),
AxisMember(
id="math",
value=[Message(role="user", content="What is 17 * 23?")],
),
],
)
# 4. Seed the cross product. seed_llm_grid handles payload shaping,
# sample_idx expansion, axis-metadata upserts, and bulk insert.
def build_request(cell: GridCell) -> tuple[list[Message], LlmConfig]:
return cell.values["prompt"], cell.values["llm_config"]
seed_result = seed_llm_grid(
store,
axes=[llm_config_axis, prompt_axis],
build_request=build_request,
n=2, # 2 configs × 2 prompts × n=2 = 8 pending rows
)
print(f"Seeded {seed_result.inserted} pending rows")
# 5. Start workers — they call the real providers
registry = build_default_registry()
controller = start_workers(
PoolPendingBackend(store, config=PoolPendingBackendConfig(max_retries=1)),
process_fn=make_llm_process_fn(registry),
config=WorkerConfig(num_workers=4, thread_name_prefix="pool-fill"),
)
# 6. Drain to idle, printing one line per visible state change
try:
drain(controller, on_change=lambda snap: print(format_pool_progress_line(snap)))
finally:
controller.stop()
controller.join()
# 7. Acquire samples (no-replacement within a run)
from dr_llm.pool.models import AcquireQuery
result = store.acquire(AcquireQuery(
run_id="eval_run_1",
key_values={"llm_config": "gpt-4.1-mini", "prompt": "math"},
n=2,
))
# 8. Clean up when done
registry.close()
runtime.close()
See scripts/demo-pool-fill.py for a complete runnable example.
CLI Reference
# Providers
dr-llm providers [--json]
# Model catalog (file-based, no DB needed)
dr-llm models sync [--provider NAME] [--verbose]
dr-llm models list [--provider NAME] [--supports-reasoning] [--model-contains TEXT] [--json]
dr-llm models sync-list [--provider NAME] [--supports-reasoning] [--model-contains TEXT] [--json]
dr-llm models show --provider NAME --model NAME
# Query
dr-llm query --provider NAME --model NAME --message TEXT
dr-llm query --provider openai --model gpt-5-mini --reasoning-json '{"kind":"openai","thinking_level":"high"}' --message TEXT
dr-llm query --provider google --model gemini-2.5-flash --reasoning-json '{"kind":"google","thinking_level":"budget","budget_tokens":512}' --message TEXT
dr-llm query --provider openrouter --model openai/gpt-oss-20b --reasoning-json '{"kind":"openrouter","effort":"high"}' --message TEXT
# Projects (Docker-managed Postgres)
dr-llm project create NAME
dr-llm project list
dr-llm project use NAME
dr-llm project start|stop NAME
dr-llm project backup NAME
dr-llm project restore NAME BACKUP_PATH # BACKUP_PATH must be .sql.gz
dr-llm project destroy NAME --yes-really-delete-everything
Configuration
Generation transcript logging (default on, used for LLM call debugging):
| Variable | Default |
|---|---|
DR_LLM_GENERATION_LOG_ENABLED |
true |
DR_LLM_GENERATION_LOG_DIR |
.dr_llm/generation_logs |
DR_LLM_GENERATION_LOG_ROTATE_BYTES |
104857600 (100MB) |
DR_LLM_GENERATION_LOG_BACKUPS |
10 |
DR_LLM_GENERATION_LOG_REDACT_ENABLED |
true |
Provider endpoint defaults:
- GLM:
https://api.z.ai/api/coding/paas/v4 - MiniMax API:
https://api.minimax.io/anthropic/v1/messages - Kimi Code API:
https://api.kimi.com/coding/v1/messages
Testing
uv run ruff format && uv run ruff check --fix .
uv run ty check
uv run pytest tests/ -v -m "not integration"
Integration tests (requires Docker)
./scripts/run-tests-local.sh
pytest now defaults to pytest-xdist, so uv run pytest tests/ -v -m "not integration" runs the safe non-integration suite in parallel. run-tests-local.sh forces -n 0, auto-creates a temporary Docker Postgres project, runs pytest -m integration, and destroys it on exit. Pass extra pytest args for targeted runs: ./scripts/run-tests-local.sh -k test_pool_store.
Demo Scripts
Provider discovery (no DB needed)
uv run python scripts/demo-providers.py
Lists all supported providers, syncs and displays model catalogs for each available one.
Pool provider demo (requires Docker)
uv run python scripts/demo-pool-providers.py
Creates a project, queries every available provider, stores results in a typed pool, prints a summary table. Run with --help for options.
Pool fill worker demo (requires Docker + API keys)
uv run python scripts/demo-pool-fill.py
Auto-creates a Docker Postgres project, seeds an (llm_config, prompt) pool via seed_llm_grid from declared Axis instances, starts workers that make real LLM calls via make_llm_process_fn, drains the queue to idle with drain, shows response snippets, and destroys the project on exit. Pass --dsn to use an existing database instead. Run with --help for options.
Reasoning and effort demo (live API / CLI checks)
uv run python scripts/demo_thinking_and_effort.py
Exercises the branch's provider-specific reasoning and effort validation against
curated model sets for OpenAI, OpenRouter, Google, Codex, Claude Code, MiniMax,
and Kimi Code. Use --provider to limit the run to one provider.
Reasoning configs are validated before dispatch. For example, OpenAI GPT-5
family models use configs like {"kind":"openai","thinking_level":"high"},
Google 2.5 models accept budget configs like
{"kind":"google","thinking_level":"budget","budget_tokens":512}, minimax
requires {"kind":"anthropic","thinking_level":"na"} together with an explicit
--effort, kimi-code uses Anthropic-compatible reasoning like
{"kind":"anthropic","thinking_level":"adaptive"} together with an explicit
--effort and --max-tokens, and OpenRouter reasoning-capable models use
{"kind":"openrouter", ...} with either enabled or effort depending on the
repo's curated model policy.
See OPEN_ROUTER_REASONING_NOTES.md
for the direct API observations that informed the OpenRouter policy layer.
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 dr_llm-1.2.0.tar.gz.
File metadata
- Download URL: dr_llm-1.2.0.tar.gz
- Upload date:
- Size: 235.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: uv/0.6.0
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
f84abdc296cdd4220f225e187be865020a15407cd38da82584ae0312eee37e20
|
|
| MD5 |
409d416d863e894032df8c09253eb27c
|
|
| BLAKE2b-256 |
c87e22492c6c666bbe345114944263a8b953d12c2b1a94e62c842d0033ca8ceb
|
File details
Details for the file dr_llm-1.2.0-py3-none-any.whl.
File metadata
- Download URL: dr_llm-1.2.0-py3-none-any.whl
- Upload date:
- Size: 138.5 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: uv/0.6.0
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
3b0844c94bfc92ad23e6f1d6cd0e16387bf8108b6b427ba27ced43a9f6943cd5
|
|
| MD5 |
a38ddb846d1fade134a6028ddd1db156
|
|
| BLAKE2b-256 |
ff6e9be294bc877cf9f4d1b1f62b16b784e0ef7d23e9811f7644b01f75ecc8ef
|