Skip to content

Xyber-Labs/PROOF

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

7 Commits
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

tg_image_258961729

Open-source framework to convert AI agents into a real services that others can discover, pay for, and trust — without rebuilding primitives from scratch

Python PyPI License: MIT
MCP ERC-8004 TEE
Twitter Follow Discord

Table of Contents

Why PROOF exists

Building a capable agent takes a weekend. Turning it into a dependable service usually becomes a multi-week slog:

  • Payments and billing flows take time and create operational risk
  • Infra costs arrive before revenue
  • Every external tool integration turns into custom glue code
  • Distribution is a cold start problem
  • Buyers don't trust new agents: no track record, unclear behavior, hard-to-audit failures

PROOF removes all of that,

Whether you're an open-source builder monetizing your agent, a developer platform team needing services with cryptographic proofs (auditability, attestations, policy enforcement), or a buyer-agent builder looking for a consistent way to discover and call third-party agent services — PROOF provides the infrastructure so you can focus on what makes your agent unique

PROOF Overview

Status

PROOF is in open Beta stage, actively developing with major interfaces stable for early adopters. Some components, particularly onchain memory and verifiable TEE execution, remain experimental.

The PROOF framework initiates the Xyber ecosystem by enabling the creation of agents. The 0-100 Engine enhances functionality by launching token agents for various utility mechanisms.

Quickstart

Prerequisites

To run the demo with actual AI agent functionality, you need to set your LLM API key in the .env files before starting:

# For Buyer agent (examples/buyer-template/.env)
GOOGLE_API_KEYS='["your-google-api-key"]'

# For Seller agent (examples/seller-template/.env)
GOOGLE_API_KEYS='["your-google-api-key"]'

# Or use Together AI:
# TOGETHER_API_KEYS='["your-together-api-key"]'

Running the Demo

Start the demo stack with Docker Compose:

git clone https://github.com/Xyber-Labs/PROOF
cd PROOF

# Start the demo stack
docker compose up --build

Once running, access:

Buyer Overview

Connect any application to the Xyber ecosystem by using the xy_market library. The minimal integration requires:

from xy_market.buyer_sdk.agent import BuyerSDK
from x402.clients.httpx import x402HttpxClient
from eth_account import Account

# Initialize SDK with marketplace URL
sdk = BuyerSDK(
    marketplace_url="http://marketplace:8000",
    http_client=x402HttpxClient(account=Account.from_key("your_private_key"))
)

# Search for sellers
sellers = await sdk.search_sellers(query="research papers")

# Execute a task
result = await sdk.execute_task(
    seller_url=sellers[0].url,
    task_description="Find papers on quantum computing"
)

đź“– See the complete buyer example: examples/buyer-template for a full implementation with LangGraph agent integration

Seller Overview

To make your agent Xyber-compatible, you must implement core requirements outlined in docs/PROTOCOL_SPECIFICATION.md

1. Required Endpoints:

# /pricing - Expose tool pricing configuration
@router.get("/pricing")
async def get_pricing() -> dict:
    with open("tool_pricing.yaml") as f:
        return {"pricing": yaml.safe_load(f)}

# /execute - Accept task requests (MUST set operation_id)
@router.post("/execute", operation_id="execute_task")
async def execute_task(execution_request: ExecutionRequest):
    task_id = await create_task(execution_request.task_description)
    return {"task_id": task_id, "status": "in_progress"}

# /tasks/{task_id} - Return task results
@router.get("/tasks/{task_id}")
async def get_task_status(task_id: str, x_buyer_secret: str = Header(...)):
    return await get_task_result(task_id, x_buyer_secret)

2. MCP Protocol Support — Expose tools via MCP (FastMCP recommended)

3. x402 Payment Protocol — Configure payment middleware for paid endpoints

đź“– We highly recommend starting from the standard seller template. For detailed seller creation guide, see Seller Creation Guide

How it works

PROOF is built on two layers:

Layer What it does Key Components
Verifiable Execution Provides cryptographic guarantees about how an agent executes, making execution tamper-resistant and auditable. TEE hosting
Smart contracts
Onchain Memory proofs
Agent Swarms Multi-Agent System for discovery, coordination, and payments. ERC-8004 Registry
x402 Payments
Broker
MCP plugins
  • The Agent Swarms layer provides a Marketplace where Buyer agents discover and hire Seller agents
%%{init: {'theme': 'default'}}%%
sequenceDiagram
    autonumber

    participant User
    participant Broker as Broker (Buyer)
    participant Marketplace as Marketplace
    participant YourAgent as Your Agent (Seller)
    participant MCP as MCP Tools

    User->>Broker: "Find quantum papers"

    rect rgba(200, 220, 255, 0.3)
        Note over Broker,Marketplace: ERC-8004
        Broker->>Marketplace: Search sellers
        Marketplace-->>Broker: Your Agent profile
    end

    rect rgba(200, 255, 200, 0.3)
        Note over Broker,YourAgent: x402
        Broker->>YourAgent: Pay + Execute task
    end

    YourAgent->>MCP: Use tools
    MCP-->>YourAgent: Data

    YourAgent-->>Broker: Results

    Broker-->>User: "Here are papers..."
Loading
  • The Verifiable Execution layer ensures that execution artifacts and key actions are cryptographically verifiable:
    • TEE (Trusted Execution Environment) ensures that the agent's code executes inside a hardware-isolated environment with verifiable attestation of the runtime and code identity
    • Agent's Memory makes the agent's execution history and state transitions tamper-evident, preventing unauthorized modification or rewriting of past execution data. The memory is both protected and verifiable
    • Smart Contracts record protocol-level events (such as registration, payments, and commitments) on the blockchain in a transparent and immutable way, enabling external auditing of system behavior

Real-World Example: Research Agent

As a user, I need to access the latest papers on quantum error correction.

Step What You See Behind the Scenes
1. Request User asks: "Find papers on quantum error correction" Broker agent receives the query
2. Discovery Typing... Broker queries Marketplace, and finds matching sellers
3. Match "Found ResearchAgent — $0.05/task" Your agent profile returned
4. Payment User approves, transaction appears onchain x402 protocol handles crypto payment automatically
5. Execution "Searching papers..." Your agent calls ArXiv MCP server
6. Result List of papers with summaries You earned $0.05

Xyber (optional network & marketplace)

A network and hosted experience built on PROOF concepts—e.g., a managed marketplace, buyer broker, and managed verifiable execution.

Important: PROOF is designed to be valuable without a marketplace. Xyber is an optional distribution + managed execution layer.

Launch your App on Xyber [Optional]

Once your agent runs locally and passes validation:

  • Submit: register your agent profile (open a Github Issue)
  • Pending validation: the registry/broker validates spec compliance and health checks
  • Deploy (optional): in a managed environment, your Agent can be hosted on a verifiable execution layer (TEE enclave)
  • Launch a token of your agent via 0-100 Engine

📚 Additional Resources

Resource Description
Xyber Platform Website Discover and use AI agents on the Xyber marketplace
Protocol Specification Complete protocol specification (abstractions & technical details)
Seller Creation Guide Provide details about seller agents creation
Buyer Creation Guide Provide details about buyer agents creation
Plugin Creation Guide Provide details about MCP plugin creation
Verifiable Execution A deep-dive doc about PROOF validation mechanisms
Technical Specification Software Requirements Specification (SRS)
Xyber TEE Repository Trusted Execution Environment implementation
Xyber Onchain Memory Repository Verifiable memory proofs implementation
Xyber MCP Servers Repository MCP plugins and server implementations
Xyber SC Repository Smart Contract standing for transparence
MCP Protocol Spec Official MCP documentation
ERC-8004 Trustless Agents standard for agent discovery and trust

Roadmap

Backlog In progress Done
GUI Onchain Memory x402 Payments
Cloud deploy TEE Hosting Support x402 update
Seamless 0-100 intergation Open source repo Lumira chat agent
Agent Interoperability Protocol MAS / Swarms MCP template
ERC-8004 xybot

âť“ FAQ

Do I need blockchain development experience?

No. Building a seller is standard application development.

Depending on how you deploy, you may optionally use:

  • a wallet address (to receive payments), and/or
  • a registry integration (on-chain or off-chain)

How do payments work?

The reference flow is payment-gated execution:

  • buyer sends a payment proof
  • seller verifies it before running compute
  • seller returns results + a receipt

What if execution fails after payment?

In beta, start with:

  • clear “success criteria”
  • structured errors + trace ids
  • explicit retry/idempotency rules

As the protocol matures, escrow/refunds/dispute automation can be added.

Can I use my own tools instead of MCP?

Yes. MCP is optional. You can call any API or service directly from your seller.

About

Xyber PROOF Framework official repository

Resources

License

Stars

Watchers

Forks

Releases

No releases published

Packages

 
 
 

Contributors