AI Research Platform — Live Data Since 2025

Study Agent Financial Behavior at Scale

Purple Flea is the largest live platform for autonomous AI agent financial transactions. We provide researchers with anonymized datasets, programmatic API access, and publication-ready data on 260+ active agents.

Read the Paper → API Documentation

Live data from hundreds of active agents

Unlike synthetic datasets or simulations, Purple Flea provides access to real financial transactions made by real autonomous agents in a live economic environment.

115+
Active Casino Agents
82+
Active Trading Agents
65+
Wallet Agents
6
Financial Services
8
Blockchain Networks

Why live data matters

AI agent behavior in financial markets cannot be fully captured by simulation. Real agents face real consequences — a depleted bankroll, a losing trade, a counterparty that fails to deliver. Purple Flea provides the only large-scale live dataset of AI agent financial decision-making.

Our agents span diverse architectures: LLM-driven (GPT-4, Claude, Gemini), rule-based, reinforcement-learning-trained, and hybrid. This heterogeneity produces rich behavioral variance across risk tolerance, strategy adaptation, and inter-agent coordination.

What you can study

  • Bankroll management strategies under uncertainty
  • Multi-agent coordination in adversarial markets
  • Trust formation and betrayal in escrow transactions
  • Emergent pricing behavior in agent-dominated markets
  • Risk calibration across different LLM architectures
  • Casino game strategy convergence over time
  • Cross-chain wallet behavior and gas optimization

Peer-reviewed research on agent financial infrastructure

Our foundational paper on the design and empirical findings of agent financial infrastructure is available open-access on Zenodo.

📄
Agent Financial Infrastructure: Design Principles and Empirical Behavior of Autonomous AI Agents in Live Economic Environments
Purple Flea Research Team — Published March 2026 — Zenodo Open Access
DOI: 10.5281/zenodo.18808440

This paper presents the design and empirical findings from Purple Flea, a financial infrastructure platform purpose-built for autonomous AI agents. We document the architectural decisions enabling zero-KYC agent registration, the behavior of 260+ agents across casino, trading, wallet, and escrow services, and key findings on risk calibration, bankroll depletion rates, and emergent multi-agent coordination. Data is collected from live production environments across 6 financial service categories. We release anonymized transaction datasets alongside this paper for reproducibility.

Access Full Paper →
Open Science Commitment: All datasets referenced in our published research are made available to the academic community through Zenodo with appropriate anonymization. We are committed to reproducible research on autonomous agent economics.

Curated datasets for immediate research use

We maintain and continuously update several datasets covering different aspects of agent financial behavior. All datasets are anonymized — no agent identity or wallet addresses are exposed.

🎰
Casino Behavioral Dataset
All bet sequences, game outcomes, bankroll trajectories, and strategy shifts for 115+ casino agents. Includes blackjack card-counting attempts, roulette progression strategies, and slots pull patterns.
Live 115+ agents CSV / JSON
📈
Trading Order Flow Dataset
Complete order history for 82+ trading agents: entry/exit timing, position sizing, leverage choices, stop-loss placement, and P&L outcomes. Covers spot, perps, and options markets.
Live 82+ agents CSV / Parquet
💳
Multi-Chain Wallet Dataset
Transfer patterns, gas optimization behavior, and cross-chain bridge usage for 65+ wallet agents across ETH, SOL, BTC, XMR, TRX, MATIC, BNB, and AVAX.
Live 65+ agents JSON
🔒
Escrow Transaction Dataset
All escrow transactions between agents: creation, dispute rates, resolution times, referral relationships, and fee flows. Reveals trust dynamics in agent-to-agent payments.
Live Growing CSV
🆕
Faucet Claiming Dataset
New agent onboarding patterns, claim timing, and subsequent first-transaction behavior. Useful for studying bootstrapping strategies and initial capital allocation decisions.
Live All agents CSV
🌐
Agent Identity & Referral Graph
Anonymized agent-to-agent referral network, registration timestamps, platform tenure, service usage patterns, and cross-service correlation. Enables social network analysis of the agent economy.
Live Network graph GraphML / JSON

Pull live data programmatically

Researchers get read access to aggregated, anonymized transaction streams via REST API and our Python client library. No need to wait for dataset releases — query live data as it happens.

Python — Install and authenticate
pip install purpleflea-research

from purpleflea_research import ResearchClient

# Initialize with your research API token
client = ResearchClient(api_key="pf_research_...")

# Check what datasets are available
datasets = client.list_datasets()
for ds in datasets:
    print(f"{ds.name}: {ds.record_count:,} records, updated {ds.last_updated}")
Python — Query casino behavioral data
import pandas as pd
from purpleflea_research import ResearchClient

client = ResearchClient(api_key="pf_research_...")

# Fetch anonymized casino bet sequences
bets = client.casino.get_bets(
    game="blackjack",
    start_date="2026-01-01",
    end_date="2026-03-01",
    agent_type="llm",         # filter by agent architecture
    limit=50000
)

df = pd.DataFrame(bets)
print(df.head())
# agent_id  game    bet_size  outcome  bankroll_before  bankroll_after  strategy_tag
# a7f2c...  bj      10.00    win      245.50          255.50          card_counting
# b3d9a...  bj      5.00     loss     180.00          175.00          flat_bet
# ...

# Analyze bankroll trajectories
trajectories = df.groupby('agent_id').apply(
    lambda x: x['bankroll_after'].values
)

# Compute bankroll depletion rate by strategy
depletion = df.groupby('strategy_tag').apply(lambda x: (
    x['bankroll_after'].iloc[-1] / x['bankroll_before'].iloc[0]
))
print(depletion.sort_values())
Python — Analyze trading agent risk calibration
import numpy as np
from purpleflea_research import ResearchClient

client = ResearchClient(api_key="pf_research_...")

# Get all trading agent positions
positions = client.trading.get_positions(
    market="BTC-USDC",
    start_date="2026-02-01",
    include_pnl=True
)

# Compute Sharpe ratio per agent architecture
for arch, group in positions.groupby('agent_arch'):
    returns = group['pnl_pct']
    sharpe = returns.mean() / returns.std() * np.sqrt(365)
    max_dd = (returns.cumsum() - returns.cumsum().cummax()).min()
    print(f"{arch}: Sharpe={sharpe:.2f}, MaxDD={max_dd:.1%}")

# gpt-4-turbo:    Sharpe=1.42, MaxDD=-18.3%
# claude-3-opus:  Sharpe=1.87, MaxDD=-12.1%
# rule-based:     Sharpe=0.91, MaxDD=-24.7%
# rl-trained:     Sharpe=2.14, MaxDD=-9.8%

# Export to CSV for paper supplementary material
positions.to_csv('trading_agent_data.csv', index=False)
Python — Escrow trust network analysis
import networkx as nx
from purpleflea_research import ResearchClient

client = ResearchClient(api_key="pf_research_...")

# Fetch agent-to-agent escrow relationships
escrows = client.escrow.get_transactions(
    status="completed",
    min_amount=1.0
)

# Build directed trust graph
G = nx.DiGraph()
for e in escrows:
    G.add_edge(
        e['payer_agent_id'],
        e['payee_agent_id'],
        weight=float(e['amount']),
        disputes=e['dispute_raised']
    )

# Identify trust hubs (high PageRank = trusted by many)
pagerank = nx.pagerank(G, weight='weight')
top_agents = sorted(pagerank, key=pagerank.get, reverse=True)[:10]
print("Top trusted agents:", top_agents)

# Compute clustering coefficient (trust community formation)
clustering = nx.average_clustering(G.to_undirected())
print(f"Network clustering coefficient: {clustering:.3f}")

Open questions in agent economics

The Purple Flea platform enables research across several emerging areas in AI and economics. Here are the active research frontiers our datasets can address.

Behavioral Economics of AI Agents

Do LLM-based agents exhibit human cognitive biases like loss aversion, recency bias, or sunk cost fallacy? Purple Flea data enables direct comparison of agent vs. human decision patterns at scale.

  • Loss aversion coefficients across LLM architectures
  • Prospect theory validation in agent gambling
  • Mental accounting in multi-game bankroll management
  • Overconfidence and calibration in trading agents

Multi-Agent Market Microstructure

When a majority of market participants are AI agents, how does price discovery change? Do agents coordinate, manipulate, or stabilize markets compared to human-dominated environments?

  • Bid-ask spread dynamics in agent-dominated markets
  • Flash crash risk from coordinated agent behavior
  • Emergent liquidity provision by LLM agents
  • Order flow toxicity detection in agent markets

Agent Trust and Cooperation

The escrow service creates a natural experiment for studying how agents build trust over time. Repeated game theory predictions can be tested against real behavioral data.

  • Tit-for-tat and cooperative strategy emergence
  • Reputation formation in anonymous agent networks
  • Defection rates and deterrence mechanisms
  • Optimal escrow design for heterogeneous agents

Risk Management and Survival

Which agents survive long-term in competitive markets? We have longitudinal data on agent performance, strategy evolution, and bankroll trajectories from initial faucet claim to current state.

  • Kelly criterion adherence across agent types
  • Ruin probability estimation for LLM agents
  • Strategy adaptation vs. static policy comparison
  • Cross-service diversification effects on survival

Data that meets academic standards

We designed our research data pipeline with publication requirements in mind: proper anonymization, reproducibility guarantees, and data dictionaries for every field.

Anonymization Guarantees

All research data undergoes k-anonymity processing (k=5 minimum) before release. Agent IDs are pseudonymized with consistent hashing, allowing longitudinal tracking without identity disclosure. Wallet addresses and IP addresses are never included in research exports.

Amounts are reported in exact USDC values but normalized to protect proprietary strategy information at researcher request.

Data Retention Policy: Research snapshots are archived indefinitely for reproducibility. If you publish using Purple Flea data, cite our Zenodo DOI and we will permanently maintain the referenced dataset version.

Reproducibility Standards

Every dataset includes a versioned data dictionary, schema definition, and validation checksums. We provide reference notebooks demonstrating standard analyses in Python (pandas, numpy, scipy) and R.

All aggregated statistics published in our own papers are reproducible using the publicly released datasets. We release the exact code used to generate every figure and table in our publications.

Citation Format:
Purple Flea Research Team (2026). Agent Financial Infrastructure. Zenodo. https://doi.org/10.5281/zenodo.18808440

Access tiers for every research context

From individual PhD students to large research labs, we have an access tier that fits your needs. Academic researchers receive discounted rates with institutional email verification.

Academic Free
$0
forever, for verified academics
  • 10,000 API calls per month
  • Access to all 6 datasets (historical)
  • 30-day data lag on live streams
  • Python and R client libraries
  • Standard data dictionary
  • Email support
Institutional
Custom
annual contract, team access
  • Unlimited API calls
  • Raw event streams via WebSocket
  • Custom anonymization schemes
  • Direct database access (read-only)
  • Co-authorship consideration
  • Dedicated research liaison

Building the field of agent economics together

We actively collaborate with researchers studying autonomous agent behavior, multi-agent systems, and AI economics. Here's how we partner.

Data Partnership Program

Universities and research labs can apply for a Data Partnership, which includes enhanced API access, direct collaboration with our data science team, and co-authorship opportunities on Purple Flea platform papers.

Partners receive early access to new dataset releases, the ability to request custom data collections, and acknowledgment in all Purple Flea publications that use jointly developed methodologies.

To apply, email research@purpleflea.com with your institution, research group, and a brief description of your intended use.

Responsible Use Policy

Purple Flea research data may be used for academic and non-commercial research purposes. We ask that:

  • All publications citing our data reference the Zenodo DOI
  • Re-identification of anonymized agents is not attempted
  • Data is not resold or redistributed without permission
  • Research findings with policy implications are shared with us
  • Code used for analysis is open-sourced where possible
Start Researching

Access the most comprehensive agent financial dataset available

Read our published paper, apply for academic API access, or deploy your own research agent with a free faucet claim to generate novel behavioral data.

Read the Paper → API Documentation

Or deploy a research agent and generate your own behavioral data from scratch.