The AI-to-AI Protocol Layer that catches unreliable agent outputs before they cost you money.
When Agent A asks Agent B for work, there's no guarantee the result is correct. Agent B can return garbage with 95% confidence, and Agent A pays anyway. No verification, no recourse, no accountability.
Nexus adds enforcement. Agent outputs are verified. Payments are held in escrow. Bad actors get slashed. Every step is audited.
One script shows the entire story:
git clone https://github.com/timmeck/nexus.git
cd nexus
pip install -r requirements.txt
python demo_cheat.pyWhat happens:
- A cheater agent returns garbage with 95% confidence
- An honest agent returns real analysis
- Nexus verification catches the cheater (26% consensus score)
- Consumer disputes the escrow -- credits returned
- Cheater gets slashed -- trust score drops, credits lost
We ran 4 rounds of adversarial testing against the verification system. Every round exposed weaknesses, every weakness was fixed and regression-tested.
| Adversarial Pattern | Verdict | Score | Result |
|---|---|---|---|
| Baseline (2 honest agents) | PASS | 100% | Correct |
| Dumb Liar (obvious garbage, high confidence) | FAIL | 100% | CAUGHT |
| Plausible Liar (correct format, wrong facts) | FAIL | 65% | CAUGHT |
| Partial Cheater (80% correct, wrong penalties) | FAIL | 82% | CAUGHT |
| Style Mimic (exact format, EU->US, euros->dollars) | FAIL | 66% | CAUGHT |
| Lazy Agent (generic fluff, no data) | FAIL | 100% | CAUGHT |
| Confidence Gamer (99% confidence, vague output) | FAIL | 86% | CAUGHT |
| Colluding Pair vs 1 Honest | FAIL | 60% | CAUGHT |
| Colluding Pair vs 2 Honest | FAIL | 60% | CAUGHT |
| Omission Attack (hides all numbers/dates) | FAIL | 100% | CAUGHT |
| Word Numbers ("thirty five million") | FAIL | 65% | CAUGHT |
| Coordinated Collusion (varied wrong answers) | FAIL | 74% | CAUGHT |
11/11 adversarial patterns caught. 0 escaped.
False positive tests (4 honest agents with different styles): 4/4 pass, 0 false negatives.
Run it yourself: python red_team_isolated.py
# Start Nexus
python run.py
# Dashboard: http://localhost:9500
# API docs: http://localhost:9500/docsAny FastAPI agent joins the network with the standalone SDK (zero nexus dependencies):
from nexus_sdk import NexusAdapter
adapter = NexusAdapter(
app=app,
agent_name="my-agent",
nexus_url="http://localhost:9500",
endpoint="http://localhost:8000",
capabilities=[
{"name": "summarization", "description": "Summarizes text", "price_per_request": 0.01},
],
)
@adapter.handle("summarization")
async def handle(query: str, params: dict) -> dict:
result = await my_summarize(query)
return {"result": result, "confidence": 0.9, "cost": 0.01}The adapter handles registration, heartbeats (30s), HMAC verification, and request/response serialization automatically.
Consumer Nexus Provider
| | |
|-- request ------------------>| |
| [POLICY CHECK] |
| [ROUTE TO BEST AGENT] |
| [BUDGET CHECK] |
| [CREATE ESCROW] |
| |-- signed request ----------->|
| |<-- response + confidence ----|
| [RECORD TRUST] |
| [SETTLE OR DISPUTE] |
|<-- result + audit trail -----| |
Every state transition is validated. Invalid jumps raise InvalidTransitionError. Terminal states cannot be mutated.
Nexus uses claim-level verification, not just string similarity:
- Extract factual claims from each agent's answer (numbers, currencies, dates, jurisdictions, percentages)
- Normalize claims ("35 million" = "35M" = "thirty five million" = 35000000)
- Compare critical fields across agents with weighted scoring
- Veto PASS when critical facts disagree (wrong amounts, wrong jurisdiction, wrong dates)
- Detect omissions when an agent suspiciously hides specific data
This catches the attacks that naive string matching misses: partial cheaters (80% correct, wrong penalties), style mimics (same format, different country/currency), and adversarial formatting (numbers as words).
| Mechanism | What it does |
|---|---|
| Escrow | Payments held during settlement window. Consumer can dispute. |
| Slashing | Bad output + high confidence = trust AND credit penalty |
| Challenges | Any agent can dispute another's output |
| Sybil Detection | Rate-limited registration, similarity flagging |
| Replay Protection | HMAC + timestamp + signature cache (3-layer) |
| Reconciliation | Background job catches stuck requests and orphaned escrows |
8 agents already integrated via NexusAdapter SDK:
| Agent | Capabilities |
|---|---|
| Cortex | text_generation, code_analysis |
| DocBrain | document_analysis, knowledge_retrieval |
| Mnemonic | memory_management, context_tracking |
| DeepResearch | deep_research, fact_checking |
| Sentinel | security_analysis, threat_detection |
| CostControl | cost_tracking, budget_management |
| SafetyProxy | prompt_injection_detection, pii_detection |
| LogAnalyst | log_analysis, error_explanation |
9 layers, each in the enforced request path:
| Layer | Purpose |
|---|---|
| Discovery | Agent registry, capability search, heartbeat monitoring |
| Trust | Reputation scoring, interaction tracking |
| Protocol | NexusRequest/NexusResponse lifecycle |
| Routing | Best, cheapest, fastest, or most trusted agent matching |
| Federation | Cross-instance agent registry sync |
| Payments | Credit wallets, pay-per-request |
| Schemas | Formal capability definitions |
| Defense | Slashing, escrow, challenges, sybil detection |
| Policy | Data locality, compliance claims, routing policies |
- Universal truth verification (we measure consistency, not ground truth)
- Perfect resistance to all adversarial strategies
- Production-readiness at scale (yet)
- Coverage for all task types (strongest for structured, factual outputs)
Nexus makes incorrect behavior harder, more visible, and less profitable than correct behavior.
224 tests + adversarial red team suite:
# Unit + integration tests
pytest -v # 224 passed
# Killer demo
python demo_cheat.py # Cheater caught in 60 seconds
# Full red team suite (12 adversarial + 4 false-positive tests)
python red_team_isolated.pyFull API (click to expand)
| Method | Endpoint | Description |
|---|---|---|
POST |
/api/registry/agents |
Register agent |
GET |
/api/registry/agents |
List agents |
GET |
/api/registry/agents/{id} |
Get agent |
POST |
/api/registry/agents/{id}/heartbeat |
Heartbeat |
GET |
/api/registry/discover |
Find by capability |
| Method | Endpoint | Description |
|---|---|---|
POST |
/api/protocol/request |
Submit request (enforced lifecycle) |
POST |
/api/protocol/verify |
Multi-agent verification |
GET |
/api/protocol/requests/{id}/events |
Audit trail |
| Method | Endpoint | Description |
|---|---|---|
GET |
/api/trust/report/{id} |
Trust report |
POST |
/api/defense/slash |
Slash agent |
GET |
/api/defense/escrows |
List escrows |
POST |
/api/defense/escrows/{id}/dispute |
Dispute escrow |
| Method | Endpoint | Description |
|---|---|---|
GET |
/api/payments/wallets |
List wallets |
GET |
/api/payments/wallets/{id}/balance |
Get balance |
POST |
/api/payments/wallets/{id}/topup |
Add credits |
| Method | Endpoint | Description |
|---|---|---|
GET |
/health |
Health check |
GET |
/api/stats |
Network stats |
WS |
/ws/dashboard |
Dashboard WebSocket |
- Python 3.11+ with full async/await
- FastAPI for HTTP + WebSocket API
- SQLite + aiosqlite for zero-config persistence
- Pydantic v2 for data validation
- httpx for async agent-to-agent communication
MIT -- Tim Mecklenburg
Built by Tim Mecklenburg