Python SDK for agent portability, discovery and trust based on ERC-8004.
Agent0 is the SDK for agentic economies. It enables agents to register, advertise their capabilities and how to communicate with them, and give each other feedback and reputation signals. All this using blockchain infrastructure (ERC-8004) and decentralized storage, enabling permissionless discovery without relying on proprietary catalogues or intermediaries.
Agent0 SDK v0.31 enables you to:
- Create and manage agent identities - Register your AI agent on-chain with a unique identity, configure presentation fields (name, description, image), set wallet addresses, and manage trust models with x402 support
- Advertise agent capabilities - Publish MCP and A2A endpoints, with automated extraction of MCP tools and A2A skills from endpoints
- OASF taxonomies - Advertise standardized skills and domains using the Open Agentic Schema Framework (OASF) taxonomies for better discovery and interoperability
- Enable permissionless discovery - Make your agent discoverable by other agents and platforms using rich search by attributes, capabilities, skills, tools, tasks, and x402 support
- Build reputation - Give and receive feedback, retrieve feedback history, and search agents by reputation with cryptographic authentication
- Cross-chain registration - One-line registration with IPFS nodes, Pinata, Filecoin, or HTTP URIs
- Public indexing - Subgraph indexing both on-chain and IPFS data for fast search and retrieval
Agent0 SDK v0.31 is in alpha with bugs and is not production ready. We're actively testing and improving it.
Bug reports & feedback: GitHub: Report issues | Telegram: @marcoderossi | Email: marco.derossi@consensys.net
- Python 3.8 or higher
- pip package manager
- Private key for signing transactions (or run in read-only mode)
- Access to an Ethereum RPC endpoint (e.g., Alchemy, Infura)
- (Optional) IPFS provider account (Pinata, Filecoin, or local IPFS node)
pip install agent0-sdkgit clone https://github.com/agent0lab/agent0-py.git
cd agent0-py
pip install -e .from agent0_sdk import SDK
import os
# Initialize SDK with IPFS and subgraph
sdk = SDK(
chainId=11155111, # Ethereum Sepolia testnet
rpcUrl=os.getenv("RPC_URL"),
signer=os.getenv("PRIVATE_KEY"),
ipfs="pinata", # Options: "pinata", "filecoinPin", "node"
pinataJwt=os.getenv("PINATA_JWT") # For Pinata
# Subgraph URL auto-defaults from DEFAULT_SUBGRAPH_URLS
)# Create agent
agent = sdk.createAgent(
name="My AI Agent",
description="An intelligent assistant for various tasks. Skills: data analysis, code generation.",
image="https://example.com/agent-image.png"
)
# Configure endpoints (automatically extracts capabilities)
agent.setMCP("https://mcp.example.com/") # Extracts tools, prompts, resources
agent.setA2A("https://a2a.example.com/agent-card.json") # Extracts skills
agent.setENS("myagent.eth")
# Add OASF skills and domains (standardized taxonomies)
agent.addSkill("data_engineering/data_transformation_pipeline", validate_oasf=True)
agent.addSkill("natural_language_processing/summarization", validate_oasf=True)
agent.addDomain("finance_and_business/investment_services", validate_oasf=True)
agent.addDomain("technology/data_science", validate_oasf=True)
# Configure wallet and trust
agent.setAgentWallet("0x742d35Cc6634C0532925a3b844Bc9e7595f0bEb", chainId=11155111)
agent.setTrust(reputation=True, cryptoEconomic=True)
# Add metadata and set status
agent.setMetadata({"version": "1.0.0", "category": "ai-assistant"})
agent.setActive(True)
# Register on-chain with IPFS
agent.registerIPFS()
print(f"Agent registered: {agent.agentId}") # e.g., "11155111:123"
print(f"Agent URI: {agent.agentURI}") # e.g., "ipfs://Qm..."# Load existing agent for editing
agent = sdk.loadAgent("11155111:123") # Format: "chainId:agentId"
# Edit agent properties
agent.updateInfo(description="Updated description with new capabilities")
agent.setMCP("https://new-mcp.example.com/")
# Re-register to update on-chain
agent.registerIPFS()
print(f"Updated: {agent.agentURI}")# Search by name, capabilities, or attributes
results = sdk.searchAgents(
name="AI", # Substring search
mcpTools=["code_generation"], # Specific MCP tools
a2aSkills=["python"], # Specific A2A skills
active=True, # Only active agents
x402support=True # Payment support
)
for agent in results['items']:
print(f"{agent.name}: {agent.description}")
print(f" Tools: {agent.mcpTools}")
print(f" Skills: {agent.a2aSkills}")
# Get single agent (read-only, faster)
agent_summary = sdk.getAgent("11155111:123")# Prepare feedback (only score is mandatory)
feedback_file = sdk.prepareFeedback(
agentId="11155111:123",
score=85, # 0-100 (mandatory)
tags=["data_analyst", "finance"], # Optional
capability="tools", # Optional: MCP capability
name="code_generation", # Optional: MCP tool name
skill="python" # Optional: A2A skill
)
# Give feedback
feedback = sdk.giveFeedback(agentId="11155111:123", feedbackFile=feedback_file)
# Search feedback
results = sdk.searchFeedback(
agentId="11155111:123",
capabilities=["tools"],
minScore=80,
maxScore=100
)
# Get reputation summary
summary = sdk.getReputationSummary("11155111:123")
print(f"Average score: {summary['averageScore']}")# Option 1: Filecoin Pin (free for ERC-8004 agents)
sdk = SDK(
chainId=11155111,
rpcUrl="...",
signer=private_key,
ipfs="filecoinPin",
filecoinPrivateKey="your-filecoin-private-key"
)
# Option 2: IPFS Node
sdk = SDK(
chainId=11155111,
rpcUrl="...",
signer=private_key,
ipfs="node",
ipfsNodeUrl="https://ipfs.infura.io:5001"
)
# Option 3: Pinata (free for ERC-8004 agents)
sdk = SDK(
chainId=11155111,
rpcUrl="...",
signer=private_key,
ipfs="pinata",
pinataJwt="your-pinata-jwt-token"
)
# Option 4: HTTP registration (no IPFS)
sdk = SDK(chainId=11155111, rpcUrl="...", signer=private_key)
agent.register("https://example.com/agent-registration.json")The SDK includes support for the Open Agentic Schema Framework (OASF) taxonomies, enabling agents to advertise standardized skills and domains. This improves discoverability and interoperability across agent platforms.
# Add OASF skills (with optional validation)
agent.addSkill("advanced_reasoning_planning/strategic_planning", validate_oasf=True)
agent.addSkill("data_engineering/data_transformation_pipeline", validate_oasf=True)
# Add OASF domains (with optional validation)
agent.addDomain("finance_and_business/investment_services", validate_oasf=True)
agent.addDomain("technology/data_science/data_visualization", validate_oasf=True)
# Remove skills/domains
agent.removeSkill("old_skill")
agent.removeDomain("old_domain")OASF skills and domains appear in your agent's registration file:
{
"endpoints": [
{
"name": "OASF",
"endpoint": "https://github.com/agntcy/oasf/",
"version": "v0.8.0",
"skills": [
"advanced_reasoning_planning/strategic_planning",
"data_engineering/data_transformation_pipeline"
],
"domains": [
"finance_and_business/investment_services",
"technology/data_science"
]
}
]
}The SDK includes complete OASF v0.8.0 taxonomy files:
- Skills:
agent0_sdk/taxonomies/all_skills.json(136 skills) - Domains:
agent0_sdk/taxonomies/all_domains.json(204 domains)
Browse these files to find appropriate skill and domain slugs. For more information, see the OASF specification and Release Notes v0.31.
- Building agent marketplaces - Create platforms where developers can discover, evaluate, and integrate agents based on their capabilities and reputation
- Agent interoperability - Discover agents by specific capabilities (skills, tools, tasks), evaluate them through reputation signals, and integrate them via standard protocols (MCP/A2A)
- Managing agent reputation - Track agent performance, collect feedback from users and other agents, and build trust signals for your agent ecosystem
- Cross-chain agent operations - Deploy and manage agents across multiple blockchain networks with consistent identity and reputation
- More chains (currently Ethereum Sepolia only)
- Support for validations
- Enhanced x402 payments
- Semantic/Vectorial search
- Advanced reputation aggregation
- Import/Export to centralized catalogues
Complete working examples are available in the tests/ directory:
test_registration.py- Agent registration with HTTP URItest_registrationIpfs.py- Agent registration with IPFStest_feedback.py- Complete feedback flow with IPFS storagetest_search.py- Agent search and discoverytest_transfer.py- Agent ownership transfer
Full documentation is available at sdk.ag0.xyz, including:
Agent0 SDK is MIT-licensed public good brought to you by Marco De Rossi in collaboration with Consensys, π¦ MetaMask and Agent0, Inc. We are looking for co-maintainers. Please reach out if you want to help.
Thanks also to Edge & Node (The Graph), Protocol Labs and Pinata for their support.