Deterministic LLM workflow orchestration with native observability, resilience, and cost control.
- Why AgentLoom?
- Quick Start
- Architecture
- Workflow Definition (YAML)
- Python DSL
- Graph API
- Observability
- Deploy
- Why not autonomous agents?
- Development
- Contributing
- License
Existing frameworks (LangGraph, CrewAI, AutoGen) treat observability and resilience as afterthoughts. AgentLoom is built from the ground up for production: circuit breakers, rate limiting, cost tracking, and OpenTelemetry traces are part of the core design — not plugins.
| Feature | LangGraph | CrewAI | AutoGen | AgentLoom |
|---|---|---|---|---|
| Workflow definition | Python API | Decorators | Agent chat | YAML + Python DSL |
| Streaming | Via API | No | Via API | YAML config + CLI flag |
| Multi-modal input | Via messages | No | Via messages | YAML attachments |
| Observability | LangSmith ($) | Minimal | Minimal | OTel + Prometheus + Grafana |
| Circuit breaker | No | No | No | Built-in |
| Cost tracking | No | No | No | Native with budgets |
| Multi-provider fallback | Manual | No | No | Automatic |
| Dependencies | Heavy | Medium | Medium | Minimal |
# Install
pip install agentloom
# Install with observability (OTel + Prometheus)
pip install agentloom[all]
# Run a workflow
export OPENAI_API_KEY=sk-...
agentloom run examples/01_simple_qa.yaml
# Or with Ollama (free, local)
agentloom run examples/01_simple_qa.yaml --provider ollama --model phi4
# Validate a workflow
agentloom validate examples/03_router_workflow.yaml
# Visualize the DAG
agentloom visualize examples/03_router_workflow.yaml+-----------------------------------------------------+
| CLI / Python API |
+-----------------------------------------------------+
| Workflow Engine |
| +-----------+ +-----------+ +---------------+ |
| |DAG Parser | | Scheduler | | State Manager | |
| |& Validator| | (anyio) | | (Pydantic) | |
| +-----------+ +-----------+ +---------------+ |
+-----------------------------------------------------+
| Step Executors |
| +--------+ +---------+ +------+ +------------+ |
| |LLM Call| |Tool Exec| |Router| | Subworkflow| |
| +--------+ +---------+ +------+ +------------+ |
+-----------------------------------------------------+
| Provider Gateway |
| +-----------------------------------------------+ |
| | OpenAI | Anthropic | Google | Ollama | |
| | + Fallback | Circuit Breaker | Rate Limiter | |
| +-----------------------------------------------+ |
+-----------------------------------------------------+
| Observability (optional) |
| +------------+ +----------+ +----------+ |
| | OTel Traces| |Prometheus| | JSON Logs| |
| +------------+ +----------+ +----------+ |
+-----------------------------------------------------+
name: classify-and-respond
config:
provider: openai
model: gpt-4o-mini
budget_usd: 0.50
state:
user_input: ""
steps:
- id: classify
type: llm_call
system_prompt: "Classify as: question, complaint, or request."
prompt: "Classify: {state.user_input}"
output: classification
- id: route
type: router
depends_on: [classify]
conditions:
- expression: "state.classification == 'question'"
target: answer
default: general_response
- id: answer
type: llm_call
depends_on: [route]
prompt: "Answer: {state.user_input}"
output: response
- id: general_response
type: llm_call
depends_on: [route]
prompt: "Help with: {state.user_input}"
output: responseLLM call steps support image, PDF, and audio attachments. Sources can be URLs, local file paths, or inline base64. URL fetching includes SSRF protection and respects sandbox domain restrictions.
steps:
- id: analyze
type: llm_call
prompt: "Describe what you see in this image."
attachments:
- type: image
source: "{state.image_url}"
output: description| Type | OpenAI | Anthropic | Ollama | |
|---|---|---|---|---|
image |
yes | yes | yes | yes |
pdf |
-- | yes | yes | -- |
audio |
yes | -- | yes | -- |
Stream LLM responses token-by-token for real-time output. Enable at the workflow level, per-step, or via CLI flag.
config:
stream: true # workflow-level default
steps:
- id: answer
type: llm_call
stream: true # per-step override
prompt: "Answer: {question}"# CLI flag (overrides workflow config)
agentloom run workflow.yaml --streamAll providers support streaming: OpenAI (SSE), Anthropic (SSE), Google (SSE), Ollama (NDJSON). Token usage, cost, and time-to-first-token are tracked normally.
from agentloom.core.dsl import workflow
wf = (
workflow("my-workflow", provider="ollama", model="phi4")
.set_state(question="What is Python?")
.add_llm_step("answer", prompt="Answer: {question}", output="answer")
.build()
)Programmatic access to the workflow DAG for analysis, visualization, and test coverage.
from agentloom import WorkflowGraph
from agentloom.core.parser import WorkflowParser
workflow = WorkflowParser.from_yaml("examples/03_router_workflow.yaml")
graph = WorkflowGraph.from_workflow(workflow)
graph.roots # entry-point step IDs
graph.leaves # terminal step IDs
graph.critical_path() # longest path (latency bottleneck)
graph.all_paths() # every root-to-leaf path
graph.prime_paths() # maximal simple paths for test coverage
# Export
graph.to_dot() # Graphviz DOT
graph.to_mermaid() # Mermaid flowchart
graph.to_pnml() # Petri Net Markup Language
graph.to_dict() # JSON-serializable dictOptional NetworkX integration:
pip install agentloom[graph]nx_graph = graph.to_networkx() # networkx.DiGraphEvery workflow step emits OpenTelemetry traces and Prometheus metrics out of the box. No external SaaS required — the full stack runs alongside your workloads.
# Start Prometheus + Grafana + Jaeger
cd deploy && docker compose up -d
# Access:
# Grafana: http://localhost:3000
# Prometheus: http://localhost:9090
# Jaeger: http://localhost:16686See Dashboard Documentation for panel descriptions, metrics reference, and troubleshooting.
AgentLoom is designed to run anywhere — from a single Docker container on your laptop to a fully orchestrated Kubernetes cluster with GitOps and observability. Every deployment method is production-hardened with non-root containers, read-only filesystems, Pod Security Standards enforcement, and network policies.
The CLI processes a workflow and exits. There is no long-running server, no HTTP API, and no persistent connections. This makes Kubernetes Jobs (not Deployments) the correct primitive: finite execution, automatic retries, scheduled runs via CronJobs, and clean resource isolation per workflow.
The fastest way to run a workflow. The multi-stage Dockerfile produces a minimal image (~120MB) with a non-root user and read-only filesystem.
docker build -t agentloom .
docker run --rm -e OPENAI_API_KEY=sk-... \
-v ./examples:/workflows:ro \
agentloom run /workflows/01_simple_qa.yamlPlain YAML manifests organized with Kustomize overlays. Three environments are provided, each with progressively stricter security and resource controls:
- dev: minimal resources, no NetworkPolicy,
latesttag for fast iteration. - staging: moderate resources, NetworkPolicy enabled, CI image tag.
- production: strict NetworkPolicy (no Ollama egress),
activeDeadlineSecondshard timeout, pinned image version.
kubectl apply -k deploy/k8s/overlays/dev
kubectl logs job/agentloom-workflow -n agentloomThe recommended method for teams that need parameterized deployments. The chart packages all Kubernetes resources with built-in input validation — deploying without a workflow definition fails at render time, not at runtime.
helm install agentloom deploy/helm/agentloom \
-n agentloom --create-namespace \
--set workflow.definition="$(cat examples/01_simple_qa.yaml)" \
--set provider.existingSecret=my-secretSupports Job and CronJob modes, configurable NetworkPolicies, ResourceQuotas, and optional namespace creation with PSS labels.
Provisions a complete local development environment in one command: a kind cluster with agentloom, plus the full observability stack (OTel Collector, Prometheus, Grafana, Jaeger). Set enable_observability = false for a lightweight setup without metrics and traces.
cd deploy/terraform
cp terraform.tfvars.example terraform.tfvars
terraform init && terraform applyAfter apply, Grafana is available at localhost:3000, Prometheus at localhost:9090, and Jaeger at localhost:16686 — all pre-configured with agentloom dashboards and datasources.
GitOps deployment with automated sync, self-heal, and retry policies. ArgoCD watches the Helm chart in the repository and syncs changes automatically. The Application CRD handles Kubernetes Job immutability via Replace=true and ignoreDifferences on selectors.
kubectl apply -f deploy/argocd/application.yamlSee deploy/INFRASTRUCTURE.md for the full deployment guide, security hardening details, Helm chart reference, and CI/CD pipeline documentation.
Most LLM frameworks focus on autonomous agents: self-directed reasoning, multi-agent delegation, unbounded tool loops. This works for demos and open-ended research, but breaks down in production where you need predictable costs, debuggable failures, and SLA compliance.
AgentLoom is not an autonomous agent framework. There are no self-directed agents, no unbounded loops, no emergent behavior. It is a deterministic workflow orchestrator that uses LLMs as execution steps within a declared DAG.
The difference matters:
- You define the DAG, not the LLM. Steps, dependencies, and routing logic are declared upfront in YAML. The model generates text within a step — it does not decide what runs next. Routers use explicit boolean conditions, not LLM judgement.
- Observability is not optional. Every step emits OpenTelemetry traces and Prometheus metrics. You can see exactly what ran, how long it took, and how much it cost. Autonomous agents are notoriously hard to debug; a static DAG with full tracing is not.
- Cost is bounded. Budget limits, circuit breakers, and rate limiters are first-class. A runaway autonomous agent can burn through an API budget in minutes. A workflow with
budget_usd: 0.50cannot. - Fallback is structural. If OpenAI is down, the gateway falls back to Anthropic or Ollama automatically. This is a routing decision at the infrastructure level, not an agent "choosing" a provider.
Autonomous agent frameworks solve a real problem — open-ended tasks where the execution path cannot be known in advance. But most LLM workloads in production are not open-ended. They are pipelines: classify, enrich, route, generate, validate. For those, you want predictability and control, not autonomy. That is what AgentLoom is for.
uv sync --group dev --all-extras # install with all extras
uv run pytest # ~5s
uv run ruff check src/ tests/ # lint (ruff replaces flake8+isort)
uv run ruff format src/ tests/ # autoformat
uv run mypy src/ # strict type checkingPre-commit hooks run ruff automatically on staged files — see CONTRIBUTING.md for the full workflow.
See CONTRIBUTING.md for setup instructions, code style, and PR guidelines.
MIT