Agenter — Backend-agnostic SDK for autonomous coding agents supporting Claude, Codex, Anthropic, and AWS Bedrock with streaming, budget controls, security validation, and LangGraph/PydanticAI adapters.
Project description
Agenter
Decode your intent into working code.
The backend-agnostic SDK for orchestrating autonomous AI coding agents.
🚀 Why Agenter?
The missing abstraction layer for embedding coding agents in your software.
Other code agent wrapper SDKs let you swap the underlying LLM backend (e.g. Claude vs. GPT-4) - Agenter lets you swap the entire Agent Runtime (e.g. Claude Code vs. Codex vs. OpenHands or custom agents).
Why does this matter? Because the LLM "brain" is only half the battle. The "body" (tools, loops, environment, workflows, and graphs) is where the real engineering differentiation lives. While Anthropic has optimized Claude Code for enterprise workflows and OpenAI has fine-tuned Codex for code generation, Agenter does not tie you to any vendor.
Agenter is a universal interface for these specialized agent runtimes. It solves the "N x M" integration problem between your apps and a fragmented agent landscape. Agenter offers
- Runtime Agnosticism: Don't lock your platform into one vendor's agent architecture and its arbitrary conventions. Switch from a custom loop to Claude Code (or future runtimes) with a simple config change.
- Unified Governance: Apply the same budget limits (cost or tokens) and safety policies across any underlying coding agent regardless of how it executes code.
- Workflow Portability: Write your LangGraph or PydanticAI logic once. Run it on the best coding engine available today or tomorrow.
At the core of Agenter is AutonomousCodingAgent — a facade that handles all heavy backend selection, tool execution, validation loops, budget enforcement, event streaming, and other concerns. You give it a prompt and a directory, and it writes working code for you.
🏗️ Architecture
The SDK is built on a robust CodingBackend abstraction protocol that decouples agent logic from underlying backend providers.
┌─────────────────────────────────────────────────────────────┐
│ User Applications │
├─────────────────────────────┬───────────────────────────────┤
│ LangGraph Adapter │ PydanticAI Adapter │
└─────────────────────────────┴───────────────────────────────┘
│
▼
┌─────────────────────────────────────────────────────────────┐
│ AutonomousCodingAgent (Facade) │
│ (Unified API, Configuration, Event Streaming) │
└─────────────────────────────────────────────────────────────┘
│
▼
┌─────────────────────────────────────────────────────────────┐
│ CodingSession │
│ (Iteration Loop, Budget Enforcement, Error Recovery) │
└─────────────────────────────────────────────────────────────┘
│
▼
┌───────────────────────────────────────────────────────────────────────────────────────┐
│ CodingBackend Protocol (Abstract) │
├───────────────────────┬───────────────────────┬─────────────────────┬─────────────────┤
│ AnthropicSDKBackend │ ClaudeCodeBackend │ CodexBackend │ OpenHandsBackend│
│ (Custom Tool Loop) │ (Claude Code SDK) │ (OpenAI Models) │ (Any Model) │
└───────────────────────┴───────────────────────┴─────────────────────┴─────────────────┘
📦 Installation
# Default installation (anthropic-sdk backend with Anthropic API or AWS Bedrock)
pip install agenter
# Installation with Claude Code support (claude-code-sdk)
pip install agenter[claude-code]
# Installation with Codex support (OpenAI models)
pip install agenter[codex]
# Installation with OpenHands support (any model via litellm)
pip install agenter[openhands]
# Installation with specific framework adapters
pip install agenter[langgraph,pydantic-ai]
# Installation with security scanning (Bandit)
pip install agenter[security]
📋 Backend Requirements
| Backend | Type | Requirements |
|---|---|---|
| anthropic-sdk (default) | Pure library | ANTHROPIC_API_KEY or AWS credentials |
| claude-code | External CLI | Claude Code CLI installed |
| codex | External CLI | Codex CLI installed, OPENAI_API_KEY |
| openhands | External service | OpenHands runtime running |
The default anthropic-sdk backend works as a pure Python library - just set your API key and go.
Other backends wrap external CLIs/services and require additional setup.
⚡ Quick Start
The SDK manages the core coding loop for you. Just provide a prompt and a directory, and you are good to go.
import asyncio
from agenter import AutonomousCodingAgent, CodingRequest, Verbosity
async def main():
# 1. Initialize the coding agent (defaults to anthropic-sdk backend)
agent = AutonomousCodingAgent(
model="claude-sonnet-4-20250514",
)
# 2. Execute a task with full observability
print("🤖 Coding agent starting...")
result = await agent.execute(
CodingRequest(
prompt="Create a FastAPI app with a health check endpoint and a test file for it.",
cwd="./workspace",
allowed_write_paths=["*.py"] # Security: Only allow Python files to be written
),
verbosity=Verbosity.NORMAL # Shows progress and tool calls in real time
)
# 3. Check results
if result.status == "completed":
print(f"✅ Success! Modified {len(result.files)} files.")
print(f"💰 Cost: ${result.total_cost_usd:.4f}")
else:
print(f"❌ Failed: {result.summary}")
if __name__ == "__main__":
asyncio.run(main())
🛡️ Unified Sandbox Mode
Sandboxing prevents the coding agent from modifying files outside the working directory, protecting your system against unintended changes.
All of the following coding agent backends default to sandbox=True for safe operation.
Sandbox Enabled (Default)
# All backends run in safe mode by default
agent = AutonomousCodingAgent(backend="anthropic-sdk") # PathResolver enforces cwd
agent = AutonomousCodingAgent(backend="claude-code") # Native OS-level sandbox
agent = AutonomousCodingAgent(backend="codex") # Workspace-write mode
| Backend | SDK | Providers | Sandbox |
|---|---|---|---|
| anthropic-sdk | Anthropic SDK with custom tool loop | Anthropic API, AWS Bedrock | PathResolver path isolation |
| claude-code | Claude Code SDK (claude-code-sdk) | Anthropic API, AWS Bedrock, Google Vertex | Native OS-level sandbox |
| codex | OpenAI Codex CLI via MCP | OpenAI API | workspace-write mode |
| openhands | OpenHands SDK | Any provider via LiteLLM | ⚠️ No sandbox |
⚠️ OpenHands Warning: The OpenHands backend requires
sandbox=Falseand has no filesystem isolation. It can read and write anywhere on your system. Use it with caution and only in trusted environments.
Sandbox Disabled (Full File System Access)
# Disable sandbox for full file system access
agent = AutonomousCodingAgent(backend="claude-code", sandbox=False)
🧩 Agentic Framework Integrations
Don't reinvent the wheel. Use our pre-built adapters to supercharge your agentic graphs.
Adapters subclass framework base classes to include LangSmith/Logfire tracing and all framework features automatically.
LangGraph Adapter
create_coding_node() returns a RunnableLambda (includes LangSmith tracing).
from agenter.adapters.langgraph import create_coding_node
node = create_coding_node(cwd="./workspace", backend="claude-code")
result = await node.ainvoke({"prompt": "Create a hello world script"})
print(result["coding_result"]["summary"])
PydanticAI Adapter
CodingAgent subclasses pydantic_ai.Agent (includes Logfire tracing).
from agenter.adapters.pydantic_ai import CodingAgent
agent = CodingAgent(cwd="./workspace", backend="codex")
result = await agent.run("Add input validation")
print(result.summary)
🎯 Structured Outputs
Get typed and fully validated outputs from your coding tasks using Pydantic models.
Basic Usage
from pydantic import BaseModel
from agenter import AutonomousCodingAgent, CodingRequest
class AnalysisResult(BaseModel):
summary: str
issues_found: list[str]
confidence: float
agent = AutonomousCodingAgent()
result = await agent.execute(
CodingRequest(
prompt="Analyze the security of auth.py",
cwd="./workspace",
output_type=AnalysisResult, # Enables structured outputs
)
)
# result.output is typed as AnalysisResult
print(result.output.summary)
print(result.output.confidence)
🔍 Observability
The SDK provides rich, structured event streaming for UIs or logs.
async for event in agent.stream_execute(request):
if event.type == "backend_message":
print(f"🤖 AI: {event.data['content']}")
elif event.type == "validation_start":
print("🔍 Validating code...")
elif event.type == "iteration_end":
print(f"🔄 Iteration {event.data['iteration']} finished.")
📚 Documentation
- Quickstart Notebook — Get started with an interactive tutorial.
- Architecture — Dive deeper into the SDK's layered design, backend protocol, event system, and functionality.
- Naming Conventions — Supplementary material about coding style and naming patterns.
📜 License
Copyright 2025 Moonsong Labs
Licensed under the Apache License, Version 2.0. 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 agenter-0.1.2.tar.gz.
File metadata
- Download URL: agenter-0.1.2.tar.gz
- Upload date:
- Size: 471.9 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
8a25cced2adb8f2f7d95f7615fddf7c72c8adef5734af2dbe0aaf947512576cb
|
|
| MD5 |
cfe28480f1d73c8e0a53829f8aea35e8
|
|
| BLAKE2b-256 |
c8206ae9e422c0df3dcbf9aa813af092a635ff58fd332f5f19d6723357ba8c5f
|
Provenance
The following attestation bundles were made for agenter-0.1.2.tar.gz:
Publisher:
publish.yml on Moonsong-Labs/agenter
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
agenter-0.1.2.tar.gz -
Subject digest:
8a25cced2adb8f2f7d95f7615fddf7c72c8adef5734af2dbe0aaf947512576cb - Sigstore transparency entry: 1173958363
- Sigstore integration time:
-
Permalink:
Moonsong-Labs/agenter@f1623bcf2ba7f81c7ac29039f5ebf57d91175ef9 -
Branch / Tag:
refs/tags/v0.1.2 - Owner: https://github.com/Moonsong-Labs
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@f1623bcf2ba7f81c7ac29039f5ebf57d91175ef9 -
Trigger Event:
release
-
Statement type:
File details
Details for the file agenter-0.1.2-py3-none-any.whl.
File metadata
- Download URL: agenter-0.1.2-py3-none-any.whl
- Upload date:
- Size: 107.5 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
cc83fc259a0a7d328388e316326334b56fbbd001c3e0104cc9449445e6c316fb
|
|
| MD5 |
53d611d1bf7f51992a8b1a4b9f38f0aa
|
|
| BLAKE2b-256 |
00a72b585d225241369800727a4d43928e8447c728815db874a9be3818328668
|
Provenance
The following attestation bundles were made for agenter-0.1.2-py3-none-any.whl:
Publisher:
publish.yml on Moonsong-Labs/agenter
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
agenter-0.1.2-py3-none-any.whl -
Subject digest:
cc83fc259a0a7d328388e316326334b56fbbd001c3e0104cc9449445e6c316fb - Sigstore transparency entry: 1173958394
- Sigstore integration time:
-
Permalink:
Moonsong-Labs/agenter@f1623bcf2ba7f81c7ac29039f5ebf57d91175ef9 -
Branch / Tag:
refs/tags/v0.1.2 - Owner: https://github.com/Moonsong-Labs
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@f1623bcf2ba7f81c7ac29039f5ebf57d91175ef9 -
Trigger Event:
release
-
Statement type: